1. 函数是对实现对实现某一功能的代码的封装
2. 函数可以实现代码的复用,从而减少代码的重复编写
1. 函数可以接受任何数字或者任何类型的输入作为其参数
2. 函数也可以通过关键字 return 可以返回任何数字或者其他类型的结果
我们通常可以对函数进行的操作有:定义函数和调用函数
1. 定义函数
定义一个函数需要几个元素:关键字 def 函数名 小括号:() 函数体
具体如下:
1 >>> def make_a_sound(): # 定义函数, 2 ... print(‘quack‘) # 函数体,同样需要缩进 3 ... 4 >>> 5 6 7 # 上面的代码中: 8 # def 是关键字 9 # make_a_sound 是函数名 10 # () 小括号里面是函数的参数,参数可以是0.但是不管函数有几个,小括号都是必须的 11 # 当然冒号也是必须的 12 # 下面的是函数体: print(‘quack‘) 这里同样需要缩进 13
2. 调用函数
调用一个不含参数的函数,接上面的例子
1 >>> make_a_sound # 调用只使用函数名,只会得到一个对象 2 <function make_a_sound at 0x7f221b73a488> 3 >>> make_a_sound() # 正确的调用方法是: 函数名加上小括号 4 quack 5 >>> 6 7 # 无论要调用的函数是否有参数,小括号都是必须的
3.定义一个含有参数的函数并且调用此函数
1 [root@localhost ~]# python3 2 Python 3.6.0 (default, Feb 6 2017, 04:32:17) 3 [GCC 4.8.5 20150623 (Red Hat 4.8.5-4)] on linux 4 Type "help", "copyright", "credits" or "license" for more information. 5 >>> def commentery(color): 6 ... if color == ‘red‘: 7 ... print(‘You input color is {}‘.format(color)) 8 ... else: 9 ... print(‘You input color is {}‘.format(color)) 10 ... 11 >>> commentery(‘red‘) 12 You input color is red 13 >>> commentery(‘blue‘) 14 You input color is blue 15 >>>
4. 定义一个有返回值的函数并调用此函数
1 >>> def echo(anything): 2 ... return anything + ‘ ‘ + anything # 用关键字 return 定义函数的返回 3 ... 4 >>> echo(‘result‘) 5 ‘result result‘ # 函数返回值 6 >>> 7 8 # 函数可以返回任何数量(包括 0)的任何类型的结果 9 # 当一个函数没有显示的调用 return函数时,默认会返回 None 10 >>> def do_nothing(): 11 ... print(‘ok‘) 12 ... 13 >>> print(do_nothing()) 14 ok # 函数体本身执行结果 15 None # 函数自身返回值 16 >>>
5. 关于 None
None 在Python中是一个特殊的值,有重要作用。虽然None作为布尔值和 False 是一样的,但它同时又和 False 又很多差别。
下面是一个例子
>>> thing = None >>> if thing is None: # 为了区分 None 和 False 的区别,这里使用 is ... print("It‘s nothing") ... else: ... print("It‘s something") ... It‘s nothing >>>
这看起来是一个微妙的差别,但对于Python 来说是很重要的。
你需要把 None he 不含任何值的空数据结构区分开来。
比如: 0(数字零)值的整型/浮点型、空字符串、空列表、空元组、空字典、空集合在Python中都等价于False,但是不等于 None
再来看下面这个函数,用于测试验证上面的观点
1 >>> def is_none(thing): 2 ... if thing is None: 3 ... print("It‘s None") 4 ... elif thing: 5 ... print("It‘s True") 6 ... else: 7 ... print("It‘s False") 8 ... 9 >>> is_none(None) 10 It‘s None 11 >>> is_none(True) 12 It‘s True 13 >>> is_none(0) 14 It‘s False 15 >>> is_none(0.00) 16 It‘s False 17 >>> is_none(‘‘) 18 It‘s False 19 >>> is_none([]) 20 It‘s False 21 >>> is_none(()) 22 It‘s False 23 >>> is_none({}) 24 It‘s False 25 >>> is_none(set()) 26 It‘s False 27 >>> is_none(‘ ‘) # 这个值得注意,这里是含有一个空格的字符串 28 It‘s True 29 >>>
三、函数之位置参数(一般参数)
原文:http://www.cnblogs.com/xiguatian/p/6367320.html