在Maria DB表中,我有两个varbinary(16)
字段,它们代表IPv6范围的开始和结束的IPv6地址。
我想使用PHP在此范围之间循环并生成该范围内的每个IPv6地址。我试图将二进制转换为十进制来执行循环并增加十进制数,但是循环不会产生任何迭代。
有帮助吗?
//The $IpStart_v6_FromDb/$IpStart_v6_End Vars are produced with INET6_ATON MariaDB function
$IpStartBin = decbin($IpStart_v6_FromDb);
$IpEndBin = decbin($IpEnd_v6_FromDb);
$ArIpRange = array();
$ArIpRange[] = $IpStartBin;
$x=0;
for(;;)
{
if ($IpStartBin==$IpEndBin) break;
$tLastIpBin = $ArIpRange[$x];
$tNextIpBin = decbin( (bindec($tLastIpBin) + 1) );
if ($tNextIpBin==$IpEndBin) break;
$ArIpRange[] = $tNextIpBin;
$x++;
}
foreach ($ArIpRange as $v)
{
echo "<br>IP range item:<br>".base64_encode($v); //debug
}
[编辑]
我很尴尬地说我以为IPv6地址的长度是64位。
答案 0 :(得分:1)
因此,一些简单的故障排除或reading the manual会告诉您decbin
希望输入整数。所以马上就可以将两个变量都归零。
此外,即使您确实解决了该问题(使用bindec
),您所谈论的也是128位数字,除非您来自未来,否则不是PHP可以原生处理的。
我建议将它们作为字符串处理。首先使用this answer中的代码对它们进行规范化(填写缺失的零并用::替换零:),然后使用this answer中的代码查找并删除匹配的前缀,然后通过将其转换为大量来处理其余的前缀较小的数字。
而且,如评论中所述,请确保不要尝试处理太大的范围,否则会使服务器不满意。
<?php
// https://stackoverflow.com/a/55521768/1255289
// Generate a list of IPv6 addresses within a given range
function expand_ipv6(string $ip): ?string
{
// https://stackoverflow.com/a/12095836/1255289
$hex = unpack("H*", inet_pton($ip))[1] ?? "";
return (strlen($hex) === 32) ? implode(":", str_split($hex, 4)) : null;
}
$IpStart_v6_FromDb = "2001:db8::1234";
$IpEnd_v6_FromDb = "2001:db8::1299";
$ip1 = expand_ipv6($IpStart_v6_FromDb);
$ip2 = expand_ipv6($IpEnd_v6_FromDb);
if ($ip1 === null || $ip2 === null) {
die;
}
// https://stackoverflow.com/a/35838357/1255289
// length is 39 to account for 7 colons
for ($i = 0; $i < 39 && $ip1[$i] === $ip2[$i]; $i++);
$ipv6_prefix = substr($ip1, 0, $i);
$ipv6_start = hexdec(substr($ip1, $i));
$ipv6_end = hexdec(substr($ip2, $i));
if (strlen($ipv6_prefix) < 26) {
// adjust this to requirements to prevent too large ranges
die;
}
for ($a = $ipv6_start; $a <= $ipv6_end; $a++) {
$hex = dechex($a);
printf("%s%s\n", $ipv6_prefix, implode(":", str_split($hex, 4)));
}