9

我试图简单地将从 fget 接收到的字节转换为二进制。

根据打印值,我知道第一个字节的值是 49。我现在需要把它转换成它的二进制值。

unsigned char byte = 49;// Read from file
unsigned char mask = 1; // Bit mask
unsigned char bits[8];

  // Extract the bits
for (int i = 0; i < 8; i++) {
    // Mask each bit in the byte and store it
    bits[i] = byte & (mask << i);
}
 // For debug purposes, lets print the received data
for (int i = 0; i < 8; i++) {
printf("Bit: %d\n",bits[i]);
}

这将打印:

Bit: 1
Bit: 0
Bit: 0
Bit: 0
Bit: 16
Bit: 32
Bit: 0
Bit: 0
Press any key to continue . . .

显然,这不是二进制值。有什么帮助吗?

4

6 回答 6

16

您遇到的问题是您的分配不会产生真值或假值。

bits[i] = byte & (mask << i);

这将获取位的值。您需要查看该位是打开还是关闭,如下所示:

bits[i] = (byte & (mask << i)) != 0;
于 2009-11-05T19:39:13.017 回答
7

改变

bits[i] = byte & (mask << i);

bits[i] = (byte >> i) & mask;

或者

bits[i] = (byte >> i) & 1;

或者

bits[i] = byte & 1;
byte >>= 1;
于 2009-11-05T19:40:43.263 回答
4

一种方式,在众多方式中:

#include <stdio.h>
#include <limits.h>

int main(void) {
    int i;
    char bits[CHAR_BIT + 1];
    unsigned char value = 47;

    for (i = CHAR_BIT - 1; i >= 0; i -= 1) {
        bits[i] = '0' + (value & 0x01);
        value >>= 1;
    }

    bits[CHAR_BIT] = 0;

    puts(bits);

    return 0;
}
于 2009-11-05T19:38:40.927 回答
1

您可能会注意到您的输出有几个 1 和 0,但也有 2 的幂,例如 32。这是因为在使用掩码隔离您想要的位之后,您仍然需要将其位移到最不重要的位digit 使其显示为 1。或者您可以使用其他帖子建议的内容,而不是移位结果(例如 00001000),您可以简单地使用 (result != 0) 来获取 1或 0,因为在 C 中,false 为 0,而 != 之类的比较将返回 1 作为 true(我认为)。

于 2009-11-05T20:52:32.733 回答
0
#include<Stdio.h>
#include <limits.h>
void main(void) {
    unsigned char byte = 49;// Read from file
    unsigned char mask = 1; // Bit mask
    unsigned char bits[8];
    int i, j = CHAR_BIT-1;
          // Extract the bits
    for ( i = 0; i < 8; i++,j--,mask = 1) {
    // Mask each bit in the byte and store it
    bits[i] =( byte & (mask<<=j))  != NULL;
    }
    // For debug purposes, lets print the received data
    for (int i = 0; i < 8; i++) {
       printf("%d", bits[i]);
   }
   puts("");
}
于 2016-08-16T00:28:23.423 回答
-1

代替它的这个添加将起作用:

bits[i]= byte & (mask << i); 
bits[i] >>=i;
于 2012-06-28T10:14:11.053 回答