Matrix multiplication with two matrices
To multiply two matrices, you need to follow certain rules. First, the number of columns of the first matrix should be equal to the number of rows of the second matrix. Second, the resultant matrix will have the same number of rows as the first matrix and the same number of columns as the second matrix.
Suppose we have two matrices:
A = {{1, 3, 5},
{4, 2, 6}};
B = {{7, 4},
{3, 1},
{6, 9}};
To multiply these two matrices, we will perform a dot product on their rows and columns. The elements of the matrices are multiplied by using the following formula:
result[row][col] = matrix1[row][0] * matrix2[0][col]
+ matrix1[row][1] * matrix2[1][col]
+ matrix1[row][2] * matrix2[2][col]
+ ...;
Following is a C program on Matrix Multiplication:
#include <stdio.h>
int main()
{
int m, n, p, q, c, d, k, sum = 0;
// define two matrices
int first[10][10], second[10][10], result[10][10];
// input the number of rows and columns of the first matrix
printf("Enter the number of rows and columns of the first matrix:\n");
scanf("%d %d", &m, &n);
// input the elements of the first matrix
printf("Enter the %d elements of the first matrix:\n", m * n);
for (c = 0; c < m; c++) {
for (d = 0; d < n; d++) {
scanf("%d", &first[c][d]);
}
}
// input the number of rows and columns of the second matrix
printf("Enter the number of rows and columns of the second matrix:\n");
scanf("%d %d", &p, &q);
// input the elements of the second matrix
printf("Enter the %d elements of the second matrix:\n", p * q);
for (c = 0; c < p; c++) {
for (d = 0; d < q; d++) {
scanf("%d", &second[c][d]);
}
}
// check if matrices can be multiplied
if (n != p) {
printf("Matrices cannot be multiplied with each other.\n");
} else {
// multiplying the matrices
for (c = 0; c < m; c++) {
for (d = 0; d < q; d++) {
for (k = 0; k < p; k++) {
sum = sum + first[c][k] * second[k][d];
}
result[c][d] = sum;
sum = 0;
}
}
// print the resulting matrix
printf("The resulting matrix is:\n");
for (c = 0; c < m; c++) {
for (d = 0; d < q; d++) {
printf("%d\t", result[c][d]);
}
printf("\n");
}
}
return 0;
}
The program will ask the user to input the elements of two matrices, check if they can be multiplied, multiply them if possible, and print the resulting matrix.