可以将C ++拷贝构造函数用于其他目的吗?

时间:2018-06-06 19:19:47

标签: c++ copy-constructor deep-copy

出于其他目的,我的意思是克隆。这是一个简化的例子:我有对象,有些是正方形,有些是盒子,它们都是Object2D。每个人都有一个唯一的身份证。

在这个系统中,我不需要对象副本的典型含义。当对象按值传递,按值返回时使用典型的复制构造函数,并且......在此系统中,每个对象都是唯一的,因此我们不需要典型的复制构造函数。对于至少id,两个正方形将不同。因此,我使用复制构造函数来制作克隆。在克隆过程中,我将深层复制除id之外的树结构。

#include <iostream>
#include <string>
#include <memory>
#include <cstdlib>
#include <vector>
int offset(){
    return rand()%100-50;
}
int location(){
    return rand()%10000-5000;
}
class Object2D{
public:
    int x_, y_;
    int id;
    static int count;
    Object2D(int x, int y):x_(x), y_(y){
        id=count++;
    }
};
int Object2D::count=0;
class Square: public Object2D{
public:
    int getParent(){return containedBy_->id;}
    Square(Object2D* containedBy, int size):
            Object2D(containedBy->x_+offset(), containedBy->y_+offset()),
            containedBy_(containedBy),size_(size){
        std::cout<<"Square constructor"<<std::endl;
    }
    Square(const Square& other):
            Object2D(other.x_-other.containedBy_->x_, other.y_-other.containedBy_->y_), 
            containedBy_(other.containedBy_), size_(other.size_){
        std::cout<<"Square clone"<<std::endl;
    }
private:    
    Object2D* containedBy_;
    size_t size_;
};
class Box:public Object2D{
private:
    size_t l_;size_t h_;
    std::vector<std::shared_ptr<Square>> all;
public:
    void addSquare(int size){
        auto temp = std::make_shared<Square>(this, size);
        all.push_back(std::move(temp));
    }
    const std::vector<std::shared_ptr<Square>>& getAll() const{
        return all;
    }
    Box(int x, int y, size_t l, size_t h):
            Object2D(x,y), l_(l), h_(h){}
    Box(const Box& other):Object2D(location(), location()){// clone the other box, put cloned squares in
        for(const auto& item:other.getAll()){
            all.push_back(std::make_shared<Square>(*item));
        }
    }
    void showOffsets(){
        std::cout<<"show offsets of all components for container"<<id<<":";
        for(const auto& item: all){
            std::cout<<item->id<<"("<<item->x_-x_<<","<<item->y_-y_<<")"<<" ";
        }
        std::cout<<std::endl;
    }
};

int main()
{
    Box b(100,100,100,100);
    std::cout<<"before do it"<<std::endl;

    b.addSquare(10);
    Box c(b);
    std::cout<<b.id<<c.id<<std::endl;

    b.showOffsets();
    c.showOffsets();
    return 0;
}

在这里我克隆一个盒子,我还需要克隆包含的方块,并保持它们的偏移量。克隆的对象将具有新的ID,它们都是唯一的。

问题

使用复制构造函数进行克隆是一个好主意吗?请注意,在这种情况下,复制构造函数的行为与典型的复制构造函数不同,因此我需要禁止以任何方式调用通常预期的复制构造函数,例如我不能使用向量来包含正方形,因为一个简单的向量擦除将调用复制构造函数,它不会保留id。所以我使用了智能指针。

第二,为什么克隆期间不会复制偏移量?这就是我想要保留的东西。

结果:

before do it
Square constructor
Square clone
02
show offsets of all components for container0:1(36,33) 
show offsets of all components for container2:3(-1879,2256) 

1 个答案:

答案 0 :(得分:1)

是的,您可以定义自己的复制构造函数。

然而,正如您已经注意到的那样,您会发现很难禁止&#34;禁止&#34;复制你不明确要求它们。

我的建议:给你的对象一个clone()函数和delete复制构造函数(也许也是复制操作符)。

这样你只有在明确打算时才克隆。