当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


C++ calloc()用法及代码示例


C++ 中的calloc() 函数为对象数组分配一块内存并将其所有位初始化为零。

如果分配成功,calloc() 函数会返回一个指向已分配内存块的第一个字节的指针。

如果大小为零,则返回的值取决于库的实现。它可能是也可能不是空指针。

calloc()原型

void* calloc(size_t num, size_t size);

该函数在<cstdlib> 头文件中定义。

参数:

  • num:一个无符号整数值,表示元素的数量。
  • size:一个无符号整数值,以字节为单位表示内存块。

返回:

calloc() 函数返回:

  • 指向函数分配的内存块开始的指针。
  • 如果分配失败,则为空指针。

示例 1:calloc() 函数如何工作?

#include <cstdlib>
#include <iostream>
using namespace std;

int main() {
   int *ptr;
   ptr = (int *)calloc(5, sizeof(int));
   if (!ptr) {
      cout << "Memory Allocation Failed";
      exit(1);
   }
   cout << "Initializing values..." << endl
        << endl;
   for (int i = 0; i < 5; i++) {
      ptr[i] = i * 2 + 1;
   }
   cout << "Initialized values" << endl;
   for (int i = 0; i < 5; i++) {
      /* ptr[i] and *(ptr+i) can be used interchangeably */
      cout << *(ptr + i) << endl;
   }
   free(ptr);
   return 0;
}

运行程序时,输出将是:

Initializing values...

Initialized values
1
3
5
7
9

示例 2:calloc() 大小为零的函数

#include <cstdlib>
#include <iostream>
using namespace std;

int main() {
   int *ptr = (int *)calloc(0, 0);
   if (ptr == NULL) {
      cout << "Null pointer";
   } else {
      cout << "Address = " << ptr << endl;
   }
   free(ptr);
   return 0;
}

运行程序时,输出将是:

Address = 0x371530

相关用法


注:本文由纯净天空筛选整理自 C++ calloc()。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。