3

是否可以在 Java 程序中访问 Windows 机器的 ipconfig /all 输出的“特定于连接的 DNS 后缀”字段中包含的字符串?

例如:

C:>ipconfig /全部

以太网适配器本地连接:

    Connection-specific DNS Suffix  . : myexample.com  <======== This string
    Description . . . . . . . . . . . : Broadcom NetXtreme Gigabit Ethernet
    Physical Address. . . . . . . . . : 00-30-1B-B2-77-FF
    Dhcp Enabled. . . . . . . . . . . : Yes
    Autoconfiguration Enabled . . . . : Yes
    IP Address. . . . . . . . . . . . : 192.168.1.66
    Subnet Mask . . . . . . . . . . . : 255.255.255.0

我知道 getDisplayName() 将返回描述(例如:上面的 Broadcom NetXtreme Gigabit Ethernet),并且 getInetAddresses() 将为我提供绑定到此网络接口的 IP 地址列表。

但是还有阅读“特定于连接的 DNS 后缀”的方法吗?

4

2 回答 2

3

好的,所以我想出了如何在 Windows XP 和 Windows 7 上执行此操作:

  • 在 ipconfig /all 的输出中列出的每个网络接口的连接特定 DNS 后缀字段中包含的字符串(例如:myexample.com)可以在注册表中找到 HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\Tcpip\Parameters\Interfaces {GUID}(其中 GUID 是感兴趣的网络接口的 GUID)作为名为 DhcpDomain 的字符串值(类型 REG_SZ)。
  • 在 Java 中访问 Windows 注册表项并不简单,但通过巧妙地使用反射,可以访问在 HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\Tcpip\Parameters\Interfaces\ 下找到的所需网络适配器的密钥,然后读取字符串数据元素名称 Dhcp 域;它的值是必需的字符串。
  • 有关从 Java 访问 Windows 注册表的示例,请参见以下链接:
于 2011-06-02T01:59:53.897 回答
1

我使用了一种更复杂的方法,它适用于所有平台。

在 Windows 7、Ubuntu 12.04 和一些未知的 Linux 发行版(Jenkins 构建主机)和一台 MacBook(未知的 MacOS X 版本)上进行了测试。

始终使用 Oracle JDK6。从未与其他 VM 供应商进行过测试。

String findDnsSuffix() {

// First I get the hosts name
// This one never contains the DNS suffix (Don't know if that is the case for all VM vendors)
String hostName = InetAddress.getLocalHost().getHostName().toLowerCase();

// Alsways convert host names to lower case. Host names are 
// case insensitive and I want to simplify comparison.

// Then I iterate over all network adapters that might be of interest
Enumeration<NetworkInterface> ifs = NetworkInterface.getNetworkInterfaces();

if (ifs == null) return ""; // Might be null

for (NetworkInterface iF : Collections.list(ifs)) { // convert enumeration to list.
    if (!iF.isUp()) continue;

    for (InetAddress address : Collections.list(iF.getInetAddresses())) {
        if (address.isMulticastAddress()) continue;

        // This name typically contains the DNS suffix. Again, at least on Oracle JDK
        String name = address.getHostName().toLowerCase();

        if (name.startsWith(hostName)) {
            String dnsSuffix = name.substring(hostName.length());
            if (dnsSuffix.startsWith(".")) return dnsSuffix;
        }
    }
}

return "";
}

注意:我在编辑器中写了代码,并没有复制实际使用的解决方案。它也不包含错误处理,例如没有名称的计算机、无法解析 DNS 名称、...

于 2014-01-29T15:51:12.773 回答