内容简介:golang template使用自定义函数需求来源是这样的:如何拿到一个slice的最后一个元素在模版里面,我们可以获取slice的任意元素,只要给定下标即可,例如:
golang template使用自定义函数
需求来源是这样的:如何拿到一个slice的最后一个元素
在模版里面,我们可以获取slice的任意元素,只要给定下标即可,例如:
package main import ( "os" "log" "text/template" ) const templateText = ` Friends : {{.Friends}} 1st Friend : {{index .Friends 0}} 2nd Friend : {{index .Friends 1}} 3rd Friend : {{index .Friends 2}} ` func main() { type Recipient struct { Name string Friends []string } recipient := Recipient{ Name : "Jack", Friends : []string {"Bob", "Json", "Tom"}, } t := template.Must(template.New("").Parse(templateText)) err := t.Execute(os.Stdout, recipient) if err != nil { log.Println("Executing template:", err) } }
运行:
Friends : [Bob Json Tom] 1st Friend : Bob 2nd Friend : Json 3rd Friend : Tom
然而,如何获取最后一个元素呢?因为这个下标不是一个常量,是根据slice大小动态变化的。
我们首先会想到使用len(.Friends)行不行?
const templateText = ` Nrd Friend : {{index .Friends (len .Friends)}} `
执行模版会报错:
Executing template: template: :<line>:<column>: executing "" at <index .Friends (len .Friends)>: error calling index: index out of range: 3
因为slice最后一个元素下标是(len()-1),看来用一个算术运行就可以了,遗憾的是golang template并没有提供简单的加减运算,也没有相应的函数(golang template的所有系统函数都在这儿: https://golang.org/pkg/text/template/#hdr-Functions
);所以我们必须自定义一个减函数(sub)
const templateText = ` Nrd Friend : {{index .Friends (sub (len .Friends) 1)}} ` templateFunc := map[string]interface{} { "sub": func(a, b int) int { return a - b }, } t := template.Must(template.New("").Funcs(template.FuncMap(templateFunc)).Parse(templateText))
运行结果:
Nrd Friend : Tom
可见函数sub起效了。
这里我们定义的是通用的add/sub函数,那么我们能不能直接定义last函数呢,返回slice的最后一个元素:
const templateText = ` Nrd Friend : {{last .Friends}} ` templateFunc := map[string]interface{} { "last": func(s []interface{}) interface{} { return s[len(s)-1] }, } t := template.Must(template.New("").Funcs(template.FuncMap(templateFunc)).Parse(templateText))
运行:
Executing template: template: :<line>:<column>: executing "" at <.Friends>: wrong type for value; expected []interface {}; got []string
是不是很遗憾,为啥通用类型interface{}不支持呢,一定要具体类型吗?我们重新定义last函数:
templateFunc := map[string]interface{} { "last": func(s []string) string { return s[len(s)-1] }, }
再运行:
Nrd Friend : Tom
竟然好了。这个说来我觉得还是有点遗憾了,为啥不支持通用类型interface{}呢,本来slice取其中的元素操作本身并不需要关系元素类型,用interface{}是很好的方法。
抱怨归抱怨,我也没有办法,只能遵从这个设计吧。
以上就是本文的全部内容,希望本文的内容对大家的学习或者工作能带来一定的帮助,也希望大家多多支持 码农网
猜你喜欢:- Python 函数调用&定义函数&函数参数
- 不同语言在函数内部定义函数
- Shell编程—【04】函数的定义、参数、变量作用域、函数库
- Laravel 增加自定义全局函数
- 在 Go 语言中定义函数
- Golang中的自定义函数
本站部分资源来源于网络,本站转载出于传递更多信息之目的,版权归原作者或者来源机构所有,如转载稿涉及版权问题,请联系我们。
算法导论
[美] Thomas H. Cormen、Charles E. Leiserson、Ronald L. Rivest、Clifford Stein / 高等教育出版社 / 2002-5 / 68.00元
《算法导论》自第一版出版以来,已经成为世界范围内广泛使用的大学教材和专业人员的标准参考手册。 这本书全面论述了算法的内容,从一定深度上涵盖了算法的诸多方面,同时其讲授和分析方法又兼顾了各个层次读者的接受能力。各章内容自成体系,可作为独立单元学习。所有算法都用英文和伪码描述,使具备初步编程经验的人也可读懂。全书讲解通俗易懂,且不失深度和数学上的严谨性。第二版增加了新的章节,如算法作用、概率分析......一起来看看 《算法导论》 这本书的介绍吧!