嗨,我想在不使用任何库的情况下遍历一个日期范围。我想从 2005 年 1 月 18 日开始(想将其格式化为 yyyy/M/d)并以天为间隔进行迭代,直到当前日期。我已经格式化了开始日期,但我不知道如何将它添加到日历对象并进行迭代。我想知道是否有人可以提供帮助。谢谢
String newstr = "2005/01/18";
SimpleDateFormat format1 = new SimpleDateFormat("yyyy/M/d");
Date date = format1.parse(newstr);
Calendar calendar = new GregorianCalendar();
calendar.setTime(date);
while (someCondition(calendar)) {
doSomethingWithTheCalendar(calendar);
calendar.add(Calendar.DATE, 1);
}
用于SimpleDateFormat
将字符串解析为Date
对象或将对象格式化Date
为字符串。
使用类Calendar
进行日期算术。它有一种add
方法来推进日历,例如用一天。
请参阅上述类的 API 文档。
或者,使用Joda Time库,它使这些事情变得更容易。(标准 Java API 中的Date
和Calendar
类有许多设计问题,不如 Joda Time 强大)。
Java,实际上是许多系统,将时间存储为自 1970 年 1 月 12:00 上午 12:00 UTC 以来的毫秒数。这个数字可以定义为long。
//to get the current date/time as a long use
long time = System.currentTimeMillis();
//then you can create a an instance of the date class from this time.
Date dateInstance = new Date(time);
//you can then use your date format object to format the date however you want.
System.out.println(format1.format(dateInstance));
//to increase by a day, notice 1000 ms = 1 second, 60 seconds = 1 minute,
//60 minutes = 1 hour 24 hours = 1 day so add 1000*60*60*24
//to the long value representing time.
time += 1000*60*60*24;
//now create a new Date instance for this new time value
Date futureDateInstance = new Date(time);
//and print out the newly incremented day
System.out.println(format1.format(futureDateInstance));