2

我有一个vector

std::vector<island> sea;

vector现在我想在另一个中保存指向 this 的所有元素的指针vector。但只是为了个人练习,我想以一种花哨的 C++ 风格来做这件事,所以std::vector<const island*> p_sea我不输入:

std::vector<std::reference_wrapper<const island>> r_sea;

现在我想vector用引用填充这个新的:

std::transform(sea.begin(), sea.end(),
               std::back_inserter(r_sea),
               std::cref<island>
);

我理解它的方式,来自 cppreference 文章,的第四个参数transform应该是一个函数,它从源范围内获取对元素的 const 引用并返回目标范围的元素;这正是std::cref<island>它的作用:它const island&作为参数并返回std::reference_wrapper<const island>。所以我相信这应该有效?

但是,它不会:

#include <iostream>
#include <vector>
#include <algorithm>
#include <functional>
#include <iterator>


struct island {
    long long x,y; //coords
};

int main() {
    std::vector<island> sea;
    std::vector<std::reference_wrapper<const island>> r_sea;

    std::transform(sea.begin(), sea.end(),
                   std::back_inserter(r_sea),
                   std::cref<island>
    );

    return 0;
}

这会导致以下编译错误:

prog.cpp: In function ‘int main()’:
prog.cpp:19:5: error: no matching function for call to ‘transform(std::vector<island>::iterator, std::vector<island>::iterator, std::back_insert_iterator<std::vector<std::reference_wrapper<const island> > >, <unresolved overloaded function type>)’
     );
     ^
In file included from /usr/include/c++/6/algorithm:62:0,
                 from prog.cpp:3:
/usr/include/c++/6/bits/stl_algo.h:4166:5: note: candidate: template<class _IIter, class _OIter, class _UnaryOperation> _OIter std::transform(_IIter, _IIter, _OIter, _UnaryOperation)
     transform(_InputIterator __first, _InputIterator __last,
     ^~~~~~~~~
/usr/include/c++/6/bits/stl_algo.h:4166:5: note:   template argument deduction/substitution failed:
prog.cpp:19:5: note:   could not resolve address from overloaded function ‘cref<island>’
     );
     ^
In file included from /usr/include/c++/6/algorithm:62:0,
                 from prog.cpp:3:
/usr/include/c++/6/bits/stl_algo.h:4203:5: note: candidate: template<class _IIter1, class _IIter2, class _OIter, class _BinaryOperation> _OIter std::transform(_IIter1, _IIter1, _IIter2, _OIter, _BinaryOperation)
     transform(_InputIterator1 __first1, _InputIterator1 __last1,
     ^~~~~~~~~
/usr/include/c++/6/bits/stl_algo.h:4203:5: note:   template argument deduction/substitution failed:
prog.cpp:19:5: note:   could not resolve address from overloaded function ‘cref<island>’
     );

https://ideone.com/E80WXH

我究竟做错了什么?

...我回到邪恶的 C 指针。

4

2 回答 2

3

替换std::cref<island>[](auto&x){return std::cref<island>(x);},假设

中,替换autoisland const.

cref具有重载,您不能将重载集作为对象传递,因为重载集不是对象。

于 2017-12-11T18:24:38.133 回答
0

std::cref超载。仅仅指定模板参数不足以消除重载之间的歧义。你有两个选择:

  1. 投射它

    static_cast<std::reference_wrapper<const island>(*)(const island&)>(std::cref<island>)
    
  2. 将名称提升到一个仿函数对象(一个 lambda)。就像@Yakk 提议的那样。

于 2017-12-11T18:25:09.307 回答