python 函数小结

1.函数关键字

一般的函数调用

import math 
def get_cylinder(height, radian):
    return height*math.pi*radian**2

print(get_cylinder(1,1))
python 函数小结_第1张图片

含有默认值的参数

import math 
def get_cylinder(height, radian=1):
    return height*math.pi*radian**2

print(get_cylinder(1))
python 函数小结_第2张图片
import math 
def get_cylinder(height=1, radian=1):
    return height*math.pi*radian**2

print(get_cylinder())
python 函数小结_第3张图片

指定关键字,当然修改关键字默认值只能放在后边啦,放在前边报错的啊!

import math 
def get_cylinder(height=1, radian=1):
    return height*math.pi*radian**2

print(get_clinder(2, radian=3))
python 函数小结_第4张图片

2.函数更改全局作用域

若想在函数内更改全局变量,需要用到global关键字。

x = 2
def printx(x):
    x = 0
    print("inside_function: ", x)
    
printx(x)
print("out_of_function: ", x)
x = 2
def printx():
    global x
    x = 0
    print("inside_function: ", x)
    
printx()
print("out_of_function: ", x)
python 函数小结_第5张图片

3.lambda 表达式

import math
get_cylinder = lambda height, radian: height*math.pi*radian**2

print(get_cylinder(1,1))
python 函数小结_第6张图片
image.png

如果lambda表达式使用函数参数默认值的话,默认值要放在最后

python 函数小结_第7张图片

一旦指定了关键字,参数顺序就不那么重要了。

import math

get_cylinder = lambda height=1, radian=1: height*math.pi*radian**2
print(get_cylinder(radian=2, height=3))
python 函数小结_第8张图片

你可能感兴趣的:(python 函数小结)