英文:
convert string to fixed size byte array in Go
问题
有没有方便的方法来初始化一个字节数组?
package main
import "fmt"
type T1 struct {
f1 [5]byte // 我在这里使用固定大小,用于文件格式或网络数据包格式。
f2 int32
}
func main() {
t := T1{"abcde", 3}
// t:= T1{[5]byte{'a','b','c','d','e'}, 3} // 可行,但不美观
fmt.Println(t)
}
prog.go:8: 无法将 "abcde" (类型为 string) 作为字段值中的 [5]uint8 类型使用
如果我将该行改为 t := T1{[5]byte("abcde"), 3}
prog.go:8: 无法将 "abcde" (类型为 string) 转换为 [5]uint8 类型
英文:
Is there convenient way for initial a byte array?
package main
import "fmt"
type T1 struct {
f1 [5]byte // I use fixed size here for file format or network packet format.
f2 int32
}
func main() {
t := T1{"abcde", 3}
// t:= T1{[5]byte{'a','b','c','d','e'}, 3} // work, but ugly
fmt.Println(t)
}
prog.go:8: cannot use "abcde" (type string) as type [5]uint8 in field value
if I change the line to t := T1{[5]byte("abcde"), 3}
prog.go:8: cannot convert "abcde" (type string) to type [5]uint8
答案1
得分: 25
你可以将字符串复制到字节数组的切片中:
package main
import "fmt"
type T1 struct {
f1 [5]byte
f2 int
}
func main() {
t := T1{f2: 3}
copy(t.f1[:], "abcde")
fmt.Println(t)
}
编辑:根据jimt的建议,使用T1字面量的命名形式。
英文:
You could copy the string into a slice of the byte array:
package main
import "fmt"
type T1 struct {
f1 [5]byte
f2 int
}
func main() {
t := T1{f2: 3}
copy(t.f1[:], "abcde")
fmt.Println(t)
}
Edit: using named form of T1 literal, by jimt's suggestion.
答案2
得分: 8
你需要一个字节数组有特殊的原因吗?在Go语言中,使用字节切片会更好。
package main
import "fmt"
type T1 struct {
f1 []byte
f2 int
}
func main() {
t := T1{[]byte("abcde"), 3}
fmt.Println(t)
}
英文:
Is there any particular reason you need a byte array? In Go you will be better off using a byte slice instead.
package main
import "fmt"
type T1 struct {
f1 []byte
f2 int
}
func main() {
t := T1{[]byte("abcde"), 3}
fmt.Println(t)
}
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论