I’m trying to find the Country name for the given IP address using the ‘GeoIP2-City.mmdb’ file.
Ex: IP: 24.171.221.56, I need to get ‘Puerto Rico’. But this isn’t working when I passed the IP address in a function.
JavaScript
x
14
14
1
ipa = ['24.171.221.56']
2
3
def country(ipa, reader):
4
try:
5
response = reader.city(ipa)
6
response = response.country.name
7
return response
8
except:
9
return 'NA'
10
11
country(ipa, reader=geoip2.database.Reader('GeoIP2-City.mmdb'))
12
13
'NA'
14
However, If I use the actual IP address in the function it is returning ‘Puerto Rico’
JavaScript
1
14
14
1
ipa = ['24.171.221.56']
2
3
def country(ipa, reader):
4
try:
5
response = reader.city('24.171.221.56')
6
response = response.country.name
7
return response
8
except:
9
return 'NA'
10
11
country(ipa, reader=geoip2.database.Reader('GeoIP2-City.mmdb'))
12
13
'Puerto Rico'
14
Can someone help with this?
Advertisement
Answer
You can try the following code snippet.
Code:
JavaScript
1
18
18
1
import geoip2.database as ip_db
2
3
4
ip_list = ['24.171.221.56', '81.212.104.158', '90.183.159.46']
5
6
def country(ip_list, reader):
7
country_dict = {}
8
for ip in ip_list:
9
try:
10
response = reader.city(ip)
11
country = response.country.name
12
country_dict[ip] = country
13
except:
14
country_dict[ip] = 'NA'
15
return country_dict
16
17
print(country(ip_list, reader=ip_db.Reader('GeoIP2-City.mmdb')))
18
Output:
JavaScript
1
2
1
{'24.171.221.56': 'Puerto Rico', '81.212.104.158': 'Turkey', '90.183.159.46': 'Czechia'}
2