我们在这里有一个Java代码段
import java.text.SimpleDateFormat;
import java.util.Date;
public class SimpleDateFormatExample {
public static void main(String[] args) {
Date date = new Date();
int days = 5;
SimpleDateFormat formatter = new SimpleDateFormat("dd/MM/yyyy");
String strDate= formatter.format(date.getTime() + (days*86400000));
System.out.println(strDate);
}
}
添加n号。到今天为止的天数。结果将是正确的,直到n=24
,但给出n=24
之后的上个月。为什么会这样?
答案 0 :(得分:3)
问题是int is overflowing
考虑
int days = 25;
int d = days*86400000;
System.out.println(d);
尝试
int days = 25;
long d = days*86400000L;
System.out.println(d);
答案 1 :(得分:2)
LocalDate // Represent a date-only, without a time-of-day and without a time zone.
.now() // Capture the current date, as seen through your JVM’s current default time zone. Better to pass a `ZoneId` as the optional argument.
.plusDays( 5 ) // Add five days, returning a new `LocalDate` object. Per the Immutable Objects pattern, a new object is produced rather than changing (“mutating”) the original.
.format( // Generate text representing the date value of our `LocalDate` object.
DateTimeFormatter.ofPattern( "dd/MM/uuuu" ) // Define a formatting pattern to suit your taste. Or call the `.ofLocalized…` methods to localize automatically.
) // Returns a `String`.
Date
类表示UTC中的时刻,具有时间的日期以及与UTC的偏移量为零。使用仅日期值时使用了错误的类。
避免使用可怕的旧式传统日期时间类,例如Calendar
,Date
和SimpleDateFormat
。几年前,这些类被 java.time 类取代。
请勿以秒或毫秒为单位跟踪天数。日子并非总是24小时长,几年也不总是365天长。
LocalDate
相反,请使用LocalDate
类。
LocalDate today = LocalDate.now() ;
LocalDate later = today.plusDays( 5 ) ;
最好完全避免使用旧类。但是,如果必须与尚未更新为 java.time 类的旧代码进行互操作,则可以来回转换。调用添加到旧类中的新方法。
对于Date
,您需要添加一个时间。我希望您会喜欢一天的第一刻。我假设您要将日期设置为UTC而不是时区。我们必须通过一个OffsetDateTime
对象来添加时间和偏移量。对于偏移量,我们使用常量ZoneOffset.UTC
。然后,我们提取更基本的Instant
类对象以转换为java.util.Date
。
OffsetDateTime odt = OffsetDateTime.of( later , LocalTime.MIN , ZoneOffset.UTC ) ; // Combine the date with time-of-day and with an offset-from-UTC.
Instant instant = odt.toInstant() ; // Convert to the more basic `Instant` class, a moment in UTC, always UTC by definition.
java.util.Date d = java.util.Date.from( instant ) ; // Convert from modern class to legacy class.
往另一个方向走:
Instant instant = d.toInstant() ; // Convert from legacy class to modern class.
java.time框架已内置在Java 8及更高版本中。这些类取代了麻烦的旧legacy日期时间类,例如java.util.Date
,Calendar
和SimpleDateFormat
。
目前位于Joda-Time的maintenance mode项目建议迁移到java.time类。
要了解更多信息,请参见Oracle Tutorial。并在Stack Overflow中搜索许多示例和说明。规格为JSR 310。
您可以直接与数据库交换 java.time 对象。使用符合JDBC driver或更高版本的JDBC 4.2。不需要字符串,不需要java.sql.*
类。
在哪里获取java.time类?
ThreeTen-Extra项目使用其他类扩展了java.time。该项目为将来可能在java.time中添加内容提供了一个试验场。您可能会在这里找到一些有用的类,例如Interval
,YearWeek
,YearQuarter
和more。
答案 2 :(得分:1)
使用days*86400000L
使其成为long
计算,否则int
值会溢出。
答案 3 :(得分:0)
在您的代码中尝试这个:
Calendar cal = Calendar.getInstance();
cal.setTime(new Date());
cal.add(Calendar.DATE, 5);
strDate = formatter.format(cal.getTime());