新用户在这里。 我有一个这样的struct对象:
type TagRow struct {
Tag1 string
Tag2 string
Tag3 string
}
哪些像切片一样:
[{a b c} {d e f} {g h}]
我想知道如何将生成的切片转换为一串字符串,如:
["a" "b" "c" "d" "e" "f" "g" "h"]
我试图迭代:
for _, row := range tagRows {
for _, t := range row {
fmt.Println("tag is" , t)
}
}
但我明白了:
cannot range over row (type TagRow)
非常感谢你的帮助。
答案 0 :(得分:3)
对于您的具体情况,我会“手动”执行:
rows := []TagRow{
{"a", "b", "c"},
{"d", "e", "f"},
{"g", "h", "i"},
}
var s []string
for _, v := range rows {
s = append(s, v.Tag1, v.Tag2, v.Tag3)
}
fmt.Printf("%q\n", s)
输出:
["a" "b" "c" "d" "e" "f" "g" "h" "i"]
如果您希望它动态遍历所有字段,您可以使用reflect
包。帮助函数:
func GetFields(i interface{}) (res []string) {
v := reflect.ValueOf(i)
for j := 0; j < v.NumField(); j++ {
res = append(res, v.Field(j).String())
}
return
}
使用它:
var s2 []string
for _, v := range rows {
s2 = append(s2, GetFields(v)...)
}
fmt.Printf("%q\n", s2)
输出相同:
["a" "b" "c" "d" "e" "f" "g" "h" "i"]
尝试Go Playground上的示例。
使用更复杂的示例查看类似问题: