标签:
序列中的所有元素都是有编号的--从0开始递增。使用负数索引时,Python会从右边,也就是从最后一个元素开始计数,最后一个元素的位置编号是-1.此外,字符串是一个有字符组成的序列,字符串字面值可以直接使用索引。如果一个函数调用返回一个序列,那么可以直接对返回结果进行索引操作。如
#根据给定的年月日以数字形式打印出日期 months = [‘January‘, ‘February‘, ‘march‘, ‘May‘, ‘June‘, ‘August‘, ‘September‘, ‘October‘, ‘November‘, ‘December‘] #以1-31的数字作为结尾的列表 endings = [‘st‘, ‘nd‘, ‘rd‘] + 17*[‘th‘] + [‘st‘, ‘nd‘, ‘rd‘] + 7*[‘th‘] + [‘st‘] year = raw_input(‘Year: ‘) month = raw_input(‘month(1-12): ‘) day = raw_input(‘Day(1-31): ‘) month_number = int(month) day_number = int(day) #记得将月份和天数减1,以获得正确的索引 month_number = months[month_number-1] ordinal = day + endings[day_number-1] print month_number + ‘ ‘ + ordinal + ‘, ‘ + year
结果
Year: 1985
month(1-12): 2
Day(1-31): 5
February 5th, 1985
分片操作可以访问一定范围内的元素,分片通过冒号相隔的两个索引来实现,第一个索引是需要提取部分的第一个元素的编号,而最后的索引则是分片之后剩下部分的第一个元素的编号,如
>>> numbers = [1,2,3,4,5,6,7,8,9]
>>> numbers[3:6]
[4, 5, 6]
如果分片所得部分包括序列结尾的元素,那么,只需置空最后一个索引即可,这种方法同样适用于序列开始的元素,如
>>> numbers = [1,2,3,4,5,6,7,8,9]
>>> numbers[7:]
[8, 9]
>>> numbers[:3]
[1, 2, 3]
在普通的分片中,步长被隐式设置为1。对于一个正数步长,Python会从序列的头部开始向右提取元素,直到最后一个元素;而对于负数步长,则是从序列的尾部开始向左提取元素,直到第一个元素,如
>>> numbers = [1,2,3,4,5,6,7,8,9]
>>> numbers[0:3:1]
[1, 2, 3]
>>> numbers[3:0:-1]
[4, 3, 2]
加号可以进行序列的连接操作,序列的类型必须相同,如
>>> [4, 3, 2]+[8, 9]
[4, 3, 2, 8, 9]
>>> ‘hello ‘+‘world‘
‘hello world‘
>>> [8, 9] + ‘world‘
Traceback (most recent call last):
File "<pyshell#13>", line 1, in <module>
[8, 9] + ‘world‘
TypeError: can only concatenate list (not "str") to list
用数字x乘以一个序列会生成新的序列,在新序列中,原来的序列将被重复x次,如
>>> 5 * ‘hl‘
‘hlhlhlhlhl‘
[] -- 空列表,里面什么也没有
None -- 里面没有放置任何元素
>>> seq = 10*[None]
>>> seq
[None, None, None, None, None, None, None, None, None, None]
#以正确的宽度在居中的“盒子”内打印一个句子 sentence = raw_input("Sentence: ") screen_width = 80 text_width = len(sentence) box_width = text_width + 6 left_margin = (screen_width - box_width) // 2 print print ‘ ‘ * left_margin + ‘+‘ + ‘-‘ * (box_width - 4) + ‘+‘ print ‘ ‘ * left_margin + ‘| ‘ + ‘ ‘ * text_width + ‘ |‘ print ‘ ‘ * left_margin + ‘| ‘ + sentence + ‘ |‘ print ‘ ‘ * left_margin + ‘| ‘ + ‘ ‘ * text_width + ‘ |‘ print ‘ ‘ * left_margin + ‘+‘ + ‘-‘ * (box_width - 4) + ‘+‘ print
结果
Sentence: He‘s a very naughty boy!
+--------------------------+
| |
| He‘s a very naughty boy! |
| |
+--------------------------+
使用in运算符可以检查一个值是否在序列中,存在返回True,不存在返回False,如
>>> numbers = [1,2,3,4,5,6,7,8,9]
>>> 8 in numbers
True
>>> 34 in numbers
False
len -- 返回序列中所包含元素的数量
min -- 返回序列中最小的元素
max -- 返回序列中最大的元素
如
>>> numbers = [1,2,3,4,5,6,7,8,9]
>>> len(numbers)
9
>>> min(numbers)
1
>>> max(numbers)
9
标签:
原文地址:http://www.cnblogs.com/qiantangbanmu/p/4302320.html