我被赋予了一个任务来计算两个给定日期之间的天数,并且发现了输入线3的一个非常奇怪的结果(2127天)似乎是正确的但是这个任务的预期输出是不同的结果(1979天)。我已经看过这篇文章Calculate the number of days between two dates以及其他几篇帖子,并按照建议使用了Joda图书馆,得到了2127天的结果。
*问题:给定两个日期(在1901年和2999年期间),找到两个日期之间的天数。
输入:六组数据。每组都有两个日期,格式为月,日,年。 例如,输入行'6,2,1983,6,22,1983'代表 1983年6月2日至1983年6月22日。
输出:给定日期之间的天数,不包括开始日期和结束日期。例如,1983年6月2日至1983年6月22日之间有19天;即6月3日,4日,......,21。
样本输入(3套):
Input Line #1: 6, 2, 1983, 6, 22, 1983
Output #1: 19
Input Line #2: 7, 4, 1984, 12, 25, 1984
Output #2: 173
Input Line #3: 1, 3, 1989, 3, 8, 1983
Output #3: 1979
这是我的解决方案
private boolean isYearValid(int year){
return year >=1901 && year <= 2999;
}
public int numOfDays(String dates){
Calendar date1 = new GregorianCalendar();
Calendar date2 = new GregorianCalendar();
String [] dateSplit = dates.split(",");
int len = dateSplit.length;
int year = 0;
for(int i=0;i<len;i++){
dateSplit[i]=dateSplit[i].trim();
if(i==2||i==5){
try {
year = Integer.parseInt(dateSplit[i]);
}
catch (NumberFormatException e){
throw new IllegalArgumentException(String.format("Usage: Year input %s is not valid",dateSplit[i]));
}
if(!isYearValid(year))
throw new IllegalArgumentException("Usage: Year of date should be between the years 1901 and 2999, inclusive");
}
}
int [] d = new int[6];
for(int i=0;i<6;i++)
try {
d[i]=Integer.parseInt(dateSplit[i]);
}
catch(NumberFormatException e){
throw new IllegalArgumentException("Usage: Date entered is not valid");
}
date1.set(d[2], d[0],d[1]);
date2.set(d[5], d[3], d[4]);
long milli1= date1.getTimeInMillis();
long milli2 = date2.getTimeInMillis();
long diff;
if(milli1>milli2){
diff = milli1 - milli2;
}
else{
diff = milli2 - milli1;
}
return (int) (diff / (24 * 60 * 60 * 1000))-1;
}
已解决 - 似乎测试数据错误,因为1, 3, 1989, 8, 3, 1983
产生了1979天。
答案 0 :(得分:2)
您的测试数据不正确。请参阅:http://www.timeanddate.com/date/durationresult.html。
答案 1 :(得分:2)
出于好奇,这是家庭作业吗?如果没有,为什么不直接使用Joda-Time库为您完成此操作。它照顾了月份的长度,闰年等......
DateTime dt1 = ...;
DateTime dt2 = ...;
Duration duration = new Duration(dt1, dt2);
long days = duration.getStandardDays();