C #에서 컴퓨터를 종료하는 방법


138

C # 프로그램에서 컴퓨터를 종료하는 가장 좋은 방법은 무엇입니까?

작동하는 몇 가지 방법을 찾았습니다. 아래에 게시 할 것입니다. 더 간단하고 기본적으로 .net 인 것을 찾고 있습니다.

답변:


171

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);

2
이것은 서비스에서도 작동하는 것으로 보입니다 (적어도 관련된 시나리오에서는). 서비스에서 WMI 또는 ExitWindowsEx 메서드를 사용할 수 없었습니다.
제임스

1
@James 서비스에는 일반적으로 권한이 없기 때문입니다.
AK_

기존의 종료 대화 상자 창을 사용한 후와이를 사용한 후 시스템의 전력 소비 상태가 다릅니다. 전원 버튼을 눌러 부팅하면 표준 300 + ish가 아닌 약 80-85 밀리 암페어가 사용됩니다. 이유를 찾으면 여기에 다시 게시하겠습니다. 이것은 대부분의 사용자에게 영향을 미치지 않습니다.
samuelesque

WPF를 사용하는 경우 전문가 수준이 아닌 콘솔 창을 1 초 동안 생성한다는 점을 제외하면 효과적입니다.
더스틴 젠슨

79

촬영 : 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);
    }
}

3
WMI를 사용하면 오류를 쉽게 추적 할 수 있습니다. 어떤 이유로 종료 명령이 작동하지 않으면 어떻게됩니까?
Rob Walker

2
이 방법을 사용하여 창을 종료하고 세 번 중 두 번은 권한이 없다고 말하지만 세 번째는 "주어"뱉어 컴퓨터를 다시 시작합니다. 무슨 일이야?
DTI-Matt

1
이 솔루션은 저에게 효과적이지 않습니다. 관리자 권한으로 프로그램을 실행하더라도 "권한 보유 안 됨"예외가 발생합니다.
Fanda

@roomaroo이 방법은 작동하지 않습니다. 예외가 발생합니다. 관리 예외, 특권이 없습니다.
something 무언가

강제 종료하려면 mboShutdownParams [ "Flags"] = "5"를 사용해야합니다. 값 5는 강제 종료를 의미합니다.
SaneDeveloper

32

이 스레드는 필요한 코드를 제공합니다. 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 );

다른 EWX_ 상수가 무엇을하는지 읽을 수 있습니다 : msdn.microsoft.com/en-us/library/windows/desktop/…
TripleAntigen

1
숫자 상수를 C #으로 이식 할 때 열거 형을 사용하는 것이 가장 좋습니다. 그것이 열거 형이 수행하도록 설계된 것입니다. 숫자 상수 주위에 강력한 타이핑을 제공하고 선택적으로 플래그 / 비트 마스크를 지원하며 기본 숫자 유형으로 쉽게 캐스트 할 수 있습니다.
앤드류 Rondeau

26

다른 방법 :

ㅏ. System.Diagnostics.Process.Start("Shutdown", "-s -t 10");

B. Windows Management Instrumentation (WMI)

C. System.Runtime.InteropServices Pinvoke

D. 시스템 관리

제출 한 후, 다른 많은 사람들도 게시 한 것을 보았습니다 ...


2
B와 D는 같은 방법입니다 (WMI)
Lucas


14

구식 못생긴 방법. 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 호출의 반환 값을 확인해야하지만 예제를 더 명확하게하기 위해 생략했습니다.


12

짧고 달다. 외부 프로그램을 호출하십시오.

    using System.Diagnostics;

    void Shutdown()
    {
        Process.Start("shutdown.exe", "-s -t 00");
    }

참고 : Windows 'Shutdown.exe 프로그램을 호출하므로 해당 프로그램을 사용할 수있는 경우에만 작동합니다. Windows 2000 (종료 키트에서만 shutdown.exe를 사용할 수 있음) 또는 XP Embedded에 문제가있을 수 있습니다 .


9
System.Diagnostics.Process.Start("shutdown", "/s /t 0")

작동해야합니다.

다시 시작하려면 / r입니다.

이 대화 상자없이 PC 상자를 직접 깨끗하게 다시 시작합니다.


이것은 현대식 (2015+) 시스템에 대한 완벽한 해답입니다.
Fattie

고마워, / s와 / t 0이 무엇을하는지 설명해 주실 수 있습니까?
블라디미르 verleg

1
@Peterverleg 물론입니다. "/ s"인수는 컴퓨터를 종료하도록 지시하고 "/ t"는 컴퓨터를 종료하기 전에 x 초 동안 기다리도록 지시합니다. 개인적 경험으로는 "/ t"인수가 Windows 8.1에서는 아무 것도하지 않지만 7에서는 제대로 작동한다는 것을 알고 있습니다. 이 기능을 사용할 수도 있습니다. shutdown /s /t 0 //For shutdown shutdown /r /t 0 //For restart shutdown /h /t 0 //For hibernate또한 동일한 결과를 위해 CMD에 입력하십시오.
Micah Vertal

