3

我有一个容器对象:

R Container;

R 是类型list<T*>vector<T*>

我正在尝试编写以下函数:

template<typename T, typename R>
T& tContainer_t<T, R>::Find( T const item ) const
{   
typename R::const_iterator it = std::find_if(Container.begin(), Container.end(),  [item](const R&v) { return item == v; });
if (it != Container.end())
    return (**it);
else
    throw Exception("Item not found in container");
}

尝试该方法时(v 是我的类的对象)

double f = 1.1;
v.Find(f);

我明白了binary '==' : no operator found which takes a left-hand operand of type 'const double' (or there is no acceptable conversion)

我对 lambda 表达式语法以及我应该在那里写什么感到困惑,但找不到任何友好的解释。

怎么了 ?10 倍。

4

1 回答 1

6

缺少一些上下文,但我注意到:

  • 你回来**it了,所以你可能想比较*v==itemt
  • 你通过const R&v我怀疑你的意思const T&v进入 lambda
  • 您使用了 const_iterator,但返回了非常量引用。那是不匹配
  • 我做了一些参数 const& 以提高效率(并支持不可复制/不可移动的类型)

这是工作代码,去掉了缺少的类引用:

#include <vector>
#include <algorithm>
#include <iostream>

template<typename T, typename R=std::vector<T> >
T& Find(R& Container, T const& item ) 
{   
    typename R::iterator it = std::find_if(Container.begin(), Container.end(),  [&item](const T&v) { return item == v; });
    if (it != Container.end())
        return *it;
    else
        throw "TODO implement";
}

int main(int argc, const char *argv[])
{
    std::vector<double> v { 0, 1, 2, 3 };
    Find(v, 2.0); // not '2', but '2.0' !
    return 0;
}
于 2012-05-23T10:06:29.230 回答