C++ new and delete

C++ new and delete


摘自:C++_Primer_Plus_4th
Classes Whose Constructors Use new
Classes that use the new operator to allocate memory pointed to by a class member require several precautions in the design. (Yes, we summarized these precautions recently, but the rules are very important to remember, particularly because the compiler does not know them and, thus, won't catch your mistakes.)

1.Any class member pointing to memory allocated by new should have the delete operator applied to it in the class destructor. This frees the allocated memory.

2.If a destructor frees memory by applying delete to a pointer that is a class member, then every constructor for that class should initialize that pointer either by using new or by setting the pointer to the null pointer.

3.Constructors should settle on using either new [] or new, but not a mixture of both. The destructor should use delete [] if the constructors use new [], and it should use delete if the constructors use new.

4.You should define a copy constructor that allocates new memory rather than copying a pointer to existing memory. This enables a program to initialize one class object to another. The constructor normally should have the following form of prototype:

className(const className &)

5.You should define a class member function overloading the assignment operator and having the following form of function definition (here c_pointer is a member of the c_name class and has the type pointer-to-type_name):

c_name & c_name::operator=(const c_name & cn)
{
    if (this == & cn_)
        return *this;     // done if self-assignment
    delete c_pointer;
    c_pointer = new type_name[size];
    // then copy data pointed to by cn.c_pointer to
    // location pointed to by c_pointer
    ...
    return *this;
}

你可能感兴趣的:(C++,c,C#,prototype)