2

以下作品

{{- if hasKey (index $envAll.Values.policy) "type" }} 
{{- if has "two-wheeler" (index $envAll.Values.policy "type") }}
<code goes here>
{{- end }}
{{- end }}

而以下失败并出现“运行时错误:无效的内存地址或零指针取消引用”

{{- if and (hasKey (index $envAll.Values.policy) "type") (has "two-wheeler" (index $envAll.Values.policy "type")) }}
<code goes here>
{{- end}}

在 $envAll.Values.policy 下没有声明名称为“类型”的列表。

在 Go 中,如果有条件地评估正确的操作数,为什么在第二个代码片段中评估最后一个条件?我该如何解决?

编辑(因为它被标记为重复):不幸的是,我不能像另一篇文章中提到的那样使用嵌入式 {{ if }}。

我在上面简化了我的问题。我实际上必须实现这一目标......

{{if or (and (condition A) (condition B)) (condition C)) }}
    <code goes here>
{{ end }}
4

1 回答 1

4

使用该函数时会出现错误,and因为andGo 模板中的函数不是短路评估的(与&&Go 中的运算符不同),它的所有参数总是被评估。在此处阅读更多信息:Golang 模板和有效字段测试

因此,您必须使用嵌入式{{if}}操作,因此仅在第一个参数也为真时才评估第二个参数。

您编辑了问题并指出您的实际问题是:

{{if or (and (condition A) (condition B)) (condition C)) }}
    <code goes here>
{{ end }}

这是您只能在模板中执行此操作的方法:

{{ $result := false }}
{{ if (conddition A )}}
    {{ if (condition B) }}
        {{ $result = true }}
    {{ end }}
{{ end }}
{{ if or $result (condition C) }}
    <code goes here>
{{ end }}

另一种选择是将该逻辑的结果作为参数传递给模板。

如果在调用模板之前不能或不知道结果,另一种选择是注册一个自定义函数,并从模板中调用这个自定义函数,然后您可以在 Go 代码中进行短路评估。例如,请参阅如何计算 html/template中的内容。

于 2019-04-02T14:57:50.640 回答