一、变长参数
- Non-keyword Variable Arguments (Tuple)——非关键字可变长参数(元组)
当一个函数被调用时,除了必须的和默认的参数外,剩下的非关键字参数被按顺序插入到一个元组(Tuple)中。
在函数声明中,“ * ”号开头的形参保存了所有的非关键字参数。
形式如下:
def function_name([formal_args,] *vargs_tuple):
"function_documentation_string"
function_body_suite
- Keyword Variable Arguments (Dictionary)——关键字变量参数(字典)
如果我们有一定数目的关键字参数(keyword arguments),那么这些参数将被放置到一个字典(Dictionary)中。
在函数声明中,“**”号开头的形参表示所有的关键字变量参数。
形式如下:
def dictVarArgs(arg1, arg2='defaultB', **theRest):
'display 2 regular args and keyword variable args'
print 'formal arg1:', arg1
print 'formal arg2:', arg2
for eachXtrArg in theRest.keys():
print 'Xtra arg %s: %s' %(eachXtrArg, str(theRest[eachXtrArg]))
List
- list只能和iterable对象进行连接。
>>> a = ['foo', 'bar', 'baz', 'qux', 'quux']
>>> a += 20
Traceback (most recent call last):
File "<pyshell#58>", line 1, in <module>
a += 20
TypeError: 'int' object is not iterable
>>> a += 'corge'
>>> a
['foo', 'bar', 'baz', 'qux', 'quux', 'c', 'o', 'r', 'g', 'e']
- slice
python允许slice的赋值操作。
注意:slice的赋值和list的单个元素的赋值不同。
>>> a = [1, 2, 3]
>>> a[1] = [2.1, 2.2, 2.3]
>>> a
[1, [2.1, 2.2, 2.3], 3]
>>> a = [1, 2, 3]
>>> a[2:3] = [2.1,2.2,2.3]
>>> print a
[1, 2, 2.1, 2.2, 2.3]
- Generator Functions
def countdown(num):
print('Starting')
while num > 0:
yield num
num -= 1
val = countdown(5)
val
输出:
<generator object countdown at 0x10a0beaf0>
执行next(val)时,从函数的第一行开始,执行到yield语句,yield右边的值作为返回值返回;再次调用next(val),从yield语句开始执行到函数结尾,然后进入循环,直到yield语句再次出现,如果未出现,抛出StopIteration的Exception。
Generator Expressions
>>> my_list = ['a', 'b', 'c', 'd']
>>> gen_obj = (x for x in my_list)
>>> gen_obj
<generator object <genexpr> at 0x10a0beaf0>
>>> for val in gen_obj:
... print(val)
...
a
b
c
d
>>>
NOTE: Keep in mind that generator expressions are drastically faster when the size of your data is larger than the available memory.
举例:
判断1000亿以内的素数列表:
def check_prime(number):
for divisor in range(2, int(number ** 0.5) + 1):
if number % divisor == 0:
return False
return True
def Primes(max):
number = 1
while number < max:
number += 1
if check_prime(number):
yield number
primes = Primes(100000000000)
print(primes)
for x in primes:
print(x)
更简洁的使用表达式的写法:
primes = (i for i in range(2, 100000000000) if check_prime(i))
print(primes)
for x in primes:
print(x)
网友评论