以下简化案例将在MSVS 13中编译并运行正常,但是使用gcc 4.9.0我得到错误:
无法从
<brace-enclosed initializer list>
转换为std::vector(std::function<bool(std::string)>>
。
#include <iostream>
#include <functional>
#include <vector>
#include <string>
template<typename F> class Foo
{
public:
Foo(int a) : wombat(a) {};
~Foo() {}
bool get_result() { return result; }
protected:
template<typename A> bool do_something(std::string& s, A& a, A b, A c);
bool result;
int wombat;
};
template<typename F> template<typename A> bool Foo<F>::do_something(std::string& s, A& a, A b, A c)
{
if ( a > b && a < c)
{
std::cout << s << std::endl;
return true;
}
return false;
}
struct Tim
{
int age;
float weight;
};
class Bar : public Foo<Tim>
{
public:
Bar(int a) : Foo<Tim>(a) {};
~Bar() {};
void do_somethings();
};
void Bar::do_somethings()
{
Tim t;
t.age = 15;
std::vector<std::function<bool(std::string)> > my_list = {
std::bind(&Bar::do_something<int>, this, std::placeholders::_1, std::ref(t.age), 10, 100)
}; // Error shows up here
for( auto v : my_list) { result = v("howdy"); }
}
int main(int argc, char** argv)
{
Bar b(200);
b.do_somethings();
return 0;
}
我做错了什么,或者错过了初始化程序列表应该如何工作的内容?
答案 0 :(得分:1)
template<typename A> bool do_something(std::string& s, A& a, A b, A c)
do_something
的第一个参数类型为std::string&
,而不是std::string
。相应地更改std::function
的参数类型。
std::vector<std::function<bool(std::string&)> > my_list = ...
// ^
出于同样的原因,您不能将std::function
实例调用为v("howdy")
,因为这涉及构造临时std::string
对象,该对象无法绑定到非const
左值参考参数。请改用
std::string s("howdy");
for( auto v : my_list) { result = v(s); }
如果不需要修改参数,另一个选择是将函数参数类型更改为std::string const&
。
另请注意,您正在for
循环中复制每个向量元素。您可能希望将其更改为
for( auto& v : my_list)