Windows 시스템에 연결된 USB 장치의 전체 목록에 액세스
효율적인 하드웨어 관리를 위해서는 연결된 주변 장치를 검사하고 상호 작용해야 하는 경우가 많습니다. 어디에나 존재하는 USB 장치에는 인벤토리, 진단 또는 기타 관리 작업을 위해 프로그래밍 방식의 액세스가 필요한 경우가 많습니다. Windows는 이 정보를 검색하기 위한 여러 가지 방법을 제공합니다. 한 가지 강력한 접근 방식은 WMI(Windows Management Instrumentation) 프레임워크를 사용하는 것입니다.
WMI는 연결된 USB 장치의 전체 그림을 포함하여 자세한 시스템 및 하드웨어 정보를 제공합니다. 이를 위해서는 System.Management
어셈블리를 프로젝트에 통합해야 합니다. 다음 C# 코드 예제는 이 데이터를 검색하는 방법을 보여줍니다.
<code class="language-csharp">using System; using System.Collections.Generic; using System.Management; // Requires adding System.Management to project references namespace USBDeviceEnumeration { class Program { static void Main(string[] args) { List<USBDeviceInfo> usbDevices = GetUSBDevices(); foreach (USBDeviceInfo device in usbDevices) { Console.WriteLine($"Device ID: {device.DeviceID}, PNP Device ID: {device.PnpDeviceID}, Description: {device.Description}"); } Console.ReadKey(); } static List<USBDeviceInfo> GetUSBDevices() { List<USBDeviceInfo> devices = new List<USBDeviceInfo>(); using (ManagementObjectSearcher searcher = new ManagementObjectSearcher("Select * From Win32_USBHub")) using (ManagementObjectCollection collection = searcher.Get()) { foreach (ManagementObject device in collection) { devices.Add(new USBDeviceInfo( (string)device.GetPropertyValue("DeviceID"), (string)device.GetPropertyValue("PNPDeviceID"), (string)device.GetPropertyValue("Description") )); } } return devices; } } class USBDeviceInfo { public USBDeviceInfo(string deviceID, string pnpDeviceID, string description) { DeviceID = deviceID; PnpDeviceID = pnpDeviceID; Description = description; } public string DeviceID { get; private set; } public string PnpDeviceID { get; private set; } public string Description { get; private set; } } }</code>
이 코드는 "Select * From Win32_USBHub" 쿼리와 함께 ManagementObjectSearcher
을 사용하여 모든 USB 허브를 검색합니다. 각 ManagementObject
은 허브를 나타내며 허브와 연결된 장치에 대한 세부정보를 제공합니다. 코드는 이러한 개체를 반복하여 각 장치에 대해 DeviceID
, PNPDeviceID
및 Description
을 추출합니다. 결과 USBDeviceInfo
개체는 장치 관리 또는 시스템 진단과 같은 다양한 응용 프로그램에 대한 포괄적인 데이터를 제공합니다. 이 WMI 접근 방식은 Windows 환경 내에서 연결된 USB 장치의 전체 목록을 얻기 위한 강력하고 효율적인 방법을 제공합니다.
위 내용은 WMI를 사용하여 Windows에서 연결된 USB 장치의 전체 목록을 어떻게 얻습니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!