5

是否可以在不将字典作为参数传递的情况下修改函数内部字典的值。

我不想返回字典,而只想修改它的值。

4

2 回答 2

11

这是可能的,但不一定可取,我无法想象你为什么不想传递或返回字典,如果你只是不想返回字典,但可以传递它,你可以修改它以反映原始字典而不必返回它,例如:

dict = {'1':'one','2':'two'}
def foo(d):
   d['1'] = 'ONE'

print dict['1']  # prints 'one' original value
foo(dict)
print dict['1']  # prints 'ONE' ie, modification reflects in original value
                 # so no need to return it

但是,如果您出于某种原因绝对无法通过它,则可以使用全局字典,如下所示:

global dict                    # declare dictionary as global
dict = {'1':'one','2':'two'}   # give initial value to dict

def foo():

   global dict   # bind dict to the one in global scope
   dict['1'] = 'ONE'

print dict['1']  # prints 'one'
foo(dict)
print dict['1']  # prints 'ONE'

我推荐第一个代码块中演示的第一种方法,但如果绝对必要,请随意使用第二种方法。享受 :)

于 2013-05-28T18:18:03.700 回答
6

是的,你可以,字典是一个可变对象,因此可以在函数中修改它们,但必须在实际调用函数之前定义它。

要更改指向不可变对象的全局变量的值,您必须使用该global语句。

>>> def func():
...     dic['a']+=1
...     
>>> dic = {'a':1}    #dict defined before function call
>>> func()
>>> dic
{'a': 2}

对于不可变对象:

>>> foo = 1
>>> def func():
...     global foo
...     foo += 3   #now the global variable foo actually points to a new value 4
...     
>>> func()
>>> foo
4
于 2013-05-28T17:09:42.677 回答