UNIX时间,或称POSIX时间是UNIX或类UNIX系统使用的时间表示方式:从UTC 1970年1月1日0时0分0秒起至现在的总秒数,不考虑闰秒。在多数Unix系统上Unix时间可以透过date +%s指令来检查。(Unix time (also known as Epoch time, POSIX time, seconds since the Epoch, or UNIX Epoch time) is a system for describing a point in time. It is the number of seconds that have elapsed since the Unix epoch.) (英 [ˈiːpɒk] 美 [ˈepək])
从这个解释可以看出来,同一时刻,在全世界任一时区,获取的Unix时间戳是相同的。
所以,针对PHP而言,time()函数获取的到时间戳与时区无关。
time ( ) : int
Returns the current time measured in the number of seconds since the Unix Epoch (January 1 1970 00:00:00 GMT).
那么,进一步延伸,对于一个给定的日期时间字符串,例如:2020-01-01 00:00:00,那么获取这个日期时间对应的时间戳就是与时区有关的。因为不同时区下的2020-01-01 00:00:00距离UTC的1970-01-01 00:00:00的时间间隔是不一样的。
strtotime ( string $datetime [, int $now = time() ] ) : int
对于PHP而言,在使用strtotime函数时,如果日期时间字符串中没有包含时区信息,那么会使用默认的时区date_default_timezone_get()。(Each parameter of this function uses the default time zone unless a time zone is specified in that parameter. Be careful not to use different time zones in each parameter unless that is intended. )
$dateStr = '2020-01-01 00:00:00'; $timezone = 'Asia/Shanghai'; date_default_timezone_set($timezone); echo sprintf("%13s)%25s ==> %s\n", $timezone, $dateStr, strtotime($dateStr)); $dateStrWithTimezone = '2020-01-01T00:00:00+08:00'; date_default_timezone_set($timezone);//优先读取日期时间字符串里的时区信息,此处单独设置的时区对下一行的strtotime无效 echo sprintf("%13s)%25s ==> %s\n", $timezone, $dateStrWithTimezone, strtotime($dateStrWithTimezone)); $timezone = 'UTC'; date_default_timezone_set($timezone); echo sprintf("%13s)%25s ==> %s\n", $timezone, $dateStr, strtotime($dateStr)); echo sprintf("%13s)%25s ==> %s\n", $timezone, $dateStrWithTimezone, strtotime($dateStrWithTimezone)); output: Asia/Shanghai)2020-01-01 00:00:00 ==> 1577808000 Asia/Shanghai)2020-01-01T00:00:00+08:00 ==> 1577808000 UTC)2020-01-01 00:00:00 ==> 1577836800 UTC)2020-01-01T00:00:00+08:00 ==> 1577808000 //优先读取日期时间字符串里的时区信息,runtime设置的时区对strtotime无效
date ( string $format [, int $timestamp = time() ] ) : string
Format a local time/date
同样的道理,同一个时间戳在不同的时区下,对应的日期时间字符串是不一样的。
date_default_timezone_set('UTC'); $timestamp = 1577836800;//UTC 2020-01-01 00:00:00 $sourceDatetime = new \DateTime(date('Y-m-d H:i:s', $timestamp)); echo sprintf("source datetime:%s(%s)\n", $sourceDatetime->format('Y-m-d H:i:s'), $sourceDatetime->getTimezone()->getName()); $timezone = 'Asia/Shanghai'; $targetDatetime = (new \DateTime(date('Y-m-d H:i:s', $timestamp))) ->setTimezone(new \DateTimeZone($timezone)); echo sprintf("target datetime:%s(%s)\n", $targetDatetime->format('Y-m-d H:i:s'), $targetDatetime->getTimezone()->getName()); output: source datetime:2020-01-01 00:00:00(UTC) target datetime:2020-01-01 08:00:00(Asia/Shanghai)
References:
https://zh.wikipedia.org/wiki/UNIX时间