在Java中可以使用Java 8的java.time API的 `Period.between()` 函数来计算两个日期之间的差距,包括相差的月份。
一、使用Period.between()方法 {#title-1}
Java 8中的java.time API提供了`Period`类,这个类有一个 `between` 方法可以计算两个日期之间的差距。`Period`类提供了 `getMonths()` 和 `getYears()` 方法,可以获取两个日期间相差的月份和年份。
import java.time.LocalDate;
import java.time.Period;
public class Main {
public static void main(String[] args) {
LocalDate date1 = LocalDate.of(2018, 7, 12);
LocalDate date2 = LocalDate.of(2021, 9, 21);
Period period = Period.between(date1, date2);
int diff = period.getYears() * 12 + period.getMonths();
System.out.println("Between " + date1 + " and " + date2 + ", there is a difference of " + diff + " months.");
}
}
二、不使用内置方法 {#title-2}
除了使用Java API提供的方法计算月份差之外,还可以通过获取两个日期的年和月,然后计算出两个日期间的月份。这种方法虽然较为繁琐,但是在旧版本的Java中,可能没有API提供的方法方便和直观。
import java.util.Calendar;
import java.util.Date;
import java.util.GregorianCalendar;
public class Main {
public static void main(String[] args) {
Calendar cal1 = new GregorianCalendar(2021, 9, 21);
Calendar cal2 = new GregorianCalendar(2018, 7, 12);
int monthsDiff = (cal1.get(Calendar.YEAR) - cal2.get(Calendar.YEAR)) * 12 +
(cal1.get(Calendar.MONTH) - cal2.get(Calendar.MONTH));
System.out.println("Between " + cal1.getTime() + " and " + cal2.getTime() + ", there is a difference of "
+ monthsDiff + " months.");
}
}