Alla fine di questa risposta troverete una completa implementazione di una struttura per rappresentare un indirizzo IPv4.
qui è davvero semplice esempio di utilizzo: -
List<IPV4Address> list = new List<IPV4Address>();
list.Add(IPV4Address.FromString("3.4.0.0", 24));
var x = IPV4Address.FromString("3.4.0.6");
foreach (var addr in list.Where(a => a.Contains(x)))
Console.WriteLine(addr);
Il valore "3.4.0.0/255.255.255.0" viene visualizzato inthe console dal 3.4.0.6 si trova nel 3.4.0.0/24 sottorete. Supponendo list
è piena di varie sottoreti e x
potrebbe contenere qualsiasi indirizzo allora questo: -
var result = list.Where(a => a.Contains(x))
.OrderByDescending(a => a.Mask)
.FirstOrDefault();
selezionerà la sottorete più specifico per che contiene x
.
public struct IPV4Address
{
private UInt32 _Value;
private UInt32 _Mask;
public UInt32 Value
{
get { return _Value; }
private set { _Value = value; }
}
public UInt32 Mask
{
get { return _Mask; }
private set { _Mask = value; }
}
public static IPV4Address FromString(string address)
{
return FromString(address, 32);
}
public static IPV4Address FromString(string address, int maskLength)
{
string[] parts = address.Split('.');
UInt32 value = ((UInt32.Parse(parts[0]) << 24) +
((UInt32.Parse(parts[1])) << 16) +
((UInt32.Parse(parts[2])) << 8) +
UInt32.Parse(parts[3]));
return new IPV4Address(value, maskLength);
}
public IPV4Address(UInt32 value)
{
_Value = value;
_Mask = int.MaxValue;
}
public IPV4Address(UInt32 value, int maskLength)
{
if (maskLength < 0 || maskLength > 32)
throw new ArgumentOutOfRangeException("maskLength", "Must be 0 to 32");
_Value = value;
if (maskLength == 32)
_Mask = UInt32.MaxValue;
else
_Mask = ~(UInt32)((1 << (32 - maskLength))-1);
if ((_Value & _Mask) != _Value)
throw new ArgumentException("Address value must be contained in mask");
}
public bool Contains(IPV4Address address)
{
if ((Mask & address.Mask) == Mask)
{
return (address.Value & Mask) == Value;
}
return false;
}
public override string ToString()
{
string result = String.Format("{0}.{1}.{2}.{3}", (_Value >> 24),
(_Value >> 16) & 0xFF,
(_Value >> 8) & 0xFF,
_Value & 0xFF);
if (_Mask != UInt32.MaxValue)
result += "/" + String.Format("{0}.{1}.{2}.{3}", (_Mask >> 24),
(_Mask >> 16) & 0xFF,
(_Mask >> 8) & 0xFF,
_Mask & 0xFF);
return result;
}
}
+1, Ma il costruttore di ipawpl non dovrebbe usare una lunghezza prefissata di 32? Idealmente, dovrebbe essere trovata anche un'istanza costruita con IPAddressWithPrefixLength (IPAddress.Parse ("3.4.5.6"), 32), giusto? –
@Vinay: Non credo, perché la lunghezza del prefisso in 3.4.5.6 è ancora di 16 bit, no? (o 24?) – dtb
@dtb: volevo dire che l'indirizzo di rete (con il prefisso di 16 bit) dovrebbe corrispondere a un indirizzo arbitrario nella sottorete (che potrebbe essere un indirizzo a 32 bit completo o un 24 bit sottorete della rete originale 3.4.0.0). –