Ref
1
https://gcc.gnu.org/onlinedocs/gcc/Designated-Inits.html
Intro
여기서 사용된 ‘.’은 C99 표준에서 도입된 지정 초기화(Designated Initializer) 문법의 일부이다. 이 문법을 사용하면 구조체의 특정 멤버를 이름으로 지정하여 초기화할 수 있다.
1
2
3
4
5
6
static const struct proc_ops my_proc_ops = {
.proc_open = my_proc_open,
.proc_read = seq_read,
.proc_lseek = seq_lseek,
.proc_release = single_release,
};
구체적으로 설명하자면:
- ’.’은 구조체 멤버의 이름을 지정하는 데 사용됨
- ’=’ 기호 뒤에 해당 멤버에 할당할 값이 옴.
장점
- 가독성 향상: 어떤 멤버가 어떤 값으로 초기화되는지 명확히 알 수 있다.
- 유연성: 구조체의 모든 멤버를 초기화할 필요 없이 원하는 멤버만 선택적으로 초기화할 수 있다.
- 순서 독립성: 구조체 정의의 멤버 순서와 상관없이 초기화할 수 있다.
예를 들어, 위 코드에서:
1
2
3
4
5
6
static const struct proc_ops my_proc_ops = {
.proc_open = my_proc_open,
.proc_read = seq_read,
.proc_lseek = seq_lseek,
.proc_release = single_release,
};
이는 다음과 같은 의미이다.
- proc_ops 구조체의 proc_open 멤버를 my_proc_open 함수로 초기화
- proc_read 멤버를 seq_read 함수로 초기화
- proc_lseek 멤버를 seq_lseek 함수로 초기화
- proc_release 멤버를 single_release 함수로 초기화
more examples
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
typedef struct _coord{
int x;
int y;
int z;
}coord;
coord my ={
.x = 3,
.y = 4,
.z = 5,
};
coord you ={
3, 4, 5
}; /* It also can initialize */