Replace the content of dictionary with another dictionary in a function - Python

随声附和 提交于 2019-12-19 06:17:32

问题


I have a dictionary, and I want to pass it as argument to a function. After executing this function, I want the dictionary changed.

Here is my try:

def func(dict):
    dict = {'a': 5}

So what I want to happen:

dict = {'b': 3}
func(dict)
print(dict) # to be {'a': 5}, not {'b': 3}

Is there a way to achieve this? Thank you very much in advance! :)


回答1:


def func(dct):
   dct.clear()
   dct.update({'a': 5})



回答2:


You can mutate a dictionary within a method, because it is passed by reference, but in your case you're simply creating a new dictionary altogether. Since your variable dict is within a method, it doesn't share the same scope as the outer contents, and so refers to a new variable. If you want to overwrite it altogether, consider:

def func(dct):
    return {'a': 5}

dct = func(dct)

The only benefit that I can see from completely wiping an existing dictionary and updating it with new content is if it had multiple other references which you also wished to update. If this isn't the case I'd suggest you just create a new dictionary. If the old dictionaries ref count drops to zero then it'll be garbage collected, so I don't see any great memory benefits.



来源:https://stackoverflow.com/questions/23159019/replace-the-content-of-dictionary-with-another-dictionary-in-a-function-python

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!