在地图的第二个值中搜索我使用如下内容:
typedef std::map<int, int> CMyList;
static CMyList myList;
template<class t> struct second_equal
{
typename typedef t::mapped_type mapped_type;
typename typedef t::value_type value_type;
second_equal(mapped_type f) : v(f) {};
bool operator()(const value_type &a) { return a.second == v;};
mapped_type v;
};
...
int i = 7;
CMyList::iterator it = std::find_if(myList.begin(), myList.end(),
second_equal<CMyList>(i));
问题:如何在不提供自写模板的情况下在一行中进行此类查找?
答案 0 :(得分:8)
使用选择器从map_type中选择第一个或第二个元素。
使用绑定器将值(i)绑定到std::equal_to
函数的一个参数。
使用composer将selector的输出用作equal_to函数的另一个参数。
//stl version
CMyList::iterator it = std::find_if(
myList.begin(),
myList.end(),
std::compose1(
std::bind2nd(equal_to<CMyList::mapped_type>(), i),
std::select2nd<CMyList::value_type>())) ;
//Boost.Lambda or Boost.Bind version
CMyList::iterator it = std::find_if(
myList.begin(),
myList.end(),
bind( &CMyList::mapped_type::second, _1)==i);
答案 1 :(得分:0)
我将自愿离开。 lambda的问题在于(除了C ++ 0x)你现在实际上不能使用像_.second
这样的东西。
我个人使用:
template <class Second>
class CompareSecond
{
public:
CompareSecond(Second const& t) : m_ref(t) {} // actual impl use Boost.callparams
template <class First>
bool operator()(std::pair<First,Second> const& p) const { return p.second == m_ref; }
private:
Second const& m_ref;
};
我与之合并:
template <class Second>
CompareSecond<Second> compare_second(Second const& t)
{
return CompareSecond<Second>(t);
}
为了获得自动类型扣除。
这样我就可以写
了CMyList::iterator it = std::find_if(myList.begin(), myList.end(), compare_second(i));
是的,它不使用粘合剂。
但至少,我的可读性和容易理解,在我看来,这取决于聪明的诡计。
注意强>:
实际上,我已经将STL算法包装成完整的容器,所以它将是:
CMyList::iterator it = toolbox::find_if(myList, compare_second(i));
其中(imho)显然是可读的,没有auto
关键字进行类型推断。
答案 2 :(得分:0)
您可以使用Boost Lambda
CMyList::iterator it = std::find_if(
myList.begin(), myList.end(),
boost::lambda::bind(&CMyList::value_type::second, boost::lambda::_1) == i);
答案 3 :(得分:-1)
您可以解决此问题,只需编写自己的算法并使用它。通过这种方式,你可以不必写很多小算器。
template <typename Iter, typename T>
Iter find_second(Iter first, Iter last, T value) {
while (first != last) {
if (first->second == value) {
return first;
}
++first;
}
return first;
}
注意这未经过测试甚至未经过编译。
在我看来,用绑定器解决这个问题只是要求许多丑陋的代码。你真正要求的是一个新的算法,所以只需添加算法。话虽如此,我可能会最终实现Matthieu M.之类的内容。