Iterando attraverso una mappa golang


89

Ho una mappa di tipo: map[string]interface{}

E infine, riesco a creare qualcosa di simile (dopo aver deserializzato da un file yml usando goyaml)

mymap = map[foo:map[first: 1] boo: map[second: 2]]

Come posso scorrere questa mappa? Ho provato quanto segue:

for k, v := range mymap{
...
}

Ma ricevo un errore:

cannot range over mymap
typechecking loop involving for loop

Per favore aiuto.


È possibile fornire un test case? È difficile diagnosticare il problema da ciò che hai pubblicato, poiché non c'è nulla di inerente a ciò che hai pubblicato che potrebbe causare un ciclo di controllo del tipo. In particolare, ho problemi a capire come ottenere un ciclo di controllo del tipo in un corpo di funzione.
SteveMcQwark

Risposte:


107

Per esempio,

package main

import "fmt"

func main() {
    type Map1 map[string]interface{}
    type Map2 map[string]int
    m := Map1{"foo": Map2{"first": 1}, "boo": Map2{"second": 2}}
    //m = map[foo:map[first: 1] boo: map[second: 2]]
    fmt.Println("m:", m)
    for k, v := range m {
        fmt.Println("k:", k, "v:", v)
    }
}

Produzione:

m: map[boo:map[second:2] foo:map[first:1]]
k: boo v: map[second:2]
k: foo v: map[first:1]

4

Puoi farlo con una riga:

mymap := map[string]interface{}{"foo": map[string]interface{}{"first": 1}, "boo": map[string]interface{}{"second": 2}}
for k, v := range mymap {
    fmt.Println("k:", k, "v:", v)
}

L'output è:

k: foo v: map[first:1]
k: boo v: map[second:2]

21
Go Proverb: non essere intelligente, sii esplicito. Le battute non sono l'obiettivo in Go.
Inanc Gumus,

2

Potresti semplicemente scriverlo su più righe in questo modo,

$ cat dict.go
package main

import "fmt"

func main() {
        items := map[string]interface{}{
                "foo": map[string]int{
                        "strength": 10,
                        "age": 2000,
                },
                "bar": map[string]int{
                        "strength": 20,
                        "age": 1000,
                },
        }
        for key, value := range items {
                fmt.Println("[", key, "] has items:")
                for k,v := range value.(map[string]int) {
                        fmt.Println("\t-->", k, ":", v)
                }

        }
}

E l'output:

$ go run dict.go
[ foo ] has items:
        --> strength : 10
        --> age : 2000
[ bar ] has items:
        --> strength : 20
        --> age : 1000
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.