C의 함수에서 구조체 반환
이 기사에서는 C의 함수에서struct
를 반환하는 방법에 대한 여러 메서드를 보여줍니다.
표준 표기법을 사용하여 함수에서struct
반환
C의struct
키워드는 사용자 정의 데이터 구조를 구현하는 데 사용됩니다. 이 예제에서struct
유형을 정의했기 때문에MyStruct
구조체를typedef
하면 함수 선언에 대한 더 깨끗한 표기법이됩니다. 주어진 구조체에 대한 새로운 유형 별칭을 연결하고 함수 프로토 타입에 새 별칭 이름 만 지정하면됩니다. 이제 C의 함수는 내장 데이터 유형과 유사한struct
를 리턴 할 수 있습니다.
다음 예제 코드에서MyStruct
개체에 대한 포인터를 가져와 값별로 동일한 개체를 반환하는clearMyStruct
함수를 구현했습니다. 핸들이struct
에 대한 포인터 일 때->
연산자를 사용하여struct
멤버에 액세스해야합니다.
#include <stdio.h>
#include <stdlib.h>
enum { DAY = 9, MONTH = 2 };
typedef struct {
int day;
int month;
} MyStruct;
MyStruct clearMyStruct(MyStruct *st) {
st->day = 0;
st->month = 0;
return *st;
}
int setMyStruct(MyStruct *st, int d, int m) {
if (!st) return -1;
st->day = d;
st->month = m;
return 0;
}
int main() {
MyStruct tmp;
if (setMyStruct(&tmp, DAY, MONTH) == -1) exit(EXIT_FAILURE);
printf("day: %d\nmonth: %d\n", tmp.day, tmp.month);
clearMyStruct(&tmp);
printf("day: %d\nmonth: %d\n", tmp.day, tmp.month);
exit(EXIT_SUCCESS);
}
출력:
day: 9
month: 2
day: 0
month: 0
포인터 표기법을 사용하여 함수에서struct
반환
일반적으로struct
정의 데이터 구조는 여러 데이터 멤버를 포함하는 경향이있어 메모리 풋 프린트가 커집니다. 이제 함수간에 상대적으로 큰 구조를 전달할 때 포인터를 사용하는 것이 가장 좋습니다. 포인터는 객체에 대한 핸들 역할을하며 그 크기는 저장된 구조에 관계없이 고정됩니다. 포인터를 사용하여struct
를 반환하면 잠재적으로 메모리 트래픽이 줄어들고 코드 성능이 향상됩니다. 프로그램은 최적화 플래그로 컴파일되지만 데이터 전달 명령을 암시 적으로 수정할 수 있습니다. enum
유형을 사용하여 명명 된 상수 정수 값을 선언했습니다.
#include <stdio.h>
#include <stdlib.h>
enum { DAY = 9, MONTH = 2 };
typedef struct {
int day;
int month;
} MyStruct;
MyStruct *clearMyStruct2(MyStruct *st) {
st->day = 0;
st->month = 0;
return st;
}
int setMyStruct(MyStruct *st, int d, int m) {
if (!st) return -1;
st->day = d;
st->month = m;
return 0;
}
int main() {
MyStruct tmp;
if (setMyStruct(&tmp, DAY, MONTH) == -1) exit(EXIT_FAILURE);
printf("day: %d\nmonth: %d\n", tmp.day, tmp.month);
clearMyStruct2(&tmp);
printf("day: %d\nmonth: %d\n", tmp.day, tmp.month);
exit(EXIT_SUCCESS);
}
출력:
day: 9
month: 2
day: 0
month: 0
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 Facebook