C++ Memory Leak
C++内存泄漏的类型
C++内存泄漏主要指程序运行过程中分配的内存为能正确释放,导致系统资源浪费。常见的内存泄露类型如下:
Heap Memroy Leak
- 原因:使用new分配的对象或malloc分配的内存未被delete或free释放。
- example:
1 2 3 4
| void func() { int* arr = new int[100]; }
|
Array Memory Leak
- 原因:使用new[]分配的数组未被delete[]释放。
- example:
1 2 3 4
| void func() { int* arr = new int[100]; delete arr; }
|
Smart Pointer Reference Cycle
- 原因:shared_ptr之间相互引用,导致引用计数永远不为零,内存无法释放。
- example:
1 2 3 4 5 6 7 8 9 10 11 12 13 14
| struct A; struct B; struct A { std::shared_ptr<B> b_ptr; }; struct B { std::shared_ptr<A> a_ptr; }; void func() { auto a = std::make_shared<A>(); auto b = std::make_shared<B>(); a->b_ptr = b; b->a_ptr = a; }
|
资源泄漏(文件、网络、线程)
- 原因:打开的文件、网络连接、线程等资源未被正确关闭或释放。
- example:
1 2 3 4
| void func() { FILE* file = fopen("data.txt", "r"); }
|
- Solution: 使用RAII封装资源管理,确保资源在对象销毁时自动释放。 (RAII: Resource Acquisition Is Initialization)
1 2 3
| void func() { std::ifstream file("data.txt"); }
|
线程资源泄漏
- 原因:创建的线程未被正确join或detach,导致线程资源未释放。
- example:
1 2 3 4 5 6 7
| void threadFunc() { } void func() { std::thread t(threadFunc); }
|
析构函数是否需要被声明为虚函数
如果一个类既不继承自其他类,也不是子类,内部也没有虚函数,那么它的析构函数不需要声明为虚函数。
虚析构函数
析构函数只有在类作为基类被继承并通过基类指针删除派生类对象时,才需要声明为virtual。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18
| class Base { public: virtual ~Base() { std::cout << "Base destructor" << std::endl; } };
class Derived : public Base { public: ~Derived() { std::cout << "Derived destructor" << std::endl; } };
void func() { Base* obj = new Derived(); delete obj; }
|
- Why?
- 如果基类的析构函数不是虚函数,通过基类指针删除派生类对象时,只会调用基类的析构函数,导致派生类的资源未被释放,造成内存泄漏。
- 解决方法:将基类的析构函数声明为虚函数,确保通过基类指针删除派生类对象时,能够正确调用派生类的析构函数。