web-dev-qa-db-ja.com

UTC DateTimeを別のタイムゾーンに変換する

データベースレコードからUTC DateTime値を取得しています。ユーザー指定のタイムゾーン(TimeZoneInfoのインスタンス)もあります。そのUTC DateTimeをユーザーのローカルタイムゾーンに変換するにはどうすればよいですか?また、ユーザー指定のタイムゾーンが現在DSTを監視しているかどうかを確認するにはどうすればよいですか? .NET 3.5を使用しています。

ありがとう、マーク

31
Mark Richman

DateTimeOffset 構造を見てください:

// user-specified time zone
TimeZoneInfo southPole =
    TimeZoneInfo.FindSystemTimeZoneById("Antarctica/South Pole Standard Time");

// an UTC DateTime
DateTime utcTime = new DateTime(2007, 07, 12, 06, 32, 00, DateTimeKind.Utc);

// DateTime with offset
DateTimeOffset dateAndOffset =
    new DateTimeOffset(utcTime, southPole.GetUtcOffset(utcTime));

Console.WriteLine(dateAndOffset);

DSTについては、 TimeZoneInfo.IsDaylightSavingTime メソッドを参照してください。

bool isDst = southpole.IsDaylightSavingTime(DateTime.UtcNow);
17
dtb

これを行う最善の方法は、単に TimeZoneInfo.ConvertTimeFromUtc を使用することです。

// you said you had these already
DateTime utc = new DateTime(2014, 6, 4, 12, 34, 0);
TimeZoneInfo tzi = TimeZoneInfo.FindSystemTimeZoneById("Pacific Standard Time");

// it's a simple one-liner
DateTime pacific = TimeZoneInfo.ConvertTimeFromUtc(utc, tzi);

唯一の問題は、着信DateTime値にDateTimeKind.Local種類がない場合があることです。 UtcまたはUnspecifiedでなければなりません。

34

DateTimeOffsetを別のDateTimeOffsetに変換する場合は、TimeZoneInfo内の専用関数を使用できます。

DateTimeOffset newTime = TimeZoneInfo.ConvertTime(
    DateTimeOffset.UtcNow, 
    TimeZoneInfo.FindSystemTimeZoneById("Eastern Standard Time")
);
20
Erwin Mayer

Antarticaの回答は、UTCに一致するタイムゾーンでのみ機能します。私はこのDateTimeOffset関数に非常に悩まされており、何時間もの試行錯誤の後、すべてのタイムゾーンで機能する実用的な変換拡張関数を作成することができました。

static public class DateTimeFunctions
{
    static public DateTimeOffset ConvertUtcTimeToTimeZone(this DateTime dateTime, string toTimeZoneDesc)
    {
        if (dateTime.Kind != DateTimeKind.Utc) throw new Exception("dateTime needs to have Kind property set to Utc");
        var toUtcOffset = TimeZoneInfo.FindSystemTimeZoneById(toTimeZoneDesc).GetUtcOffset(dateTime);
        var convertedTime = DateTime.SpecifyKind(dateTime.Add(toUtcOffset), DateTimeKind.Unspecified);
        return new DateTimeOffset(convertedTime, toUtcOffset);
    }
}

例:

var currentTimeInPacificTime = DateTime.UtcNow.ConvertUtcTimeToTimeZone("Pacific Standard Time");
12
Sean
       //  TO get Currrent Time in current Time Zone of your System

        var dt = DateTime.Now;

        Console.WriteLine(dt);

        // Display Time Zone of your System

        Console.WriteLine(TimeZoneInfo.Local);

        // Convert Current Date Time to UTC Date Time

        var utc = TimeZoneInfo.ConvertTimeToUtc(dt, TimeZoneInfo.Local);

        Console.WriteLine(utc);

        // Convert UTC Time to Current Time Zone

        DateTime pacific = TimeZoneInfo.ConvertTimeFromUtc(utc, TimeZoneInfo.Local);

        Console.WriteLine(pacific);

        Console.ReadLine();
0
Srinivas