Android 获取外网IP地址
最近公司需要通过外网IP地址定位设备,所以我就撸了一把,其实我们在本地是无法获取到外网的IP地址的,得借助服务器;所以我就直接撸码,哈哈;
之前开发的时候,一分钟搞定,没想到老大过来说,需要的是外网IP,当时一脸懵逼,后来研究了一下,确实通过一下代码只能拿到局域网的IP地址(当然在手机上海要考虑wifi和G网,一般如果打开了wifi那么久没有G网,所以我的代码还是可行的):
获取局域网IP
public static String getInNetIp(Context context) {
//获取wifi服务
WifiManager wifiManager = (WifiManager) context.getSystemService(Context.WIFI_SERVICE);
//判断wifi是否开启
if (!wifiManager.isWifiEnabled()) {
wifiManager.setWifiEnabled(true);
}
WifiInfo wifiInfo = wifiManager.getConnectionInfo();
int ipAddress = wifiInfo.getIpAddress();
String ip = intToIp(ipAddress);
return ip;
}
//这段是转换成点分式IP的码
private static String intToIp(int ip) {
return (ip & 0xFF) + "." + ((ip >> 8) & 0xFF) + "." + ((ip >> 16) & 0xFF) + "." + (ip >> 24 & 0xFF);
}
获取外网IP
要想拿到外网IP,得通过访问外网网站,或者像纯真IP,查询,所以我也是这样做的:
private static String[] platforms = {
"http://pv.sohu.com/cityjson",
"http://pv.sohu.com/cityjson?ie=utf-8",
"http://ip.chinaz.com/getip.aspx"
};
public static String getOutNetIP(Context context, int index) {
if (index < platforms.length) {
BufferedReader buff = null;
HttpURLConnection urlConnection = null;
try {
URL url = new URL(platforms[index]);
urlConnection = (HttpURLConnection) url.openConnection();
urlConnection.setRequestMethod("GET");
urlConnection.setReadTimeout(5000);//读取超时
urlConnection.setConnectTimeout(5000);//连接超时
urlConnection.setDoInput(true);
urlConnection.setUseCaches(false);
int responseCode = urlConnection.getResponseCode();
if (responseCode == HttpURLConnection.HTTP_OK) {//找到服务器的情况下,可能还会找到别的网站返回html格式的数据
InputStream is = urlConnection.getInputStream();
buff = new BufferedReader(new InputStreamReader(is, "UTF-8"));//注意编码,会出现乱码
StringBuilder builder = new StringBuilder();
String line = null;
while ((line = buff.readLine()) != null) {
builder.append(line);
}
buff.close();//内部会关闭 InputStream
urlConnection.disconnect();
Log.e("xiaoman", builder.toString());
if (index == 0 || index == 1) {
//截取字符串
int satrtIndex = builder.indexOf("{");//包含[
int endIndex = builder.indexOf("}");//包含]
String json = builder.substring(satrtIndex, endIndex + 1);//包含[satrtIndex,endIndex)
JSONObject jo = new JSONObject(json);
String ip = jo.getString("cip");
return ip;
} else if (index == 2) {
JSONObject jo = new JSONObject(builder.toString());
return jo.getString("ip");
}
}
} catch (Exception e) {
e.printStackTrace();
}
} else {
return getInNetIp(context);
}
return getOutNetIP(context, ++index);
}
先分析一下代码:
因为有很多网站有时候是不可以用的,经过测试,以上三个是可以用的:
为了以防万一,我先预先准备三个网址,分别递归,总会有一个能用,当然可以也涉及到了,爬网页,哈哈,淡定!
- 我的代码用了三个网址,两个是搜狐的,另一个不知道了 ;
- 代码执行,先从第一个网站查询,如何不能用或者返回的是其他数据,那么就要接着下一个网址,直到递归完三个,如果还没找到,就直接返回局域网的IP;
- 如果第一个网址找到了,那么就没必要递归,尽量把不容易关闭的地址放在前面哦。
我讲完了。