0

我使用列类型在 MySQL 中保存了一个值,bigint日期为 2013 年 8 月 11 日 - 晚上 11:55(美国东部标准时间)

这在值为 的列中保存为 unix 时间bigint1376279700

我理解这是纪元时间,1970 jan 01,01 00:00:00以秒为单位。所以我假设如果我使用任何时区初始化 DateTime 它应该产生08/11/2013 - 11:55 PM(以及初始化时使用的任何时区)。

但给出以下代码:

$time1 = new DateTime("@1376279700");
$time1->setTimezone("Europe/London");
echo "Created Europe/London - ".$time1->format(DateTime::RFC822);

$time2 = new DateTime("@1376279700");
$time2->setTimezone("America/New_York");
echo "Created America/New_York - ".$time2->format(DateTime::RFC822);

我得到这些值:

创建时间:欧洲/伦敦 - 2013 年 8 月 12 日星期一 04:55:00 +0100

创建时间:America/New_York - 2013 年 8 月 11 日星期日 23:55:00 -0400

Europe/London时区自我调整,并且不知何故神奇地知道这是1376279700使用 EST 时区创建的。

我在这里很困惑。请在这里阐明一下。我正在尝试创建一个时区感知功能,其中08/11/2013 11:55 PM我的用户的时区使用事件的开始日期()。

4

1 回答 1

1

当您传递 Unix 时间戳时,构造函数会忽略时区。

$ts = new DateTime('@946684800');
echo $ts->format('Y-m-d H:i:s') . PHP_EOL;          // 2000-01-01 00:00:00

// Setting the time zone does nothing *here* . . .
$pac_tz = new DateTimeZone('America/Los_Angeles');
$ts = new DateTime('@946684800', $pac_tz);
echo $ts->format('Y-m-d H:i:s') . PHP_EOL;          // 2000-01-01 00:00:00

// But you can ask for the "same" timestamp 
// in a particular time zone.
$ts->setTimeZone($pac_tz);
echo $ts->format('Y-m-d H:i:s') . PHP_EOL;          // 1999-12-31 16:00:00

echo '=============' .PHP_EOL;

$time1 = new DateTime("@1376279700");
echo $time1->format('Y-m-d H:i:s').PHP_EOL;         // 2013-08-12 03:55:00

$time1_tz = new DateTimeZone("Europe/London");
$time1->setTimezone($time1_tz);
// If it's 2013-08-12 03:55:00 in UTC, what time is it in London?
// London isn't on UTC in the summer (now, as I write this). 
echo "Created Europe/London - ".$time1->format(DateTime::RFC822) . PHP_EOL;

$time2 = new DateTime("@1376279700");               // Same as $time1
echo $time2->format('Y-m-d H:i:s').PHP_EOL;

$time2_tz = new DateTimeZone("America/New_York");
// If it's 2013-08-12 03:55:00 in UTC, what time is it in New York?
$time2->setTimezone($time2_tz);
echo "Created America/New_York - ".$time2->format(DateTime::RFC822) . PHP_EOL;

所有的输出。. .

2000-01-01 00:00:00
2000-01-01 00:00:00
1999-12-31 16:00:00
=============
2013-08-12 03:55:00
Created Europe/London - Mon, 12 Aug 13 04:55:00 +0100
2013-08-12 03:55:00
Created America/New_York - Sun, 11 Aug 13 23:55:00 -0400
于 2013-08-27T04:05:18.067 回答