1. 列表是什么

列表也是序列的一种。列表能保存任意数目的Python对象,列表是可变类型。

1.1 创建列表

列表可以使用[]来创建,或者使用工厂方法list()来创建。

>>> t = list()
>>> type(t)
<type 'list'>
>>> l = []
>>> type(l)
<type 'list'>
>>> t == l
True

1.2 访问列表和更新列表

>>> t = list('furzoom')
>>> t
['f', 'u', 'r', 'z', 'o', 'o', 'm']
>>> t[1]
'u'
>>> t[2] = 'n'
>>> t
['f', 'u', 'n', 'z', 'o', 'o', 'm']
>>> t.append('.')
>>> t
['f', 'u', 'n', 'z', 'o', 'o', 'm', '.']
>>> del t[3]
>>> t
['f', 'u', 'n', 'o', 'o', 'm', '.']
>>> del t
>>> t
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
NameError: name 't' is not defined

2. 列表相关操作

支持比较运算、切片[]或者[:]、in, not in、连接操作符+、重复操作。

如果可以,尽量使用list.extend()方式代替连接操作符。

列表还支持非常重要的列表解析操作。

>>> [i for i in xrange(10)]
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9]

3. 内建函数对列表的支持

3.1 cmp()

比较原则:

  1. 对两个列表的元素进行比较。
  2. 如果比较的元素是同类型的,则比较其值,返回结果。
  3. 如果两个元素不是同一类型的,则检查它们是否是数字。

    3.1 如果是数字,执行必要的数字强制类型转换,然后比较。

    3.2 如果有一方的元素是数字,则另一方的元素大。

    3.3 否则,通过类型名字的字母顺序进行比较。
  4. 如果有一个列表首先到达末尾,则另一个长一点的列表大。
  5. 如果两个列表都到达结尾,且所有元素都相等,则返回0。

3.2 序列类型函数

  • len()
  • max()
  • min()
  • sorted()
  • reversed()
  • enumerate()
  • zip()
  • sum()
  • list()
  • tuple()

4. 列表内建函数

  • list.append(x)
  • list.extend(x)
  • list.count(x)
  • list.index(x[, start[, end]])
  • list.insert(index, x)
  • list.pop([index])
  • list.remove(x)
  • list.remove()
  • list.sort([cmp[, key[, reverse]]])

5. 列表应用

5.1 堆栈

#!/usr/bin/env python
# -*- coding: utf-8 -*- stack = [] def pushit():
stack.append(raw_input('Enter New string: ').strip()) def popit():
if len(stack) == 0:
print 'Cannot pop from an empty stack!'
else:
print 'Removed [', `stack.pop()`, ']' def viewstack():
print stack CMDs = {'u': pushit, 'o': popit, 'v': viewstack} def showmenu():
pr = """
p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: """
while True:
while True:
try:
choice = raw_input(pr).strip()[0].lower()
except (EOFError, KeyboardInterrupt, IndexError):
choice = 'q' print '\nYou picked: [%s]' % choice
if choice not in 'uovq':
print 'Invalid option, try again'
else:
break if choice == 'q':
break CMDs[choice]() if __name__ == '__main__':
showmenu()

运行示例如下:


p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: u You picked: [u]
Enter New string: Python p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: u You picked: [u]
Enter New string: is p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: u You picked: [u]
Enter New string: cool! p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: v You picked: [v]
['Python', 'is', 'cool!'] p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: o You picked: [o]
Removed [ 'cool!' ] p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: o You picked: [o]
Removed [ 'is' ] p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: o You picked: [o]
Removed [ 'Python' ] p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: o You picked: [o]
Cannot pop from an empty stack! p(U)sh
p(O)p
(V)iew
(Q)uit Enter choice: ^D You picked: [q]

5.2 队列

#!/usr/bin/env python
# -*- coding: utf-8 -*- queue = [] def enQ():
queue.append(raw_input('Enter New string: ').strip()) def deQ():
if len(queue) == 0:
print 'Cannot pop from an empty queue!'
else:
print 'Removed [', `queue.pop(0)`, ']' def viewQ():
print queue CMDs = {'e': enQ, 'd': deQ, 'v': viewQ} def showmenu():
pr = """
(E)nqueue
(D)equeue
(V)iew
(Q)uit Enter choice: """
while True:
while True:
try:
choice = raw_input(pr).strip()[0].lower()
except (EOFError, KeyboardInterrupt, IndexError):
choice = 'q' print '\nYou picked: [%s]' % choice
if choice not in 'edvq':
print 'Invalid option, try again'
else:
break if choice == 'q':
break CMDs[choice]() if __name__ == '__main__':
showmenu()

运行示例如下:


(E)nqueue
(D)equeue
(V)iew
(Q)uit Enter choice: e You picked: [e]
Enter New string: Bring out (E)nqueue
(D)equeue
(V)iew
(Q)uit Enter choice: e You picked: [e]
Enter New string: your dead! (E)nqueue
(D)equeue
(V)iew
(Q)uit Enter choice: v You picked: [v]
['Bring out', 'your dead!'] (E)nqueue
(D)equeue
(V)iew
(Q)uit Enter choice: d You picked: [d]
Removed [ 'Bring out' ] (E)nqueue
(D)equeue
(V)iew
(Q)uit Enter choice: d You picked: [d]
Removed [ 'your dead!' ] (E)nqueue
(D)equeue
(V)iew
(Q)uit Enter choice: d You picked: [d]
Cannot pop from an empty queue! (E)nqueue
(D)equeue
(V)iew
(Q)uit Enter choice: ^D You picked: [q]

