我试图打印30个连续的日期。以下是我的代码
val myDate: Long = LocalDate.parse("2017-07-01").atStartOfDay()
.toInstant(ZoneOffset.of("+0")).getEpochSecond * 1000
val sdf: SimpleDateFormat = new SimpleDateFormat("yyyy-MM-dd")
(0 to 29).foreach(i => println(sdf.format(new Date(myDate + 24 * 3600 * 1000 * i))))
但是输出不是连续的:
2017-07-01
2017-07-02
2017-07-03
2017-07-04
2017-07-05
2017-07-06
2017-07-07
2017-07-08
2017-07-09
2017-07-10
2017-07-11
2017-07-12
2017-07-13
2017-07-14
2017-07-15
2017-07-16
2017-07-17
2017-07-18
2017-07-19
2017-07-20
2017-07-21
2017-07-22
2017-07-23
2017-07-24
2017-07-25
2017-06-06 <--- !!!!!!
2017-06-07
2017-06-08
2017-06-09
2017-06-10
此行为的原因是什么以及如何解决?
答案 0 :(得分:6)
您的数学必须在某个地方溢出(整数数学)。在像开始进行乘法操作(您可以附加long
)之前,将条款强制L
(0 to 29).foreach(i => println(sdf.format(new Date(myDate + 24L * 3600 * 1000 * i))))
或者使用TimeUnit.DAYS
可以正确处理;像
import java.util.concurrent.TimeUnit
然后
(0 to 29).foreach(i => println(sdf.format(new Date(myDate + TimeUnit.DAYS.toMillis(i)))))
但是,由于我们仍在使用LocalDate
;最好像这样写它
import java.time.{Instant, LocalDate, ZoneOffset}
import java.time.format.DateTimeFormatter
import java.time.temporal.ChronoUnit
val dtf: DateTimeFormatter = DateTimeFormatter.ISO_DATE
val ld: LocalDate = LocalDate.parse("2017-07-01")
(0 to 29).foreach(i => println(dtf.format(ld.plusDays(i))))
答案 1 :(得分:1)
这样一个简单的任务确实不需要如此复杂的计算。
import java.time.LocalDate
import java.time.temporal.ChronoUnit.DAYS
Seq.iterate(LocalDate.parse("2017-07-01"), 30)(DAYS.addTo(_, 1))
.foreach(println)