6

我需要遍历连接到计算机的端口,并找到一个特定的设备。请看下面的图片:

在此处输入图像描述

您可以看到有 4 个设备名称具有相同的供应商和产品 ID。但是,我需要找到第一个端口,它以蓝色突出显示。似乎他们唯一的区别是朋友的名字(描述是朋友的名字)。

在 C#.net 中实现这一目标的最简单方法是什么?我已经在“qt”中完成了这项工作,我需要知道如何使用 vs 2010 专业版在 C#、.net 框架 4 中完成这项工作。我已经经历过这样的问题,正如你所看到的,它们对我的情况没有帮助。

4

1 回答 1

9

如果您使用libusbdotnet,您应该能够执行以下操作:

public static void RetrieveUSBDevices(int vid, int pid)
{
        var usbFinder = new UsbDeviceFinder(vid, pid);
        var usbDevices = new UsbRegDeviceList();
        usbDevices = usbDevices.FindAll(usbFinder);
}

然后,您应该能够迭代 usbDevices 并检查正确的FullName。虽然还没有测试过,所以它是理论上的。

更新:试过了,效果很好 - 有什么问题?为什么会因为自己的无能而投反对票?

这也可以:

private static void Method()
{
var list = GetMyUSBDevices();
//Iterate list here and use Description to find exact device
}


private static List<UsbDevice> GetMyUSBDevices()
{
    var vid = 32903;
    var pid = 36;

    ManagementObjectCollection collection;
    using (var searcher = new ManagementObjectSearcher(@"Select * From Win32_USBHub"))
        collection = searcher.Get();

    var usbDevice = 
        (from ManagementBaseObject device in collection 
        select new UsbDevice(
        (string) device.GetPropertyValue("DeviceID"), 
        (string) device.GetPropertyValue("Description"))).ToList();

    var devices = new List<UsbDevice>();

    foreach (var device in collection)
    {
        devices.Add(new UsbDevice(
        (string)device.GetPropertyValue("DeviceID"),
        (string)device.GetPropertyValue("Description")
        ));
    }

    collection.Dispose();

    return (from d in devices where d.DeviceId.Contains("VID_") && d.DeviceId.Contains("PID_") && d.PID.Equals(pid) && d.VID.Equals(vid) select d).ToList();
}

public class UsbDevice
{
    public UsbDevice(string deviceId, string description)
    {
        DeviceId = deviceId;
        Description = description;
    }

    public string DeviceId { get; private set; }
    public string Description { get; private set; }

    public int VID 
    {
        get { return int.Parse(GetIdentifierPart("VID_"), System.Globalization.NumberStyles.HexNumber); }
    }

    public int PID
    {
        get { return int.Parse(GetIdentifierPart("PID_"), System.Globalization.NumberStyles.HexNumber); }
    }

    private string GetIdentifierPart(string identifier)
    {
        var vidIndex = DeviceId.IndexOf(identifier, StringComparison.Ordinal);
        var startingAtVid = DeviceId.Substring(vidIndex + 4);
        return startingAtVid.Substring(0, 4);
    }
}
于 2013-08-13T07:12:27.553 回答