编写程序,求某一方阵中对角线元素和。要求:考虑主对角线和副对角线。c语言
时间: 2024-04-30 15:20:41 浏览: 101
C语言程序设计-分别求一个3×3的整型矩阵两对角线元素之和(或之积)。
5星 · 资源好评率100%
以下是一个简单的 C 语言程序,可以用来计算方阵的主对角线和副对角线的和:
```c
#include <stdio.h>
#define MAX_SIZE 100
int main() {
int matrix[MAX_SIZE][MAX_SIZE], n, i, j, sum1 = 0, sum2 = 0;
printf("Enter the size of the square matrix: ");
scanf("%d", &n);
printf("Enter the elements of the matrix:\n");
for (i = 0; i < n; i++) {
for (j = 0; j < n; j++) {
scanf("%d", &matrix[i][j]);
}
}
// Calculate the sum of the main diagonal
for (i = 0; i < n; i++) {
sum1 += matrix[i][i];
}
// Calculate the sum of the secondary diagonal
for (i = 0; i < n; i++) {
sum2 += matrix[i][n - i - 1];
}
printf("The sum of the main diagonal is %d\n", sum1);
printf("The sum of the secondary diagonal is %d\n", sum2);
return 0;
}
```
这个程序首先要求用户输入方阵的大小(n),然后提示用户输入矩阵的元素。程序使用两个 for 循环来读取矩阵元素,并在每个循环中计算主对角线和副对角线的和。最后,程序输出这两个和。
阅读全文