通过访问特定的网址,可以获取本机所在网络的公网IP。
根据网址返回的信息结构,可以使用3种解析办法。
1,对于直接返回ip地址的
https://ident.me
https://ifconfig.me/ip
http://icanhazip.com
https://checkip.amazonaws.com
以上4个网址直接返回ip,可用如下示例代码获取公网ip
import requests
def get_external_ip():
? ? try:
? ? ? ? ip = requests.get('https://ident.me').text.strip()
? ? ? ? return ip
? ? except:
? ? ? ? return None
2,对于返回json,ip地址为json中的一节点
http://jsonip.com/
http://ip.jsontest.com/
http://www.trackip.net/ip?json
以上3个网址返回的是json字符串,根据字符串内容,可用如下示例代码获取公网ip(假如json中ip节点存储有信息)
import requests
def get_external_ip():
? ? try:
? ? ? ? ip = requests.get("http://jsonip.com/").json().get('ip')
? ? ? ? return ip
? ? except:
? ? ? ? return None
3,对于返回xml的
https://ip.tool.chinaz.com/
上面网址返回的xml文档,需要解析xml文档,找到对应节点获取ip地址,示例代码如下
import requests
from bs4 import BeautifulSoup
def get_external_ip():
? ? try:
? ? ? ? website = 'https://ip.tool.chinaz.com/'
? ? ? ? rsp = requests.get(url=website)
? ? ? ? soup = BeautifulSoup(rsp.text, 'lxml')
? ? ? ? ip = soup.find("dd", class_="fz24").get_text()
? ? ? ? return ip
? ? except:
? ? ? ? return None
第1、2方式获取ip地址是最简洁的。
|