在Java中,如何以秒和纳秒的形式打印自上述纪元以来的时间,采用以下格式:
java.text.SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");
我的意见是:
long mnSeconds;
long mnNanoseconds;
两者的总和是自纪元1970-01-01 00:00:00.0
以来经过的时间。
答案 0 :(得分:18)
使用此除以1000
long epoch = System.currentTimeMillis();
System.out.println("Epoch : " + (epoch / 1000));
答案 1 :(得分:9)
你可以这样做
public static String format(long mnSeconds, long mnNanoseconds) {
SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.");
return sdf.format(new Date(mnSeconds*1000))
+ String.format("%09d", mnNanoseconds);
}
e.g。
2012-08-08 19:52:21.123456789
如果你真的不需要超过几毫秒的时间
public static String format(long mnSeconds, long mnNanoseconds) {
SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss.SSS");
return sdf.format(new Date(mnSeconds*1000 + mnNanoseconds/1000000));
}
答案 2 :(得分:7)
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 8及更高版本中。这些类取代了旧的麻烦的日期时间类,例如java.util.Date
,.Calendar
,java.text.SimpleDateFormat
,java.sql.Date
等。 Joda-Time团队还建议迁移到java.time。
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();
您将获得2011-12-03T10:15:30.987654321Z
,标准ISO 8601格式等值。如果您愿意,请用空格替换T
。对于其他格式,请搜索Stack Overflow以了解DateTimeFormatter
。
java.time框架内置于Java 8及更高版本中。这些类取代了麻烦的旧legacy日期时间类,例如java.util.Date
,Calendar
和& SimpleDateFormat
现在位于Joda-Time的maintenance mode项目建议迁移到java.time类。
要了解详情,请参阅Oracle Tutorial。并搜索Stack Overflow以获取许多示例和解释。规范是JSR 310。
您可以直接与数据库交换 java.time 对象。使用符合JDBC driver或更高版本的JDBC 4.2。不需要字符串,不需要java.sql.*
类。
从哪里获取java.time类?
ThreeTen-Extra项目使用其他类扩展java.time。该项目是未来可能添加到java.time的试验场。您可以在此处找到一些有用的课程,例如Interval
,YearWeek
,YearQuarter
和more。
答案 3 :(得分:1)
java.util.Date
类有一个接受纪元毫秒的构造函数。
检查java doc并尝试使用它。
答案 4 :(得分:1)
它取决于你mnSeconds和mnNanoseconds的值,但你需要做的就是那个格式化程序(具有毫秒精度),就是创建一个java.util.Date。如果mnNanoseconds是mnSeconds之上的纳秒数,我会认为它类似于
Date d = new Date(mnSeconds*1000+mnNanosecods/1000000)
然后在打印之前用格式化程序格式化它。
答案 5 :(得分:0)