第一种选择是将执行迭代的代码放在模板中。这需要将实现暴露给使用它的每个人,这是有缺点的。
基本上,将类型C
作为template
参数,然后根据该类型编写代码C
。
template<typename C>
void printMeSomeStrings(C&& strings) {
for (auto const& str : strings) {
cout << str << endl;
}
}
如果您希望能够在接口和实现之间设置强大的屏障,C++11 的方法是在for
-iterable 容器上进行类型擦除,然后公开for
-iterable 容器,就像std::function
工作原理一样。
这更棘手。我个人发现编写一个for_each
函数比编写一个完整的迭代适配器更容易。如果您想要完整的容器迭代类型擦除对象,请从 开始boost
,或者在下面问我,我可能会这样做。
但是,for_each
适配器很容易。
#include <functional>
#include <utility>
#include <iterator>
#include <memory>
template<typename T>
struct for_each_helper_interface {
virtual ~for_each_helper_interface() {}
virtual void for_each( std::function< void(T) > const& ) = 0;
};
template<typename C, typename T>
struct for_each_helper:for_each_helper_interface<T> {
C& c;
for_each_helper( C& in ):c(in) {}
virtual void for_each( std::function< void(T) > const& f ) override final {
for( auto&& x:c ) {
f(x);
}
}
};
template<typename T>
struct for_each_adaptor {
std::unique_ptr<for_each_helper_interface<T>> pImpl;
void for_each( std::function< void(T) > const& f ) {
if (pImpl) {
pImpl->for_each(f);
}
}
template<typename C>
for_each_adaptor( C&& c ): pImpl( new for_each_helper<C, T>( std::forward<C>(c) ) ) {}
};
这将对容器T
(或可转换为T
!)的容器进行类型擦除,并公开一个for_each
允许您迭代容器内容的方法。像这样使用:
#include <set>
#include <iostream>
#include <vector>
void print_stufF( for_each_adaptor<std::string const&> c ) {
c.for_each([&](std::string const&s){
std::cout << s << "\n";
});
}
int main() {
std::set<std::string> s;
s.insert("hello");
s.insert("world");
print_stuff(s);
std::vector<std::string> v;
v.push_back("hola");
v.push_back("bola");
print_stuff(v);
}
这里发生的是,对于用于构建适配器的每种类型,我们为每个类型构建一个自定义实现。然后我们存储一个指向这个自定义类的抽象基类的指针,并为每次调用它重定向。
这意味着任何专门std::begin
化或定义自己开始的东西都不需要相关:相反,我们在使用点创建临时关系。
现场示例:http: //ideone.com/xOqBkI