在C语言中的位字段

16 浏览
0 Comments

在C语言中的位字段

C语言中未命名的位域有什么用途?

示例:

typedef struct fun {
unsigned int                 :8;
unsigned int foo1            :1;
unsigned int foo2            :1;
unsigned int foo3            :1;
unsigned int foo4            :1;
unsigned int foo5            :1;
}dig;

   unsigned int                 :8;

的用途是什么?

0
0 Comments

在C语言中,出现了一种叫做“未命名位域”的情况。C11标准对此进行了说明和可能的使用方法:

6.7.2.1 结构体和共用体的规范

一个只有冒号和宽度的位域声明,没有声明符,表示一个未命名的位域。作为一个特殊情况,一个宽度为0的位域结构成员表示在前一个位域(如果有的话)所处的单元中不再打包其他位域。

一个未命名的位域结构成员对于填充以符合外部强制布局是有用的。

所以,如果有8个命名的位域变量(foo[0-7]:1),这意味着它们分配了8个(未命名)+ 8个(命名的位域)位的内存?

是的。基本上,在开头额外分配(或保留)了一些位。

原因:

C语言中的未命名位域可以用于填充以符合外部强制布局的要求。

解决方法:

无需进行额外的处理,未命名位域会自动进行内存分配。

0
0 Comments

Bitfields in C without variable name are used for various reasons. One reason is to pad out other values in order to match an external layout where there are unused values. This can be useful when mapping directly onto hardware. Additionally, leaving bitfields unnamed allows for future expansion.

While it is possible to give a name to indicate that the bitfield is unused, this can still lead to issues. For example, someone may set those bits using the provided field, and not naming it would make it more difficult for the user to do so. It also results in scattered bitfields with names like "unnamed1", "unnamed2", etc.

In certain cases, like on a microprocessor, there may be bits specifically for the debugger's use. By not naming them, it becomes harder for a developer to unintentionally set them. However, if these bits were named in a previous version and a colleague used them, updating the compiler and headers could result in code that no longer builds.

To avoid these issues, bitfields can be left unnamed or given meaningful names depending on the specific use case.

0