eq
与index
对我来说,Go模板会产生一些意想不到的结果。看到这段代码:
package main
import (
"os"
"text/template"
)
func main() {
const myTemplate = `
{{range $n := .}}
{{index $n 0}} {{if (index $n 0) eq (index $n 1)}}={{else}}!={{end}} {{index $n 1}}
{{end}}
`
t := template.Must(template.New("").Parse(myTemplate))
t.Execute(os.Stdout,
[][2]int{
[2]int{1, 2},
[2]int{2, 2},
[2]int{4, 2},
})
}
我希望有输出
1 != 2
2 = 2
4 != 2
但我得到
1 = 2
2 = 2
4 = 2
我应该更改什么才能比较go模板中的数组成员?
答案 0 :(得分:8)
eq
是前缀操作:
{{if eq (index $n 0) (index $n 1)}}={{else}}!={{end}}
答案 1 :(得分:4)
您使用错误的运算符和参数顺序。您必须首先编写运算符,然后编写操作数:
{{if eq (index $n 0) (index $n 1)}}
这更具可读性和方便性,因为eq
只能使用2个以上的参数,所以你可以编写例如:
{{if eq (index $n 0) (index $n 1) (index $n 2)}}
对于更简单的多路相等测试,eq(仅)接受两个或多个参数,并比较第一个和后一个参数,返回有效
arg1==arg2 || arg1==arg3 || arg1==arg4 ...
(与Go中的||不同,eq是一个函数调用,所有参数都将被评估。)
通过此更改输出(在Go Playground上尝试):
1 != 2
2 = 2
4 != 2
注意:强>
您不需要引入"循环"变量,{{range}}
操作将点更改为当前项:
... dot设置为数组,切片或地图的连续元素 ...
因此,您可以简化模板,这相当于您的模板:
{{range .}}
{{index . 0}} {{if eq (index . 0) (index . 1)}}={{else}}!={{end}} {{index . 1}}
{{end}}
另请注意,您可以自己在模板中创建变量,如果您多次使用相同的表达式(非常重要)(例如index . 0
),则建议使用此变量。这也等同于您的模板:
{{range .}}{{$0 := index . 0}}{{$1 := index . 1}}
{{$0}} {{if eq $0 $1}}={{else}}!={{end}} {{$1}}
{{end}}
另请注意,在此特定情况下,由于您要在if
和else
分支中输出的内容均包含=
符号,因此您不需要2个分支,=
需要在两种情况下输出,如果它们不相等,您只需要额外的!
符号。因此,以下最终模板也与您的模板等效:
{{range .}}{{$0 := index . 0}}{{$1 := index . 1}}
{{$0}} {{if ne $0 $1}}!{{end}}= {{$1}}
{{end}}