1 운영 체제 버전 및 CLR 읽기
OperatingSystem os = System.Environment.OSVersion; Console.WriteLine(“Platform: {0}”, os.Platform); Console.WriteLine(“Service Pack: {0}”, os.ServicePack); Console.WriteLine(“Version: {0}”, os.Version); Console.WriteLine(“VersionString: {0}”, os.VersionString); Console.WriteLine(“CLR Version: {0}”, System.Environment.Version);
내 Windows 7 시스템에서 다음 정보를 출력합니다.
플랫폼: Win32NT
서비스 팩:
버전: 6.1.7600.0
VersionString: Microsoft Windows NT 6.1.7600.0
CLR 버전: 4.0.21006.1
2 CPU 수 및 메모리 용량 읽기
Windows를 사용할 수 있습니다. WMI(Management Instrumentation)는 필요한 정보를 읽을 수 있는 인터페이스를 제공합니다.
private static UInt32 CountPhysicalProcessors() { ManagementObjectSearcher objects = new ManagementObjectSearcher( “SELECT * FROM Win32_ComputerSystem”); ManagementObjectCollection coll = objects.Get(); foreach(ManagementObject obj in coll) { return (UInt32)obj[“NumberOfProcessors”]; } return 0; } private static UInt64 CountPhysicalMemory() { ManagementObjectSearcher objects =new ManagementObjectSearcher( “SELECT * FROM Win32_PhysicalMemory”); ManagementObjectCollection coll = objects.Get(); UInt64 total = 0; foreach (ManagementObject obj in coll) { total += (UInt64)obj[“Capacity”]; } return total; }
코드가 올바르게 컴파일될 수 있도록 System.Management 어셈블리에 대한 참조를 추가하세요.
Console.WriteLine(“Machine: {0}”, Environment.MachineName); Console.WriteLine(“# of processors (logical): {0}”, Environment.ProcessorCount); Console.WriteLine(“# of processors (physical): {0}” CountPhysicalProcessors()); Console.WriteLine(“RAM installed: {0:N0} bytes”, CountPhysicalMemory()); Console.WriteLine(“Is OS 64-bit? {0}”, Environment.Is64BitOperatingSystem); Console.WriteLine(“Is process 64-bit? {0}”, Environment.Is64BitProcess); Console.WriteLine(“Little-endian: {0}”, BitConverter.IsLittleEndian); foreach (Screen screen in System.Windows.Forms.Screen.AllScreens) { Console.WriteLine(“Screen {0}”, screen.DeviceName); Console.WriteLine(“\tPrimary {0}”, screen.Primary); Console.WriteLine(“\tBounds: {0}”, screen.Bounds); Console.WriteLine(“\tWorking Area: {0}”,screen.WorkingArea); Console.WriteLine(“\tBitsPerPixel: {0}”,screen.BitsPerPixel); }
3 레지스트리 키-값 쌍 읽기
using (RegistryKey keyRun = Registry.LocalMachine.OpenSubKey(@”Software\Microsoft\Windows\CurrentVersion\Run”)) { foreach (string valueName in keyRun.GetValueNames()) { Console.WriteLine(“Name: {0}\tValue: {1}”, valueName, keyRun.GetValue(valueName)); } }
위 코드가 컴파일될 수 있도록 네임스페이스 Microsoft.Win32를 추가하세요.
4 Windows 서비스 시작 및 중지
이 API에서 제공하는 실용적인 기능은 제어판의 관리 서비스로 이동할 필요 없이 애플리케이션에서 서비스를 관리하는 데 종종 사용됩니다.
ServiceController controller = new ServiceController(“e-M-POWER”); controller.Start(); if (controller.CanPauseAndContinue) { controller.Pause(); controller.Continue(); } controller.Stop();
.net에서 제공하는 API에서는 한 문장의 설치 및 제거 서비스를 구현할 수 있습니다.
if (args[0] == "/i") { ManagedInstallerClass.InstallHelper(new string[] { Assembly.GetExecutingAssembly().Location }); } else if (args[0] == "/u") { ManagedInstallerClass.InstallHelper(new string[] { "/u", Assembly.GetExecutingAssembly().Location }); }
코드에 표시된 대로 i 또는 u 매개변수를 대표하는 애플리케이션은 프로그램을 제거하는 것인지, 설치하는 것인지.
5 프로그램에 강력한 이름(P/Invoke)이 있는지 확인
예를 들어 프로그램에서 어셈블리에 서명이 있는지 확인하려면 다음 메서드를 호출하면 됩니다.
[DllImport("mscoree.dll", CharSet=CharSet.Unicode)] static extern bool StrongNameSignatureVerificationEx(string wszFilePath, bool fForceVerification, ref bool pfWasVerified); bool notForced = false; bool verified = StrongNameSignatureVerificationEx(assembly, false, ref notForced); Console.WriteLine("Verified: {0}\nForced: {1}", verified, !notForced);
이 기능은 일반적으로 소프트웨어 보호 방법에 사용되며 서명된 구성 요소를 확인하는 데 사용할 수 있습니다. 서명이 제거되거나 모든 어셈블리의 서명이 제거되더라도 프로그램에 이 호출 코드가 있는 한 프로그램 실행이 중지될 수 있습니다.
6 시스템 구성 항목 변경에 대응
예를 들어 시스템을 잠근 후 QQ가 종료되지 않으면 사용 중 상태가 표시됩니다.
Microsoft.Win32 네임스페이스를 추가한 후 다음 이벤트를 등록하세요.
. DisplaySettingsChanged(변경 포함) . InstalledFontsChanged 글꼴 변경
. PowerModeChanged 전원 상태
. > . SessionSwitch (현재 사용자 변경)
. TimeChanged 시간 변경
. UserPreferenceChanged (사용자 접두사 변경 포함)
우리 ERP 시스템은 시간이 변경되었는지 모니터링합니다. , ERP 라이선스 파일 범위를 벗어나면 ERP 소프트웨어를 사용할 수 없게 됩니다.
이 방법을 사용하여 대화 상자를 열면 BCL 자체 클래스 라이브러리의 OpenFileDialog보다 더 많은 기능이 있습니다. 그러나 Windows 7 시스템으로 제한되므로 이 코드를 호출하려면 운영 체제 버전이 6 이상인지 확인하고 Microsoft®.NET Framework용 Windows API 코드 팩 어셈블리에 대한 참조를 추가해야 합니다. 이 주소에서 http://code.msdn.microsoft.com/WindowsAPICodePack
Microsoft.WindowsAPICodePack.Dialogs.CommonOpenFileDialog ofd = new Microsoft.WindowsAPICodePack.Dialogs.CommonOpenFileDialog(); ofd.AddToMostRecentlyUsedList = true; ofd.IsFolderPicker = true; ofd.AllowNonFileSystemItems = true; ofd.ShowDialog();8 프로그램의 메모리 사용량 확인다음 방법을 사용하면 할당된 메모리 양을 확인할 수 있습니다. .NET을 프로그램에
내 시스템에서 실행한 결과는 다음과 같다
long available = GC.GetTotalMemory(false); Console.WriteLine(“Before allocations: {0:N0}”, available); int allocSize = 40000000; byte[] bigArray = new byte[allocSize]; available = GC.GetTotalMemory(false); Console.WriteLine(“After allocations: {0:N0}”, available);
다음 방법을 이용하면 현재 메모리를 점유하고 있는 것을 확인할 수 있다. 응용 프로그램
Before allocations: 651,064 After allocations: 40,690,080
Process proc = Process.GetCurrentProcess(); Console.WriteLine(“Process Info: “+Environment.NewLine+
“Private Memory Size: {0:N0}”+Environment.NewLine + “Virtual Memory Size: {1:N0}” + Environment.NewLine +9 스톱워치를 사용하여 프로그램의 실행 시간을 확인하세요
“Working Set Size: {2:N0}” + Environment.NewLine + “Paged Memory Size: {3:N0}” + Environment.NewLine + “Paged System Memory Size: {4:N0}” + Environment.NewLine +
“Non-paged System Memory Size: {5:N0}” + Environment.NewLine, proc.PrivateMemorySize64, proc.VirtualMemorySize64, proc.WorkingSet64, proc.PagedMemorySize64, proc.PagedSystemMemorySize64, proc.NonpagedSystemMemorySize64 );일부 코드가 시간이 많이 걸릴까 걱정된다면, 다음 코드에 표시된 것처럼 StopWatch를 사용하여 이 코드에 소요되는 시간을 확인할 수 있습니다.
이제 프로그램의 실행 시간을 감지하는 특수 도구가 있으며, 이를 각 방법으로 세분화할 수 있습니다. dotNetPerformance 소프트웨어와 같은 것입니다.
System.Diagnostics.Stopwatch timer = new System.Diagnostics.Stopwatch(); timer.Start(); Decimal total = 0; int limit = 1000000; for (int i = 0; i < limit; ++i) { total = total + (Decimal)Math.Sqrt(i); } timer.Stop(); Console.WriteLine(“Sum of sqrts: {0}”,total); Console.WriteLine(“Elapsed milliseconds: {0}”, timer.ElapsedMilliseconds); Console.WriteLine(“Elapsed time: {0}”, timer.Elapsed);위 코드를 예로 들면, 소스코드를 직접 수정해야 하는데, 프로그램을 테스트할 때 사용한다면 조금 불편합니다. 아래 예를 참조하세요.
아래 코드와 같이 구문을 사용하면 코드의 실행 시간을 확인하고 콘솔에 인쇄할 수 있습니다.
class AutoStopwatch : System.Diagnostics.Stopwatch, IDisposable { public AutoStopwatch() { Start(); } public void Dispose() { Stop(); Console.WriteLine(“Elapsed: {0}”, this.Elapsed); } }
10 커서 사용
using (new AutoStopwatch()) { Decimal total2 = 0; int limit2 = 1000000; for (int i = 0; i < limit2; ++i) { total2 = total2 + (Decimal)Math.Sqrt(i); } }프로그램이 백그라운드에서 저장이나 삭제 작업을 실행 중인 경우 커서 상태를 사용 중으로 변경해야 합니다. 다음 팁을 사용하세요.
class AutoWaitCursor : IDisposable { private Control _target; private Cursor _prevCursor = Cursors.Default; public AutoWaitCursor(Control control) { if (control == null) { throw new ArgumentNullException(“control”); } _target = control; _prevCursor = _target.Cursor; _target.Cursor = Cursors.WaitCursor; } public void Dispose() { _target.Cursor = _prevCursor; } }
用法如下所示,这个写法,是为了预料到程序可能会抛出异常
using (new AutoWaitCursor(this)) { ... throw new Exception(); }
如代码所示,即使抛出异常,光标也可以恢复到之间的状态。