C++ New 库 - operator new
描述
它分配 size 个字节的存储空间,适当对齐以表示该大小的任何对象,并返回一个指向该块的第一个字节的非空指针。
声明
以下是 operator new 的声明。
void* operator new (std::size_t size) throw (std::bad_alloc); (throwing allocation) void* operator new (std::size_t size, const std::nothrow_t& nothrow_value) throw(); (nothrow allocation) void* operator new (std::size_t size, void* ptr) throw(); (placement)
参数
size − 它包含所请求内存块的大小(以字节为单位)。
nothrow_value − 它包含常量 nothrow。
ptr − 它是一个指向适当大小的已分配内存块的指针。
返回值
它返回一个指向新分配的存储空间的指针。
异常
如果分配存储失败,则抛出 bad_alloc。
数据竞争
它修改返回值引用的存储。
示例
在下面的例子中解释了 new 操作符。
#include <iostream> #include <new> struct MyClass { int data[100]; MyClass() {std::cout << "It constructed [" << this << "]\n";} }; int main () { std::cout << "1: "; MyClass * p1 = new MyClass; std::cout << "2: "; MyClass * p2 = new (std::nothrow) MyClass; std::cout << "3: "; new (p2) MyClass; std::cout << "4: "; MyClass * p3 = (MyClass*) ::operator new (sizeof(MyClass)); delete p1; delete p2; delete p3; return 0; }
让我们编译并运行上面的程序,这将产生以下结果 −
1: It constructed [0x21f9ba0] 2: It constructed [0x21f9d40] 3: It constructed [0x21f9d40]