-
Notifications
You must be signed in to change notification settings - Fork 45
/
LEs_ECPE_test.go
114 lines (102 loc) · 2.74 KB
/
LEs_ECPE_test.go
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
103
104
105
106
107
108
109
110
111
112
113
114
// LEs_ECPE_test
// linear equations - elemination of column principle
// element
/*
------------------------------------------------------
作者 : Black Ghost
日期 : 2018-11-19
版本 : 0.0.0
------------------------------------------------------
线性代数方程组的列主元消去法
理论:
参考 李信真, 车刚明, 欧阳洁, 等. 计算方法. 西北工业大学
出版社, 2000, pp 47-49.
乘除运算的次数 n^3/3+n^2-n/3
------------------------------------------------------
输入 :
a a x = b线性代数方程组的系数矩阵
b a x = b线性代数方程组的右侧常数列向量
输出 :
sol 解值
err 解出标志:false-未解出或达到步数上限;
true-全部解出
------------------------------------------------------
*/
package goNum_test
import (
"testing"
"github.com/chfenger/goNum"
)
// LEs_ECPE 线性代数方程组的列主元消去法
func LEs_ECPE(a [][]float64, b []float64) ([]float64, bool) {
/*
线性代数方程组的列主元消去法
输入 :
a a x = b线性代数方程组的系数矩阵
b a x = b线性代数方程组的右侧常数列向量
输出 :
sol 解值
err 解出标志:false-未解出或达到步数上限;
true-全部解出
*/
//方程个数为n
var err bool = false
atemp := a
btemp := b
n := len(btemp)
sol := make([]float64, n)
temp0 := make([]float64, n)
var temp1 float64
// 输入判断
if len(atemp) != n {
return sol, err
}
//求解
//消去,求得上三角矩阵
for i := 0; i < n-1; i++ {
//求第i列的主元素并调整顺序
acol := make([]float64, n-i)
for icol := i; icol < n; icol++ {
acol[icol-i] = atemp[icol][i]
}
_, ii, _ := goNum.MaxAbs(acol)
if ii+i != i {
temp0 = atemp[ii+i]
atemp[ii+i] = atemp[i]
atemp[i] = temp0
temp1 = btemp[ii+i]
btemp[ii+i] = btemp[i]
btemp[i] = temp1
}
//列消去
for j := i + 1; j < n; j++ {
mul := atemp[j][i] / atemp[i][i]
for k := i; k < n; k++ {
atemp[j][k] = atemp[j][k] - atemp[i][k]*mul
}
btemp[j] = btemp[j] - btemp[i]*mul
}
}
//回代
sol[n-1] = btemp[n-1] / atemp[n-1][n-1]
for i := n - 2; i >= 0; i-- {
temp1 = 0.0
for j := i + 1; j < n; j++ {
temp1 = temp1 + atemp[i][j]*sol[j]
}
sol[i] = (btemp[i] - temp1) / atemp[i][i]
}
//返回结果
err = true
return sol, err
}
func BenchmarkLEs_ECPE(b *testing.B) {
a12 := [][]float64{
{1.0, 4.0, -5.0},
{1.0, 3.0, -2.0},
{6.0, -1.0, 18.0}}
b12 := []float64{3.0, 2.0, 2.0}
for i := 0; i < b.N; i++ {
LEs_ECPE(a12, b12)
}
}