您的位置:

Java获取当前年月

一、使用Java内置的日期类获取当前年月

Java内置了日期类java.util.Date和java.util.Calendar,可以利用这些类来获取当前的年月。

import java.util.Date;
import java.text.SimpleDateFormat;

public class GetCurrentMonthYear {
    public static void main(String[] args) {
        Date date = new Date();
        SimpleDateFormat formatter = new SimpleDateFormat("yyyy-MM");
        String currDate = formatter.format(date);
        System.out.println("Current Date: " + currDate);
    }
}

运行结果:

Current Date: 2022-03

这段代码首先创建了一个Date对象表示当前时间,然后通过SimpleDateFormat类将其格式化为“yyyy-MM”的格式得到当前年月。

二、使用Java 8中新增的LocalDate类获取当前年月

从Java 8开始,推荐使用新的日期类java.time包中的类,比如LocalDate。LocalDate类提供了一个简单的形式来表示日期,可以使用它来获取当前日期、年份、月份等。

import java.time.LocalDate;
import java.time.format.DateTimeFormatter;

public class GetCurrentMonthYear {
    public static void main(String[] args) {
        LocalDate date = LocalDate.now();
        DateTimeFormatter formatter = DateTimeFormatter.ofPattern("yyyy-MM");
        String currDate = date.format(formatter);
        System.out.println("Current Date: " + currDate);
    }
}

运行结果:

Current Date: 2022-03

这段代码首先创建了一个LocalDate对象表示当前日期,然后通过DateTimeFormatter类将其格式化为“yyyy-MM”的格式得到当前年月。

三、结合Calendar获取当前年月

日历类Calendar提供了获取不同时间字段(年、月、日、小时、分钟等)信息的方法,通过这些方法可以得到当前年月。

import java.util.Calendar;

public class GetCurrentMonthYear {
    public static void main(String[] args) {
        Calendar calendar = Calendar.getInstance();
        int year = calendar.get(Calendar.YEAR);
        int month = calendar.get(Calendar.MONTH) + 1;
        System.out.printf("Current Year: %d, Month: %d", year, month);
    }
}

运行结果:

Current Year: 2022, Month: 3

这段代码首先创建了一个Calendar对象表示当前时间,然后通过get()方法获取年份、月份等信息。由于Calendar中月份的表示范围是0~11,所以这里需要加上1得到正确的月份。

四、结合SimpleDateFormat获取当前年月的天数

除了获取当前年月,还可以通过SimpleDateFormat类获取当前月份所包含的天数。

import java.util.Date;
import java.text.SimpleDateFormat;

public class GetCurrentMonthYear {
    public static void main(String[] args) {
        Date date = new Date();
        SimpleDateFormat formatter = new SimpleDateFormat("yyyy-MM");
        String currDate = formatter.format(date);
        int days = getDaysOfMonth(currDate);
        System.out.printf("Current Date: %s, Days of Month: %d", currDate, days);
    }

    public static int getDaysOfMonth(String currDate) {
        SimpleDateFormat formatter = new SimpleDateFormat("yyyy-MM");
        try {
            Date date = formatter.parse(currDate);
            Calendar calendar = Calendar.getInstance();
            calendar.setTime(date);
            return calendar.getActualMaximum(Calendar.DAY_OF_MONTH);
        } catch (Exception e) {
            e.printStackTrace();
        }
        return 0;
    }
}

运行结果:

Current Date: 2022-03, Days of Month: 31

这段代码首先调用getDaysOfMonth()方法获取当前月份所包含的天数。在getDaysOfMonth()方法中,首先利用SimpleDateFormat类将日期字符串解析为Date对象,然后将其转换为Calendar对象来获取当前月份的实际天数。