我试图转置[[0, 1, 2], [3, 4, 5], [6, 7, 8]]
。我得到[[2, 5, 8], [2, 5, 8], [2, 5, 8]]
。
我可以看到行p transposed_arr
发生了什么,但不明白为什么会发生这种情况。在每次迭代时,它都会改变每一行而不是一行。
def my_transpose(arr)
# number of rows
m = arr.count
#number of columns
n = arr[0].count
transposed_arr = Array.new(n, Array.new(m))
# loop through the rows
arr.each_with_index do |row, index1|
# loop through the colons of one row
row.each_with_index do |num, index2|
# swap indexes to transpose the initial array
transposed_arr[index2][index1] = num
p transposed_arr
end
end
transposed_arr
end
答案 0 :(得分:3)
您只需要进行一次改变,您的方法就可以正常工作。替换:
transposed_arr = Array.new(n, Array.new(m))
使用:
transposed_arr = Array.new(n) { Array.new(m) }
前者使transposed_arr[i]
成为所有m
的相同对象(大小为i
的数组)。后者为每个m
i
的单独数组
案例1:
transposed_arr = Array.new(2, Array.new(2))
transposed_arr[0].object_id
#=> 70235487747860
transposed_arr[1].object_id
#=> 70235487747860
案例2:
transposed_arr = Array.new(2) { Array.new(2) }
transposed_arr[0].object_id
#=> 70235478805680
transposed_arr[1].object_id
#=> 70235478805660
通过该更改,您的方法将返回:
[[0, 1, 2],
[3, 4, 5],
[6, 7, 8]]