字节到二进制在C中

时间:2009-11-05 19:36:32

标签: c binary byte bit

我试图简单地将从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 . . .

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

6 个答案:

答案 0 :(得分:16)

您遇到的问题是您的作业不会产生真假值。

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

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

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

答案 1 :(得分:7)

更改

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

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

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

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

答案 2 :(得分: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;
}

答案 3 :(得分:1)

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

答案 4 :(得分: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("");
}

答案 5 :(得分:-1)

取而代之的是这项工作:

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