8

有没有一个查询可以做到这一点?

例如给定一个条目'216.55.82.34' ..我想用'.'分割字符串,并应用等式:

IP 编号 = 16777216*w + 65536*x + 256*y + z 其中 IP 地址 = wxyz

仅通过查询就可以实现吗?

4

5 回答 5

29

您可以简单地将 inet 数据类型转换为 bigint:(inet_column - '0.0.0.0'::inet)

例如:

SELECT ('127.0.0.1'::inet - '0.0.0.0'::inet) as ip_integer

将输出 2130706433,即 IP 地址 127.0.0.1 的整数表示

于 2015-07-10T11:42:24.993 回答
11

您可以使用split_part(). 例如:

CREATE FUNCTION ip2int(text) RETURNS bigint AS $$ 
SELECT split_part($1,'.',1)::bigint*16777216 + split_part($1,'.',2)::bigint*65536 +
 split_part($1,'.',3)::bigint*256 + split_part($1,'.',4)::bigint;
$$ LANGUAGE SQL  IMMUTABLE RETURNS NULL ON NULL INPUT;


SELECT ip2int('200.233.1.2');
>> 3370713346

或者,如果不想定义函数,只需:

SELECT split_part(ip,'.',1)::bigint*16777216 + split_part(ip,'.',2)::bigint*65536 +
 split_part(ip,'.',3)::bigint*256 + split_part(ip,'.',4)::bigint;

后者的缺点是,如果该值是由某些计算给出的,而不仅仅是一个表字段,那么计算效率可能会低下,或者写起来很难看。

于 2013-03-27T15:45:15.753 回答
1

PG 9.4

create or replace function ip2numeric(ip varchar) returns numeric AS
$$
DECLARE
  ip_numeric numeric;
BEGIN
  EXECUTE format('SELECT inet %L - %L', ip, '0.0.0.0') into ip_numeric;

  return ip_numeric;
END;
$$ LANGUAGE plpgsql;

用法

select ip2numeric('192.168.1.2');
$ 3232235778
于 2015-07-01T13:20:43.090 回答
0
create function dbo.fn_ipv4_to_int( p_ip text)
returns int
as $func$ 
select cast(case when cast( split_part(p_ip, '.', 1 ) as int ) >= 128
then 
(
( 256 - cast(split_part(p_ip, '.', 1 ) as int ))
* 
-power ( 2, 24 ) 
)
+ (cast( split_part(p_ip, '.', 2 ) as int ) * 65536 )
+ (cast( split_part(p_ip, '.', 3 ) as int ) * 256 )
+ (cast( split_part(p_ip, '.', 4 ) as int )  )

else (cast(split_part(p_ip, '.', 1 ) as int) * 16777216)
+ (cast(split_part(p_ip, '.', 2 ) as int) * 65536)
+ (cast(split_part(p_ip, '.', 3 ) as int) * 256)
+ (cast(split_part(p_ip, '.', 4 ) as int))
end as int )
$func$ LANGUAGE SQL  IMMUTABLE RETURNS NULL ON NULL INPUT;

如果您需要获得 32 位整数。它将返回超过 128.0.0.0 的 ips 的负数。如果可以的话,我会使用 bigint,但是当我将数字存储为来自另一个数据库的 32 位数字时,我有一个案例。

于 2018-05-11T19:34:27.163 回答
0

考虑将列数据类型更改为 inet,也许效率更高。

ALTER TABLE iptable ALTER COLUMN ip_from TYPE inet
USING '0.0.0.0'::inet + ip_from::bigint;

create index on iptable using gist (ip_from inet_ops);

然后去查询

SELECT ip_from
FROM iptable 
WHERE ip_from = '177.99.194.234'::inet
于 2021-08-07T20:08:24.823 回答