您的位置:首页 > 编程语言 > Python开发

笨方法学习Python-习题25: 更多更多的练习

2017-10-24 10:50 585 查看
目的:写程序,逐行研究,弄懂它。

定义函数

# coding=utf-8

def break_words(stuff):
"""This function will break up words for us."""
words = stuff.split('')
return words

def sort_words(words):
"""Sorts the words."""
return sorted(words)

def print_first_word(words):
"""Prints the first word after poping it off."""
word = words.pop(0)
print(word)

def print_last_word(words):
"""Prints the last word after poping if off."""
word = words.pop(-1)
print(word)

def sort_sentence(sentence):
"""Takes in a full sentence and returns the sorted words."""
words = break_words(sentence)
return sort_words(words)

def print_first_and_last(sentence):
"""Prints the first and last words of the sentence."""
words = break_words(sentence)
print_first_word(words)
print_last_word(words)

def print_first_and_last_sorted(sentence):
"""Sorts the words then prints the first and last one."""
words = sort_sentence(sentence)
print_first_word(words)
print_last_word(words)



调用函数
在Windows命令窗口,执行脚本,看下脚本是否报错,如果报错,请仔细检查代码再执行。

把脚本放到F:\python\Lib下,在Python交互页面,进行函数调用

具体调用步骤如下:

Python 3.6.1 (v3.6.1:69c0db5, Mar 21 2017, 18:41:36) [MSC v.1900 64 bit (AMD64)] on win32
Type "copyright", "credits" or "license()" for more information.
>>> import new21
>>> sentence = "All good things come to those who wait."
>>> words = new21.break_words(sentence)
>>> words
['All', 'good', 'things', 'come', 'to', 'those', 'who', 'wait.']
>>> sorted_words = new21.sort_words(words)
>>> sorted_words
['All', 'come', 'good', 'things', 'those', 'to', 'wait.', 'who']
>>> new21.print_first_word(words)
All
>>> new21.print_last_word(words)
wait.
>>> words
['good', 'things', 'come', 'to', 'those', 'who']
>>> new21.print_first_word(sorted_words)
All
>>> new21.print_last_word(sorted_words)
who
>>> sorted_words
['come', 'good', 'things', 'those', 'to', 'wait.']
>>> sorted_words = new21.sort_sentence(sentence)
>>> sorted_words
['All', 'come', 'good', 'things', 'those', 'to', 'wait.', 'who']
>>> new21.print_first_and_last(sentence)
All
wait.
>>> new21.print_first_and_last_sorted(sentence)
All
who
>>> 多次练习,要清楚定义函数和调用函数的方法,怎么来的?怎么用的?
在定义函数的过程中,整理了一些问题:

(1)Python 截取函数split()
Python split()通过指定分隔符对字符串进行切片,如果参数num 有指定值,则仅分隔 num 个子字符串
语法:str.split(str="", num=string.count(str)).

参数:str -- 分隔符,默认为所有的空字符,包括空格、换行(\n)、制表符(\t)等。num -- 分割次数。

返回值:返回分割后的字符串列表。


(2)Python help()方法
help()函数是查看函数或模块用途的详细说明,而dir()函数是查看函数或模块内的操作方法都有什么,输出的是方法列表。

(3)Python pop()方法
pop() 函数用于移除列表中的一个元素(默认最后一个元素),并且返回该元素的值。
语法:list.pop(obj=list[-1])
参数:obj -- 可选参数,要移除列表元素的对象。
返回值:该方法返回从列表中移除的元素对象。

(4)Python sorted()方法
迭代的序列排序生成新的序列。
语法:sorted(iterable, /, *, key=None, reverse=False)
参数:key接受一个函数,这个函数只接受一个元素,默认为None。reverse是一个布尔值。如果设置为True,列表元素将被倒序排列,默认为False
返回值:排序的列表
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: