美文网首页
如何获取本地IP(收藏)

如何获取本地IP(收藏)

作者: 公众号_WU双 | 来源:发表于2021-06-22 21:08 被阅读0次

    在应用开发中我们可能有需要获取到本地IP地址的需求,今天分享两种JAVA中获取本地IP的方法。

    1 获取本地IP地址有什么用途 ?

    (1) 运维统计功能。通过日志打印本地IP跟一些相关信息,方便监控统计。

    (2) 与第三方系统交互。可能需要带上我们的本地IP地址信息。

    2 如何获取本地IP地址

    Java中可以通过下面一行代码获取到IP地址:

    InetAddress.getLocalHost().getHostAddress();
    

    上面这行代码其实做了两件事,首先获取到操作系统的hostname,然后根据hostname获取本机IP,实际返回结果和hostname -i命令返回结果一样。

    所以上面的代码返回结果依赖于操作系统的/etc/hosts/etc/hostname两个文件的设置。

    那有没有更好的,不依赖于相应文件设置的获取本地IP地址的方法呢?

    答案是根据网卡获取。

    直接看代码和注释:

    public static String getLocalAddress() {
            try {
                // 获取所在机器上的所有网卡
                Enumeration<NetworkInterface> enumeration = NetworkInterface.getNetworkInterfaces();
                ArrayList<String> ipv4Result = new ArrayList<String>();
                ArrayList<String> ipv6Result = new ArrayList<String>();
                // 遍历获取所有网卡绑定的全部IP地址,并按照IPV4和IPV6分开存放
                while (enumeration.hasMoreElements()) {
                    final NetworkInterface networkInterface = enumeration.nextElement();
                    final Enumeration<InetAddress> en = networkInterface.getInetAddresses();
                    while (en.hasMoreElements()) {
                        final InetAddress address = en.nextElement();
                        if (!address.isLoopbackAddress()) {
                            if (address instanceof Inet6Address) {
                              ipv6Result.add(normalizeHostAddress(address));
                            } else {
                                ipv4Result.add(normalizeHostAddress(address));
                            }
                        }
                    }
                }
                // 优先返回IPV4的非回路和非私有地址
                if (!ipv4Result.isEmpty()) {
                    for (String ip : ipv4Result) {
                        if (ip.startsWith("127.0") || ip.startsWith("192.168")) {
                            continue;
                        }
                        return ip;
                    }
                    return ipv4Result.get(ipv4Result.size() - 1);
                } else if (!ipv6Result.isEmpty()) {
                    return ipv6Result.get(0);
                }
                // 如果获取失败,降级到根据localhost获取地址
                final InetAddress localHost = InetAddress.getLocalHost();
                return normalizeHostAddress(localHost);
            } catch (Exception e) {
                log.error("Failed to obtain local address", e);
            }
            return null;
        }
    

    上述方法可以在绝大多数情况下获取到本地IP地址,而且不依赖于相应的文件配置。

    写在最后

    今天分享了两种正确获取本地IP地址的方法。

    第一种,根据主机名来获取地址的方法,代码简单但依赖于操作系统配置。

    第二种,根据网卡来获取地址的方法,更加的通用。

    希望今天的内容能够对大家有所帮助。更多精彩文章欢迎关注微信公众号:WU双。

    相关文章

      网友评论

          本文标题:如何获取本地IP(收藏)

          本文链接:https://www.haomeiwen.com/subject/vnlmjltx.html