在 C 语言中初始化结构体
本文将介绍关于如何在 C 语言中初始化一个结构体的多种方法。
使用初始化列表风格的符号来初始化 C 语言中的一个结构体
结构体 struct
可能是 C 语言中构建复杂数据结构最重要的关键字,它是一个内置的对象,可以存储多个异构元素,称为 members
。
请注意,结构体的定义只用 struct
关键字,但在下面的例子中,我们添加 typedef
来创建一个新的类型名,并使后续的声明更易读。
一旦定义了结构,我们就可以声明一个该类型的变量,并用列表符号初始化它。这种语法类似于 C++ 中使用的初始化列表。在这种情况下,我们用一个显式赋值运算符对 struct
的每个成员进行赋值,但我们只能按照正确的顺序指定值,在现代版本的语言中这就足够了。
#include <stdio.h>
#include <stdlib.h>
#include <stdbool.h>
#include <string.h>
typedef struct Person{
char firstname[40];
char lastname[40];
int age;
bool alive;
} Person;
int main(void) {
Person me = { .firstname = "John\0",
.lastname = "McCarthy\0",
.age = 24,
.alive = 1};
printf("Name: %s\nLast Name: %s\nAge: %d\nAlive: ",
me.firstname, me.lastname, me.age);
me.alive ? printf("Yes\n") : printf("No\n");
exit(EXIT_SUCCESS);
}
输出:
Name: John
Last Name: McCarthy
Age: 24
Alive: Yes
使用赋值列表符号来初始化 C 语言中的结构体
另外,可能会出现这样的情况,即声明的 struct
并没有立即初始化,而是需要在以后的程序中进行赋值。在这种情况下,我们应该使用带有附加强制转换符号的初始化程序列表样式语法作为前缀。对 struct
的类型进行转换是编译程序的必要步骤。
#include <stdio.h>
#include <stdlib.h>
#include <stdbool.h>
#include <string.h>
typedef struct Person{
char firstname[40];
char lastname[40];
int age;
bool alive;
} Person;
int main(void) {
Person me;
me = (Person) { .firstname = "John\0",
.lastname = "McCarthy\0",
.age = 24,
.alive = 1};
printf("Name: %s\nLast Name: %s\nAge: %d\nAlive: ",
me.firstname, me.lastname, me.age);
me.alive ? printf("Yes\n") : printf("No\n");
exit(EXIT_SUCCESS);
}
输出:
Name: John
Last Name: McCarthy
Age: 24
Alive: Yes
在 C 语言中使用个别赋值来初始化结构体
另一种初始化 struct
成员的方法是声明一个变量,然后分别给每个成员分配相应的值。注意,char
数组不能用字符串赋值,所以需要用额外的函数,如 memcpy
或 memmove
显式复制(见手册)。你应该始终注意 array
的长度不能小于被存储的字符串。
#include <stdio.h>
#include <stdlib.h>
#include <stdbool.h>
#include <string.h>
typedef struct Person{
char firstname[40];
char lastname[40];
int age;
bool alive;
} Person;
int main(void) {
Person me2;
memcpy(&me2.firstname, "Jane\0", 40);
memcpy(&me2.lastname, "Delaney\0", 40);
me2.age = 27;
me2.alive = true;
printf("Name: %s\nLast Name: %s\nAge: %d\nAlive: ",
me2.firstname, me2.lastname, me2.age);
me2.alive ? printf("Yes\n") : printf("No\n");
exit(EXIT_SUCCESS);
}
输出:
Name: Jane
Last Name: Delaney
Age: 27
Alive: Yes
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn