欢迎光临
我们一直在努力

C++对象的拷贝与赋值操作-.NET教程,C#语言

建站超值云服务器,限时71元/月
c++对象的拷贝与赋值操作
我发现一些同事在编写一个类时,知道什么时候需要实现拷贝构造函数和赋值操作,但不知道什么时候拷贝构造函数被调用,什么时候赋值操作被调用,甚至把二者混为一谈。
 
要弄明白这个问题,最简单的做法莫过于写个测试程序试一下。不过那样做也未必是好办法,实验的结果往往导致以偏概全的结论。不如好好想一下,弄清楚其中的原理,再去写程序去验证也不迟。
 
拷贝构造函数,顾名思义,等于拷贝 + 构造。它肩负着创建新对象的任务,同时还要负责把另外一个对象拷贝过来。比如下面的情况就调用拷贝构造函数:
cstring str = strother;
 
赋值操作则只含有拷贝的意思,也就是说对象必须已经存在。比如下面的情况会调用赋值操作。
str = strother;
 
不过有的对象是隐式的,由编译器产生的代码创建,比如函数以传值的方式传递一个对象时。由于看不见相关代码,所以不太容易明白。不过我们稍微思考一下,就会想到,既然是根据一个存在的对象拷贝生成新的对象,自然是调用拷贝构造函数了。
 
两者实现时有什么差别呢?我想有人会说,没有差别。呵,如果没有差别,那么只要实现其中一个就行了,何必要两者都实现呢?不绕圈子了,它们的差别是:
 
拷贝构造函数对同一个对象来说只会调用一次,而且是在对象构造时调用。此时对象本身还没有构造,无需要去释放自己的一些资源。而赋值操作可能会调用多次,你在拷贝之前要释放自己的一些资源,否则会造成资源泄露。
 
明白了这些道理之后,我们不防写个测试程序来验证一下我们的想法:
 
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
 
class cstring
{  
public:
    cstring();
    cstring(const char* pszbuffer);
    ~cstring();
    cstring(const cstring& other);
    const cstring& operator=(const cstring& other);
 
private:
    char* m_pszbuffer;;
}; 
 
cstring::cstring()
{
    printf(“cstring::cstring\n”);
    m_pszbuffer = null;
 
    return;
}  
       
cstring::cstring(const char* pszbuffer)
{
    printf(“cstring::cstring(const char* pszbuffer)\n”);
    m_pszbuffer = pszbuffer != null ? strdup(pszbuffer) : null;
 
    return;
}
cstring::~cstring()
{
printf(“%s\n”, __func__);
if(m_pszbuffer != null)
{
              free(m_pszbuffer);
              m_pszbuffer = null;
}
 
    return;
}
 
cstring::cstring(const cstring& other)
{
    if(this == &other)
    {
        return;
    }
 
    printf(“cstring::cstring(const cstring& other)\n”);
    m_pszbuffer = other.m_pszbuffer != null ? strdup(other.m_pszbuffer) : null;
}
 
const cstring& cstring::operator=(const cstring& other)
{
    printf(“const cstring& cstring::operator=(const cstring& other)\n”);
 
    if(this == &other)
    {
        return *this;
    }
 
    if(m_pszbuffer != null)
    {
        free(m_pszbuffer);
        m_pszbuffer = null;
    }
         m_pszbuffer = other.m_pszbuffer != null ? strdup(other.m_pszbuffer) : null;
 
    return *this;
}
 
void test(cstring str)
{
    cstring str1 = str;
 
    return;
}
 
int main(int argc, char* argv[])
{
    cstring str;
    cstring str1 = “test”;
    cstring str2 =  str1;
    str1 = str;
 
    cstring str3 = str3;
 
    test(str);
 
    return 0;
}
 
赞(0)
版权申明:本站文章部分自网络,如有侵权,请联系:west999com@outlook.com 特别注意:本站所有转载文章言论不代表本站观点! 本站所提供的图片等素材,版权归原作者所有,如需使用,请与原作者联系。未经允许不得转载:IDC资讯中心 » C++对象的拷贝与赋值操作-.NET教程,C#语言
分享到: 更多 (0)