如何使用C#将Windows系统时钟设置为正确的本地时间?

最佳答案

您需要从Windows API P/调用 SetLocalTime function。在C#中这样声明:

[DllImport("kernel32.dll", CharSet = CharSet.Auto, SetLastError = true)]
internal static extern bool SetLocalTime(ref SYSTEMTIME lpSystemTime);

[StructLayout(LayoutKind.Sequential)]
internal struct SYSTEMTIME
{
    public ushort wYear;
    public ushort wMonth;
    public ushort wDayOfWeek;    // ignored for the SetLocalTime function
    public ushort wDay;
    public ushort wHour;
    public ushort wMinute;
    public ushort wSecond;
    public ushort wMilliseconds;
}

要设置时间,您只需使用适当的值初始化SYSTEMTIME结构的实例,然后调用该函数。样例代码:
SYSTEMTIME time = new SYSTEMTIME();
time.wDay = 1;
time.wMonth = 5;
time.wYear = 2011;
time.wHour = 12;
time.wMinute = 15;

if (!SetLocalTime(ref time))
{
    // The native function call failed, so throw an exception
    throw new Win32Exception(Marshal.GetLastWin32Error());
}

但是,请注意,调用过程必须具有适当的特权才能调用此函数。在Windows Vista及更高版本中,这意味着您将必须请求进程提升。

或者,您可以使用 SetSystemTime function,它允许您以UTC(世界标准时间)设置时间。使用相同的SYSTEMTIME结构,并且以相同的方式调用这两个函数。

09-25 20:40