-
Notifications
You must be signed in to change notification settings - Fork 45
/
NewtonIterate_test.go
91 lines (85 loc) · 2.46 KB
/
NewtonIterate_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
// NewtonIterate_test
/*
------------------------------------------------------
作者 : Black Ghost
日期 : 2018-11-01
版本 : 0.0.0
------------------------------------------------------
牛顿迭代求解非线性方程 f(x)=0 在区间[a, b]内的根
理论:
(局部收敛定律)
1. f(x)在区间[a, b]具有二阶连续导数;
2. 当xE[a, b],f'(x) != 0;
(非局部收敛定律)
1. 当xE[a, b],f'(x)、f''(x)连续且不变号
2. 选取初值x0E[a, b],使f(x0)*f''(x0) > 0
平方收敛
------------------------------------------------------
输入 :
fn f(x)函数,定义为等式左侧部分,右侧为0
fn1 f'(x)函数
a, b 求解区间
c 求解初值
N 步数上限
tol 误差上限
输出 :
sol 解值
err 解出标志:false-未解出或达到步数上限;
true-全部解出
------------------------------------------------------
*/
package goNum_test
import (
"math"
"testing"
)
// NewtonIterate 牛顿迭代求解非线性方程 f(x)=0 在区间[a, b]内的根
func NewtonIterate(fn, fn1 func(float64) float64, a, b, c float64, N int, tol float64) (float64, bool) {
/*
牛顿迭代求解非线性方程 f(x)=0 在区间[a, b]内的根
输入 :
fn f(x)函数,定义为等式左侧部分,右侧为0
fn1 f'(x)函数
a, b 求解区间
c 求解初值
N 步数上限
tol 误差上限
输出 :
sol 解值
err 解出标志:false-未解出或达到步数上限;
true-全部解出
*/
var sol float64
var err bool = false
// 判断端点和初值是否为所求之解
switch {
case math.Abs(fn(a)) < tol:
sol = a
err = true
return sol, err
case math.Abs(fn(b)) < tol:
sol = b
err = true
return sol, err
case math.Abs(fn(c)) < tol:
sol = c
err = true
return sol, err
}
//求解
sol = c - fn(c)/fn1(c)
for i := 0; i < N; i++ {
if math.Abs(sol-c) < tol {
err = true
return sol, err
}
c = sol
sol = c - fn(c)/fn1(c)
}
return sol, err
}
func BenchmarkNewtonIterate(b *testing.B) {
for i := 0; i < b.N; i++ {
NewtonIterate(func(x float64) float64 { return math.Pow(x, 3.0) - math.Pow(x, 2.0) - 1.0 }, func(x float64) float64 { return 3.0*math.Pow(x, 2.0) - 2.0*x }, 1.4, 1.5, 1.5, 1000, 1e-6)
}
}