Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Iterate over a array and returning the next and the element before current [duplicate]

Tags:

arrays

ruby

How may i fetch next and before current element from array while iterating array with each.

array.each do |a|
   # I want to fetch next and before current element.
end
like image 485
krunal shah Avatar asked Sep 29 '10 18:09

krunal shah


2 Answers

Take look at Enumerable#each_cons method:

[nil, *array, nil].each_cons(3){|prev, curr, nxt|
  puts "prev: #{prev} curr: #{curr} next: #{nxt}"
}

prev:  curr: a next: b
prev: a curr: b next: c
prev: b curr: c next: 

If you like, you can wrap it in new Array method:

class Array
  def each_with_prev_next &block
    [nil, *self, nil].each_cons(3, &block)
  end
end
#=> nil

array.each_with_prev_next do |prev, curr, nxt|
  puts "prev: #{prev} curr: #{curr} next: #{nxt}"
end
like image 140
Mladen Jablanović Avatar answered Nov 01 '22 04:11

Mladen Jablanović


You can use Enumerable#each_with_index to get the index of each element as you iterate, and use that to get the surrounding items.

array.each_with_index do |a, i|
  prev_element = array[i-1] unless i == 0
  next_element = array[i+1] unless i == array.size - 1
end
like image 42
Daniel Vandersluis Avatar answered Nov 01 '22 03:11

Daniel Vandersluis