Ruby equivalent of C#'s 'yield' keyword, or, creating sequences without preallocating memory

后端 未结 4 2026
遥遥无期
遥遥无期 2021-01-12 05:20

In C#, you could do something like this:

public IEnumerable GetItems()
{
    for (int i=0; i<10000000; i++) {
        yield return i;
           


        
4条回答
  •  伪装坚强ぢ
    2021-01-12 05:33

    Your specific example is equivalent to 10000000.times, but let's assume for a moment that the times method didn't exist and you wanted to implement it yourself, it'd look like this:

    class Integer
      def my_times
        return enum_for(:my_times) unless block_given?
        i=0
        while i

    Edit: To clarify my answer a bit:

    In the above example my_times can be (and is) used without a block and it will return an Enumerable object, which will let you iterate over the numbers from 0 to n. So it is exactly equivalent to your example in C#.

    This works using the enum_for method. The enum_for method takes as its argument the name of a method, which will yield some items. It then returns an instance of class Enumerator (which includes the module Enumerable), which when iterated over will execute the given method and give you the items which were yielded by the method. Note that if you only iterate over the first x items of the enumerable, the method will only execute until x items have been yielded (i.e. only as much as necessary of the method will be executed) and if you iterate over the enumerable twice, the method will be executed twice.

    In 1.8.7+ it has become to define methods, which yield items, so that when called without a block, they will return an Enumerator which will let the user iterate over those items lazily. This is done by adding the line return enum_for(:name_of_this_method) unless block_given? to the beginning of the method like I did in my example.

提交回复
热议问题