여기에서 흥미로운 부울 행렬 문제를 볼 수 있습니다. 0과 1을 포함하는 하나의 부울 행렬이 제공됩니다. 우리의 목표는 1이 표시된 곳을 찾는 것입니다. mat[i,j] 위치에 1이 표시되면 모든 항목을 i행과 j열의 1로 만듭니다. 예를 들어 보겠습니다. 행렬이 아래와 같으면 -
1 0 0 1 0 0 0 0 0 0 0 0 0 1 0 0
그런 다음 수정 후 -
1 1 1 1 1 1 0 1 1 1 0 1 1 1 1 1
알고리즘
매트릭스 업데이트(매트릭스[R,C])
begin define two matrices row[R] and col[C], and fill them with 0 mark the row and column indices of mat[R,C] where 1 is placed into the row[R] and col[C] matrices check row[R] and col[C] if the place is marked, then fill all places of that row and column with 1’s. end
예시
#include <iostream> #define R 4 #define C 4 using namespace std; void updateMatrix(bool mat[R][C]) { bool row[R]; bool col[C]; int i, j; for (int i = 0; i < R; i++) { //set all elements of row matrix as 0 row[i] = 0;} for (i = 0; i < C; i++) { //set all elements of col matrix as 0 col[i] = 0;} for (int i = 0; i < R; i++) { //mark row and col matrix to identify where 1 is present for (int j = 0; j < C; j++) { if (mat[i][j] == 1) { row[i] = 1; col[j] = 1; } } } for (i = 0; i < R; i++) { //set all 1s to the row and col, where 1 is marked for (j = 0; j < C; j++) { if ( row[i] == 1 || col[j] == 1 ) { mat[i][j] = 1; } } } } void displayMatrix(bool mat[R][C]) { for (int i = 0; i < R; i++) { for (int j = 0; j < C; j++) { cout << mat[i][j]; } cout << endl; } } main() { bool mat[R][C] = { {1, 0, 0, 1}, {0, 0, 0, 0}, {0, 0, 0, 0}, {0, 1, 0, 0} }; cout << "Given Matrix" << endl; displayMatrix(mat); updateMatrix(mat); cout << "Updated Matrix" << endl; displayMatrix(mat); }
출력
Given Matrix 1001 0000 0000 0100 Updated Matrix 1111 1101 1101 1111