I’m trying to manipulate a 2D array. I have created a method that looks
in adjacent cells of my 2D array and returns the contents found there.
When my method tries to look for cells to the left of the far left
column, Ruby will naturally ‘wrap around’ and return the far right
column, because array index 0 - 1 = -1, which Ruby interprets as the
last element of an array, in this case the far right of my rectangular
2D array. Same for beyond the top row.
What I want to do is replicate this behaviour for looking beyond the
bottom row and far right column. In other words, I want my 2D array to
wrap around top and bottom, left and right (in truth I only want left
and right to wrap, and top and bottom to be blocked, but for now I’d
just settle for full wrap).
What would be the easiest solution. Perhaps modification or additions to
the Array class in my program? Perhaps some addtions to my Array2D
class?
def class Array2D < Array
def
super [] index % self.length
end
end
How about that?
I thought there might be a neat mathematical way to do this but never
would have found it by myself. Finding the remainder (% in Ruby) of:
array index / array size
works nicely.
I couldn’t plug that code directly into my program and make it work, but
I used the % technique. In my case it’s a 2D array. I’m using the code
by James G. from the thread Nooby question : multidimensional arrays - Ruby - Ruby-Forum, namely:
01 class Array2D
02
03 def initialize(width, height)
04 @data = Array.new(width) { Array.new(height) }
05 end
06
07 def [](x, y)
08 @data[x][y]
09 end
10
11 def []=(x, y, value)
12 @data[x][y] = value
13 end
14
15 end
I modified it to incorporate ‘wrapping’ like so:
01 class Array2D
02
03 attr_accessor :width, :height
04
05 def initialize(width, height)
06 @width = width
07 @height = height
08 @data = Array.new(@width) { Array.new(@height) }
09 end
10
11 def [](x, y)
12 x = x % @width
13 y = y % @height
14 @data[x][y]
15 end
16
17 def []=(x, y, value)
18 x = x % @width
19 y = y % @height
20 @data[x][y] = value
21 end
22
23 end
I’m not sure how impressed Rubyists would be with the neatness of this
solution but it works.