-
Notifications
You must be signed in to change notification settings - Fork 44
/
Bisection_test.go
85 lines (79 loc) · 2.28 KB
/
Bisection_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
// Bisection_test
/*
------------------------------------------------------
作者 : Black Ghost
日期 : 2018-11-01
版本 : 0.0.0
------------------------------------------------------
此程序设计使用二分法来求解连续、单自变量、单调函数(区间
内)指定有限区间上的解
线性收敛
------------------------------------------------------
输入 :
fn 函数,定义为等式左侧部分,右侧为零
a, b 求解区间
N 步数上限
tol 误差上限
输出 :
sol 解值
err 解出标志:false-未解出或达到步数上限;
true-全部解出
------------------------------------------------------
*/
package goNum_test
import (
"math"
"testing"
)
// Bisection 此程序设计使用二分法来求解连续、单自变量、单调函数(区间
//内)指定有限区间上的解
func Bisection(fn func(float64) float64, a, b float64, N int, tol float64) (float64, bool) {
/*
此程序设计使用二分法来求解连续、单自变量、单调函数(区间
内)指定有限区间上的解
线性收敛
输入 :
fn 函数,定义为等式左侧部分,右侧为零
a, b 求解区间
N 步数上限
tol 误差上限
输出 :
sol 解值
err 解出标志:false-未解出或达到步数上限;
true-全部解出
*/
var sol float64
var err bool = false
//判断在[a,b]区间是否有解
if (fn(a) > 0 && fn(b) > 0) || (fn(a) < 0 && fn(b) < 0) {
return sol, err
}
//求解
for i := 0; i < N; i++ {
sol = (a + b) / 2
//解出
if math.Abs(fn(sol)) < tol {
err = true
return sol, err
}
//未解出,重置区间边界
switch {
case fn(sol) < 0 && fn(a) < 0:
a = sol
case fn(sol) > 0 && fn(a) < 0:
b = sol
case fn(sol) < 0 && fn(b) < 0:
b = sol
case fn(sol) > 0 && fn(b) < 0:
a = sol
default:
return sol, err
}
}
return sol, err
}
func BenchmarkBisection(b *testing.B) {
for i := 0; i < b.N; i++ {
Bisection(func(x float64) float64 { return math.Pow(x, 3.0) + 4.0*math.Pow(x, 2.0) - 10.0 }, 1.0, 2.0, 1000, 1e-6)
}
}