小编典典

解码十六进制:此行的作用是(len&0x01)!= 0

java

我正在看Apache Commons库中的一段代码,想知道这些条件到底能做什么。

public static byte[] decodeHex(final char[] data) throws DecoderException {

        final int len = data.length;

        if ((len & 0x01) != 0) { // what does this condition do
            throw new DecoderException("Odd number of characters.");
        }

        final byte[] out = new byte[len >> 1];

        // two characters form the hex value.
        for (int i = 0, j = 0; j < len; i++) {
            int f = toDigit(data[j], j) << 4;
            j++;
            f = f | toDigit(data[j], j);
            j++;
            out[i] = (byte) (f & 0xFF); // what is happening here.
        }

        return out;
    }

提前致谢。


阅读 695

收藏
2020-11-30

共1个答案

小编典典

这是一种1337(高性能)的编码方式:

if (len % 2 == 1)

即是len奇怪的。之所以有效,是因为每个奇数整数的二进制表示形式都有其最低有效位(即最后一位)。用位按位AND执行会1掩盖所有其他位,结果是1奇数还是0偶数。

这是C的遗留物,您可以在其中简单地编写代码:

if (len & 1)
2020-11-30