Elixir:验证特定范围内的 IP

问题描述 投票:0回答:4

需要检查给定的IP是否存在于这些多个范围内

Given IP: 49.14.1.2
Ranges: 49.14.0.0 - 49.14.63.255, 106.76.96.0 - 106.76.127.255, and so on

我尝试过转换为整数并验证范围。有没有其他方法可以在 IP 本身中执行而不转换为整数

elixir phoenix-framework
4个回答
3
投票

如果您知道 CIDR IP 表示法,那么您可以使用以下方法检查特定 IP 地址是否在 IP 范围内:

> cidr = InetCidr.parse("49.14.0.0/16")
{{49, 14, 0, 0}, {49, 14, 255, 255}, 16}

> address = InetCidr.parse_address!("49.14.1.2") 
{49, 14, 1, 2}

> InetCidr.contains?(cidr, address)
true

https://github.com/Cobenian/inet_cidr


2
投票

使用

:inet.parse_address/1
将地址转换为元组形式,并使用简单元组比较进行比较。

iex(33)> a_ip = :inet.parse_address(a)
{:ok, {49, 14, 1, 2}}
iex(34)> low_ip = :inet.parse_address(low)
{:ok, {49, 14, 0, 0}}
iex(35)> high_ip = :inet.parse_address(high)
{:ok, {49, 14, 63, 255}}
iex(36)> a_ip < low_ip
false
iex(37)> a_ip > low_ip
true
iex(38)> a_ip < high_ip
true
iex(39)> a_ip > high_ip
false

2
投票

您可以使用尾递归函数来处理大列表,并检查每个列表。大致如下:

# First parameter: ip
# Second parameter the list of ranges in a tuple
# Third parameter the passed list, i.e. the ranges it does match
# It return the list of range(s) that the ip matched.
def ip_in_range(ip, [], match_list) do: match_list
def ip_in_range(ip, [{from_ip, to_ip} | rest], match_list) when ip > from_ip and ip < to_ip do: ip_in_range(ip, rest, [{from_ip, to_ip} | match_list])
def ip_in_range(ip, [{from_ip, to_ip} | rest], match_list) when ip < from_ip or ip > to_ip do: ip_in_range(ip, rest, match_list)

然后你可以用 inet:parse_address/1 结果开始它,例如:

ranges = [{{49, 14, 0, 0}, {49, 14, 63, 255}}, ...]
ip_in_range({49, 14, 1, 2}, ranges, [])

您可以根据需要对其进行塑造,即检查它属于多少个范围。或者甚至在第一个范围检查成功时退出。


0
投票

除了其他人的建议之外,net_address还提供了一种简单而轻量级的方法来使用IP和范围。

在OP的情况下,你可以这样做:

iex(9)> import IP
IP
iex(10)> ip_ranges = [~i"49.14.0.0..49.14.63.255", ~i"106.76.96.0..106.76.127.255"]
[~i"49.14.0.0..49.14.63.255", ~i"106.76.96.0..106.76.127.255"]
iex(11)> {:ok, ip} = from_string("49.14.1.2")
{:ok, {49, 14, 1, 2}}
iex(12)> ip
{49, 14, 1, 2}
iex(13)> Enum.any?(ip_ranges, fn ip_range -> ip in ip_range end)
true
iex(14)> {:ok, ip} = from_string("49.14.64.1")
{:ok, {49, 14, 64, 1}}
iex(15)> Enum.any?(ip_ranges, fn ip_range -> ip in ip_range end)
false

有关更多信息,请查看此文档

© www.soinside.com 2019 - 2024. All rights reserved.