He visto a un par de personas quejarse del bucle for, en la línea de "¿por qué deberíamos tener que decir i = 0; i < len; i++
en estos tiempos?".
No estoy de acuerdo, me gusta la construcción. Puede usar la versión larga si lo desea, pero la idiomática Go es
var a = []int{1, 2, 3}
for i, v := range a {
fmt.Println(i, v)
}
La for .. range
construcción recorre todos los elementos y proporciona dos valores: el índice i
y el valor v
.
range
también funciona en mapas y canales.
Aún así, si no le gusta for
de alguna forma, puede definir each
, map
etc.en unas pocas líneas:
type IntArr []int
// 'each' takes a function argument.
// The function must accept two ints, the index and value,
// and will be called on each element in turn.
func (a IntArr) each(fn func(index, value int)) {
for i, v := range a {
fn(i, v)
}
}
func main() {
var a = IntArr([]int{2, 0, 0, 9}) // create int slice and cast to IntArr
var fnPrint = func(i, v int) {
fmt.Println(i, ":", v)
} // create a function
a.each(fnPrint) // call on each element
}
huellas dactilares
0 : 2
1 : 0
2 : 0
3 : 9
Me está empezando a gustar mucho Go :)