自时代以来的爪哇时间tl;博士java.time关于 java.time

2022-09-03 08:49:11

在Java中,我如何以下列格式打印出自以秒和纳秒为单位给出的纪元以来的时间:

java.text.SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");

我的输入是:

long mnSeconds;
long mnNanoseconds;

其中,两者的总和是自纪元以来经过的时间。1970-01-01 00:00:00.0


答案 1

使用这个并除以1000

long epoch = System.currentTimeMillis();

System.out.println("Epoch : " + (epoch / 1000));

答案 2

tl;博士

    Instant                        // Represent a moment in UTC.
    .ofEpochSecond( mnSeconds )   // Determine a moment from a count of whole seconds since the Unix epoch of the first moment of 1970 in UTC (1970-01-01T00:00Z). 
    .plusNanos( mnNanoseconds )    // Add on a fractional second as a count of nanoseconds. Returns another `Instant` object, per Immutable Objects pattern.
    .toString()                    // Generate text representing this `Instant` object in standard ISO 8601 format.
    .replace( "T" , " " )          // Replace the `T` in the middle with a SPACE. 
    .replace "Z" , "" )            // Remove the `Z` on the end (indicating UTC).

java.time

java.time 框架内置于 Java 8 及更高版本中。这些类取代了旧的麻烦的日期时间类,如 、、、、等。Joda-Time团队还建议迁移到java.time。java.util.Date.Calendarjava.text.SimpleDateFormatjava.sql.Date

Instant

Instant 类以 UTC 格式表示时间轴上的某个时刻,分辨率最高可达纳秒。

long mnSeconds = … ;
long mnNanoseconds = … ;

Instant instant = Instant.ofEpochSecond( mnSeconds ).plusNanos( mnNanoseconds );

或者将两个数字都作为两个参数传递给 。不同的语法,相同的结果。of

Instant instant = Instant.ofEpochSecond( mnSeconds , mnNanoseconds );

要获取表示此日期时间值的字符串,请调用 。Instant::toString

String output = instant.toString();

您将获得一个值,例如,标准ISO 8601格式。如果您愿意,请将 替换为空格键。对于其他格式,请搜索 Stack Overflow 以了解 DateTimeFormatter2011-12-03T10:15:30.987654321ZT


关于 java.time

java.time 框架内置于 Java 8 及更高版本中。这些类取代了麻烦的旧日期时间类,如java.util.DateCalendarSimpleDateFormat

Joda-Time 项目现在处于维护模式,建议迁移到 java.time 类。

要了解更多信息,请参阅 Oracle 教程。搜索 Stack Overflow 以获取许多示例和解释。规格是JSR 310

您可以直接与数据库交换 java.time 对象。使用符合 JDBC 4.2 或更高版本的 JDBC 驱动程序。不需要字符串,不需要类。java.sql.*

从哪里获取 java.time 类?

ThreeTen-Extra 项目通过其他类扩展了 java.time。这个项目是未来可能添加到java.time的试验场。您可以在此处找到一些有用的课程,例如IntervalYearWeekYearQuarter


推荐