C#에서 시스템을 종료하는 방법
C# 프로그램에서 컴퓨터를 종료하는 가장 좋은 방법은 무엇입니까?
저는 효과적인 몇 가지 방법을 찾았습니다 - 아래에 올리겠습니다 - 하지만 그 중 어느 것도 매우 우아하지 않습니다.저는 더 단순하고 네이티브한 닷넷을 찾고 있습니다.
Windows XP부터 작동하며 Win 2000 이하에서는 사용할 수 없습니다.
가장 빠른 방법은 다음과 같습니다.
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);
이 방법은 WMI를 사용하여 창을 종료합니다.
시스템에 대한 참조를 추가해야 합니다.이를 사용하기 위한 프로젝트 관리.
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. WMI(윈도우즈 Management Instrumentation)
- http://www.csharpfriends.com/Forums/ShowPost.aspx?PostID=36953
- http://www.dreamincode.net/forums/showtopic33948.htm
C. 시스템.런타임.Interop Services Pinvoke
D. 시스템 관리
제가 제출한 후에, 저는 많은 다른 사람들도 게시한 것을 보았습니다...
짧고 달콤합니다.외부 프로그램 호출:
using System.Diagnostics;
void Shutdown()
{
Process.Start("shutdown.exe", "-s -t 00");
}
참고: Windows의 Shutdown.exe 프로그램을 호출하므로 해당 프로그램을 사용할 수 있는 경우에만 작동합니다.윈도우즈 2000(종료 위치)에서 문제가 발생할 수 있습니다.exe는 리소스 키트) 또는 XP Embedded에서만 사용할 수 있습니다.
구식의 추악한 방법.을 합니다.ExitWindowsEx
기능을 제공합니다.
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 호출의 반환 값을 확인해야 하는데, 예제를 더 명확하게 하기 위해 생략했습니다.
팝 카탈린의 대답에 덧붙이자면, 창을 표시하지 않고 컴퓨터를 종료하는 라이너 하나가 있습니다.
Process.Start(new ProcessStartInfo("shutdown", "/s /t 0") {
CreateNoWindow = true, UseShellExecute = false
});
System.Diagnostics.Process.Start("shutdown", "/s /t 0")
효과가 있어야 합니다.
다시 시작할 경우 /r입니다.
그러면 대화 상자가 없는 상태에서 PC 상자가 직접 깨끗하게 다시 시작됩니다.
:shutdown.exe
주변의 포장지일 뿐입니다. 이것은 누락된 일부 세부 사항을 제공합니다.ExitWindowsEx
종료 프로세스를 시작할 수 있습니다.
shutdown -s -t 0
종료shutdown -r -t 0
시작합니다.
관리자로서 프로그램을 실행하고 있음에도 불구하고 항상 예외가 아닌 권한을 얻었기 때문에 위에서 허용된 WMI 방법을 사용하려고 시도하는 데 어려움이 있었습니다.
해결책은 프로세스가 스스로 권한을 요청하는 것이었습니다.저는 http://www.dotnet247.com/247reference/msgs/58/292150.aspx 에서 리처드 힐이라는 사람이 쓴 답을 찾았습니다.
링크가 오래될 경우를 대비하여 아래에 그의 솔루션의 기본적인 사용법을 붙여 놓았습니다.
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;
}
}
}
Roomaroo의 WMI 방법을 사용하여 Windows 2003 Server를 종료하려고 했지만 Main() 선언에 '[STATthread]'(즉, "Single Thread 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# noob이기 때문에 시스템 종료와 관련하여 STA 스레드의 중요성을 완전히 확신할 수 없습니다(위에 게시한 링크를 읽고도).다른 사람이 더 자세히 설명할 수 있을지도...?
**자세한 답변...
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);
}
}
}
}
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();
}
시스템. 관리.Automation.dll은 OS에 설치되어 GAC에서 사용할 수 있어야 합니다.
제 영어실력에 대해 죄송합니다.
윈도우 10의 경우 질문과 대기 시간 없이 PC를 종료하기 위해 /f 옵션을 추가해야 했습니다.
//This did not work for me
Process.Start("shutdown", "/s /t 0");
//But this worked
Process.Start("shutdown", "/s /f /t 0");
시스템을 종료하기 위한 .net 네이티브 방법은 없습니다.Windows 종료 또는 Windows Ex API 종료 호출을 P/Invoke해야 합니다.
원격으로 컴퓨터를 종료하려면 다음을 사용할 수 있습니다.
Using System.Diagnostics;
아무 버튼이나 클릭하세요.
{
Process.Start("Shutdown","-i");
}
언급URL : https://stackoverflow.com/questions/102567/how-to-shut-down-the-computer-from-c-sharp
'programing' 카테고리의 다른 글
Base-64 문자 배열의 길이가 잘못되었습니다. (0) | 2023.05.25 |
---|---|
직장 또는 학교 계정으로 파이썬에서 쉐어포인트 온라인(Office365) 엑셀 파일을 읽는 방법은 무엇입니까? (0) | 2023.05.25 |
Option Strict(옵션 제한) 및 Option Explicit(옵션 명시)의 역할은 무엇입니까? (0) | 2023.05.25 |
GitHub에서 이름이 변경된 repo 오류: "remote:이 리포지토리가 이동되었습니다.새 위치를 사용하십시오." (0) | 2023.05.25 |
PHP가 Excel을 데이터베이스로 가져오기(xls & xlsx) (0) | 2023.05.25 |