function rowToString(row) {
return row.join(",");
}
function findRepeatedRows(matrix) {
let rowCount = {};
for (let row of matrix) {
let pattern = rowToString(row);
rowCount[pattern] = (rowCount[pattern] || 0) + 1;
}
console.log("Repeated Rows:");
for (let [pattern, count] of Object.entries(rowCount)) {
if (count > 1) {
console.log(`Row: [${pattern}] - Repeated ${count} times`);
}
}
}
const matrix = [
[1, 2, 3],
[4, 5, 6],
[1, 2, 3],
[7, 8, 9],
[4, 5, 6],
[0, 1, 2],
[4, 5, 6]
];
findRepeatedRows(matrix);
/*
run:
Repeated Rows:
Row: [1,2,3] - Repeated 2 times
Row: [4,5,6] - Repeated 3 times
*/