-
梦里花落0921
使用转换将每个转换string为[]byte.ex := [...]string{"a", "o", ".", ".", "2", ".", ".", "9"}var ey [len(ex)][]bytefor i := range ex { ey[i] = []byte(ex[i])}如果您的意图是获取连接字符串的字节数组,请使用此代码。此代码仅在字符串为单个 ASCII 字符时有效。ex := [...]string{"a", "o", ".", ".", "2", ".", ".", "9"}var ey [len(ex)]bytefor i := range ex { ey[i] = ex[i][0]}使用这个表达式来获取连接字符串的一部分字节:[]byte(strings.Join(ex[:], ""))我不知道您这样做的上下文,但我的猜测是使用切片比使用数组更合适:ex := []string{"a", "o", ".", ".", "2", ".", ".", "9"}ey := make([][]byte, len(ex))for i := range ex { ey[i] = []byte(ex[i])}..s := []byte(strings.Join(ex, ""))
-
绝地无双
根据这是否是代码生成管道的一部分,您可以通过多种方式执行此操作。直接地:bs := [...]byte{'a', 'o', '.', '.', '2', '.', '.', '9'}或间接地:ex := [...]string{"a", "o", ".", ".", "2", ".", ".", "9"}bs := [...]byte{ ex[0][0], ex[1][0], ex[2][0], ex[3][0], ex[4][0], ex[5][0], ex[6][0], ex[7][0],} // type [8]int8 i.e. [8]bytehttps://play.golang.org/p/iMEjFpCKAaW根据您的用例,这些方法可能过于死板。对于动态初始化方法,请参见此处的其他答案。
-
PIPIONE
这似乎做到了:package mainimport ( "fmt" "strings")func main() { a := [...]string{"a","o",".",".","2",".",".","9"} var b [len(a)]byte c := strings.Join(a[:], "") copy(b[:], c) // [8]uint8{0x61, 0x6f, 0x2e, 0x2e, 0x32, 0x2e, 0x2e, 0x39} fmt.Printf("%#v\n", b)}https://godocs.io/strings#Join