Java 8에서 두 날짜 사이의 날짜 계산
나는 얻는 방법에 대해 SO에 많은 질문이 있다는 것을 알고 있지만 새로운 Java 8 Date api를 사용하고 예를 원합니다. JodaTime 라이브러리도 알고 있지만 외부 라이브러리가없는 작업 방식을 원합니다.
기능은 다음 제한 사항에 대해 불만을 제기해야합니다.
- 날짜 절약 시간으로 인한 오류 방지
- 입력은 두 개의 Date 객체입니다 (시간이 없으면 localdatetime을 알고 있지만 날짜 인스턴스와 관련이 있습니다)
논리적 달력 일 을 원하면 다음 DAYS.between()
방법을 사용하십시오 java.time.temporal.ChronoUnit
.
LocalDate dateBefore;
LocalDate dateAfter;
long daysBetween = DAYS.between(dateBefore, dateAfter);
당신이 원하는 경우 24 문자 시간 일 , (A 기간 ), 당신은 사용할 수있는 Duration
클래스를 대신 :
LocalDate today = LocalDate.now()
LocalDate yesterday = today.minusDays(1);
// Duration oneDay = Duration.between(today, yesterday); // throws an exception
Duration.between(today.atStartOfDay(), yesterday.atStartOfDay()).toDays() // another option
자세한 내용은 이 문서를 참조하십시오 .
VGR의 의견을 바탕으로 다음을 사용할 수 있습니다.
ChronoUnit.DAYS.between(firstDate, secondDate)
당신은 사용할 수 있습니다 until()
:
LocalDate independenceDay = LocalDate.of(2014, Month.JULY, 4);
LocalDate christmas = LocalDate.of(2014, Month.DECEMBER, 25);
System.out.println("Until christmas: " + independenceDay.until(christmas));
System.out.println("Until christmas (with crono): " + independenceDay.until(christmas, ChronoUnit.DAYS));
DAYS.between
에서 사용할 수 있습니다java.time.temporal.ChronoUnit
예 :
import java.time.temporal.ChronoUnit;
public long getDaysCountBetweenDates(LocalDate dateBefore, LocalDate dateAfter) {
return DAYS.between(dateBefore, dateAfter);
}
enum java.time.temporal.ChronoUnit 에서 DAYS를 사용하십시오 . 다음은 샘플 코드입니다.
출력 : * 시작 날짜 사이의 날짜 수 : 2015-03-01과 종료 날짜 : 2016-03-03은 ==> 368입니다. ** 시작 날짜 사이의 날짜 수 : 2016-03-03과 종료 날짜 : 2015-03-01은 ==> -368 *입니다
package com.bitiknow.date;
import java.time.LocalDate;
import java.time.temporal.ChronoUnit;
/**
*
* @author pradeep
*
*/
public class LocalDateTimeTry {
public static void main(String[] args) {
// Date in String format.
String dateString = "2015-03-01";
// Converting date to Java8 Local date
LocalDate startDate = LocalDate.parse(dateString);
LocalDate endtDate = LocalDate.now();
// Range = End date - Start date
Long range = ChronoUnit.DAYS.between(startDate, endtDate);
System.out.println("Number of days between the start date : " + dateString + " and end date : " + endtDate
+ " is ==> " + range);
range = ChronoUnit.DAYS.between(endtDate, startDate);
System.out.println("Number of days between the start date : " + endtDate + " and end date : " + dateString
+ " is ==> " + range);
}
}
@mohamed 응답 외에도 starDate 및 endDate 가 java.util.Date의 인스턴스 인 경우
Integer noOfDays = ChronoUnit.DAYS.between(startDate.toInstant(), endDate.toInstant());
하지만 ChronoUnit.DAYS은 24 시간 완성 일 계산합니다.
누구나 ChronoUnit.DAYS.between을 사용한다고 말하고 있지만 다른 방법으로 위임 할 수 있습니다. 그래서 당신도 할 수 있습니다 firstDate.until(secondDate, ChronoUnit.DAYS)
.
The docs for both actually mention both approaches and say to use whichever one is more readable.
Here you go:
public class DemoDate {
public static void main(String[] args) {
LocalDate today = LocalDate.now();
System.out.println("Current date: " + today);
//add 1 month to the current date
LocalDate date2 = today.plus(1, ChronoUnit.MONTHS);
System.out.println("Next month: " + date2);
// Put latest date 1st and old date 2nd in 'between' method to get -ve date difference
long daysNegative = ChronoUnit.DAYS.between(date2, today);
System.out.println("Days : "+daysNegative);
// Put old date 1st and new date 2nd in 'between' method to get +ve date difference
long datePositive = ChronoUnit.DAYS.between(today, date2);
System.out.println("Days : "+datePositive);
}
}
Get number of days before Christmas from current day , try this
System.out.println(ChronoUnit.DAYS.between(LocalDate.now(),LocalDate.of(Year.now().getValue(), Month.DECEMBER, 25)));
get days between two dates date is instance of java.util.Date
public static long daysBetweenTwoDates(Date dateFrom, Date dateTo) {
return DAYS.between(Instant.ofEpochMilli(dateFrom.getTime()), Instant.ofEpochMilli(dateTo.getTime()));
}
If the goal is just to get the difference in days and since the above answers mention about delegate methods would like to point out that once can also simply use -
public long daysInBetween(java.time.LocalDate startDate, java.time.LocalDate endDate) {
// Check for null values here
return endDate.toEpochDay() - startDate.toEpochDay();
}
I know this question is for Java 8, but with Java 9 you could use:
public static List<LocalDate> getDatesBetween(LocalDate startDate, LocalDate endDate) {
return startDate.datesUntil(endDate)
.collect(Collectors.toList());
}
Use the class or method that best meets your needs:
- the Duration class,
- Period class,
- or the ChronoUnit.between method.
A Duration measures an amount of time using time-based values (seconds, nanoseconds).
A Period uses date-based values (years, months, days).
The ChronoUnit.between method is useful when you want to measure an amount of time in a single unit of time only, such as days or seconds.
https://docs.oracle.com/javase/tutorial/datetime/iso/period.html
참고URL : https://stackoverflow.com/questions/27005861/calculate-days-between-two-dates-in-java-8
'IT story' 카테고리의 다른 글
유형별로 WPF 창에서 모든 컨트롤 찾기 (0) | 2020.04.29 |
---|---|
SQL Server Management Studio, 실행 시간을 밀리 초로 줄이는 방법 (0) | 2020.04.29 |
jQuery로 이미지가로드되었는지 (오류 없음) 확인 (0) | 2020.04.29 |
jQuery : 특정 클래스 이름의 div가 있는지 확인하십시오. (0) | 2020.04.28 |
문자열 안에 변수를 어떻게 넣습니까? (0) | 2020.04.28 |