c语言之多级指针理解一

//arry:是指针变量,存储的是pObj变量的内存地址
void GetMallocMemory(char*** arry,int cnt){
	//如果arry为null,代表没有这个内存空间,也就是没有分配
	if (arry == NULL){
		return;
	}
	//这里的*arry代表的是arry的内存块数据,数据类型是指针类型的**
	char** tmp = *arry;
	tmp = (char**)malloc(sizeof(char*)*cnt);
	for (int i = 0; i < cnt; i++){
		tmp[i] = (char*)malloc(sizeof(char)* 50);
		sprintf_s(tmp[i], 50, "Rose_Girls%d", i);
	}
	//*arry:arry的内存块数据  tmp:申请的(**)内存块空间
	*arry = tmp;
}

//释放内存空间
void FreeMemory(char*** arry, int cnt){
	char** tmp = NULL;
	if (arry == NULL)
		return;
	tmp = *arry;
	for (int i = 0; i < cnt; i++){
		if (tmp[i] != NULL){
			free(tmp[i]);
		}
	}
	//arry所指向的内存块数据已经缩放ok
	free(tmp);
	//避免野指针 让它的内存地址为null
	*arry = NULL;

}



void main(){
	int cnt = 3;
	//二级指针
	char** pObj = NULL;
	//&pObj:三级指针
	GetMallocMemory(&pObj, cnt);
	PrintArryData(pObj, cnt);
	FreeMemory(&pObj, cnt);
	system("pause");

}

你可能感兴趣的:(指针,多级指针)