-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmzr.c
117 lines (102 loc) · 2.55 KB
/
mzr.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
// Given a matrix with some zeros, for each zero, zero the entire
// row and column of the zero value.
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
#include <string.h>
#define SIZE 10
void work (int ** matrix);
void printMatrix (int ** matrix);
int main (void) {
int ** matrix = malloc (sizeof (int *) * SIZE);
int idx = 0;
while (idx < SIZE) {
matrix[idx] = malloc (sizeof (int) * SIZE);
idx++;
}
srand (time (NULL));
idx = 0;
while (idx < SIZE) {
int ridx = 0;
while (ridx < SIZE) {
matrix[idx][ridx] = 1 + rand () % 10;
ridx++;
}
idx++;
}
// now set some to zero
int randX = rand () % SIZE;
int randY = rand () % SIZE;
matrix[randX][randY] = 0;
randX = rand () % SIZE;
randY = rand () % SIZE;
matrix[randX][randY] = 0;
randX = rand () % SIZE;
randY = rand () % SIZE;
matrix[randX][randY] = 0;
// now call our function it
printMatrix (matrix);
work (matrix);
printMatrix (matrix);
return EXIT_SUCCESS;
}
void printMatrix (int ** matrix) {
int idx = 0;
while (idx < SIZE) {
int ridx = 0;
while (ridx < SIZE) {
if (matrix[idx][ridx] != 0) {
printf ("%02d ", matrix[idx][ridx]);
} else {
printf ("XX ");
}
ridx++;
}
printf ("\n");
idx++;
}
printf ("\n\n\n");
return;
}
void work (int ** matrix) {
int * zeroRows = malloc (sizeof (int) * SIZE);
int * zeroColumns = malloc (sizeof (int) * SIZE);
memset (zeroRows, 0, sizeof (int) * SIZE);
memset (zeroColumns, 0, sizeof (int) * SIZE);
int idx = 0;
while (idx < SIZE) {
int ridx = 0;
while (ridx < SIZE) {
if (matrix[idx][ridx] == 0) {
zeroRows[idx] = 1;
zeroColumns[ridx] = 1;
}
ridx++;
}
idx++;
}
// now zero those rows and columns
idx = 0;
while (idx < SIZE) {
if (zeroRows[idx] == 1) { // that row is zero, set that row to zero
int zeroIdx = 0;
while (zeroIdx < SIZE) {
matrix[idx][zeroIdx] = 0;
zeroIdx++;
}
}
idx++;
}
idx = 0;
while (idx < SIZE) {
if (zeroColumns[idx] == 1) {
int zeroIdx = 0;
while (zeroIdx < SIZE) {
matrix[zeroIdx][idx] = 0;
zeroIdx++;
}
}
idx++;
}
return;
}