6

종료 프로세스를 시작할 수 있습니다.

  • shutdown -s -t 0 -셧다운
  • shutdown -r -t 0 - 재시작


5

관리자로 프로그램을 실행하더라도 예외가 발생하지 않는 privilige를 항상 얻었 기 때문에 위에서 승인 한 WMI 방법을 사용하는 데 문제가있었습니다.

해결책은 프로세스가 자체 권한을 요청하는 것입니다. http://www.dotnet247.com/247reference/msgs/58/292150.aspx 에서 Richard Hill이라는 사람이 작성한 답변을 찾았습니다 .

링크가 오래 될 경우를 대비하여 아래에서 솔루션의 기본 사용법을 붙여 넣었습니다.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Management;
using System.Runtime.InteropServices;
using System.Security;
using System.Diagnostics;

namespace PowerControl
{
    public class PowerControl_Main
    {


        public void Shutdown()
        {
            ManagementBaseObject mboShutdown = null;
            ManagementClass mcWin32 = new ManagementClass("Win32_OperatingSystem");
            mcWin32.Get();

            if (!TokenAdjuster.EnablePrivilege("SeShutdownPrivilege", true))
            {
                Console.WriteLine("Could not enable SeShutdownPrivilege");
            }
            else
            {
                Console.WriteLine("Enabled SeShutdownPrivilege");
            }

            // 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
            mboShutdownParams["Flags"] = "1";
            mboShutdownParams["Reserved"] = "0";

            foreach (ManagementObject manObj in mcWin32.GetInstances())
            {
                try
                {
                    mboShutdown = manObj.InvokeMethod("Win32Shutdown",
                                                   mboShutdownParams, null);
                }
                catch (ManagementException mex)
                {
                    Console.WriteLine(mex.ToString());
                    Console.ReadKey();
                }
            }
        }


    }


    public sealed class TokenAdjuster
    {
        // PInvoke stuff required to set/enable security privileges
        [DllImport("advapi32", SetLastError = true),
        SuppressUnmanagedCodeSecurityAttribute]
        static extern int OpenProcessToken(
        System.IntPtr ProcessHandle, // handle to process
        int DesiredAccess, // desired access to process
        ref IntPtr TokenHandle // handle to open access token
        );

        [DllImport("kernel32", SetLastError = true),
        SuppressUnmanagedCodeSecurityAttribute]
        static extern bool CloseHandle(IntPtr handle);

        [DllImport("advapi32.dll", CharSet = CharSet.Auto, SetLastError = true)]
        static extern int AdjustTokenPrivileges(
        IntPtr TokenHandle,
        int DisableAllPrivileges,
        IntPtr NewState,
        int BufferLength,
        IntPtr PreviousState,
        ref int ReturnLength);

        [DllImport("advapi32.dll", CharSet = CharSet.Auto, SetLastError = true)]
        static extern bool LookupPrivilegeValue(
        string lpSystemName,
        string lpName,
        ref LUID lpLuid);

        [StructLayout(LayoutKind.Sequential)]
        internal struct LUID
        {
            internal int LowPart;
            internal int HighPart;
        }

        [StructLayout(LayoutKind.Sequential)]
        struct LUID_AND_ATTRIBUTES
        {
            LUID Luid;
            int Attributes;
        }

        [StructLayout(LayoutKind.Sequential)]
        struct _PRIVILEGE_SET
        {
            int PrivilegeCount;
            int Control;
            [MarshalAs(UnmanagedType.ByValArray, SizeConst = 1)] // ANYSIZE_ARRAY = 1
            LUID_AND_ATTRIBUTES[] Privileges;
        }

        [StructLayout(LayoutKind.Sequential)]
        internal struct TOKEN_PRIVILEGES
        {
            internal int PrivilegeCount;
            [MarshalAs(UnmanagedType.ByValArray, SizeConst = 3)]
            internal int[] Privileges;
        }
        const int SE_PRIVILEGE_ENABLED = 0x00000002;
        const int TOKEN_ADJUST_PRIVILEGES = 0X00000020;
        const int TOKEN_QUERY = 0X00000008;
        const int TOKEN_ALL_ACCESS = 0X001f01ff;
        const int PROCESS_QUERY_INFORMATION = 0X00000400;

