假設(shè)我們有一個二元矩陣(僅包含 0 或 1 的數(shù)組的數(shù)組),如下所示 –
const arr = [ [0,1,1,0], [0,1,1,0], [0,0,0,1] ];
登錄后復(fù)制
我們需要編寫一個 JavaScript 函數(shù),該函數(shù)接受一個這樣的矩陣作為第一個也是唯一的參數(shù)。
我們函數(shù)的任務(wù)是找到矩陣中連續(xù)矩陣的最長行,并且返回其中 1 的計數(shù)。該線可以是水平的、垂直的、對角線的或反對角線的。
例如,對于上面的數(shù)組,輸出應(yīng)該是 –
const output = 3
登錄后復(fù)制
因為最長的線是從 arr[0][1] 開始并沿對角線延伸至 –
arr[2][3]
登錄后復(fù)制
示例
其代碼為 –
?實時演示
const arr = [ [0,1,1,0], [0,1,1,0], [0,0,0,1] ]; const longestLine = (arr = []) => { if(!arr.length){ return 0; } let rows = arr.length, cols = arr[0].length; let res = 0; const dp = Array(rows).fill([]); dp.forEach((el, ind) => { dp[ind] = Array(cols).fill([]); dp[ind].forEach((undefined, subInd) => { dp[ind][subInd] = Array(4).fill(null); }); }); for (let i = 0; i < rows; i++) { for (let j = 0; j < cols; j++) { if (arr[i][j] == 1) { dp[i][j][0] = j > 0 ? dp[i][j - 1][0] + 1 : 1; dp[i][j][1] = i > 0 ? dp[i - 1][j][1] + 1 : 1; dp[i][j][2] = (i > 0 && j > 0) ? dp[i - 1][j - 1][2] + 1 : 1; dp[i][j][3] = (i > 0 && j < cols - 1) ? dp[i - 1][j + 1][3] + 1 : 1; res = Math.max(res, Math.max(dp[i][j][0], dp[i][j][1])); res = Math.max(res, Math.max(dp[i][j][2], dp[i][j][3])); }; }; }; return res; }; console.log(longestLine(arr));
登錄后復(fù)制
輸出
控制臺中的輸出將是 –
3
登錄后復(fù)制
以上就是在JavaScript中找到矩陣中最長的連續(xù)1的行的詳細(xì)內(nèi)容,更多請關(guān)注www.92cms.cn其它相關(guān)文章!