在win32或.net中,如果主机名(字符串)解析为本地计算机,有人能想出一个简单的方法来判断吗?例如:

"myhostname"
"myhostname.mydomain.local"
"192.168.1.1"
"localhost"

此练习的目标是生成一个测试,该测试将告诉windows安全层是否将访问计算机视为本地或网络

最佳答案

在.NET中,您可以:

IPHostEntry iphostentry = Dns.GetHostEntry (Dns.GetHostName ());

然后对于任何主机名,检查它是否解析为iphostEntry.AddressList中的一个IP(这是一个IP地址[])。
下面是一个完整的程序,它将检查在命令行中传递的主机名/IP地址:
using System;
using System.Net;

class Test {
    static void Main (string [] args)
    {
        IPHostEntry iphostentry = Dns.GetHostEntry (Dns.GetHostName ());
        foreach (string str in args) {
            IPHostEntry other = null;
            try {
                other = Dns.GetHostEntry (str);
            } catch {
                Console.WriteLine ("Unknown host: {0}", str);
                continue;
            }
            foreach (IPAddress addr in other.AddressList) {
                if (IPAddress.IsLoopback (addr) || Array.IndexOf (iphostentry.AddressList, addr) != -1) {
                    Console.WriteLine ("{0} IsLocal", str);
                    break;
                }
            }
        }
    }
}

08-05 07:16