C는 배열 매개변수를 포인터로 취급하는데 시간이 덜 걸리고 더 효율적이기 때문입니다. 배열의 각 요소 주소를 함수에 인수로 전달할 수 있지만 시간이 더 오래 걸립니다. 따라서 다음과 같은 함수에 첫 번째 요소의 기본 주소를 전달하는 것이 좋습니다.
void fun(int a[]) { … } void fun(int *a) { //more efficient. ….. }
C로 된 샘플 코드는 다음과 같습니다.
#include void display1(int a[]) //printing the array content { int i; printf("\nCurrent content of the array is: \n"); for(i = 0; i < 5; i++) printf(" %d",a[i]); } void display2(int *a) //printing the array content { int i; printf("\nCurrent content of the array is: \n"); for(i = 0; i < 5; i++) printf(" %d",*(a+i)); } int main() { int a[5] = {4, 2, 7, 9, 6}; //initialization of array elements display1(a); display2(a); return 0; }
출력
Current content of the array is: 4 2 7 9 6 Current content of the array is: 4 2 7 9 6