희소 행렬은 요소의 대부분이 0인 행렬입니다. 이에 대한 예는 다음과 같습니다.
아래 주어진 행렬에는 5개의 0이 있습니다. 0의 개수가 행렬 요소의 절반 이상이므로 희소 행렬입니다.
5 0 0 3 0 1 0 0 9
희소 행렬을 구현하는 프로그램은 다음과 같습니다.
예시
#include<iostream> using namespace std; int main () { int a[10][10] = { {0, 0, 9} , {5, 0, 8} , {7, 0, 0} }; int i, j, count = 0; int row = 3, col = 3; for (i = 0; i < row; ++i) { for (j = 0; j < col; ++j){ if (a[i][j] == 0) count++; } } cout<<"The matrix is:"<<endl; for (i = 0; i < row; ++i) { for (j = 0; j < col; ++j) { cout<<a[i][j]<<" "; } cout<<endl; } cout<<"The number of zeros in the matrix are "<< count <<endl; if (count > ((row * col)/ 2)) cout<<"This is a sparse matrix"<<endl; else cout<<"This is not a sparse matrix"<<endl; return 0; }
출력
The matrix is: 0 0 9 5 0 8 7 0 0 The number of zeros in the matrix are 5 This is a sparse matrix
위의 프로그램에서 중첩 for 루프는 행렬의 0 개수를 계산하는 데 사용됩니다. 이것은 다음 코드 스니펫을 사용하여 보여줍니다.
for (i = 0; i < row; ++i) { for (j = 0; j < col; ++j) { if (a[i][j] == 0) count++; } }
0의 수를 찾은 후 중첩 for 루프를 사용하여 행렬이 표시됩니다. 이것은 아래에 나와 있습니다.
cout<<"The matrix is:"<<endl; for (i = 0; i < row; ++i) { for (j = 0; j < col; ++j) { cout<<a[i][j]<<" "; } cout<<endl; }
마지막으로 0의 수가 표시됩니다. 0의 개수가 행렬의 요소의 절반보다 크면 행렬이 희소 행렬로 표시되고 그렇지 않으면 행렬이 희소 행렬이 아닙니다.
cout<<"The number of zeros in the matrix are "<< count <<endl; if (count > ((row * col)/ 2)) cout<<"This is a sparse matrix"<<endl; else cout<<"This is not a sparse matrix"<<endl;