¿Los mapas se pasan por valor o referencia en Go?
Siempre es posible definir una función como sigue, pero ¿es una exageración?
func foo(dat *map[string]interface{}) {...}
Misma pregunta para el valor de retorno. ¿Debo devolver un puntero al mapa o devolver el mapa como valor?
La intención es, por supuesto, evitar la copia de datos innecesaria.
*map
en algunos casos, si necesita reasignar el valor del mapa en una dirección)Respuestas:
En este hilo encontrarás tu respuesta:
Golang: acceder a un mapa usando su referencia
fuente
Aquí hay algunas partes de Si un mapa no es una variable de referencia, ¿qué es? por Dave Cheney:
y conclusión:
Y algo interesante sobre la historia / explicación de la
map
sintaxis:fuente
No. Los mapas son referencia por defecto.
package main import "fmt" func mapToAnotherFunction(m map[string]int) { m["hello"] = 3 m["world"] = 4 m["new_word"] = 5 } // func mapToAnotherFunctionAsRef(m *map[string]int) { // m["hello"] = 30 // m["world"] = 40 // m["2ndFunction"] = 5 // } func main() { m := make(map[string]int) m["hello"] = 1 m["world"] = 2 // Initial State for key, val := range m { fmt.Println(key, "=>", val) } fmt.Println("-----------------------") mapToAnotherFunction(m) // After Passing to the function as a pointer for key, val := range m { fmt.Println(key, "=>", val) } // Try Un Commenting This Line fmt.Println("-----------------------") // mapToAnotherFunctionAsRef(&m) // // After Passing to the function as a pointer // for key, val := range m { // fmt.Println(key, "=>", val) // } // Outputs // hello => 1 // world => 2 // ----------------------- // hello => 3 // world => 4 // new_word => 5 // ----------------------- }
Del blog de Golang
// Ex of make function m = make(map[string]int)
Enlace de fragmento de código Juega con él.
fuente