我需要将纪元时间戳转换为日期和时间。我使用以下代码进行转换,但它转换为错误的日期、年份和时间。
String date = new SimpleDateFormat("MM/dd/yyyy HH:mm:ss")
.format(new java.util.Date (1319286637/1000));
预期的输出是今天的某个时间,但我得到的结果是:
1970 年 1 月 1 日 05:51:59
构造Date(long)
函数需要几毫秒。您应该乘以1000,而不是除以您拥有的纪元时间。
简单来说:
Instant.ofEpochSecond( 1_319_286_637L )
2011-10-22T12:30:37Z
java.time
现代 API 的解决方案:import java.time.Instant;
public class Main {
public static void main(String[] args) {
Instant instant = Instant.ofEpochSecond(1319286637L);
System.out.println(instant);
}
}
输出:
2011-10-22T12:30:37Z
AnInstant
代表时间线上的一个瞬时点。Z
输出中的 是零时区偏移的时区指示符。它代表 Zulu 并指定Etc/UTC
时区(时区偏移量为+00:00
小时)。
您可以将 a 转换Instant
为其他日期时间类型,例如
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(1319286637);
ZonedDateTime zdt = instant.atZone(ZoneId.of("Asia/Kolkata"));
System.out.println(zdt);
// A custom format
DateTimeFormatter dtf = DateTimeFormatter.ofPattern("MM/dd/uuuu HH:mm:ss", Locale.ENGLISH);
System.out.println(dtf.format(zdt));
}
}
输出:
2011-10-22T18:00:37+05:30[Asia/Kolkata]
10/22/2011 18:00:37
从Trail: Date Time了解更多关于java.time
现代日期时间 API *的信息。
注意:日期java.util
时间 API 及其格式化 APISimpleDateFormat
已过时且容易出错。建议完全停止使用它们并切换到现代 Date-Time API *。但是,出于任何目的,如果您需要将此对象转换Instant
为 的对象java.util.Date
,您可以执行以下操作:
Date date = Date.from(instant);
* 出于任何原因,如果您必须坚持使用 Java 6 或 Java 7,则可以使用ThreeTen-Backport,它将大部分java.time功能向后移植到 Java 6 和 7。如果您正在为 Android 项目和 Android API 工作level 仍然不符合 Java-8,请检查Java 8+ APIs available through desugaring和How to use ThreeTenABP in Android Project。