-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain_2.cpp
102 lines (88 loc) · 2.91 KB
/
main_2.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
#include <iostream>
#include <vector>
#include <cmath>
#include <iomanip>
using namespace std;
using Matrix = vector<vector<double>>;
// Функция для получения обратной матрицы методом Гаусса
bool invertMatrix(const Matrix &A, Matrix &inverse) {
int n = A.size();
inverse.assign(n, vector<double>(n, 0.0));
// Создаем расширенную матрицу [A|I]
Matrix augmented(n, vector<double>(2 * n, 0.0));
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
augmented[i][j] = A[i][j];
}
augmented[i][i + n] = 1.0;
}
// Прямой ход
for (int i = 0; i < n; i++) {
// Поиск максимального элемента для численной устойчивости
double maxElem = fabs(augmented[i][i]);
int maxRow = i;
for (int k = i + 1; k < n; k++) {
if (fabs(augmented[k][i]) > maxElem) {
maxElem = fabs(augmented[k][i]);
maxRow = k;
}
}
// Обмен строками для избежания деления на малые числа
if (i != maxRow) {
swap(augmented[i], augmented[maxRow]);
}
// Приведение диагонального элемента к 1
double pivot = augmented[i][i];
if (fabs(pivot) < 1e-10) {
cerr << "Матрица необратима." << endl;
return false;
}
for (int j = 0; j < 2 * n; j++) {
augmented[i][j] /= pivot;
}
// Обнуление элементов столбца
for (int k = 0; k < n; k++) {
if (k != i) {
double factor = augmented[k][i];
for (int j = 0; j < 2 * n; j++) {
augmented[k][j] -= factor * augmented[i][j];
}
}
}
}
// Извлечение обратной матрицы из расширенной матрицы
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
inverse[i][j] = augmented[i][j + n];
}
}
return true;
}
// Функция для печати матрицы
void printMatrix(const Matrix &matrix) {
for (const auto &row : matrix) {
for (double value : row) {
cout << setw(10) << value << " ";
}
cout << endl;
}
}
int main() {
int n;
cout << "Vedite razmer matrici: ";
cin >> n;
Matrix A(n, vector<double>(n)), inverse;
cout << "Vedite elementi matrici:" << endl;
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
cin >> A[i][j];
}
}
if (invertMatrix(A, inverse)) {
cout << "Obratnaya matrica:" << endl;
printMatrix(inverse);
} else {
cout << "Matrica neobrotima." << endl;
}
return 0;
}