        public static bool EnablePrivilege(string lpszPrivilege, bool
        bEnablePrivilege)
        {
            bool retval = false;
            int ltkpOld = 0;
            IntPtr hToken = IntPtr.Zero;
            TOKEN_PRIVILEGES tkp = new TOKEN_PRIVILEGES();
            tkp.Privileges = new int[3];
            TOKEN_PRIVILEGES tkpOld = new TOKEN_PRIVILEGES();
            tkpOld.Privileges = new int[3];
            LUID tLUID = new LUID();
            tkp.PrivilegeCount = 1;
            if (bEnablePrivilege)
                tkp.Privileges[2] = SE_PRIVILEGE_ENABLED;
            else
                tkp.Privileges[2] = 0;
            if (LookupPrivilegeValue(null, lpszPrivilege, ref tLUID))
            {
                Process proc = Process.GetCurrentProcess();
                if (proc.Handle != IntPtr.Zero)
                {
                    if (OpenProcessToken(proc.Handle, TOKEN_ADJUST_PRIVILEGES | TOKEN_QUERY,
                    ref hToken) != 0)
                    {
                        tkp.PrivilegeCount = 1;
                        tkp.Privileges[2] = SE_PRIVILEGE_ENABLED;
                        tkp.Privileges[1] = tLUID.HighPart;
                        tkp.Privileges[0] = tLUID.LowPart;
                        const int bufLength = 256;
                        IntPtr tu = Marshal.AllocHGlobal(bufLength);
                        Marshal.StructureToPtr(tkp, tu, true);
                        if (AdjustTokenPrivileges(hToken, 0, tu, bufLength, IntPtr.Zero, ref ltkpOld) != 0)
                        {
                            // successful AdjustTokenPrivileges doesn't mean privilege could be changed
                            if (Marshal.GetLastWin32Error() == 0)
                            {
                                retval = true; // Token changed
                            }
                        }
                        TOKEN_PRIVILEGES tokp = (TOKEN_PRIVILEGES)Marshal.PtrToStructure(tu,
                        typeof(TOKEN_PRIVILEGES));
                        Marshal.FreeHGlobal(tu);
                    }
                }
            }
            if (hToken != IntPtr.Zero)
            {
                CloseHandle(hToken);
            }
            return retval;
        }

    }
}

2
이유를 모르는 것이 좋지만 이것은 효과가있었습니다. "셧다운"명령으로 방금 가야했는지 솔직히 궁금합니다.
Dan Bailiff

5

Pop Catalin의 답변에 추가하기 위해 창문을 표시하지 않고 컴퓨터를 종료 하는 하나의 라이너 가 있습니다.

Process.Start(new ProcessStartInfo("shutdown", "/s /t 0") {
  CreateNoWindow = true, UseShellExecute = false
});

2

Windows 2003 Server를 종료 하기 위해 roomaroo의 WMI 방법 을 시도했지만 Main () 선언 에`[STAThread] '(예 : " Single Threaded Apartment "스레딩 모델)를 추가 할 때까지 작동하지 않습니다 .

[STAThread]
public static void Main(string[] args) {
    Shutdown();
}

그런 다음 스레드를 종료하려고 시도하고 작동하게하려면 스레드의 "아파트 상태"를 STA으로 설정해야했습니다.

using System.Management;
using System.Threading;

public static class Program {

    [STAThread]
    public static void Main(string[] args) {
        Thread t = new Thread(new ThreadStart(Program.Shutdown));
        t.SetApartmentState(ApartmentState.STA);
        t.Start();
        ...
    }

    public static void Shutdown() {
        // roomaroo's code
    }
}

나는 C # 멍청한 놈이므로 시스템을 종료한다는 관점에서 STA 스레드의 중요성을 완전히 확신하지 못합니다 (위에 게시 한 링크를 읽은 후에도). 다른 사람이 정교하게 만들 수 있을까요?


실제로 WMI를 호출하는 스레드 만 STA 스레드 여야합니다. 이것이 메인 스레드 Main()가 아닌 경우 필요하지 않습니다 [STAThread].
SLaks

2

** 정교한 답변 ...

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Text;
using System.Windows.Forms;
// Remember to add a reference to the System.Management assembly
using System.Management;
using System.Diagnostics;

namespace ShutDown
{
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
        }

        private void btnShutDown_Click(object sender, EventArgs e)
        {
            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
            mboShutdownParams["Flags"] = "1";
            mboShutdownParams["Reserved"] = "0";

            foreach (ManagementObject manObj in mcWin32.GetInstances())
            {
                mboShutdown = manObj.InvokeMethod("Win32Shutdown", mboShutdownParams, null);
            }
        }
    }
}

1

shutdown.exe를 사용하십시오. 인수 전달, 복잡한 실행, WindowForms에서의 실행과 관련된 문제를 피하려면 PowerShell 실행 스크립트를 사용하십시오.

using System.Management.Automation;
...
using (PowerShell PowerShellInstance = PowerShell.Create())
{
    PowerShellInstance.AddScript("shutdown -a; shutdown -r -t 100;");
    // invoke execution on the pipeline (collecting output)
    Collection<PSObject> PSOutput = PowerShellInstance.Invoke();
} 

System.Management.Automation.dll은 OS에 설치되어 있고 GAC에서 사용할 수 있어야합니다.

내 영어로 죄송합니다.


0

컴퓨터를 종료하는 .net 기본 방법은 없습니다. ExitWindows 또는 ExitWindowsEx API 호출을 P / Invoke해야합니다.


0

컴퓨터를 원격으로 종료하려면

Using System.Diagnostics;

아무 버튼이나 클릭하면

{
    Process.Start("Shutdown","-i");
}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.