我需要从在线服务器中托管的Mongodb数据中获取两个日期之间的数据。我尝试了这个代码,它在我的Localhost(本地数据和实时数据)中运行良好。但是,当我在线上传应用程序时,它在Live中无法正常工作。
结果在实时网站中不准确。它在指定日期之前和之后获取一些记录。例如,我给出日期01-02-2018和28-02-2018,结果随附31-01-2018和01-03-2018的记录。
我认为问题是日期存储在UTC时区(2018-02-15T23:33:30.000Z)。
SimpleDateFormat format = new SimpleDateFormat("dd-MM-yyyy HH:mm:ss");
Date fromDate = format.parse(from + " 00:00:00");
Date toDate = format.parse(to + " 23:59:59");
Calendar cal = Calendar.getInstance();
cal.setTime(order.getOrderDate());
SimpleDateFormat sdf = new SimpleDateFormat("dd-MM-yyyy HH:mm:ss");
sdf.setTimeZone(TimeZone.getTimeZone("Asia/Kolkata"));
String strDate = sdf.format(cal.getTime());
Date orderDate = sdf.parse(strDate);
for(Order order : orders){
if(orderDate.after(fromDate) || orderDate.equals(fromDate) && orderDate.before(toDate) || orderDate.equals(toDate)){
//do something
}
}
答案 0 :(得分:1)
java.util.Date
doesn't have a timezone in it,因此解析和格式化订单日期毫无意义。格式化将其转换为String
并解析将其转换回Date
,这是毫无意义的,因为订单日期已经是Date
对象。
您必须在第一个格式化程序(format
变量)中设置时区,然后将从和解析为日期:它们将被设置为加尔各答时区的相应日期和时间 - 在这种情况下它是有效的,因为您有字符串并希望将它们转换为日期。
然后使用额外的括号进行比较以避免任何歧义(如评论中所指出的)。
并且将Date
设置为Calendar
没有意义,只是为了稍后将其恢复 - Calendar
实例在您的代码中没有任何意义。
对getOrderDate
的调用不应该在for
循环内吗?
完整的代码将是这样的:
SimpleDateFormat format = new SimpleDateFormat("dd-MM-yyyy HH:mm:ss");
// from and to dates are from Kolkata's timezone, so the formatter must know that
format.setTimeZone(TimeZone.getTimeZone("Asia/Kolkata"));
// dates will be equivalent to this date and time in Kolkata, although
// the date itself doesn't store the timezone in it
Date fromDate = format.parse(from + " 00:00:00");
Date toDate = format.parse(to + " 23:59:59");
for(Order order : orders){
Date orderDate = order.getOrderDate();
// note the extra parenthesis, they make all the difference
if( (orderDate.after(fromDate) || orderDate.equals(fromDate)) &&
(orderDate.before(toDate) || orderDate.equals(toDate)) ) {
....
}
}
如果你有Java> = 8,最好使用java.time
API:
DateTimeFormatter fmt = DateTimeFormatter.ofPattern("dd-MM-yyyy");
ZoneId zone = ZoneId.of("Asia/Kolkata");
ZonedDateTime fromDate = LocalDate
// parse "from" string
.parse(from, fmt)
// start of day at Kolkata timezone
.atStartOfDay(zone);
ZonedDateTime toDate = LocalDate
// parse "to" string
.parse(to, fmt)
// get start of next day
.plusDays(1).atStartOfDay(zone);
// convert the Date to ZonedDateTime
for (Order order : orders) {
ZonedDateTime orderDate = order.getOrderDate().toInstant().atZone(zone);
if ((orderDate.isAfter(fromDate) || orderDate.isEqual(fromDate)) && (orderDate.isBefore(toDate))) {
...
}
}
它是一个不同的代码,因为这个API引入了新的类型和概念,但它与之前的API(Date
和Calendar
相比有了很大的改进,它们很混乱,错误和过时)。
花一些时间研究这个API,它是完全值得的:https://docs.oracle.com/javase/tutorial/datetime/