在类型切换中使用strconv.FormatFloat()时遇到了问题。

huangapple go评论82阅读模式
英文:

Trouble using strconv.FormatFloat() in type switch

问题

我只返回翻译好的部分,以下是翻译结果:

我只是尝试使用类型切换来处理时间、float32和float64。对于时间和float64,它运行得很好,但是strconv.FormatFloat(val, 'f', -1, 32)告诉我不能将type float32用作type float64。我不明白为什么会发生这种情况,所以我肯定是漏掉了什么或者误解了我应该如何调用FormatFloat()来处理float32

func main() {
    fmt.Println(test(rand.Float32()))
    fmt.Println(test(rand.Float64()))
}

func test(val interface{}) string {
    switch val := val.(type) {
        case time.Time:
            return fmt.Sprintf("%s", val)
        case float64:
            return strconv.FormatFloat(val, 'f', -1, 64)
        case float32:
            return strconv.FormatFloat(float64(val), 'f', -1, 32) //这里是错误的地方
        default:
            return "不支持的类型!"
    }
}

错误信息:

无法将val(类型为float32)作为strconv.FormatFloat的参数,类型为float64

英文:

I'm simply trying to use a type switch for handling times, float32s and float64s. It's working fine for times and float64s, but strconv.FormatFloat(val, 'f', -1, 32) keeps telling me that I can't use type float32 as type float64. I don't see how that could be happening, so I must be missing something or misunderstanding how I'm supposed to be calling FormatFloat() for float32s.

func main() {
	fmt.Println(test(rand.Float32()))
	fmt.Println(test(rand.Float64()))
}

func test(val interface{}) string {
	switch val := val.(type) {
		case time.Time:
			return fmt.Sprintf("%s", val)
		case float64:
			return strconv.FormatFloat(val, 'f', -1, 64)
		case float32:
			return strconv.FormatFloat(val, 'f', -1, 32) //here's the error
		default:
			return "Type not supported!"
	}
}

Error:

> cannot use val (type float32) as type float64 in argument to strconv.FormatFloat

答案1

得分: 8

FormatFloat的第一个参数需要是一个float64类型的值,而你传递的是一个float32类型的值。最简单的解决方法是将32位的浮点数转换为64位的浮点数。

case float32:
    return strconv.FormatFloat(float64(val), 'f', -1, 32)

你可以参考这个链接:http://play.golang.org/p/jBPaQ-jMBT

英文:

The first argument to FormatFloat needs to be a float64, and you are passing a float32. The easiest way to fix this is to simply cast the 32bit float to a 64bit float.

case float32:
    return strconv.FormatFloat(float64(val), 'f', -1, 32)

http://play.golang.org/p/jBPaQ-jMBT

huangapple
  • 本文由 发表于 2014年7月15日 09:06:36
  • 转载请务必保留本文链接:https://go.coder-hub.com/24748452.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定