C Programs Tutorials | IT Developer
IT Developer

Java Programs - Solved 2023 Theory Paper ISC Computer Science



Share with a Friend

Solved 2023 Thory Paper ISC Computer Science

Class 12 - ISC Computer Science Solved Theory Papers

Mirror Image of a Matrix Program - ISC 2023 Theory

Write a program to declare a matrix A[][] of order (M × N) where ‘M’ is the number of rows and ‘N’ is the number of columns such that both M and N must be greater than 2 and less than 10. Allow the user to input integers into this matrix. Display appropriate error message for an invalid input.

Perform the following tasks on the matrix:
(a) Display the input matrix
(b) Create and display the mirror image matrix
(c) Calculate the sum of the four corner elements of the matrix and display

Test your program for the following data and some random data:

Example 1
INPUT:
M = 3
N = 4

8

7

9

3

-2

0

4

5

1

3

6

-4

OUTPUT:
ORIGINAL MATRIX

8

7

9

3

-2

0

4

5

1

3

6

-4

MIRROR MATRIX

3

9

7

8

5

4

0

-2

-4

6

3

1

SUM OF THE CORNER ELEMENTS = 8

Example 2
INPUT:
M = 2
N = 10
OUTPUT:
INVALID INPUT

 

import java.util.Scanner; class MirrorImage{ public static void main(String[] args){ Scanner in = new Scanner(System.in); System.out.print("M = "); int m = Integer.parseInt(in.nextLine()); System.out.print("N = "); int n = Integer.parseInt(in.nextLine()); if(m < 3 || m > 9 || n < 3 || n > 9){ System.out.println("INVALID INPUT"); return; } int a[][] = new int[m][n]; int sum = 0; System.out.println("Enter matrix elements:"); for(int i = 0; i < m; i++){ for(int j = 0; j < n; j++){ a[i][j] = Integer.parseInt(in.nextLine()); if(i == 0){ if(j == 0 || j == n - 1) sum += a[i][j]; } else if(i == m - 1){ if(j == 0 || j == n - 1) sum += a[i][j]; } } } System.out.println("ORIGINAL MATRIX"); display(a, m, n); for(int i = 0, j = n - 1; i < j; i++, j--){ for(int k = 0; k < m; k++){ int temp = a[k][i]; a[k][i] = a[k][j]; a[k][j] = temp; } } System.out.println("MIRROR MATRIX"); display(a, m, n); System.out.println("SUM OF CORNER ELEMENTS = " + sum); } public static void display(int a[][], int m, int n){ for(int i = 0; i < m; i++){ for(int j = 0; j < n; j++){ System.out.print(a[i][j] + "\t"); } System.out.println(); } } }

Output

 
    
OUTPUT 1:

M = 3
N = 4
Enter matrix elements:
8
7
9
3
-2
0
4
5
1
3
6
-4
ORIGINAL MATRIX
8   7   9   3   
-2  0   4   5   
1   3   6   -4  
MIRROR MATRIX
3   9   7   8   
5   4   0   -2  
-4  6   3   1   
SUM OF CORNER ELEMENTS = 8

OUTPUT 2:

M = 2
N = 10
INVALID INPUT