I just want to know if there is a way in go to expand a map. A bit like python's append() function thanks in advance
评论:
natefinch:
terramorpha:m := map[string]bool{ "foo" : true } m["bar"] = false
natefinch:If i initialize an empty map, it gives me a nil map error. By creating it with one value, just like you did, will it be capable of being expanded ?
terramorpha:Yeah, so maps have to be initialized to be able to write to them (it's a quirk of how maps are created in the runtime).
var foo map[string]bool
This creates the zero value for a map, which is a nil map. Nil maps panic if you try to set values on them.
foo := map[string]bool{} bar := make(map[string]bool)
These two are equivalent, and initialize a non-nil map that has no items in it. You can set values in them.
foo := make(map[string]bool, 500)
For the make version of creating a map, you can give it a size hint, which helps the runtime set up memory to store the right number of variables. This can prevent the code from wasting memory by allocating too little for the map and then having to recreate it bigger when you add more items than it in it.
:thanks lot, i am now able to continue my journey towards mastering golang
ChristophBerger:[removed]
Your question is perfectly valid as there is a difference between slices (
append()
works fine with anil
slice) and maps (m["foo"] = "bar" does not work with anil
map) that may not be apparent to newcomers.Consider
append()
as a convenience function for slices to manage dynamic size behind the scenes, which, as a side benefit, also takes care of letting a slice "magically" spring into existence if it isnil
before the first append(). Maps grow dynamically by default and so they don't need a convenience function likeappend()
, which also means they do not spring into existence on first assignment.
