一行答案是fmt.Sprint(i)。 无论如何,有许多转换,甚至在fmt.Sprint(i)这样的标准库函数内部,所以您有一些选择(尝试The Go Playground): 1-您可以编写转换函数(Fastest):
func String(n int32) string {
buf := [11]byte{}
pos := len(buf)
i := int64(n)
signed := i < 0
if signed {
i = -i
}
for {
pos--
buf[pos], i = '0'+byte(i%10), i/10
if i == 0 {
if signed {
pos--
buf[pos] = '-'
}
return string(buf[pos:])
}
}
}
2-您可以使用fmt.Sprint(i)(慢速) 查看内部:
// Sprint formats using the default formats for its operands and returns the resulting string.
// Spaces are added between operands when neither is a string.
func Sprint(a ...interface{}) string {
p := newPrinter()
p.doPrint(a)
s := string(p.buf)
p.free()
return s
}
3-您可以使用strconv.Itoa(int(i))(快速) 查看内部:
// Itoa is shorthand for FormatInt(int64(i), 10).
func Itoa(i int) string {
return FormatInt(int64(i), 10)
}
4-您可以使用strconv.FormatInt(int64(i), 10)(更快) 查看内部:
// FormatInt returns the string representation of i in the given base,
// for 2 <= base <= 36. The result uses the lower-case letters 'a' to 'z'
// for digit values >= 10.
func FormatInt(i int64, base int) string {
_, s := formatBits(nil, uint64(i), base, i < 0, false)
return s
}
比较和基准测试(50000000次迭代):
s = String(i) takes: 5.5923198s
s = String2(i) takes: 5.5923199s
s = strconv.FormatInt(int64(i), 10) takes: 5.9133382s
s = strconv.Itoa(int(i)) takes: 5.9763418s
s = fmt.Sprint(i) takes: 13.5697761s
代码:
package main
import (
"fmt"
//"strconv"
"time"
)
func main() {
var s string
i := int32(-2147483648)
t := time.Now()
for j := 0; j < 50000000; j++ {
s = String(i) //5.5923198s
//s = String2(i) //5.5923199s
//s = strconv.FormatInt(int64(i), 10) // 5.9133382s
//s = strconv.Itoa(int(i)) //5.9763418s
//s = fmt.Sprint(i) // 13.5697761s
}
fmt.Println(time.Since(t))
fmt.Println(s)
}
func String(n int32) string {
buf := [11]byte{}
pos := len(buf)
i := int64(n)
signed := i < 0
if signed {
i = -i
}
for {
pos--
buf[pos], i = '0'+byte(i%10), i/10
if i == 0 {
if signed {
pos--
buf[pos] = '-'
}
return string(buf[pos:])
}
}
}
func String2(n int32) string {
buf := [11]byte{}
pos := len(buf)
i, q := int64(n), int64(0)
signed := i < 0
if signed {
i = -i
}
for {
pos--
q = i / 10
buf[pos], i = '0'+byte(i-10*q), q
if i == 0 {
if signed {
pos--
buf[pos] = '-'
}
return string(buf[pos:])
}
}
}
4条答案
按热度按时间35g0bw711#
一行答案是
fmt.Sprint(i)
。无论如何,有许多转换,甚至在
fmt.Sprint(i)
这样的标准库函数内部,所以您有一些选择(尝试The Go Playground):1-您可以编写转换函数(Fastest):
2-您可以使用
fmt.Sprint(i)
(慢速)查看内部:
3-您可以使用
strconv.Itoa(int(i))
(快速)查看内部:
4-您可以使用
strconv.FormatInt(int64(i), 10)
(更快)查看内部:
比较和基准测试(50000000次迭代):
代码:
eoxn13cs2#
Sprint函数将给定值转换为字符串。
看这个example。
xtfmy6hx3#
使用转换和strconv.FormatInt将int32值格式化为字符串。在大多数平台上,转换的成本为零。
如果您有许多这样的调用,请考虑编写一个类似于strconv.itoa的helper函数:
标准库中的所有低级整数格式化代码都使用
int64
值。任何使用标准库(包括fmt包)中的格式化代码来回答这个问题的答案都需要在某个地方转换为int64
。避免转换的唯一方法是从头开始编写格式化函数,但这样做没有什么意义。8iwquhpp4#
这个管用吗?