我正在尝试使用此代码转换我的时间戳,但输出完全错误,输出是17/01/1970 16:56:28!它应该是8/7/2014 5:14:59 PM
Date date = new Date(1407388499);
DateFormat format = new SimpleDateFormat("dd/MM/yyyy HH:mm:ss");
format.setTimeZone(TimeZone.getTimeZone("Etc/UTC"));
String formatted = format.format(date);
System.out.println(formatted);
format.setTimeZone(TimeZone.getTimeZone("Australia/Sydney"));
formatted = format.format(date);
System.out.println(formatted);
请帮帮我
答案 0 :(得分:3)
你的约会时间不够长
new Date(1407388499);
Sat Jan 17 1970 15:56:28 GMT+0900 (Japan Standard Time)
new Date(1407388499000);
Thu Aug 07 2014 14:14:59 GMT+0900 (Japan Standard Time)
该值应为Long,即毫秒数
修改强>
因此,如果您收到的号码是
int dt = 1407388499:
然后你需要做
Date date = new Date(1000L * dt);
答案 1 :(得分:2)
问题的根本原因是 Unix time 指定了自纪元以来的 秒 而 java.util.Date(long date)
期望自纪元以来的毫秒数。因此,您需要将 Unix 时间转换为毫秒,然后将其传递给 java.util.Date(long date)
。
但是,旧的日期时间 API(java.util
日期时间类型及其格式类型,SimpleDateFormat
等)已经过时且容易出错。建议完全停止使用,改用java.time
,modern date-time API*。
使用现代 API java.time
的解决方案:
import java.time.Instant;
import java.time.ZoneId;
import java.time.ZonedDateTime;
import java.time.format.DateTimeFormatter;
import java.util.Locale;
public class Main {
public static void main(String[] args) {
Instant instant = Instant.ofEpochSecond(1407388499);
// Corresponding date-time in Australia/Sydney
ZonedDateTime zdtSydney = instant.atZone(ZoneId.of("Australia/Sydney"));
System.out.println(zdtSydney);
// Formatted
System.out.println(DateTimeFormatter.ofPattern("dd/MM/uuuu HH:mm:ss", Locale.ENGLISH).format(zdtSydney));
}
}
输出:
2014-08-07T15:14:59+10:00[Australia/Sydney]
07/08/2014 15:14:59
从 modern date-time API 中详细了解 java.time
,Trail: Date Time*。
使用旧 API 的解决方案:
如果有可用的 OOTB(开箱即用)API,请避免自己执行计算,例如TimeUnit#convert
。
import java.text.DateFormat;
import java.text.SimpleDateFormat;
import java.util.Date;
import java.util.TimeZone;
import java.util.concurrent.TimeUnit;
public class Main {
public static void main(String[] args) {
Date date = new Date(TimeUnit.MILLISECONDS.convert(1407388499, TimeUnit.SECONDS));
DateFormat format = new SimpleDateFormat("dd/MM/yyyy HH:mm:ss");
format.setTimeZone(TimeZone.getTimeZone("Australia/Sydney"));
System.out.println(format.format(date));
}
}
输出:
07/08/2014 15:14:59
* 出于任何原因,如果您必须坚持使用 Java 6 或 Java 7,您可以使用 ThreeTen-Backport,它将大部分 java.time 功能向后移植到 Java 6 & 7. 如果您正在为 Android 项目工作并且您的 Android API 级别仍然不符合 Java-8,请检查 Java 8+ APIs available through desugaring 和 How to use ThreeTenABP in Android Project。