赞
踩
开始看python官方文档啦!中文的,附上地址: python官方文档_中文
对于稍有些python基础的同学们都会使用Python的函数定义和函数的默认值吧,毕竟跟其他语言也是大同小异的。但是你知道默认参数值是如何使用的吗?
“默认值只被赋值一次 ”。这个性质使得默认值是可变对象时会有所不同。看下面的例子:
- def f(a, L=[]):
- L.append(a)
- return L
-
- print(f(1))
- print(f(2))
- print(f(3))
- def f(a, L=None):
- if L is None:
- L = []
- L.append(a)
- return L
-
- print(f(1))
- print(f(2))
- print(f(3))
输出:
这就引出了两个问题:
1)什么是可变对象?
2)为什么会出现不同的输出?
对于问题1,我们首先要明白的是“在python中,万物皆对象。” 实际上,python中不存在所谓的传值调用,一切传递的都是对象的引用,也可以认为是传址。
Python在heap中分配的对象分成两类:可变对象和不可变对象。所谓可变对象是指,对象的内容可变,而不可变对象是指对象内容不可变。
不可变(immutable):int、字符串(string)、float、(数值型number)、元组(tuple)
可变(mutable):字典型(dictionary)、列表型(list)
由上图可知,对于不可变对象的改变只是创建了新对象,改变了变量的对象引用。
- >>>x = 1
- >>>y = 1
- >>>x = 1
- >>> x is y #判断x,y是否为同一个对象
- True
- >>>y is z
- True
由上可知,因为整数为不可变,x,y,z在内存中均指向一个值为1的内存地址,也就是说,x,y,z均指向的是同一个地址。
不可变对象带来的好处---减少重复值对内存空间的使用,坏处---如果要修改这个变量绑定的值,如果内存中没用存在该值的内存块,那么必须重新开辟一块内存,把新地址与变量名绑定。而不是修改变量原来指向的内存块的值,这回给执行效率带来一定的降低。
不可变对象:
对于问题2,“Python函数参数对于可变对象,函数内对参数的改变会影响到原始对象;对于不可变对象,函数内对参数的改变不会影响到原始参数”。因为对默认参数,函数只会赋值一次,如果其为可变对象,那么函数内部是指节对该对象进行操作修改,而若为为不可变对象,那么函数内部改变的是函数内变量的指向对象。
函数参数包括位置参数和关键字参数两种,不同之处在于
1)函数调用时,位置参数需要靠位置来确定其对应哪个参数,位置变化会影响函数运行结果;
- def a1(x,y,z):
- >>> return x,y,z
- >>>print a1(1,2,3)
- (1,2,3)
-
- >>>def a2(x,y,z):
- >>> return x,z,y
- >>>print a1(1,2,3)
- (1,3,2)
2)函数调用时,关键字参数指定其对应的参数,位置不会影响运行结果。
- >>>def x(name,Profession):
- >>> return '%s is %s' %(name,Profession)
- >>>print x(name='Amy',Profession='Student')
- Amy is Student
-
- >>>print x(Profession='Student',name='Amy')
- Amy is Student
思想:通过元组或字典来实现可变长度的参数列表调用。实现方式为*name(元组)和**name(字典)。栗子:
- def cheeseshop(kind, *arguments, **keywords):
- print("-- Do you have any", kind, "?")
- print("-- I'm sorry, we're all out of", kind)
- for arg in arguments:
- print(arg)
- print("-" * 40)
- keys = sorted(keywords.keys())
- for kw in keys:
- print(kw, ":", keywords[kw])
- cheeseshop("Limburger", "It's very runny, sir.",
- "It's really very, VERY runny, sir.",
- shopkeeper="Michael Palin",
- client="John Cleese",
- sketch="Cheese Shop Sketch")
其输出如下:
- -- Do you have any Limburger ?
- -- I'm sorry, we're all out of Limburger
- It's very runny, sir.
- It's really very, VERY runny, sir.
- ----------------------------------------
- client : John Cleese
- shopkeeper : Michael Palin
- sketch : Cheese Shop Sketch
相应地,也可以输入元组或字典通过*/**来实现分解,栗子
- def parrot(voltage, state='a stiff', action='voom'):
- print("-- This parrot wouldn't", action)
- print("if you put", voltage, "volts through it.")
- print("E's", state, "!")
-
- d = {"voltage": "four million", "state": "bleedin' demised", "action": "VOOM"}
- parrot(**d)
其输出如下:
- ("-- This parrot wouldn't", 'VOOM')
- ('if you put', 'four million', 'volts through it.')
- ("E's", "bleedin' demised", '!')
简单来说,编程中提到的 lambda 表达式,通常是在需要一个函数,但是又不想费神去命名一个函数的场合下使用,也就是指匿名函数。
具体看这个(懒得写了orz....)
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。