I am trying to port some ruby code to javascript but am struggling with one particular line
The Ruby code is below: It removes all the full rows from a game of tetris:
# removes all filled rows and replaces them with empty ones, dropping all rows
# above them down each time a row is removed and increasing the score.
def remove_filled
(2..(@grid.size-1)).each{|num| row = @grid.slice(num);
# see if this row is full (has no nil)
if @grid[num].all?
# remove from canvas blocks in full row
(0..(num_columns-1)).each{|index|
@grid[num][index].remove;
@grid[num][index] = nil
}
# move down all rows above and move their blocks on the canvas
((@grid.size - num + 1)..(@grid.size)).each{|num2|
@grid[@grid.size - num2].each{|rect| rect && rect.move(0, block_size)};
# I can't port this line
@grid[@grid.size-num2+1] = Array.new(@grid[@grid.size - num2])
}
# insert new blank row at top
@grid[0] = Array.new(num_columns);
# adjust score for full flow
@score += 10;
end
}
self
end
where @grid is a 2 dimensional array, initialised as follows:
@grid = Array.new(num_rows) {Array.new(num_columns)}
the javascript I have done so far is below
I have noted in the comment which is the line I can't work out
removeFilled() {
for (var i = 2; i < this.grid.length; i++) {
var row = this.grid.slice(i);
var allFull = true;
for (var g = 0; g < this.grid[i].length; g++ ) {
if (this.grid[i][g] == undefined) {
allFull = false;
break;
}
}
if (allFull) {
for (var j = 0; j < this.numColumns; j++) {
this.grid[i][j].remove();
this.grid[i][j] = undefined;
}
for (var k = this.grid.length - i + 1; k <= this.grid.length; k++) {
var rects = this.grid[this.grid.length - k];
for(var l = 0; l < rects.length; l++) {
var rect = rects[l];
if (rect) {
rect.move(0, this.blockSize);
}
}
// ***this is the line I can't port
this.grid[this.grid.length - k + 1] = new Array(this.grid[this.grid.length - k]);
}
this.grid[0] = new Array(this.numColumns);
this.score += 10;
}
}
}
any ideas how to port the line in question?
Array.slice.)grid[grid.length - k + 1] = grid[grid.length - k]. Okay, we're getting somewhere. So what doesArray.new(arr)in ruby do?this.grid[this.grid.length - k + 1]exist or is it being created? If it's being created thenthis.grid.lengthwill increase by one and thusthis.grid[this.grid.length - k]is actually itself! Unless this is the intention you should set it to a variable and use that instead:var currentGridLenght = this.grid.length;.unshift()and.pop()the last one off the end (thus moving them down one).