标签:new padding log 可变 dex 使用 优先级 reference sof
函数的作用就是将我们经常重复使用的代码打包起来,方便我们调用,减少无用代码。
定义函数:
def sub_name(): print(‘test‘) return 1 #这一行可以不写,默认return None,如果想看到return的值只能用过print函数查看到
函数的参数:
1.位置参数
def power(x, n): s = 1 while n > 0: n = n - 1 s = s * x return s print(power(2,2)) #4
2.默认参数
def power(x, n=2): #这里的n=2就是默认参数 s = 1 while n > 0: n = n - 1 s = s * x return s print(power(2)) #4
3.可变参数
def add(*args): #args无命名参数 print(args) sum=0 for i in args: sum+=i print(sum) add(1,2,3,6,7)
4.关键字参数
def add(**kwargs): #kwargs有命名参数,有key和value
for i in kwargs:
print(‘%s:%s‘%(i,kwargs[i]))
add(name=‘xiaoyaz‘)
混合使用
def print_info(id,sex=‘male‘,*args,**kwargs): #这里的是形参,也就是我们参数的优先级顺序
print(id)
print(sex)
print(args)
print(kwargs)
print_info(0,2,3,4,5) #第一个实参0会占位位置参数id,第二个实参2会占位默认参数sex,剩下的实参是args,因为没有key=value格式的,所有最后的kwargs为空字典
↓
函数内的变量只在函数内起作用
python中的作用域分4种情况:
x = int(2.9) # (B)int built-in g_count = 0 # (G)global def outer(): o_count = 1 # (G)enclosing def inner(): i_count = 2 # (L)local print(o_count) #print(i_count) 找不到 inner() outer()
变量的修改
x=6 def f2(): print(x) x=5 f2() # 错误的原因在于print(x)时,解释器会在局部作用域找,会找到x=5(函数已经加载到内存),但x使用在声明前了,所以报错: # local variable ‘x‘ referenced before assignment.如何证明找到了x=5呢?简单:注释掉x=5,x=6 # 报错为:name ‘x‘ is not defined #同理 x=6 def f2(): x+=1 #local variable ‘x‘ referenced before assignment. f2()
当内部作用域想修改外部作用域的变量时,就要用到global和nonlocal关键字了,当修改的变量是在全局作用域(global作用域)上的,就要使用global先声明一下,代码如下:
count = 10 def outer(): global count print(count) count = 100 print(count) outer() #10 #100
global关键字声明的变量必须在全局作用域上,不能嵌套作用域上,当要修改嵌套作用域(enclosing作用域,外层非全局作用域)中的变量怎么办呢,这时就需要nonlocal关键字了
def outer(): count = 10 def inner(): nonlocal count count = 20 print(count) inner() print(count) outer() #20 #20
总结
(1)变量查找顺序:LEGB,作用域局部>外层作用域>当前模块中的全局>python内置作用域;
(2)只有模块、类、及函数才能引入新作用域;
(3)对于一个变量,内部作用域先声明就会覆盖外部变量,但是外部作用域不会改变,不声明直接使用,就会使用外部作用域的变量;
(4)内部作用域要修改外部作用域变量的值时,全局变量要使用global关键字,嵌套作用域变量要使用nonlocal关键字。nonlocal是python3新增的关键字,有了这个 关键字,就能完美的实现闭包了。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
################# x = 6 def f2(): print (x) x = 5 f2() # 错误的原因在于print(x)时,解释器会在局部作用域找,会找到x=5(函数已经加载到内存),但x使用在声明前了,所以报错: # local variable ‘x‘ referenced before assignment.如何证明找到了x=5呢?简单:注释掉x=5,x=6 # 报错为:name ‘x‘ is not defined #同理 x = 6 def f2(): x + = 1 #local variable ‘x‘ referenced before assignment. f2() |
当内部作用域想修改外部作用域的变量时,就要用到global和nonlocal关键字了,当修改的变量是在全局作用域(global作用域)上的,就要使用global先声明一下,代码如下:
1
2
3
4
5
6
7
8
9
|
count = 10 def outer(): global count print (count) count = 100 print (count) outer() #10 #100 |
global关键字声明的变量必须在全局作用域上,不能嵌套作用域上,当要修改嵌套作用域(enclosing作用域,外层非全局作用域)中的变量怎么办呢,这时就需要nonlocal关键字了
1
2
3
4
5
6
7
8
9
10
11
|
def outer(): count = 10 def inner(): nonlocal count count = 20 print (count) inner() print (count) outer() #20 #20 |
标签:new padding log 可变 dex 使用 优先级 reference sof
原文地址:http://www.cnblogs.com/xiaoyaz/p/7611731.html