如何在Java中将纪元时间转换为日期和时间?

时间:2011-10-22 07:08:43

标签: java datetime time epoch

我需要将纪元时间戳转换为日期和时间。 我使用以下代码进行转换,但它转换为错误的日期,年份和时间。

String date = new SimpleDateFormat("MM/dd/yyyy HH:mm:ss")
                    .format(new java.util.Date (1319286637/1000));

2 个答案:

答案 0 :(得分:9)

Date(long)构造函数需要几毫秒。你应该乘以 1000,而不是划分你的纪元时间。

答案 1 :(得分:3)

简而言之:

Instant.ofEpochSecond( 1_319_286_637L )
<块引用>

2011-10-22T12:30:37Z

使用现代 API java.time 的解决方案:

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

Instant 表示时间线上的一个瞬时点。输出中的 Z 是零时区偏移的 timezone designator。它代表祖鲁语并指定 Etc/UTC 时区(时区偏移为 +00:00 小时)。

您可以将 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

modern Date-Time API 中详细了解 java.timeTrail: Date Time*

注意java.util Date-Time API 及其格式 API SimpleDateFormat 已过时且容易出错。建议完全停止使用它们并切换到 modern 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 级别仍然不符合 Java-8,请检查 Java 8+ APIs available through desugaringHow to use ThreeTenABP in Android Project