如何从二进制转换IPv6以便在MySQL中存储

我试图以有效的方式在MySQL 5.0中存储IPv6地址。 我已经阅读了与此相关的其他问题, 比如这个 。 这个问题的作者最终select了两个BIGINT字段。 我的search也出现了另一个经常使用的机制:使用DECIMAL(39,0)来存储IPv6地址。 我有两个问题。

  1. 使用DECIMAL(39,0)比其他方法(如2 * BIGINT)有什么优点和缺点?
  2. 如何将inet_pton()返回的二进制格式转换为MySQL可用的十进制string格式,如何转换回来以便我可以使用inet_ntop()进行相当的打印?

我们去了一个VARBINARY(16)列,并使用inet_pton()inet_ntop()来进行转换:

https://bitbucket.org/skion/mysql-udf-ipv6

这些函数可以加载到正在运行的MySQL服务器中,并将在SQL中为您提供INET6_NTOPINET6_PTON ,就像熟悉的IPv4的INET_NTOAINET_ATON函数一样。

编辑:现在在MySQL中有兼容的function,只是不同的 名称 。 如果您使用的是5.6以前版本的MySQL并且正在寻找一个方便的未来升级途径,请仅使用上述内容。

这里是我现在用来转换IP地址和DECIMAL(39,0)格式的function。 它们被命名为inet_ptod和inet_dtop,用于“presentation-to-decimal”和“decimal-to-presentation”。 它需要在PHP中支持IPv6和bcmath。

 /** * Convert an IP address from presentation to decimal(39,0) format suitable for storage in MySQL * * @param string $ip_address An IP address in IPv4, IPv6 or decimal notation * @return string The IP address in decimal notation */ function inet_ptod($ip_address) { // IPv4 address if (strpos($ip_address, ':') === false && strpos($ip_address, '.') !== false) { $ip_address = '::' . $ip_address; } // IPv6 address if (strpos($ip_address, ':') !== false) { $network = inet_pton($ip_address); $parts = unpack('N*', $network); foreach ($parts as &$part) { if ($part < 0) { $part = bcadd((string) $part, '4294967296'); } if (!is_string($part)) { $part = (string) $part; } } $decimal = $parts[4]; $decimal = bcadd($decimal, bcmul($parts[3], '4294967296')); $decimal = bcadd($decimal, bcmul($parts[2], '18446744073709551616')); $decimal = bcadd($decimal, bcmul($parts[1], '79228162514264337593543950336')); return $decimal; } // Decimal address return $ip_address; } /** * Convert an IP address from decimal format to presentation format * * @param string $decimal An IP address in IPv4, IPv6 or decimal notation * @return string The IP address in presentation format */ function inet_dtop($decimal) { // IPv4 or IPv6 format if (strpos($decimal, ':') !== false || strpos($decimal, '.') !== false) { return $decimal; } // Decimal format $parts = array(); $parts[1] = bcdiv($decimal, '79228162514264337593543950336', 0); $decimal = bcsub($decimal, bcmul($parts[1], '79228162514264337593543950336')); $parts[2] = bcdiv($decimal, '18446744073709551616', 0); $decimal = bcsub($decimal, bcmul($parts[2], '18446744073709551616')); $parts[3] = bcdiv($decimal, '4294967296', 0); $decimal = bcsub($decimal, bcmul($parts[3], '4294967296')); $parts[4] = $decimal; foreach ($parts as &$part) { if (bccomp($part, '2147483647') == 1) { $part = bcsub($part, '4294967296'); } $part = (int) $part; } $network = pack('N4', $parts[1], $parts[2], $parts[3], $parts[4]); $ip_address = inet_ntop($network); // Turn IPv6 to IPv4 if it's IPv4 if (preg_match('/^::\d+.\d+.\d+.\d+$/', $ip_address)) { return substr($ip_address, 2); } return $ip_address; }