Python序列——列表的更多相关文章

  1. python序列(列表,元组,字典)的常用排序

    列表 正向排序 sort() >>> list=[1,6,3,4,5,2] >>> list.sort() >>> list [1, 2, 3, ...

  2. python序列(列表,元组,字典)的增删改查

    列表 操作 列表 方法 示例 增加 list.append(obj) 增加元素到末尾 eg. >>> list1=['hello','world','how','are','you' ...

  3. python 序列:字符串、列表、元组

    python 序列:字符串.列表.元组   序列:包含一定顺序排列的对象的一个结构 内建函数:str() list() tuple() 可以使用str(obj)可以把对象obj转换成字符串 list( ...

  4. Python数据类型-03.序列-列表和元组

    本文主要记录关于Python序列中列表和元组的定义特点和常用方法 1.序列(sequence) 1.1.序列的定义 序列是一组有顺序的元素的集合(其实是是对象的集合,后期会引入“对象”这个概念)序列包 ...

  5. Python序列之列表(一)

    在Python中,列表是一种常用的序列,接下来我来讲一下关于Python中列表的知识. 列表的创建 Python中有多种创建列表的方式 1.使用赋值运算符直接赋值创建列表 在创建列表时,我们直接使用赋 ...

  6. Python语言之数据结构1(序列--列表,元组,字符串)

    0.序列 列表,元组,字符串都是序列. 序列有两个特点:索引操作符和切片操作符.索引操作符让我们可以从序列中抓取一个特定项目.切片操作符让我们能够获取序列的一个切片,即一部分序列. 以字符串为例: 1 ...

  7. [Python笔记][第二章Python序列-复杂的数据结构]

    2016/1/27学习内容 第二章 Python序列-复杂的数据结构 堆 import heapq #添加元素进堆 heapq.heappush(heap,n) #小根堆堆顶 heapq.heappo ...

  8. [Python笔记][第二章Python序列-tuple,dict,set]

    2016/1/27学习内容 第二章 Python序列-tuple tuple创建的tips a_tuple=('a',),要这样创建,而不是a_tuple=('a'),后者是一个创建了一个字符 tup ...

  9. [python笔记][第二章Python序列-list]

    2016/1/27学习内容 第二章 Python序列-list list常用操作 list.append(x) list.extend(L) list.insert(index,x) list.rem ...

随机推荐

  1. POJ 3368.Frequent values-处理数据+RMQ(ST)

    昨天写的博客删了,占坑失败,还是先把RMQ玩的6一点再去搞后面的东西.废话少说,题解题姐姐_(:з」∠)_      Frequent values Time Limit: 2000MS   Memo ...

  2. Codeforces Gym101606 C.Cued In (2017 United Kingdom and Ireland Programming Contest (UKIEPC 2017))

    C Cued In 这个题是打球的.都忘了写的什么了... 代码: 1 #include<iostream> 2 #include<cstring> 3 #include< ...

  3. [翻译] NumSharp的数组切片功能 [:]

    原文地址:https://medium.com/scisharp/slicing-in-numsharp-e56c46826630 翻译初稿(英文水平有限,请多包涵): 由于Numsharp新推出了数 ...

  4. Wireshark如何选择多行

    Wireshark如何选择多行   在Wireshark中,用户经常需要选择几行,然后进行批量操作,如导出或者分析.但Wireshark没有提供通过鼠标直接选择多行的功能.这个时候,用户需要采用标记分 ...

  5. JVM 常用命令

    对于有图形化界面的用户来,jconsole就可以搞定,界面使用很简单 还可以查看很多信息,例如检测死锁. 下面是没有图形化界面的系统 可以用命令 : jps 查看jvm 进程 jstack -l  6 ...

  6. Android ANR原理分析

    一.概述 ANR(Application Not responding),是指应用程序未响应,Android系统对于一些事件需要在一定的时间范围内完成,如果超过预定时间能未能得到有效响应或者响应时间过 ...

  7. Hibernate 3 深度解析--苏春波

    Hibernate 3 深度解析   Hibernate 作为 Java ORM 模式的优秀开源实现, 当下已经成为一种标准,为饱受 JDBC 折磨的 Java 开发者带来了“福音.快速的版本更新,想 ...

  8. DELPHI的BPL使用

    了解BPL和DLL的关系将有助于我们更好地理解DELPHI在构件制作.运用和动态.静态编译的工作方式.对初学DELPHI但仍对DELPHI开发不甚清晰的朋友有一定帮助.第一部分:有关包的介绍 一般我们 ...

  9. git extensions远程配置

    http://blog.csdn.net/pgmsoul/article/details/7860393 远程地址是如下格式:git@github.com:yaoname/project.git 保存 ...

  10. 转置卷积&&膨胀卷积

    Convolution arithmetic tutorial theano Convolution arithmetric github 如何理解深度学习中的deconvolution networ ...