11

我正在使用 WMI (Win32_NetworkAdapter) 并尝试获取连接的有线或无线物理网络适配器的详细信息,并避免使用虚拟适配器等。

阅读这篇文章,它解释了您必须对 WMI 进行一些巧妙的查询,以消除虚拟适配器并尝试仅返回真实的物理适配器。

阅读这篇文章,它解释说您可以比较网络适配器的“描述”中的文本,看看它是否包括“无线”、“802.11”或“WLAN”,如果有,那么很可能适配器是无线的适配器。

随着今天的 .Net 版本和其他改进,在 Windows XP+ 上确定网络适配器是有线还是无线以及不是来自 VM 软件等的虚拟适配器真的只有这两种方法吗?如果不是,请解释。

4

3 回答 3

4

您可以在“root\StandardCimv2”命名空间中使用新的 WMI 类MSFT_NetAdapter。此类是在Windows 8中引入的。

我们可以使用属性ConnectorPresent仅过滤到物理适配器。接下来我们必须消除 Wi-Fi 适配器(存在于物理适配器中),我们可以使用InterfaceType和/或NdisPhysicalMedium属性。

InterfaceType由 Internet 名称分配机构 (IANA) 定义,对于所有类似以太网的接口,其值为ethernetCsmacd (6)(参见https://www.iana.org/assignments/ianaiftype-mib/ianaiftype-mib)。

NdisPhysicalMedium中,以太网适配器的值为0802.3 (14)

所以我在 C# 中的解决方案是:

try
{
    var objectSearcher = new ManagementObjectSearcher("root\\StandardCimv2", $@"select Name, InterfaceName, InterfaceType, NdisPhysicalMedium from MSFT_NetAdapter where ConnectorPresent=1"); //Physical adapter

    int count = 0;
    foreach (var managementObject in objectSearcher.Get())
    {
        //The locally unique identifier for the network interface. in InterfaceType_NetluidIndex format. Ex: Ethernet_2.
        string interfaceName = managementObject["InterfaceName"]?.ToString();
        //The interface type as defined by the Internet Assigned Names Authority (IANA).
        //https://www.iana.org/assignments/ianaiftype-mib/ianaiftype-mib
        UInt32 interfaceType = Convert.ToUInt32(managementObject["InterfaceType"]);
        //The types of physical media that the network adapter supports.
        UInt32 ndisPhysicalMedium = Convert.ToUInt32(managementObject["NdisPhysicalMedium"]);

        if (!string.IsNullOrEmpty(interfaceName) &&
            interfaceType == 6 &&       //ethernetCsmacd(6) --for all ethernet-like interfaces, regardless of speed, as per RFC3635
            (ndisPhysicalMedium == 0 || ndisPhysicalMedium == 14))   //802.3
        {
            count++;
        }
    }

    return count;
}
catch (ManagementException)
{
    //Run-time requirements WMI MSFT_NetAdapter class is included in Windows 8 and Windows Server 2012
}
于 2017-08-17T13:01:17.977 回答
2

我看到这是一个老问题,但我在互联网上的其他地方找到了一个答案,它描述了如何做到这一点(一直向下滚动到评论)。

评论者的技术允许识别 WiFi 和蓝牙接口,其中所有其他类型可以组合在一起。如果目标只是将 WiFi 与以太网适配器分开,那应该就足够了。

查询是(Powershell 示例):

$nics = Get-WmiObject -Namespace "root/CIMV2" -Query "SELECT * FROM Win32_NetworkAdapter"
$types = Get-WmiObject -Namespace "root/WMI" -Query "SELECT * FROM MSNdis_PhysicalMediumType"

第一个查询是提供适配器列表的常用方法。如前所述,可以通过许多其他选择标准将其过滤为仅包括有效的物理设备。

第二个查询返回一个带有NdisPhysicalMediumType属性的 WMI 对象,根据链接的站点,WiFi的值为9,蓝牙的值为10 ,以太网和大多数其他适配器类型的值为 0

看起来连接这两个查询必须使用第一个查询的NameorDescription属性和InstanceName第二个查询的属性在脚本中手动完成。

于 2015-06-11T16:31:48.823 回答
0
select * from Win32_NetworkAdapter where NetConnectionID LIKE "%Wireless%" or NetConnectionID LIKE "%Wi-Fi%"
于 2019-04-26T13:25:20.740 回答