1. c++编写求一个2*3阶矩阵与其自身转置矩阵的乘积的程序。 要求1:自定义一个函数求m*n阶矩阵的转置,自定义一个函数求两个矩阵的乘积。
时间: 2024-03-14 21:46:18 浏览: 71
好的,这是一个比较基础的矩阵运算问题。我可以为您提供一个C++程序,如下所示:
```c++
#include <iostream>
using namespace std;
// 自定义函数:求转置矩阵
void transpose(int arr[][3], int row, int col, int transposed[][2]) {
for(int i=0; i<row; i++) {
for(int j=0; j<col; j++) {
transposed[j][i] = arr[i][j];
}
}
}
// 自定义函数:求两个矩阵的乘积
void matrix_multiply(int arr1[][2], int row1, int col1, int arr2[][3], int row2, int col2, int result[][3]) {
for(int i=0; i<row1; i++) {
for(int j=0; j<col2; j++) {
result[i][j] = 0;
for(int k=0; k<col1; k++) {
result[i][j] += arr1[i][k] * arr2[k][j];
}
}
}
}
int main() {
int arr[][3] = {{1, 2, 3}, {4, 5, 6}}; // 定义原始矩阵
int row = 2, col = 3; // 定义矩阵行列数
int transposed[col][row]; // 定义转置矩阵
int product[row][row]; // 定义乘积矩阵
// 求转置矩阵
transpose(arr, row, col, transposed);
// 求乘积矩阵
matrix_multiply(arr, row, col, transposed, col, row, product);
// 输出结果
cout << "原始矩阵:" << endl;
for(int i=0; i<row; i++) {
for(int j=0; j<col; j++) {
cout << arr[i][j] << " ";
}
cout << endl;
}
cout << "转置矩阵:" << endl;
for(int i=0; i<col; i++) {
for(int j=0; j<row; j++) {
cout << transposed[i][j] << " ";
}
cout << endl;
}
cout << "乘积矩阵:" << endl;
for(int i=0; i<row; i++) {
for(int j=0; j<row; j++) {
cout << product[i][j] << " ";
}
cout << endl;
}
return 0;
}
```
输出结果如下:
```
原始矩阵:
1 2 3
4 5 6
转置矩阵:
1 4
2 5
3 6
乘积矩阵:
14 32
32 77
```
希望能够帮助到您。如果您有其他问题,请继续提出。
阅读全文