Swift51.com
麦子学院 头像
麦子学院  2017-05-05 21:14

Python学习之参数传递方式

回复:0  查看:2164  

本文和大家分享的主要是python中参数传递方式相关内容,一起来看看吧,希望对大家学习python有所帮助。

  位置参数

  调用函数时,根据函数定义的参数位置来传递参数。

  1 def right_triangle_area(a,b):2     return 1/2*a*b3 4 print(right_triangle_area(3,4))5 # 位置参数传递

  求直角三角形面积,ab分别为两条直角边,这里调用函数时使用的是位置参数传递。在位置参数传递中,参数的顺序是不可改变的。

  关键词参数传递

  在调用函数时,通过=的形式加以指定。可以让函数更加清晰、容易使用,无需考虑参数顺序。

  1 def right_triangle_area(a,b):2     return 1/2*a*b3 4 print(right_triangle_area(b=4,a=3))5 # 关键词参数传递

  还有一些类型是默认参数和可变参数等,目前我暂时用不到,就不做详细分享,有兴趣的可以自行百度。

  (二)

  设计自己的函数

  之前介绍了字符串的方法和如何创建函数,这里将前面的学到的内容整合起来,设计一个简易的敏感词过滤器。

  1. 传入参数name(文件名)和msg(信息内容)就可以在桌面写入文件名称和内容的函数text_create,如果桌面没有这个可以写入的文件时,会创建一个再写入。

  1 def text_create(name,msg):

  2     # 创建文件,写入信息

  3     desktop_path = '/Users/duwangdan/Desktop/'

  4     # 桌面路径

  5     full_path = desktop_path + name + '.txt'

  6     # 桌面路径+文件名+文件后缀

  7     file = open(full_path,'w')

  8     # 'w'参数指写入

9     file.write(msg)

10     # 文件中写入信息

11     file.close()

12     # 写入后关闭文件

  在上一篇 《产品经理学Python:学会创建并调用函数》 中提到,定义函数后需要return返回结果。在Python中,return是可选项,没有return也可以直接定义函数并顺利调用,当不写时,代表返回值是‘None’

  这时敏感词过滤器的第一部分已完成。

  2. 定义一个名为text_filter的函数,传入参数wordcencored_word(敏感词)和changed_word(替换词),cencored_word默认给定‘Awesome’,用changed_word默认空值来替代,实现敏感词过滤。

1 def text_filter(word,censored_word='Awesome',change_word=''):

2     # 文本过滤函数

3     return word.replace(censored_word,change_word)

4     # replace()方法替换敏感词

  3. 定义一个名为censored_text_create的函数,传入参数name(文件名),msg(信息),使用第2个函数text_filter,将传入的msg过滤后储存在clean_msg中,再将传入的name和过滤好的clean_msg作为参数传入text_create函数中,调用censored_text_create函数,可以得到过滤后的文本。

1 def censored_text_create(name,msg):

2     # 创建删除敏感词后的文本函数

3     clean_msg = text_filter(msg)

4     # 过滤掉msg中的敏感词

5     text_create(name,clean_msg)

6     # 传入nameclean_msgtext_create函数中

7

8 censored_text_create('test','Math is Awesome!')

9 # 调用函数

  完成以上三步后,我们可以得到自己设计的文本过滤器了。

  完整代码如下:

  1 def text_create(name,msg):

  2     desktop_path = '/Users/duwangdan/Desktop/'

  3     full_path = desktop_path + name + '.txt'

  4     file = open(full_path,'w')

  5     file.write(msg)

  6     file.close()

  7

  8

9 def text_filter(word,censored_word='Awesome',change_word=''):

10     return word.replace(censored_word,change_word)

11

12

13 def censored_text_create(name,msg):

14     clean_msg = text_filter(msg)

15     text_create(name,clean_msg)

16

17 censored_text_create('test','Math is Awesome!')

 

来源:博客园