This question already has answers here:
How to perform division in Go

(2个答案)


2年前关闭。




如何在Go中使用实数?

例如:
(627.71/640.26)^(1/30) = 0.999340349 --> correct result

但是使用Go:
fmt.Print(math.Pow((627.71 / 640.26), (1 / 30))) = 1 --> wrong

最佳答案

使用浮点数(实数),而不是整数除法。例如,

package main

import (
    "fmt"
    "math"
)

func main() {
    fmt.Print(math.Pow((627.71 / 640.26), (1.0 / 30.0)))
}

游乐场:https://play.golang.org/p/o7uVw9doaMu

输出:
0.999340348749526
package main

import "fmt"

func main() {
    fmt.Println(1 / 30)     // integer division
    fmt.Println(1.0 / 30.0) // floating-point division
}

游乐场:https://play.golang.org/p/VW9vilCC9M8

输出:
0
0.03333333333333333

08-03 19:53