数学函数和常量math
Salted Fish 1991/6/26  包使用
# 1. 介绍
Go标准包math,提供了基本的数学常数和数学函数。
# 2. 常量
# 2.1 整数取值
const (
    MaxInt8   = 1<<7 - 1 // int8最大值
    MinInt8   = -1 << 7 // int8最小值
    MaxInt16  = 1<<15 - 1
    MinInt16  = -1 << 15
    MaxInt32  = 1<<31 - 1
    MinInt32  = -1 << 31
    MaxInt64  = 1<<63 - 1
    MinInt64  = -1 << 63
    MaxUint8  = 1<<8 - 1
    MaxUint16 = 1<<16 - 1
    MaxUint32 = 1<<32 - 1
    MaxUint64 = 1<<64 - 1
)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
2
3
4
5
6
7
8
9
10
11
12
13
14
# 2.2 浮点数取值
const (
    MaxFloat32             = 3.40282346638528859811704183484516925440e+38
    SmallestNonzeroFloat32 = 1.401298464324817070923729583289916131280e-45 
    MaxFloat64             = 1.797693134862315708145274237317043567981e+308 
    SmallestNonzeroFloat64 = 4.940656458412465441765687928682213723651e-324 
)
1
2
3
4
5
6
2
3
4
5
6
# 3. 函数
# 3.1 取整
// 取整
func TestRounding(t *testing.T) {
 // 向上取整
 fmt.Println("50.345,向上取整 -> ", math.Ceil(50.345))
 fmt.Println("50.745,向上取整 -> ", math.Ceil(50.745))
 // 向下取整
 fmt.Println("50.345,向上取整 -> ", math.Floor(50.345))
 fmt.Println("50.745,向上取整 -> ", math.Floor(50.745))
 // 四舍五入
 fmt.Println("50.345,四舍五入 -> ", math.Floor(50.345+0.5))
 fmt.Println("50.745,四舍五入 -> ", math.Floor(50.745+0.5))
}
/** 输出
=== RUN   TestRounding
50.345,向上取整 ->  51
50.745,向上取整 ->  51
50.345,向上取整 ->  50
50.745,向上取整 ->  50
50.345,四舍五入 ->  50
50.745,四舍五入 ->  51
--- PASS: TestRounding (0.00s)
PASS
*/
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@注意: golang没有四舍五入函数,常见处理先+0.5,然后向下取整!
# 3.2 最大和最小
// 最大值和最小值
func TestCompare(t *testing.T) {
 a := 12.4555
 b := 12.8234
 fmt.Printf("%.4f和%.4f,最大值是:%.4f \n", a,b,math.Max(a,b))
 fmt.Printf("%f和%f,最小值是:%f \n", a,b,math.Min(a,b))
}
/** 输出
=== RUN   TestCompare
12.4555和12.8234,最大值是:12.8234 
12.455500和12.823400,最小值是:12.455500 
--- PASS: TestCompare (0.00s)
PASS
*/
1
2
3
4
5
6
7
8
9
10
11
12
13
14
2
3
4
5
6
7
8
9
10
11
12
13
14
# 3.3 取模和取余
// 取模和取余
func TestR(t *testing.T) {
 a := 20.0
 b := -3.0
 fmt.Printf("%.2f对%.2f 取模:%.2f \n", a,b,math.Mod(a,b))
 fmt.Printf("%.2f对%f 取余:%.2f \n", a,b,math.Remainder(a,b))
}
/** 输出
=== RUN   TestR
20.00对-3.00 取模:2.00 
20.00对-3.000000 取余:-1.00 
--- PASS: TestR (0.00s)
PASS
*/
1
2
3
4
5
6
7
8
9
10
11
12
13
14
2
3
4
5
6
7
8
9
10
11
12
13
14
# 3.4 随机数
rand属于math子包
// 随机数
func TestRand(t *testing.T) {
 // 设置随机因子(需要设置成非固定值)
 rand.Seed(time.Now().Unix())
 for i := 0; i < 5; i++ {
  fmt.Println("随机整数[0,100): ",rand.Intn(100))
  fmt.Println("随机浮点数[0.0,1.0):",rand.Float64())
 }
}
1
2
3
4
5
6
7
8
9
2
3
4
5
6
7
8
9
@注意: golang使用一个seed作为source来生成伪随机数字,默认seed为1,只要seed固定了,那么所有随机数就固定了。如果seed固定,那么每次程序重启后重新生成随机数会重复上一次的随机数。