web-dev-qa-db-ja.com

DateTimeクラスを使用してPHPのタイムゾーン間で変換する方法は?

現在の時刻をUTCに変換し、UTCを現在のタイムゾーンに変換しようとしています。

ここに私がやったことがあります:

$schedule_date = new DateTime($triggerOn, new DateTimeZone('UTC') );
$triggerOn =  $schedule_date->format('Y-m-d H:i:s');

echo $triggerOn;

出力値は、形式が変更される唯一のものを変更しません。

文字列$triggerOnは、America/Los_Angelesタイムゾーンに基づいて生成されました

これは私の文字列が前後にどのように見えるかです:

BEFORE    04/01/2013 03:08 PM
AFTER     2013-04-01 15:08:00

したがって、ここでの問題は、DateTimeがUTCに変換されないことです。

45
Jaylen

あなたが探しているのはこれです:

$triggerOn = '04/01/2013 03:08 PM';
$user_tz = 'America/Los_Angeles';

echo $triggerOn; // echoes 04/01/2013 03:08 PM

$schedule_date = new DateTime($triggerOn, new DateTimeZone($user_tz) );
$schedule_date->setTimeZone(new DateTimeZone('UTC'));
$triggerOn =  $schedule_date->format('Y-m-d H:i:s');

echo $triggerOn; // echoes 2013-04-01 22:08:00
89
Mike

日付/時刻を消費してタイムゾーンを正しく設定していますが、日時をフォーマットする前に、目的の出力タイムゾーンを設定していません。 UTCタイムゾーンを受け入れ、日付/時刻をAmerica/Los_Angelesタイムゾーンに変換する例を次に示します。

<?php
$original_datetime = '04/01/2013 03:08 PM';
$original_timezone = new DateTimeZone('UTC');

// Instantiate the DateTime object, setting it's date, time and time zone.
$datetime = new DateTime($original_datetime, $original_timezone);

// Set the DateTime object's time zone to convert the time appropriately.
$target_timezone = new DateTimeZone('America/Los_Angeles');
$datetime->setTimeZone($target_timezone);

// Outputs a date/time string based on the time zone you've set on the object.
$triggerOn = $datetime->format('Y-m-d H:i:s');

// Print the date/time string.
print $triggerOn; // 2013-04-01 08:08:00
14
Joshua Burns

ローカルタイムゾーンを使用して日付を作成し、DateTime::setTimeZone()を呼び出して変更します。

3
Jerry