Answer:
The program to this question can be given as:
Program:
import java.util.*; //import package
public class Main //defining class
{
public static int[][] transpose(int[][] a1) //defining function transpose
{
int i,j; //define variables
int[][] transpose = new int[a1[0].length][a1.length]; //define variable transpose.
//loop for transpose matrix.
for(i = 0; i < a1.length; i++)
{
for(j = 0; j < a1[i].length; j++)
{
transpose [j][i] = a1[i][j]; //hold value in transpose variable
}
}
return transpose ; //return transpose matrix.
}
public static void main(String[] args) //main method.
{
int row,col,i,j; //defining variable.
Scanner obj = new Scanner(System.in); //creating Scanner class Object
System.out.print("Enter number of rows: ");//message
row = obj.nextInt(); //input rows form user.
System.out.print("Enter number of columns: ");//message
col = obj.nextInt(); //input columns form user.
int[][] a1 = new int[row][col]; //defining array.
System.out.println("Enter matrix"); //message
// loop for input array elements from user
for(i=0; i<a1.length;i++)
{
for(j=0; j<a1[i].length;j++)
{
a1[i][j]=obj.nextInt(); //input in array variable.
}
}
System.out.println("Matrix you insert :"); //message
// loop for display array.
for(i=0; i<a1.length;i++)
{
for(j=0; j<a1[i].length;j++)
{
System.out.print(a1[i][j]+" "); //print matrix
}
System.out.print("\n");
}
int[][] result = transpose(a1); //define result array variable that holds function value.
System.out.println("Transposed matrix is :");
//use loop for print Transpose matrix.
for(i = 0;i < result.length;i++)
{
for (j = 0; j < result[i].length;j++)
{
System.out.print(result[i][j] + " "); //print matrix
}
System.out.print("\n");
}
}
}
Output:
Enter number of rows: 2
Enter number of columns: 3
Enter matrix
2
3
4
9
8
7
Matrix you insert :
2 3 4
9 8 7
Transposed matrix is :
2 9
3 8
4 7
Explanation:
The description of the above program can be given as:
- In the above program firstly import a package, then declare a class that is "Main" inside a class defining a transpose() function this function returns a matrix in transpose form.
- In the main class, we define a variable and matrix that is "row, col, i, j and a1[][]". Then we Creating a scanner class object, which is used by row, col and a1[][] variables for user input.
- The row and col variables are used to declare matrix size and i, j variable is used in the loop for insert and display matrix.
- a1[][] matrix is used for input matrix elements and passes into transpose() function as an argument that returns a value that is held in the result variable. This is used as a loop for the print transpose matrix.