【发布时间】:2010-10-13 09:21:25
【问题描述】:
如何获取调用我的 ASP.NET 页面的服务器的 IP 地址?我见过关于 Response 对象的东西,但在 c# 中我很新。非常感谢。
【问题讨论】:
如何获取调用我的 ASP.NET 页面的服务器的 IP 地址?我见过关于 Response 对象的东西,但在 c# 中我很新。非常感谢。
【问题讨论】:
这应该有效:
//this gets the ip address of the server pc
public string GetIPAddress()
{
IPHostEntry ipHostInfo = Dns.GetHostEntry(Dns.GetHostName()); // `Dns.Resolve()` method is deprecated.
IPAddress ipAddress = ipHostInfo.AddressList[0];
return ipAddress.ToString();
}
http://wec-library.blogspot.com/2008/03/gets-ip-address-of-server-pc-using-c.html
或
//while this gets the ip address of the visitor making the call
HttpContext.Current.Request.UserHostAddress;
http://www.geekpedia.com/KB32_How-do-I-get-the-visitors-IP-address.html
【讨论】:
Request.ServerVariables["LOCAL_ADDR"];
这为多宿主服务器提供了请求进入的 IP
【讨论】:
System.Net.Dns,那你就错了。
上面的方法很慢,因为它需要一个 DNS 调用(如果一个不可用,显然不会工作)。您可以使用下面的代码获取当前电脑的本地 IPV4 地址及其对应的子网掩码的映射:
public static Dictionary<IPAddress, IPAddress> GetAllNetworkInterfaceIpv4Addresses()
{
var map = new Dictionary<IPAddress, IPAddress>();
foreach (var ni in NetworkInterface.GetAllNetworkInterfaces())
{
foreach (var uipi in ni.GetIPProperties().UnicastAddresses)
{
if (uipi.Address.AddressFamily != AddressFamily.InterNetwork) continue;
if (uipi.IPv4Mask == null) continue; //ignore 127.0.0.1
map[uipi.Address] = uipi.IPv4Mask;
}
}
return map;
}
警告:这在 Mono 中尚未实现
【讨论】:
//this gets the ip address of the server pc
public string GetIPAddress()
{
string strHostName = System.Net.Dns.GetHostName();
//IPHostEntry ipHostInfo = Dns.Resolve(Dns.GetHostName()); <-- Obsolete
IPHostEntry ipHostInfo = Dns.GetHostEntry(strHostName);
IPAddress ipAddress = ipHostInfo.AddressList[0];
return ipAddress.ToString();
}
【讨论】:
这适用于 IPv4:
public static string GetServerIP()
{
IPHostEntry ipHostInfo = Dns.GetHostEntry(Dns.GetHostName());
foreach (IPAddress address in ipHostInfo.AddressList)
{
if (address.AddressFamily == AddressFamily.InterNetwork)
return address.ToString();
}
return string.Empty;
}
【讨论】:
下面的快照取自Mkyong,用于在谷歌浏览器中显示开发者控制台中的网络选项卡。在“请求标头”选项卡中,您可以看到所有服务器变量的列表,如下所示:
下面是几行代码,可以获取访问您的应用程序的客户端的 IP 地址
//gets the ipaddress of the machine hitting your production server
string ipAddress = HttpContext.Current.Request.ServerVariables["HTTP_X_FORWARDED_FOR"];
if (ipAddress == "" || ipAddress == null)
{
//gets the ipaddress of your local server(localhost) during development phase
ipAddress = HttpContext.Current.Request.ServerVariables["REMOTE_ADDR"];
}
//Output:
For production server - 122.169.106.247 (random)
For localhost - ::1
【讨论】: