Algorithm


A. Lights Out
time limit per test
2 seconds
memory limit per test
256 megabytes
input
standard input
output
standard output

Lenny is playing a game on a 3 × 3 grid of lights. In the beginning of the game all lights are switched on. Pressing any of the lights will toggle it and all side-adjacent lights. The goal of the game is to switch all the lights off. We consider the toggling as follows: if the light was switched on then it will be switched off, if it was switched off then it will be switched on.

Lenny has spent some time playing with the grid and by now he has pressed each light a certain number of times. Given the number of times each light is pressed, you have to print the current state of each light.

Input

The input consists of three rows. Each row contains three integers each between 0 to 100 inclusive. The j-th number in the i-th row is the number of times the j-th light of the i-th row of the grid is pressed.

Output

Print three lines, each containing three characters. The j-th character of the i-th line is "1" if and only if the corresponding light is switched on, otherwise it's "0".

Examples
input
Copy
1 0 0
0 0 0
0 0 1
output
Copy
001
010
100
input
Copy
1 0 1
8 8 8
2 0 3
output
Copy
010
011
100

 

Code Examples

#1 Code Example with C++ Programming

Code - C++ Programming

#include <bits/stdc++.h>

using namespace std;

int dx[] = { 0, 1, 0, -1 };
int dy[] = { 1, 0, -1, 0 };
int a[3][3];
bool vis[3][3];

int main() {
  memset(vis, true, sizeof vis);
  for(int i = 0; i < 3; ++i)
    for(int j = 0; j < 3; ++j)
      scanf("%d", &a[i][j]);
  
  for(int i = 0; i < 3; ++i)
    for(int j = 0; j < 3; ++j)
      while(a[i][j]-- != 0) {
        vis[i][j] = !vis[i][j];
        for(int k = 0, nx, ny; k < 4; ++k) {
          nx = i + dx[k];
          ny = j + dy[k];
          if(nx >= 0 && nx < 3 && ny >= 0 && ny < 3)
            vis[nx][ny] = !vis[nx][ny];
        }
      }
  
  for(int i = 0; i < 3; ++i, puts(""))
    for(int j = 0; j < 3; ++j)
      printf("%d", vis[i][j]);
  
  return 0;
}
Copy The Code & Try With Live Editor

Input

x
+
cmd
1 0 0
0 0 0
0 0 1

Output

x
+
cmd
001
010
100
Advertisements

Demonstration


Codeforces Solution-Lights Out-Solution in C, C++, Java, Python

Previous
Codeforces solution 1080-B-B. Margarite and the best present codeforces solution
Next
CodeChef solution DETSCORE - Determine the Score CodeChef solution C,C+