Michael
Michael

Reputation: 349

How can I loop through an IP address range in python

How can I loop through an IP address range in python? Lets say I want to loop through every IP from 192.168.1.1 to 192.168. How can this be done?

Upvotes: 14

Views: 36550

Answers (5)

Günhan Oral
Günhan Oral

Reputation: 361

If you want to loop through a network you can define a network using ipaddress module. Such as ipaddress.IPv4Network('192.168.1.0/24')

import ipaddress
for ip in ipaddress.IPv4Network('192.168.1.0/24'):
    print(ip)

This will produce a result like this:

192.168.1.0
192.168.1.1
192.168.1.2
192.168.1.3
...
192.168.1.255

But if you want to iterate through a range of ip's, you might need to convert between ip and integer.

>>> int(ipaddress.IPv4Address('10.0.0.1'))
167772161

So:

start_ip = ipaddress.IPv4Address('10.0.0.1')
end_ip = ipaddress.IPv4Address('10.0.0.5')
for ip_int in range(int(start_ip), int(end_ip)):
    print(ipaddress.IPv4Address(ip_int))

will produce a result like:

10.0.0.1
10.0.0.2
10.0.0.3
10.0.0.4

Upvotes: 26

Wolkenarchitekt
Wolkenarchitekt

Reputation: 21278

Using netaddr module: http://netaddr.readthedocs.io/en/latest/api.html#netaddr.IPSet.iter_ipranges

from netaddr import iter_iprange
generator = iter_iprange('192.168.1.1', '192.168.255.255', step=1)
generator.next() # 192.168.1.1
generator.next() # 192.168.1.2

Upvotes: 2

Petr Šimek
Petr Šimek

Reputation: 61

from netaddr import *
ip = IPNetwork('192.0.2.16/29')
>>> ip_list = list(ip)
>>> len(ip_list)
8
>>> ip_list
[IPAddress('192.0.2.16'), IPAddress('192.0.2.17'), ..., IPAddress('192.0.2.22'), IPAddress('192.0.2.23')]

Upvotes: 3

Ashwini Chaudhary
Ashwini Chaudhary

Reputation: 251196

You can use itertools.product:

for i,j in product(range(256),range(256)):
    print "192.168.{0}.{1}".format(i,j)

Upvotes: 5

Eric
Eric

Reputation: 97691

Did you try, you know, looping with range?

for i in range(256):
    for j in range(256):
        ip = "192.168.%d.%d" % (i, j)
        print ip

Upvotes: 4

Related Questions