标签:
/* Copyright (c) 2016* All rights reserved 烟台大学计算机与控制工程学院 * 文件名称:3.cpp * 作者:刘丽 * 完成日期:2016年 4 月 28日 * 版本号: v1.0 * 【深复制体验】 */ #include<iostream> #include<cstring> using namespace std; class A { private: char *a; public: A(char *aa) { a = new char[strlen(aa)+1]; //(a)这样处理的意义在于:见下文 strcpy(a, aa); //(b)数据成员a与形式参数aa的关系:用aa接受字符串并复制给a指向的动态空间 } ~A() { delete []a; //(c)这样处理的意义在于: 告知a是一个数组 } void output() { cout<<a<<endl; } }; int main(){ A a("good morning, code monkeys!"); a.output(); A b("good afternoon, codes!"); b.output(); return 0; }
将注释(a)所在的那一行去掉,会出现什么现象?为什么?为什么a数据成员所占用的存储空间要在aa长度基础上加1?若指针a不是指向字符(即不作为字符串的地址),是否有必要加1?
如果没有(a),a将变成一个野指针,以后极有可能会出现内存崩溃的情况。strlen函数中只是计算的有效字符长度,不会将‘\0‘计算在内。如果不加一,aa的长度大小要比a的大,同样也会出现内存方面问题,导致内存崩溃。若a不是指向字符就没有必要加1了。
为类A增加复制构造函数,用下面的main函数测试
int main() { A a("good morning, code monkeys!"); a.output(); A b(a); b.output(); return 0; }
#include<iostream> #include<cstring> using namespace std; class A { private: char *a; public: A(char *aa) { a = new char[strlen(aa)+1]; strcpy(a, aa); } A(const A &b) { a=b.a; a=new char[strlen(b.a)+1]; strcpy(a,b.a); } ~A() { delete []a; } void output() { cout<<a<<endl; } }; int main() { A a("good morning, code monkeys!"); a.output(); A b(a); b.output(); return 0; }
标签:
原文地址:http://blog.csdn.net/llmuggles/article/details/51271435