我想打印给定蒙版的所有可能的IP。我有这个代码来获取它,但似乎我遗漏了一些东西,因为我无法得到IP列表。我的代码基于this other post。
unsigned int ipaddress, subnetmask;
inet_pton(AF_INET, b->IpAddressList.IpAddress.String, &ipaddress);
inet_pton(AF_INET, b->IpAddressList.IpMask.String, &subnetmask);
for (unsigned int i = 1; i<(~subnetmask); i++) {
auto ip = ipaddress & (subnetmask + i);
}
示例:ipaddress = 172.22.0.65 netmask = 255.255.252.0
我期待:
172.22.0.1 172.22.0.2 172.22.0.3 172.22.0.4 ...
更新:我尝试了这段代码,但它不起作用:
char* ip = "172.22.0.65";
char* netmask = "255.255.252.0";
struct in_addr ipaddress, subnetmask;
inet_pton(AF_INET, ip, &ipaddress);
inet_pton(AF_INET, netmask, &subnetmask);
unsigned long first_ip = ntohl(ipaddress.s_addr & subnetmask.s_addr);
unsigned long last_ip = ntohl(ipaddress.s_addr | ~(subnetmask.s_addr));
for (unsigned long ip = first_ip; ip <= last_ip; ++ip) {
unsigned long theip = htonl(ip);
struct in_addr x = { theip };
printf("%s\n", inet_ntoa(x));
}
答案 0 :(得分:3)
您正在和使用更改的主机部分添加子网掩码(基本上已添加)的IP地址。优先权在这里是错误的。您应该和使用网络掩码获取网络部分的IP地址,然后或那里的主机部分:
auto ip = (ipaddress & subnetmask) | i;
此外,inet_pton
的结果不是int
,而是struct in_addr
,所以YMMV也是如此。最有可能的是,您应该使用inet_addr
代替它,因为它返回uint32_t
:
ip_address = inet_addr("127.0.0.1");
但是你的代码再次希望127
是最重要的字节,它不在LSB系统上。因此,您需要将这些地址与ntohl
交换一次,然后与htonl
交换。
因此我们得到类似的东西:
uint32_t ipaddress;
uint32_t subnetmask;
ipaddress = ntohl(inet_addr(b->IpAddressList.IpAddress.String));
subnetmask = ntohl(inet_addr(b->IpAddressList.IpMask.String));
for (uint32_t i = 1; i<(~subnetmask); i++) {
uint32_t ip = (ipaddress & subnetmask) | i;
struct in_addr x = { htonl(ip) };
printf("%s\n", inet_ntoa(x));
}
答案 1 :(得分:2)
您可以使用输入掩码按位AND
输入IP地址以确定范围中的第一个IP,并使用掩码的反转按位OR
输入IP地址以确定最后一个IP范围中。然后你可以遍历两者之间的值。
此外,inet_pton(AF_INET)
需要指向struct in_addr
的指针,而不是unsigned int
。
请改为尝试:
struct in_addr ipaddress, subnetmask;
inet_pton(AF_INET, b->IpAddressList.IpAddress.String, &ipaddress);
inet_pton(AF_INET, b->IpAddressList.IpMask.String, &subnetmask);
unsigned long first_ip = ntohl(ipaddress.s_addr & subnetmask.s_addr);
unsigned long last_ip = ntohl(ipaddress.s_addr | ~(subnetmask.s_addr));
for (unsigned long ip = first_ip; ip <= last_ip; ++ip) {
unsigned long theip = htonl(ip);
// use theip as needed...
}
例如:
172.22.0.65 & 255.255.252.0 = 172.22.0.0
172.22.0.65 | 0.0.3.255 = 172.22.3.255