如何在C ++中实现生成器?

时间:2009-09-07 10:34:32

标签: c++ generator idioms

我想知道如何在C ++中实现像Python这样的生成器? Python可以使用关键字“yield”来执行此操作。 但是如何用C ++做呢?

6 个答案:

答案 0 :(得分:11)

在C ++中我们有'迭代器'。一个明确要求一个interator,明确地递增它并取消引用它。

如果您希望它们与标准库函数一起使用,它们应该主要来自std::forward_iterator,并实现其中的一些函数。

另一种模仿集合上的生成器的方法是允许一个函数作为成员函数的参数,该函数将其所有值提供(生成)到该函数:

struct MyCollection {
    int values[30];

    template< typename F >  
    void generate( F& yield_function ) const {
       int* end = values+30; // make this better in your own code :)
       for( auto i: values ) yield_function( *i );
    }
};

// usage:
c.generate([](int i){ std::cout << i << std::endl; });

// or pre-C++11:
struct MyFunction { 
    void operator() (int i)const { printf( "%d\n", i); }
};
MyCollection c;
c.generate( MyFunction() );

答案 1 :(得分:8)

这......绅士......是纯粹的黑魔法:

http://www.codeproject.com/Articles/29524/Generators-in-C

我已经尝试过了,它甚至可以递归地运行。从那以后我一直在经常使用它。生成器,几乎是C ++中的一等公民。甚至没有任何性能开销。

对作者表示最深切的敬意

答案 2 :(得分:5)

你真的不能这样做,但你可以假装它。这里是a way you can fake it in C,您也可以在C ++中使用它。

答案 3 :(得分:5)

详细说明迭代器实现:这是一个例子。它可以用作循环变量,也可以用作std算法。

#include <iterator>

template< typename T, typename TDiff = T >
struct TGenerator : public std::iterator<std::forward_iterator_tag,T,TDiff> {
  T from,to;
  T value;
  TDiff step;
  bool issentinel;

  TGenerator( T from, T to, TDiff step, bool sentinel = false )
    : from(from),to(to),step(step),issentinel(sentinel), value(from)
  {}

  void operator++(){ value += step; }

  const T& operator*()const { return value; }

  bool operator!=( const TGenerator& other ) const {
    return value<to;
  }

  TGenerator sentinel()const { return TGenerator(0,0,0,true); }

};


#include <algorithm>
#include <iostream>

int main()
{
  TGenerator<int> i(0,10,3);
  std::copy( i, i.sentinel(), std::ostream_iterator<int>( std::cout, " " ) );

    return 0;
}

答案 4 :(得分:1)

多次调用协程并获得不同的答案意味着你保持一些状态。保持状态的方式是对象。使它们看起来像函数调用的方法是运算符重载。请参阅http://en.wikipedia.org/wiki/Function_object

答案 5 :(得分:1)

你可以使用 boost.context (抱歉,还没有关于提升分发,你必须从boost vault获得它。)

典型的示例代码如下:

#include <iostream>
#include <boost/context.hpp>

using namespace std;

struct Parameters {
  int par1;
  float par2;
};

boost::context c1;
boost::context c2;

void F(void* parameters) {
  Parameters& pars = *(Parameters*)parameters;
  cout << pars.par1 << endl;
  c2.jump_to(c1);
  cout << pars.par2 << endl;
};

int main() {
  c1 = boost::context::current();
  Parameters p;
  p.par1 = 8;
  c2 = boost::context::create_context( F , c1 , p );
  c1.jump_to(c2);
  p.par2 = 1.3;
  c1.jump_to(c2);
}