C++ new操作符返回值检查详解 | 内存分配最佳实践

C++ new操作符:是否需要判空? #

new操作符的基本行为 #

#include <iostream>
class Point {
  public:
    Point(int x, int y) : x_(x), y_(y) {
        std::cout << "Point(x, y)" << std::endl;
    }
    ~Point() {
        std::cout << "~Point()" << std::endl;
    }
    void PrintPoint() {
        std::cout << "(" << x_ << "," << y_ << ")" << std::endl;
    }
  private:
    int x_;
    int y_;
};

int main(void) {
    Point *p = new Point(1, 2);
    if (p) {
        p->PrintPoint();
        delete p;
    }
    return 0;
}

注意 main 代码中的部分,在 new 对象之后,使用了 if 语句判断是否为空。

C++中,new一个对象后,不需要判断是否为空,如果能执行到下一行,它一定不会是空。

如果创建对象失败,它不会返回空,而是会直接抛出异常。

特殊情况:std::nothrow #

如果需要new失败时返回nullptr而不是抛出异常,可以使用std::nothrow:

#include <iostream>
#include <new>

int main() {
    try {
        while (true) {
            new int[100000000ul]; // 抛出异常的版本
        }
    } catch (const std::bad_alloc& e) {
        std::cout << e.what() << '\n';
    }

    while (true) {
        int* p = new(std::nothrow) int[100000000ul]; // 不抛出异常的版本
        if (p == nullptr) {
            std::cout << "Allocation returned nullptr\n";
            break;
        }
    }
}

推荐阅读 #