How do you get info for an arbitrary time zone in Windows?

后端 未结 3 1366
一整个雨季
一整个雨季 2020-12-17 19:08

Ideally, what I\'d like to be able to do is take the name of a time zone and ask Windows for its corresponding time zone info (offset from UTC, DST offset, dates for DST swi

相关标签:
3条回答
  • 2020-12-17 19:32

    The time zone information is contained as binary data in the registry under HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\Windows NT\CurrentVersion\Time Zones\(zone name)\TZI. The structure of the data is given in the TIME_ZONE_INFORMATION documentation:

    struct STimeZoneFromRegistry
    {
     long  Bias;
     long  StandardBias;
     long  DaylightBias;
     SYSTEMTIME StandardDate;
     SYSTEMTIME DaylightDate;
    };
    

    And here's example code to read the key:

    TIME_ZONE_INFORMATION tz = {0};
    STimeZoneFromRegistry binary_data;
    DWORD size = sizeof(binary_data);
    HKEY hk = NULL;
    TCHAR zone_key[] = _T("SOFTWARE\\Microsoft\\Windows NT\\CurrentVersion\\Time Zones\\Central Standard Time");
    if ((RegOpenKeyEx(HKEY_LOCAL_MACHINE, zone_key, 0, KEY_QUERY_VALUE, &hk) == ERROR_SUCCESS) &&
     (RegQueryValueEx(hk, "TZI", NULL, NULL, (BYTE *) &binary_data, &size) == ERROR_SUCCESS))
    {
     tz.Bias = binary_data.Bias;
     tz.DaylightBias = binary_data.DaylightBias;
     tz.DaylightDate = binary_data.DaylightDate;
     tz.StandardBias = binary_data.StandardBias;
     tz.StandardDate = binary_data.StandardDate;
    }
    

    Edit: Sorry, this answer is redundant - I'm sure you could have figured all this out using the documentation you linked to in the question. I've only had to do this once, and this is the only method I could find.

    0 讨论(0)
  • 2020-12-17 19:42

    Have you look at this:

    http://msdn.microsoft.com/en-us/library/system.timezoneinfo.getsystemtimezones.aspx

    0 讨论(0)
  • 2020-12-17 19:42

    Here is an example without the registry. The timezone information depends on the year, so I added a parameter to hold that.

    TIME_ZONE_INFORMATION GmtTimezone( const wstring& name, SYSTEMTIME utc )
    {
        DYNAMIC_TIME_ZONE_INFORMATION dynamicTimezone = {};
        DWORD result=0;
        for( DWORD i = 0; result!=ERROR_NO_MORE_ITEMS; ++i )
        {
            result = ::EnumDynamicTimeZoneInformation( i, &dynamicTimezone );
            if( result==ERROR_SUCCESS && name==dynamicTimezone.StandardName )
                break;
        }
        if( result!=ERROR_SUCCESS )
            throw L"Could not find timezone "+name;
    
        TIME_ZONE_INFORMATION tz;
        if( !GetTimeZoneInformationForYear(static_cast<USHORT>(utc.wYear), &dynamicTimezone, &tz) )
            throw "GetTimeZoneInformationForYear failed"+std::to_string(GetLastError());
        return tz;
        //SYSTEMTIME localTime;
        //SystemTimeToTzSpecificLocalTime( &tz, &utc, &localTime );
        //auto offsetHours = localTime.wHour-utc.wHour;
    }
    
    0 讨论(0)
提交回复
热议问题