"Unflattening" arrays

Hi folks,

Is there an easy way to get [1,2,3,4,5,6,7,8] into
[[1,2],[3,4],[5,6],[7,9]] or [[1,2,3,4],[5,6,7,8]] depending on a
parameter?

Farrel

On Mar 27, 2006, at 9:59 PM, Farrel L. wrote:

Is there an easy way to get [1,2,3,4,5,6,7,8] into
[[1,2],[3,4],[5,6],[7,9]] or [[1,2,3,4],[5,6,7,8]] depending on a
parameter?

require ‘enumerator’

[1,2,3,4,5,6,7,8].enum_for(:each_slice, 4).to_a # -> [[1, 2, 3, 4],
[5, 6, 7, 8]]

– Daniel

Check Enumerable#each_slice

require ‘enumerator’
[1,2,3,4,5,6,7,8].enum_for(:each_slice, 2).to_a

require ‘enumerator’

a = []
(1…8).to_a.each_slice(2) { |x| a << x }
p a
=> [[1, 2], [3, 4], [5, 6], [7, 8]]

On 3/27/06, Daniel H. [email protected] wrote:

[1,2,3,4,5,6,7,8].enum_for(:each_slice, 4).to_a # → [[1, 2, 3, 4],
[5, 6, 7, 8]]

– Daniel

This is just what I need. Thanks!

On Tue, 28 Mar 2006 04:59:00 +0900, Farrel L.
[email protected]
wrote:

Hi folks,

Is there an easy way to get [1,2,3,4,5,6,7,8] into
[[1,2],[3,4],[5,6],[7,9]] or [[1,2,3,4],[5,6,7,8]] depending on a
parameter?

From ‘enumerator.rb’ , #each_slice(n) lets you iterate over successive
slices, and #enum_slice(n) generates an enumerator which you can use
the #to_a on to get the array of slices:

require ‘enumerator’
a = [1,2,3,4,5,6,7,8,9]
a.enum_slice(2).to_a # => [[1, 2], [3, 4], [5, 6], [7, 8], [9]]
a.enum_slice(4).to_a # => [[1, 2, 3, 4], [5, 6, 7, 8], [9]]

andrew

Farrel L. wrote:

Hi folks,

Is there an easy way to get [1,2,3,4,5,6,7,8] into
[[1,2],[3,4],[5,6],[7,9]] or [[1,2,3,4],[5,6,7,8]] depending on a
parameter?

Farrel

[1,2,3,4,5,6,7,8].inject([[]]){|a,x|
a.last.size==2 ? a << [x] : a.last << x ; a }