Write a Java program to multiply two Matrices with an example. Or write a Java program to perform multiplication of two multidimensional arrays.
In this Java multiply two Matrices example, we declared two integer matrixes. Next, we used the For Loop to iterate those matrix values. We performed matrix multiplication on x and y matrixes within that loop and assigned it to another matrix called multi. Later, we used another for loop to print the final matrix.
public class MultiplyTwoMatrix {
public static void main(String[] args) {
int[][] x = {{1, 2, 3}, {4, 5, 6}, {7, 8, 9}};
int[][] y = {{ 5, 6, 7}, {8, 9,10}, {2,3, 4}};
int[][] multi = new int[3][3];
int i, j;
for(i = 0; i < x.length; i++)
{
for(j = 0; j < x[0].length; j++)
{
multi[i][j] = x[i][j] * y[i][j];
}
}
System.out.println("------ The Multiplication of two Matrix ------");
for(i = 0; i < x.length; i++)
{
for(j = 0; j < x[0].length; j++)
{
System.out.format("%d \t", multi[i][j]);
}
System.out.println("");
}
}
}
OUTPUT
Java program to Multiply two Matrices example 2
This Java matrix multiplication program is the same as above. However, this Java code allows the user to enter the rows, columns of the matrix, and the matrix items.
import java.util.Scanner;
public class MultiplyTwoMatrix {
private static Scanner sc;
public static void main(String[] args) {
int i, j, rows, columns;
sc= new Scanner(System.in);
System.out.println("\n Enter Multiplication Matrix Rows & Columns : ");
rows = sc.nextInt();
columns = sc.nextInt();
int[][] arr1 = new int[rows][columns];
int[][] arr2 = new int[rows][columns];
System.out.println("\n Enter the First Multiplication Matrix Items : ");
for(i = 0; i < rows; i++) {
for(j = 0; j < columns; j++) {
arr1[i][j] = sc.nextInt();
}
}
System.out.println("\n Enter the Second Multiplication Matrix Items : ");
for(i = 0; i < rows; i++) {
for(j = 0; j < columns; j++) {
arr2[i][j] = sc.nextInt();
}
}
System.out.println("\n-----The Multiplication of two Matrix----- ");
for(i = 0; i < rows; i++) {
for(j = 0; j < columns; j++) {
System.out.format("%d \t", (arr1[i][j] * arr2[i][j]));
}
System.out.println("");
}
}
}
OUTPUT