AIM:我希望在接下来的12周中将一周的最后一天(星期日)变为使用Date()的单独字符串
我在下面给出了正确的日期格式。我只需要有关实现目标的最佳解决方案的建议。
DateFormat dateFormat = new SimpleDateFormat("MM/dd/yyyy");
Date date = new Date(0);
System.out.println(dateFormat.format(date));
答案 0 :(得分:1)
Java的日期系统令我感到困惑,但我认为你想这样做:
1)不要制作日期,而是制作GregorianCalendar。
2)Calendar.set(Calendar.DAY_OF_WEEK,Calendar.SUNDAY)获取本周日的日期。
3)在for循环中,将12天添加到日历中12天。在每个循环上执行某些操作(例如,使用getTime()从GregorianCalendar获取日期)
答案 1 :(得分:1)
试
GregorianCalendar c = new GregorianCalendar();
for (int i = 0; i < 12;) {
c.add(Calendar.DATE, 1);
if (c.get(Calendar.DAY_OF_WEEK) == Calendar.SUNDAY) {
System.out.println(DateFormat.getDateInstance().format(c.getTime()));
i++;
}
}
答案 2 :(得分:1)
首先,本周的最后一周并不总是与星期日相同,因为它取决于您使用的区域设置。
如果您使用的是Java 8,那么解决方案非常简单:
LocalDate firstJanuary = LocalDate.parse("01/01/2015",
DateTimeFormatter.ofPattern("MM/dd/yyyy"));
//last day of the week
TemporalField fieldUS = WeekFields.of(Locale.US).dayOfWeek();
LocalDate lastDayOfWeek = firstJanuary.with(fieldUS,7);
System.out.println(lastDayOfWeek);
//sunday
LocalDate sunday = firstJanuary.with(DayOfWeek.SUNDAY);
System.out.println(sunday);
并迭代到几周之后,只需使用:
sunday.plusWeeks(1);
答案 3 :(得分:1)
LocalDate.now(
ZoneId.of( "Africa/Tunis" )
)
.withNextOrSame( DayOfWeek.SUNDAY )
.plusWeeks( 1 )
现代方法使用java.time类。
时区对于确定日期至关重要。对于任何给定的时刻,日期在全球范围内因地区而异。例如,在Paris France午夜后的几分钟是新的一天,而Montréal Québec中仍然是“昨天”。
以continent/region
的格式指定proper time zone name,例如America/Montreal
,Africa/Casablanca
或Pacific/Auckland
。切勿使用诸如EST
或IST
之类的3-4个字母伪区域,因为它们不是真正的时区,不是标准化的,甚至不是唯一的(!)。
ZoneId z = ZoneId.of( "America/Montreal" ) ;
LocalDate
类表示没有时间且没有时区的仅限日期的值。
LocalDate today = LocalDate.now( z );
要查找今天或之后的下一个星期日,请使用TemporalAdjuster
课程中的TemporalAdjusters
实施。
LocalDate nextOrSameSunday = today.withNextOrSame( DayOfWeek.SUNDAY ) ;
收集十几个这样的连续日期。
int countWeeks = 12 ;
List< LocalDate > sundays = new ArrayList<>( 12 ) ;
for( int i = 0 , i < countWeeks , i ++ ) {
sundays.add( nextOrSameSunday.plusWeeks( i ) ) ; // + 0, + 1, + 2, … , + 11.
}
提示:专注于使用代表性数据对象而不仅仅是字符串。需要显示时,循环收集并通过调用toString
或format( DateTimeFormatter )
生成字符串。
for( LocalDate ld : sundays ) { // Loop each LocalDate in collection.
String output = ld.toString() ; // Generate a string in standard ISO 8601 format.
…
}
java.time框架内置于Java 8及更高版本中。这些类取代了麻烦的旧legacy日期时间类,例如java.util.Date
,Calendar
和&amp; SimpleDateFormat
现在位于Joda-Time的maintenance mode项目建议迁移到java.time类。
要了解详情,请参阅Oracle Tutorial。并搜索Stack Overflow以获取许多示例和解释。规范是JSR 310。
从哪里获取java.time类?
ThreeTen-Extra项目使用其他类扩展java.time。该项目是未来可能添加到java.time的试验场。您可以在此处找到一些有用的课程,例如Interval
,YearWeek
,YearQuarter
和more。