Day029 JDK8中新日期和时间API (二)

时间:2023-12-01 18:33:38

# JDK8中新日期和时间API (二)


Instant介绍

  • Instant:时间线上的一个瞬时点。 这可能被用来记录应用程序中的事件时间 戳。
  • 在处理时间和日期的时候,我们通常会想到年,月,日,时,分,秒。然而,这只是 时间的一个模型,是面向人类的。第二种通用模型是面向机器的,或者说是连 续的。在此模型中,时间线中的一个点表示为一个很大的数,这有利于计算机 处理。在UNIX中,这个数从1970年开始,以秒为的单位;同样的,在Java中, 也是从1970年开始,但以毫秒为单位。
  • java.time包通过值类型Instant提供机器视图,不提供处理人类意义上的时间 单位。Instant表示时间线上的一点,而不需要任何上下文信息,例如,时区。 概念上讲,它只是简单的表示自1970年1月1日0时0分0秒(UTC)开始的秒 数。因为java.time包是基于纳秒计算的,所以Instant的精度可以达到纳秒级。
  • (1 ns = 10^-9 s) 1秒 = 1000毫秒 =106微秒=109纳秒

Instant使用


方法 描述
now() 静态方法,返回默认UTC时区的Instant类的对象
ofEpochMilli(long epochMilli) 静态方法,返回在1970-01-01 00:00:00基础上加上指定毫秒 数之后的Instant类的对象
atOffset(ZoneOffset offset) 结合即时的偏移来创建一个 OffsetDateTime
toEpochMilli() 返回1970-01-01 00:00:00到当前时间的毫秒数,即为时间戳

时间戳是指格林威治时间1970年01月01日00时00分00秒(北京时间1970年01月01 日08时00分00秒)起至现在的总秒数。

public class JDK8InstantTest {
public static void main(String[] args) { //now()获取当前本初子午线的时间
Instant instant = Instant.now();
System.out.println(instant); //atOffset(ZoneOffset offset)添加偏移量(如:中国用的时间,东8区时间,偏移量是8个小时)
OffsetDateTime offsetDateTime = instant.atOffset(ZoneOffset.ofHours(8));
System.out.println(offsetDateTime); //toEpochMilli()获取instant对应的时间戳
long milli = instant.toEpochMilli();
System.out.println(milli); /*
ofEpochMilli(long epochMilli)创建在1970-01-01 00:00:00基础上加上指定毫秒数之后的Instant类的对象
*/
Instant instant1 = Instant.ofEpochMilli(1622250249988L);
System.out.println(instant1);
}
}

输出结果

2021-05-29T01:04:51.292Z
2021-05-29T09:04:51.292+08:00
1622250291292
2021-05-29T01:04:09.988Z

尚硅谷