'How can I create a Generator in ruby?

How can I made this part of code from Javascript to Ruby? I would like to translate from Javascript to Ruby this function:

function* generate(arr) {
    console.log('AAAA'+ arr)
    const A = Array.from(arr); // copy
    const len = A.length;
    const c = new Array(len).fill(0);
    let i = 0;
    yield A;
  
    while (i < len) {
        if (c[i] < i) {
            let j = i & 1 ? c[i] : 0;

            if (A[i] != A[j]) {
                [A[j], A[i]] = [A[i], A[j]];
                yield A;
            }

            c[i]++;
            i = 0;
        } 
        else {
            c[i] = 0;
            i++;
        }
    }
};

I am using like this that function:

function* definition(data) {
    const state = data.map(v => generate(v));

and definition function i am using like this:

arr= [
  ['1','2','1','2','1'],
  ['2','2','2','4','4'],
]
state = definition(arr)
console.log('STATE',state)

this console getting this:

STATE[object Generator],[object Generator],[object Generator] the console show me this:

AAAA1,1,1,2,1
AAAA3,2,4,4,4
AAAA6,6,7,8,7

I was trying this is my attempt:

def generate(arr)      
  a = arr.clone
  len = a.size
  c = new Array(len).fill(0)
  let i = 0
  yield a

  while i < len 
    if(c[i] < i) 
      let j = i&1 ? c[i] : 0

      if (a[i] != a[j]) 
        a[j], a[i] = [a[i], a[j]]
        yield a
      end

      c[i]++
      i = 0
    else 
      c[i] = 0
      i++
    end
  end
end

In Ruby I am using like this:

def definition(data)
  state = data.map { |v| generate(v) }

But I need a function* in ruby to create a generator.

also, this new Array(len).fill(0) is ok?



Solution 1:[1]

generator = Enumerator.new do |yielder|
  5.times do
    5.times do |i|
      yielder << i
    end
  end
end

generator.to_a
# => [0, 1, 2, 3, 4, 0, 1, 2, 3, 4, 0, 1, 2, 3, 4, 0, 1, 2, 3, 4, 0, 1, 2, 3, 4]
# Or use different methods from Enumerator or Enumerable
# Or make a function that returns this Enumerator for
# closest approximation of what you do with JS

In general, Ruby has no concept of * functions or async. You should think of them as if ALL Ruby functions were async and ALL calls were await. What this means is that unlike in JavaScript, in Ruby you can abort execution at any time, using a low-level interface of Fiber, or high-level abstractions like aforementioned Enumerator::Generator (created with Enumerator.new).

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 hmdne