位域声明:
在结构体内声明位域的形式如下:
下面是有关位域变量元素的描述:
struct
{
type [menber_name] : width;
};
元素 描述
type 整数类型,决定了如何解释位域的值。类型可以是整型、有符号整型、无符号整型。
menber_name 位域的名称
width 位域中位的数量。宽度必须小于或者等于指定类型的位宽度
带有预定义宽度的变量被称为位域。位域可以存储多于1位的数。例如,需要存储从0到7的值,可以定义一个width 宽度为3的位域来表示8个位。
如果程序的结构中包含多个开关量,只有TRUE/FALSE变量,如下:
struct
{
unsigned int switchValue1;
unsigned int switchValue1;
}status;
struct
{
unsigned int switchValue1 : 1;
unsigned int switchValue1 : 1;
}status;
这样在结构体中,status变量将占用4个字节的内存空间,但是只有2位被用来存储值。也就是说如果你要存储32个变量,每一个变量的宽度为1位,status结构将使用4个字节。但是如果需要存储大于32个变量的,我们这里的32个变量的存储已经不够用了,所有必须使用8个字节来实现。如
#include
#include
struct
{
unsigned int switchValue1;
unsigned int switchValue1;
}status1;
struct
{
unsigned int switchValue1 :1;
unsigned int switchValue1 :1;
}status2;
int main(int argc, char const *argv[])
{
printf("Menory size occupied by status1 : %d\n", sizeof(status1));
printf("Menory size occupied by status2 : %d\n", sizeof(status2));
return 0;
}
输出结果:
Menory size occupied by status1 : 8
Menory size occupied by status2 : 4
#include
#include
struct
{
unsigned int age : 3;
}Age;
int main()
{
Age.age = 4;
printf("sizeof(Age) : %d\n",sizeof(Age));
printf("Age.age :%d\n", Age.age);
Age.age = 7;
printf("Age.age :%d\n", Age.age);
Age.age = 8;
printf("Age.age :%d\n", Age.age);
return 0;
}
输出结构:
sizeof(Age) : 4
Age.age : 4
Age.age : 7
Age.age : 0