名称malloc和calloc是动态分配内存的库函数。这意味着在程序运行时从堆段分配内存。
malloc()分配给定大小(以字节为单位)的内存块,并返回一个指向块开头的指针。malloc()不会初始化分配的内存。如果在初始化之前我们尝试访问内存块的内容,那么我们将得到分段错误(或者可能是垃圾值)。
void* malloc(size_t size);
calloc()分配内存并将分配的内存块初始化为零。如果我们尝试访问这些块的内容,那么我们将得到 0。
void* calloc(size_t num, size_t size);
与malloc()不同,calloc()有两个参数:
1) 要分配的块数。
2) 每个块的大小。
在 malloc() 和 calloc() 中成功分配后,返回指向内存块的指针,否则返回 NULL 值,表示分配失败。
例如,如果要为5个整数的数组分配内存,请参见以下程序:
// C program to demonstrate the use of calloc()
// and malloc()
#include <stdio.h>
#include <stdlib.h>
int main()
{
int* arr;
// malloc() allocate the memory for 5 integers
// containing garbage values
arr = (int*)malloc(5 * sizeof(int)); // 5*4bytes = 20 bytes
// Deallocates memory previously allocated by malloc() function
free(arr);
// calloc() allocate the memory for 5 integers and
// set 0 to all of them
arr = (int*)calloc(5, sizeof(int));
// Deallocates memory previously allocated by calloc() function
free(arr);
return (0);
}
我们可以通过使用 malloc() 和 memset() 来实现与 calloc() 相同的功能:
ptr = malloc(size);
memset(ptr, 0, size);
注意:最好使用 malloc 而不是 calloc,除非我们想要初始化为0,因为 malloc 比 calloc 快。所以,如果我们只是想复制一些东西或者做一些不需要用零填充内存块的事情,那么malloc将是一个更好的选择。
[1]Shubham Bansal.Difference Between malloc() and calloc() with Examples[EB/OL].https://www.geeksforgeeks.org/difference-between-malloc-and-calloc-with-examples/,2020-01-03.
版权说明 : 本文为转载文章, 版权归原作者所有 版权申明
原文链接 : https://blog.csdn.net/zsx0728/article/details/117510551
内容来源于网络,如有侵权,请联系作者删除!