我试图通过 C++11 了解别名声明类的一些细节,using
以及这如何/为什么会影响基类构造函数调用。
示例代码
#include <iostream>
namespace N {
template<typename T>
struct Foo
{
// Foo(){}; // NOTE: If this line is present, error 2 goes away.
Foo(T t):value(t){};
~Foo() = default;
T value;
};
struct BarInt : public Foo<int>
{
BarInt(int t):Foo< int >(t){};
~BarInt() = default;
};
using BarFloat = Foo<float>;
};
struct A : public N::BarInt
{
A(int i=42):BarInt(i){}; //BarInt(i) or N::BarInt(i) doesn't matter here
~A() = default;
};
struct B : public N::BarFloat
{
B(float f=23.0):BarFloat(f){}; //two errors with gcc4.7.2 (with -std=gnu++11)
// B(float f=23.1):N::BarFloat(f){}; //this line seems to work.
~B() = default;
};
int main(int argc, char **argv)
{
A a;
B b;
std::cout << "a's value is "<< a.value << "\n"
<< "b's value is "<< b.value << std::endl;
return 0;
}
gcc 4.7.2(使用 -std=gnu++11 编译)为此代码生成两个我认为相关的错误(尽管我不明白如何......)
错误 1
main.cpp: In constructor ‘B::B(float)’:
main.cpp:32:19: error: class ‘B’ does not have any field named ‘BarFloat’
我在 stackoverflow 上的搜索是在引用基类时需要命名空间,其中提到注入的类名作为进一步搜索的起点。但是,根据我收集到的信息,这解释了为什么我可以A
按照我的方式编写构造函数(即 as A(int i=42):BarInt(i){};
)以及为什么BarInt(i)
不必使用 namespace 来限定N
。
那么为什么这不起作用B
呢?根据 C++11 中的'typedef'和'using'有什么区别?,using
与 good old 相同typedef
,所以我想我对第一个错误的问题是,在注入类名的上下文中,别名声明的类(BarFloat
在我的示例中)与常规类(在我的示例中)有何不同。BarInt
任何指针都非常感谢:)
错误 2
main.cpp:32:29: error: no matching function for call to ‘N::Foo<double>::Foo()’
main.cpp:32:29: note: candidates are:
main.cpp:9:5: note: N::Foo<T>::Foo(T) [with T = double]
main.cpp:9:5: note: candidate expects 1 argument, 0 provided
main.cpp:6:10: note: constexpr N::Foo<double>::Foo(const N::Foo<double>&)
main.cpp:6:10: note: candidate expects 1 argument, 0 provided
Foo()
如果我在上面的示例代码中已经指出,引入一个空的构造函数,这个错误就会消失。然而,我的问题是为什么BarFloat(f)
会触发对空Foo()
构造函数的调用,在这种情况下,如何BarFloat.value
可能将其设置为 23.0.0。
后经
因为这是我在这里的第一篇文章:您好 stackoverflow,感谢大家通过帮助他人解决问题为我提供的巨大帮助!