6

我的项目中使用的值用 4 位二进制编码十进制 (BCD) 表示,它最初存储在字符缓冲区中(例如,由指针指向const unsigned char *)。我想将输入的 BCD 字符流转换为整数。你能告诉我一个有效和快速的方法吗?

数据格式示例和预期结果:

BCD*2; 1001 0111 0110 0101=9765
       "9"  "7"  "6"  "5"

非常感谢你!

4

2 回答 2

8
unsigned int lulz(unsigned char const* nybbles, size_t length)
{
    unsigned int result(0);
    while (length--) {
        result = result * 100 + (*nybbles >> 4) * 10 + (*nybbles & 15);
        ++nybbles;
    }
    return result;
}

length here specifies the number of bytes in the input, so for the example given by the OP, nybbles would be {0x97, 0x65} and length would be 2.

于 2011-05-26T12:03:42.227 回答
5

您可以像这样破译最右边的数字:

const unsigned int bcdDigit = bcdNumber & 0xf;

然后您可以将数字向右移动,以便下一个数字变为最右边:

bcdNumber >>= 4;

不过,这会以错误的顺序为您提供数字(从右到左)。如果你知道你有多少位数,你当然可以直接提取正确的位。

使用 eg(bcdNumber >> (4 * digitIndex)) & 0xf;提取digitIndex:th 数字,其中数字 0 是最右边的。

于 2011-05-26T11:59:14.670 回答