我想检查一个 IP 地址是否在某个范围内,"*"
仅匹配。例如,“202.121.189.8”在“202.121.189. *
”中。
场景是我有一个被禁止的 IP 列表,其中一些包含"*"
,所以我写了一个函数,到目前为止它工作正常:
static bool IsInRange(string ip, List<string> ipList)
{
if (ipList.Contains(ip))
{
return true;
}
var ipSets = ip.Split('.');
foreach (var item in ipList)
{
var itemSets = item.Split('.');
for (int i = 0; i < 4; i++)
{
if (itemSets[i] == "*")
{
bool isMatch = true;
for (int j = 0; j < i; j++)
{
if (ipSets[i - j - 1] != itemSets[i - j - 1])
{
isMatch = false;
}
}
if (isMatch)
{
return true;
}
}
}
}
return false;
}
测试代码:
string ip = "202.121.189.8";
List<string> ipList = new List<string>() { "202.121.168.25", "202.121.189.*" };
Console.WriteLine(IsInRange(ip, ipList));
但是我认为我写的很愚蠢,我想优化它,有没有人知道如何简化这个功能?不要使用这么多“for....if...”。