任何人都知道如何比较2个ipaddress以查看ipaddress是否低于另一个。
即
bool b = CurrentIpAddress.IsLowerCompareTo(AnotherIPAddress);
我还想支持IPV4和IPV6。
答案 0 :(得分:4)
您可以调用IPAddress.GetAddressBytes并编写for循环来比较每个字节。
答案 1 :(得分:2)
您可以将每个IP地址转换为整数并以此方式进行比较。如果您可以访问最新.NET Framework的“扩展方法”功能,请尝试以下操作。
public static class IPExtensions
{
public static int ToInteger(this IPAddress IP)
{
int result = 0;
byte[] bytes = IP.GetAddressBytes();
result = (int)(bytes[0] << 24 | bytes[1] << 16 | bytes[2] << 8 | bytes[3]);
return result;
}
//returns 0 if equal
//returns 1 if ip1 > ip2
//returns -1 if ip1 < ip2
public static int Compare(this IPAddress IP1, IPAddress IP2)
{
int ip1 = IP1.ToInteger();
int ip2 = IP2.ToInteger();
return (((ip1 - ip2) >> 0x1F) | (int)((uint)(-(ip1 - ip2)) >> 0x1F));
}
}
class Program
{
static void Main(string[] args)
{
IPAddress ip1 = IPAddress.Parse("127.0.0.1");
IPAddress ip2 = IPAddress.Parse("10.254.254.254");
if (ip1.Compare(ip2) == 0)
Console.WriteLine("ip1 == ip2");
else if (ip1.Compare(ip2) == 1)
Console.WriteLine("ip1 > ip2");
else if (ip1.Compare(ip2) == -1)
Console.WriteLine("ip1 < ip2");
}
}
编辑这不支持IPv6,但可以修改以实现此目的。
答案 2 :(得分:2)
您可以将此项目用于IP地址比较:
http://www.codeproject.com/Articles/26550/Extending-the-IPAddress-object-to-allow-relative-c
答案 3 :(得分:1)
vane的想法正确,但不幸的是使用带符号的整数。关于这一点的问题在他对他的回答的评论中很明显。如果结果整数之一的最高有效位设置为1,则将其解释为负数并放弃比较。
这是经过修改的版本(使用Linqpad编写,因此不是完整的程序),可以产生正确的结果。
public static class IpExtensions
{
public static uint ToUint32(this IPAddress ipAddress)
{
var bytes = ipAddress.GetAddressBytes();
return ((uint)(bytes[0] << 24)) |
((uint)(bytes[1] << 16)) |
((uint)(bytes[2] << 8)) |
((uint)(bytes[3]));
}
}
public static int CompareIpAddresses(IPAddress first, IPAddress second)
{
var int1 = first.ToUint32();
var int2 = second.ToUint32();
if (int1 == int2)
return 0;
if (int1 > int2)
return 1;
return -1;
}
void Main()
{
var ip1 = new IPAddress(new byte[] { 255, 255, 255, 255 });
var ip2 = new IPAddress(new byte[] { 0, 0, 0, 0 });
Console.WriteLine(CompareIpAddresses(ip1, ip2));
}