C # 프로그램에서 컴퓨터를 종료하는 가장 좋은 방법은 무엇입니까?
작동하는 몇 가지 방법을 찾았습니다. 아래에 게시 할 것입니다. 더 간단하고 기본적으로 .net 인 것을 찾고 있습니다.
답변
win 2000 이하에서는 사용할 수없는 Windows XP부터 작동합니다.
가장 빠른 방법입니다.
Process.Start("shutdown","/s /t 0");
그렇지 않으면 다른 사람들이 말한 것처럼 P / Invoke 또는 WMI를 사용하십시오.
편집 : 창 생성을 피하는 방법
var psi = new ProcessStartInfo("shutdown","/s /t 0");
psi.CreateNoWindow = true;
psi.UseShellExecute = false;
Process.Start(psi);
답변
촬영 : Geekpedia 게시물
이 방법은 WMI 를 사용 하여 창을 종료합니다.
이를 사용하려면 프로젝트에 System.Management에 대한 참조를 추가해야합니다.
using System.Management;
void Shutdown()
{
    ManagementBaseObject mboShutdown = null;
    ManagementClass mcWin32 = new ManagementClass("Win32_OperatingSystem");
    mcWin32.Get();
    // You can't shutdown without security privileges
    mcWin32.Scope.Options.EnablePrivileges = true;
    ManagementBaseObject mboShutdownParams =
             mcWin32.GetMethodParameters("Win32Shutdown");
     // Flag 1 means we want to shut down the system. Use "2" to reboot.
    mboShutdownParams["Flags"] = "1";
    mboShutdownParams["Reserved"] = "0";
    foreach (ManagementObject manObj in mcWin32.GetInstances())
    {
        mboShutdown = manObj.InvokeMethod("Win32Shutdown", 
                                       mboShutdownParams, null);
    }
}
답변
이 스레드는 필요한 코드를 제공합니다. http://bytes.com/forum/thread251367.html
그러나 관련 코드는 다음과 같습니다.
using System.Runtime.InteropServices;
[StructLayout(LayoutKind.Sequential, Pack=1)]
internal struct TokPriv1Luid
{
    public int Count;
    public long Luid;
    public int Attr;
}
[DllImport("kernel32.dll", ExactSpelling=true) ]
internal static extern IntPtr GetCurrentProcess();
[DllImport("advapi32.dll", ExactSpelling=true, SetLastError=true) ]
internal static extern bool OpenProcessToken( IntPtr h, int acc, ref IntPtr
phtok );
[DllImport("advapi32.dll", SetLastError=true) ]
internal static extern bool LookupPrivilegeValue( string host, string name,
ref long pluid );
[DllImport("advapi32.dll", ExactSpelling=true, SetLastError=true) ]
internal static extern bool AdjustTokenPrivileges( IntPtr htok, bool disall,
ref TokPriv1Luid newst, int len, IntPtr prev, IntPtr relen );
[DllImport("user32.dll", ExactSpelling=true, SetLastError=true) ]
internal static extern bool ExitWindowsEx( int flg, int rea );
internal const int SE_PRIVILEGE_ENABLED = 0x00000002;
internal const int TOKEN_QUERY = 0x00000008;
internal const int TOKEN_ADJUST_PRIVILEGES = 0x00000020;
internal const string SE_SHUTDOWN_NAME = "SeShutdownPrivilege";
internal const int EWX_LOGOFF = 0x00000000;
internal const int EWX_SHUTDOWN = 0x00000001;
internal const int EWX_REBOOT = 0x00000002;
internal const int EWX_FORCE = 0x00000004;
internal const int EWX_POWEROFF = 0x00000008;
internal const int EWX_FORCEIFHUNG = 0x00000010;
private void DoExitWin( int flg )
{
    bool ok;
    TokPriv1Luid tp;
    IntPtr hproc = GetCurrentProcess();
    IntPtr htok = IntPtr.Zero;
    ok = OpenProcessToken( hproc, TOKEN_ADJUST_PRIVILEGES | TOKEN_QUERY, ref htok );
    tp.Count = 1;
    tp.Luid = 0;
    tp.Attr = SE_PRIVILEGE_ENABLED;
    ok = LookupPrivilegeValue( null, SE_SHUTDOWN_NAME, ref tp.Luid );
    ok = AdjustTokenPrivileges( htok, false, ref tp, 0, IntPtr.Zero, IntPtr.Zero );
    ok = ExitWindowsEx( flg, 0 );
    }
용법:
DoExitWin( EWX_SHUTDOWN );
또는
DoExitWin( EWX_REBOOT );
답변
다른 방법 :
ㅏ. System.Diagnostics.Process.Start("Shutdown", "-s -t 10");
B. Windows Management Instrumentation (WMI)
- http://www.csharpfriends.com/Forums/ShowPost.aspx?PostID=36953
 - http://www.dreamincode.net/forums/showtopic33948.htm
 
C. System.Runtime.InteropServices Pinvoke
D. 시스템 관리
제출 한 후, 다른 많은 사람들도 게시 한 것을 보았습니다 …
답변
구식 못생긴 방법. ExitWindowsExWin32 API 의 기능을 사용하십시오 .
using System.Runtime.InteropServices;
void Shutdown2()
{
    const string SE_SHUTDOWN_NAME = "SeShutdownPrivilege";
    const short SE_PRIVILEGE_ENABLED = 2;
    const uint EWX_SHUTDOWN = 1;
    const short TOKEN_ADJUST_PRIVILEGES = 32;
    const short TOKEN_QUERY = 8;
    IntPtr hToken;
    TOKEN_PRIVILEGES tkp;
    // Get shutdown privileges...
    OpenProcessToken(Process.GetCurrentProcess().Handle,
          TOKEN_ADJUST_PRIVILEGES | TOKEN_QUERY, out hToken);
    tkp.PrivilegeCount = 1;
    tkp.Privileges.Attributes = SE_PRIVILEGE_ENABLED;
    LookupPrivilegeValue("", SE_SHUTDOWN_NAME, out tkp.Privileges.pLuid);
    AdjustTokenPrivileges(hToken, false, ref tkp, 0U, IntPtr.Zero,
          IntPtr.Zero);
    // Now we have the privileges, shutdown Windows
    ExitWindowsEx(EWX_SHUTDOWN, 0);
}
// Structures needed for the API calls
private struct LUID
{
    public int LowPart;
    public int HighPart;
}
private struct LUID_AND_ATTRIBUTES
{
    public LUID pLuid;
    public int Attributes;
}
private struct TOKEN_PRIVILEGES
{
    public int PrivilegeCount;
    public LUID_AND_ATTRIBUTES Privileges;
}
[DllImport("advapi32.dll")]
static extern int OpenProcessToken(IntPtr ProcessHandle,
                     int DesiredAccess, out IntPtr TokenHandle);
[DllImport("advapi32.dll", SetLastError = true)]
[return: MarshalAs(UnmanagedType.Bool)]
static extern bool AdjustTokenPrivileges(IntPtr TokenHandle,
    [MarshalAs(UnmanagedType.Bool)]bool DisableAllPrivileges,
    ref TOKEN_PRIVILEGES NewState,
    UInt32 BufferLength,
    IntPtr PreviousState,
    IntPtr ReturnLength);
[DllImport("advapi32.dll")]
static extern int LookupPrivilegeValue(string lpSystemName,
                       string lpName, out LUID lpLuid);
[DllImport("user32.dll", SetLastError = true)]
static extern int ExitWindowsEx(uint uFlags, uint dwReason);
프로덕션 코드에서는 API 호출의 반환 값을 확인해야하지만 예제를 더 명확하게하기 위해 생략했습니다.
답변
짧고 달다. 외부 프로그램을 호출하십시오.
    using System.Diagnostics;
    void Shutdown()
    {
        Process.Start("shutdown.exe", "-s -t 00");
    }
참고 : Windows ‘Shutdown.exe 프로그램을 호출하므로 해당 프로그램을 사용할 수있는 경우에만 작동합니다. Windows 2000 (종료 키트에서만 shutdown.exe를 사용할 수 있음) 또는 XP Embedded에 문제가있을 수 있습니다 .
답변
System.Diagnostics.Process.Start("shutdown", "/s /t 0")
작동해야합니다.
다시 시작하려면 / r입니다.
이 대화 상자없이 PC 상자를 직접 깨끗하게 다시 시작합니다.
