8

我在 char[] 数组中有一大堆二进制数据,我需要将其解释为一个打包的 6 位值数组。

可以坐下来写一些代码来做到这一点,但我认为必须有一个很好的现存类或有人已经写过的函数。

我需要的是这样的:

int get_bits(char* data, unsigned bitOffset, unsigned numBits);

所以我可以通过调用获得数据中的第 7 个 6 位字符:

const unsigned BITSIZE = 6;
char ch = static_cast<char>(get_bits(data, 7 * BITSIZE, BITSIZE));
4

3 回答 3

7

Boost.DynamicBitset - 试试看。

于 2008-11-05T07:53:13.230 回答
5

这可能不适用于大于 8 的大小,具体取决于字节序系统。这基本上是 Marco 发布的内容,尽管我不完全确定他为什么会一次收集一点。

int get_bits(char* data, unsigned int bitOffset, unsigned int numBits) {
    numBits = pow(2,numBits) - 1; //this will only work up to 32 bits, of course
    data += bitOffset/8;
    bitOffset %= 8;
    return (*((int*)data) >> bitOffset) & numBits;  //little endian
    //return (flip(data[0]) >> bitOffset) & numBits; //big endian
}

//flips from big to little or vice versa
int flip(int x) {
    char temp, *t = (char*)&x;
    temp = t[0];
    t[0] = t[3];
    t[3] = temp;
    temp = t[1];
    t[1] = t[2];
    t[2] = temp;
    return x;
}
于 2008-11-05T09:19:46.223 回答
1

我认为以下内容可能会起作用。

int get_bit(char *data, unsigned bitoffset) // returns the n-th bit
{
    int c = (int)(data[bitoffset >> 3]); // X>>3 is X/8
    int bitmask = 1 << (bitoffset & 7);  // X&7 is X%8
    return ((c & bitmask)!=0) ? 1 : 0;
}

int get_bits(char* data, unsigned bitOffset, unsigned numBits)
{
    int bits = 0;
    for (int currentbit = bitOffset; currentbit < bitOffset + numBits; currentbit++)
    {
        bits = bits << 1;
        bits = bits | get_bit(data, currentbit);
    }
    return bits;
}

我没有调试或测试过它,但你可以用它作为起点。

另外,请考虑位顺序。你可能想改变

    int bitmask = 1 << (bitoffset & 7);  // X&7 is X%8

    int bitmask = 1 << (7 - (bitoffset & 7));  // X&7 is X%8

取决于如何生成位数组。

于 2008-11-05T08:21:49.243 回答