호출()
calloc() 함수는 인접 위치를 나타냅니다. malloc()과 유사하게 작동하지만 동일한 크기의 여러 메모리 블록을 할당합니다.
다음은 C 언어의 calloc() 구문입니다.
void *calloc(size_t number, size_t size);
여기,
숫자 − 할당할 배열의 요소 수입니다.
크기 − 할당된 메모리의 크기(바이트)입니다.
다음은 C 언어로 된 calloc()의 예입니다.
예
#include <stdio.h> #include <stdlib.h> int main() { int n = 4, i, *p, s = 0; p = (int*) calloc(n, sizeof(int)); if(p == NULL) { printf("\nError! memory not allocated."); exit(0); } printf("\nEnter elements of array : "); for(i = 0; i < n; ++i) { scanf("%d", p + i); s += *(p + i); } printf("\nSum : %d", s); return 0; }
출력
Enter elements of array : 2 24 35 12 Sum : 73
위의 프로그램에서 메모리 블록은 calloc()에 의해 할당됩니다. 포인터 변수가 null이면 메모리 할당이 없습니다. 포인터 변수가 null이 아니면 사용자는 배열의 4개의 요소를 입력해야 하며 요소의 합이 계산됩니다.
p = (int*) calloc(n, sizeof(int)); if(p == NULL) { printf("\nError! memory not allocated."); exit(0); } printf("\nEnter elements of array : "); for(i = 0; i < n; ++i) { scanf("%d", p + i); s += *(p + i); }
malloc()
malloc() 함수는 요청된 바이트 크기를 할당하는 데 사용되며 할당된 메모리의 첫 번째 바이트에 대한 포인터를 반환합니다. 실패하면 null 포인터를 반환합니다.
다음은 C 언어의 malloc() 구문입니다.
pointer_name = (cast-type*) malloc(size);
여기,
pointer_name − 포인터에 부여된 모든 이름.
캐스트 유형 − malloc()에 의해 할당된 메모리를 캐스팅하려는 데이터 유형.
크기 − 할당된 메모리의 크기(바이트)입니다.
다음은 C 언어의 malloc() 예입니다.
예
#include <stdio.h> #include <stdlib.h> int main() { int n = 4, i, *p, s = 0; p = (int*) malloc(n * sizeof(int)); if(p == NULL) { printf("\nError! memory not allocated."); exit(0); } printf("\nEnter elements of array : "); for(i = 0; i < n; ++i) { scanf("%d", p + i); s += *(p + i); } printf("\nSum : %d", s); return 0; }
다음은 출력입니다.
출력
Enter elements of array : 32 23 21 8 Sum : 84
위의 프로그램에서는 4개의 변수가 선언되었고 그 중 하나는 malloc에 의해 할당된 메모리를 저장하는 포인터 변수 *p입니다. 배열의 요소는 사용자에 의해 인쇄되고 요소의 합이 인쇄됩니다.
int n = 4, i, *p, s = 0; p = (int*) malloc(n * sizeof(int)); if(p == NULL) { printf("\nError! memory not allocated."); exit(0); } printf("\nEnter elements of array : "); for(i = 0; i < n; ++i) { scanf("%d", p + i); s += *(p + i); } printf("\nSum : %d", s);