假设我有以下(简化案例):
class Color;
class IColor
{
public:
virtual Color getValue(const float u, const float v) const = 0;
};
class Color : public IColor
{
public:
float r,g,b;
Color(float ar, float ag, float ab) : r(ar), g(ag), b(ab) {}
Color getValue(const float u, const float v) const
{
return Color(r, g, b)
}
}
class Material
{
private:
IColor* _color;
public:
Material();
Material(const Material& m);
}
现在,有没有办法在Material的复制构造函数中对抽象IColor进行深度复制?也就是说,我想要复制m._color的值(颜色,纹理),而不仅仅是指向IColor的指针。
答案 0 :(得分:25)
答案 1 :(得分:7)
您可以在界面中添加clone()函数。
答案 2 :(得分:1)
您必须自己将该代码添加到Material copy构造函数中。然后编译以在析构函数中释放分配的IColor。
您还需要向IColor添加虚拟析构函数。
自动进行深度复制的唯一方法是直接存储颜色而不是指向IColor的指针。
答案 3 :(得分:0)
将color()方法添加到颜色可能是最好的,但如果您没有该选项,则另一种解决方案是使用dynamic_cast将IColor *转换为Color *。然后,您可以调用Color复制构造函数。
答案 4 :(得分:0)
如果您有一个为您创建颜色的“类似工厂”的类,您可以为用户实现一个类型擦除的向上复制构造函数。在您的情况下,它可能不适用,但是当它适用时,我发现它比对实现者强制执行克隆功能更优雅。
struct IColor {
/* ... */
// One way of using this.
// If you have a "manager" class, then this can be omitted and completely
// hidden from IColor implementers.
std::unique_ptr<IColor> clone() const final {
return cpy_me(this); // upcasts
}
// There are other ways to riff around the idea, but the basics are the same.
private:
friend struct ColorMaker;
IColor() = default;
using cpy_callback_t = std::unique_ptr<IColor> (*)(const IColor*);
cpy_callback_t cpy_me = nullptr;
};
struct ColorMaker {
template <class T>
static std::unique_ptr<IColor> make_color() {
static_assert(std::is_base_of_v<IColor, T>, "bleep bloop, no can do");
std::unique_ptr<IColor> ret = std::make_unique<T>();
// Encoding type T into the callback, type-erasing it.
// IColor implementer only has to implement copy constructor as usual.
ret.cpy_me = [](const IColor* from) -> std::unique_ptr<IColor> {
return std::make_unique<T>(*static_cast<const T*>(from));
};
return ret;
}
}