我正在使用此代码查找计算机的MAC地址。此代码直接打印MAC地址,但我想将其作为字符串返回。我完全感到困惑。

请帮忙。

try {

    InetAddress add = InetAddress.getByName("10.123.96.102");
    NetworkInterface ni1 = NetworkInterface.getByInetAddress(add);
    if (ni1 != null) {
        byte[] mac1 = ni1.getHardwareAddress();
        if (mac1 != null) {
            for (int k = 0; k < mac1.length; k++) {
                System.out.format("%02X%s", mac1[k], (k < mac1.length - 1) ? "-" : "");
            }
        } else {
            System.out.println("Address doesn't exist ");
        }
        System.out.println();
    } else {
        System.out.println("address is not found.");
    }
} catch (UnknownHostException e) {
    e.printStackTrace();
} catch (SocketException e) {
    e.printStackTrace();
}

最佳答案

Mac地址没有标准的文本表示形式。您只需要将其转换为十六进制并分隔字节以提高可读性即可。这是我在Unix上以ifconfig格式使用的功能,

public static String getMacAddress(String ipAddr)
        throws UnknownHostException, SocketException {
    InetAddress addr = InetAddress.getByName(ipAddr);
    NetworkInterface ni = NetworkInterface.getByInetAddress(addr);
    if (ni == null)
        return null;

    byte[] mac = ni.getHardwareAddress();
    if (mac == null)
        return null;

    StringBuilder sb = new StringBuilder(18);
    for (byte b : mac) {
        if (sb.length() > 0)
            sb.append(':');
        sb.append(String.format("%02x", b));
    }
    return sb.toString();
}

您只需要将':'更改为'-'。

关于java - 将MAC地址字节数组格式化为String,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/2797430/

10-11 00:04