我有一个类(我们暂时称之为base
),它有一个受保护的接口,包括受保护的构造函数等。一些函数按值base
返回一个实例base
:
class base {
protected:
base() {}
base (base const &other) {} // line 6
base foo () {
base ret;
return ret;
}
};
这些函数被包装在派生类中以返回派生类型,如下所示:
class derived : public base {
private:
derived(base const &b) : base(b) {}
public:
derived() : base() {}
derived foo() {
derived d(base::foo()); // line 21
return d;
}
};
为了便于从base
返回类型转换为derived
返回类型,我提供了一个私有构造函数derived
来处理这个问题。
使用 gcc 4.1.2 在 Centos 5.8 上编译它会产生以下错误:
test.cpp: In member function ‘derived derived::foo()’:
test.cpp:6: error: ‘base::base(const base&)’ is protected
test.cpp:21: error: within this context
在 Linux Mint 12 上使用 gcc 4.6.1 和 clang 2.9,代码编译文件,即使使用-Wall -Wextra
,除了对的复制构造函数的unused parameter
警告。base
我认为这可能是 gcc 4.1.2 中的编译器错误,但我在网上找不到任何东西。有没有人见过这个?
我无法在没有巨大痛苦的情况下更新编译器。除了将基类的复制构造函数公开之外,还有简单的解决方法吗?
编辑我base b;
在第 21 行之前添加derived::foo()
。在这种情况下,gcc 4.6.1 和 gcc 4.1.2 抱怨默认 ctorbase
是受保护的,clang 2.9 编译时没有警告。这就是 David Rodríguez - dribeas 在他的评论中所说的 - 默认 ctor 不能在base
.
编辑 2似乎适用于此的标准段落是 11.5 [class.protected]。gcc 4.1.2 拒绝我的代码不正确似乎是正确的,我想知道为什么 gcc 4.6.1 和 clang 允许它。有关初步解决方案,请参阅我自己的答案。