Python函数

python编程即可以面向对象( 类:class),也可以面向过程(过程:def),也可以做函数式编程(函数:def),其中函数是有返回值而过程没有返回值(返回none)。
一、函数定义用途
函数是逻辑化和结构化的一种编程方法,它将一组语句用函数名包裹起来,通过调用函数名来执行函数里的具体语句。
1.减少重复代码
2.使程序变得容易扩展

  1. #!/usr/bin/env python
  2. # -*- UTF-8 -*-
  3. # Author:Jerry

  4. import time

  5. def logger():
  6.     time_format="%Y-%m-%d %X"
  7.     time_current=time.strftime(time_format)
  8.     with open("writefile","a+",encoding="utf-8") as f:
  9.         f.write("%s Start write logfile:\n" %time_current)

  10. def test1():
  11.     print("Test 1 file")
  12.     logger()
  13. def test2():
  14.     print("Test 2 file")
  15.     logger()

  16. test1()
  17. test2()
二、函数语法
1.基本定义语法
def function_name(x,y):
  """function descriptioni"""
  function_body
  return  x
函数定义包含:定义关键字def ,函数名function_name,函数参数x,y,函数描述,函数体,以及函数返回值
三、函数示例
1.无参数的函数
##function_01是定义的函数,返回值是0
##function_02是定义的过程,无返回值(或者说返回值是none)
  1. #!/usr/bin/env python
  2. # -*- UTF-8 -*-
  3. # Author:ChengZhen

  4. def function_01():
  5.     "测试函数01"
  6.     print("测试函数01")
  7.     return 0

  8. def function_02():
  9.     "测试函数02"
  10.     print("测试函数02")

  11. x=function_01()
    y=function_02() 
    
  12. print(x) 
    
  13. print(y)

2.有参数的函数

  1. #位置参数,形参和实参一一对应
  2. def test1(x,y):
  3.     print("Test 1 file:%s %s" %(x,y))
  4. test1(1,2)

  5. #关键字参数,关键字参数一定要放在位置参数后面
  6. def test2(x,y):
  7.     print("Test 2 file:%s %s" %(x,y))
  8. test2(3,y=2)

  9. #默认参数,如果有传入实参则按照实际传入参数赋值,如果没有传入实参,则按默认参数值传入
  10. def test2(x,y=5):
  11.     print("Test 2 file:%s %s" %(x,y))
  12. test2(3,2)
3.接收多个参数的函数(参数组)

  1. #通过*args定义一个形参变量组,其可接收多个位置参数值,其中args变量名可以任意名,以一个元组形式输出
  2. def test1(*args):
  3.     print(args)
  4. test1(1,2,"abc")

  5. #通过**kwargs定义一个形参变量组,其可接收多个关键字参数值,其中args变量名可以任意名,以一个字典形式输出

  6. def test2(**kwargs):
  7.     print(kwargs)
  8. test2(x=1,y=2,name="abc")
返回结果如下:
(1, 2, 'abc')
{'x': 1, 'y': 2, 'name': 'abc'}

##全局变量和局部变量,其中局部变量如果是字典、列表是可以从局部修改影响全局变量值,而字符串、数字的局部变量不会影响全局变量结果。


请使用浏览器的分享功能分享到微信等