我的问题的简短版本是:如何使用std::bind()
标准库算法之类的东西?
由于简短版本有点缺乏细节,这里有一点解释:假设我有算法std::transform()
,现在我想实现std::copy()
(是的,我意识到std::copy()
标准 C++ 库中有)。由于我非常懒惰,我显然想使用现有的std::transform()
. 当然,我可以这样做:
struct identity {
template <typename T>
auto operator()(T&& value) const -> T&& { return std::forward<T>(value); }
};
template <typename InIt, typename OutIt>
auto copy(InIt begin, InIt end, OutIt to) -> OutIt {
return std::transform(begin, end, to, identity());
}
不知何故,这个实现有点像算法的配置。例如,似乎std::bind()
应该能够完成这项工作,但简单地使用std::bind()
是行不通的:
namespace P = std::placeholders;
auto copy = std::bind(std::transform, P::_1, P::_2, P::_3, identity());
问题是编译器无法仅从算法中确定适当的模板参数,并且是否存在无关紧要&
。有什么东西可以像使用std::bind()
工作这样的方法吗?由于这是前瞻性的,我很高兴有一个解决方案可以处理已经提议包含在 C++ 标准中的任何内容。此外,为了摆脱我的懒惰,我很乐意在前面做一些工作,以便以后使用。可以这样想:在我作为库实施者的角色中,我将把所有东西放在一起,这样每个库用户都可以变得懒惰:我是一个忙碌的实施者,但也是一个懒惰的用户。
如果您想要一个现成的测试台:这里有一个完整的程序。
#include <algorithm>
#include <functional>
#include <iostream>
#include <iterator>
#include <utility>
#include <vector>
using namespace std::placeholders;
struct identity {
template <typename T>
T&& operator()(T&& value) const { return std::forward<T>(value); }
};
int main()
{
std::vector<int> source{ 0, 1, 2, 3, 4, 5, 6 };
std::vector<int> target;
#ifdef WORKS
std::transform(source.begin(), source.end(), std::back_inserter(target),
identity());
#else
// the next line doesn't work and needs to be replaced by some magic
auto copy = std::bind(&std::transform, _1, _2, _3, identity());
copy(source.begin(), source.end(), std::back_inserter(target));
#endif
std::copy(target.begin(), target.end(), std::ostream_iterator<int>(std::cout, " "));
std::cout << "\n";
}