C++ new和delete(C++动态分配和释放内存)
生活随笔
收集整理的這篇文章主要介紹了
C++ new和delete(C++动态分配和释放内存)
小編覺得挺不錯的,現在分享給大家,幫大家做個參考.
當我們需要為類對象動態分配存儲空間時,我們應該使用 C++語言提供的 new 與 new[] 操作符,而不要使用 C語言提供的 malloc() 函數。
雖然 malloc() 函數具有分配存儲空間的功能,但是這些函數除了分配存儲空間外,不會調用類的構造函數。而 C++語言提供的 new 和 new[] 操作符則不會如此,使用它們為對象分配存儲空間的同時,它們也會調用相應的構造函數。
操作符 delete 和 delete[] 在釋放對象存儲空間的同時也會調用析構函數,而 free() 函數則不會調用析構函數。
下面來看一個最簡單的例子
new 的返回值就是對象的指針
new 的時候可以設置初值 int *p=new int (12);
#include <stdio.h> #include <stdlib.h>int main() {int *p=new int (12);//int *p= new int ;//*p=12;printf("%d\n",*p);delete p;return 0;} 12new 申請多個對象
用[]指定對象個數
如果new 的時候用了[] 那么delete 的時候也要用[]
#include <stdio.h> #include <stdlib.h> #include <string>int main() {int NUM=1024;int *p=new int [NUM];for (int i=0;i<NUM;i++){p[i]=i*i;printf("%d%s%d\n",i,"p[i]的值",p[i]);}delete [] p;return 0;}new 一個struct C 經典寫法
#include <stdio.h> #include <stdlib.h> #include <string.h> using namespace std;struct Student{int age;char name[128];};int main() {Student *s=new Student;s->age=33;strcpy(s->name,"lg");printf("%s%s%s%d%s\n","我的名字是","羅干","我今年",s->age,"歲了");delete s;s=NULL;return 0;}new 一個class c++經典版本
#include<iostream> #include <string> using namespace std;class Student{ public :int age;string name;};int main() {Student *s=new Student;cout<<"delete 之前 s="<<s<<"\n"<<endl;s->age=33;s->name="lg";cout<<"my name is "<< s->name<<" and my age is "<<s->age<<endl;delete s;cout<<"delete 之后 s="<<s<<"\n"<<endl;s=NULL;cout<<"s=NULL 之后 s="<<s<<"\n"<<endl;return 0;}用new 申請內存,必須用delete 釋放
用new[] 申請內存,必須用delete[] 釋放
用完之時,及時釋放
和free 一樣delete 之后指針所指向的內存不在可用,應該置指針為空p=NULL;
總結
以上是生活随笔為你收集整理的C++ new和delete(C++动态分配和释放内存)的全部內容,希望文章能夠幫你解決所遇到的問題。
- 上一篇: Clion 快捷键
- 下一篇: C++构造函数初始化列表