Back to all solutions
#2319 - Check if Matrix Is X-Matrix
Problem Description
A square matrix is said to be an X-Matrix if both of the following conditions hold:
- All the elements in the diagonals of the matrix are non-zero.
- All other elements are 0.
Given a 2D integer array grid of size n x n representing a square matrix, return true if grid is an X-Matrix. Otherwise, return false.
Solution
/**
* @param {number[][]} grid
* @return {boolean}
*/
var checkXMatrix = function(grid) {
const size = grid.length;
for (let row = 0; row < size; row++) {
for (let col = 0; col < size; col++) {
const isDiagonal = row === col || row + col === size - 1;
const isNonZero = grid[row][col] !== 0;
if (isDiagonal && !isNonZero) return false;
if (!isDiagonal && isNonZero) return false;
}
}
return true;
};