我有一个类模板Wrap<T>
用一个递归成员函数test(int)
我想传递给一个拉姆达(STL的算法std::accumulate
在下面的代码)。
如果我使用的默认捕获列表=
,使我的递归函数meber static
,一切都很好,并得到我想要的结果。
但是,如果我让一个非静态成员函数,既Visual C ++和GCC 4.7.2抱怨的未初始化this
终场前,除非我有资格我的递归调用为this->test()
#include <algorithm>
#include <iostream>
#include <vector>
template<typename T>
struct Wrap
{
static int test1(int depth)
{
std::vector<int> v = { 0, 1, 2, 3 };
return depth == 0? 1 : std::accumulate(v.begin(), v.end(), int(0), [=](int sub, int const&) {
return sub + test1(depth - 1);
});
}
int test2(int depth)
{
std::vector<int> v = { 0, 1, 2, 3 };
return depth == 0? 1 : std::accumulate(v.begin(), v.end(), int(0), [=](int sub, int const&) {
return sub + /*this->*/test2(depth - 1);
});
}
};
int main()
{
std::cout << Wrap<int>::test1(0) << "\n"; // 1
std::cout << Wrap<int>::test1(1) << "\n"; // 4
std::cout << Wrap<int>::test1(2) << "\n"; // 16
Wrap<int> w;
std::cout << w.test2(0) << "\n"; // 1
std::cout << w.test2(1) << "\n"; // 4
std::cout << w.test2(2) << "\n"; // 16
}
输出LiveWorkSpace :
source.cpp: In instantiation of 'int Wrap<T>::test2(int) [with T = int]':
source.cpp:32:26: required from here
source.cpp:19:74: error: missing initializer for member 'Wrap<T>::test2(int) [with T = int]::<lambda(int, const int&)>::__this' [-Werror=missing-field-initializers]
在取消对/*this->/*
件,给出相同的结果作为用于静态成员函数。
我为什么要限定我的递归调用与this->
?