码迷,mamicode.com
首页 > 编程语言 > 详细

非正式介绍Python(二)

时间:2015-03-14 01:00:17      阅读:234      评论:0      收藏:0      [点我收藏+]

标签:

3.1.3. Lists

Python knows a number of compound data types, used to group together other values. The most versatile is the list, which can be written as a list of comma-separated values (items) between square brackets. Lists might contain items of different types, but usually the items all have the same type.

Python拥有复合类型。最通用的是列表,用中括号括起来,元素用逗号隔开。列表可以包含不同的类型,但通常一个列表的所有元素类型都应该是一样的。

>>> squares = [1, 4, 9, 16, 25]
>>> squares
[1, 4, 9, 16, 25]

Like strings (and all other built-in sequence type), lists can be indexed and sliced:

类似于字符串类型(所有的其他内置序列类型),列表支持索引和切片:

>>> squares[0]  # indexing returns the item
1
>>> squares[-1]
25
>>> squares[-3:]  # slicing returns a new list
[9, 16, 25]

All slice operations return a new list containing the requested elements. This means that the following slice returns a new (shallow) copy of the list:

所有的切片操作都是返回一个新的列表,因此下面的操作就是复制该列表:

>>> squares[:]
[1, 4, 9, 16, 25]

Lists also support operations like concatenation:

列表也支持连接操作:

>>> squares + [36, 49, 64, 81, 100]
[1, 4, 9, 16, 25, 36, 49, 64, 81, 100]

Unlike strings, which are immutable, lists are a mutable type, i.e. it is possible to change their content:

不像字符串是不可变量,列表是可变类型,例如:它可以改变它本身某个元素的值:

>>> cubes = [1, 8, 27, 65, 125]  # somethings wrong here
>>> 4 ** 3  # the cube of 4 is 64, not 65!
64
>>> cubes[3] = 64  # replace the wrong value
>>> cubes
[1, 8, 27, 64, 125]

Assignment to slices is also possible, and this can even change the size of the list or clear it entirely:

可以给切片的子列表赋值,这意味着可以改变列表中的某段子列表,甚至可以清空整个列表:

>>> letters = [a, b, c, d, e, f, g]
>>> letters
[a, b, c, d, e, f, g]
>>> # replace some values
>>> letters[2:5] = [C, D, E]
>>> letters
[a, b, C, D, E, f, g]
>>> # now remove them
>>> letters[2:5] = []
>>> letters
[a, b, f, g]
>>> # clear the list by replacing all the elements with an empty list
>>> letters[:] = []
>>> letters
[]

The built-in function len() also applies to lists:

内置函数len()同样适用于列表:

>>> letters = [a, b, c, d]
>>> len(letters)
4

It is possible to nest lists (create lists containing other lists), for example:

列表可以嵌套,也就是列表中的元素也可以是列表:

>>> a = [a, b, c]
>>> n = [1, 2, 3]
>>> x = [a, n]
>>> x
[[a, b, c], [1, 2, 3]]
>>> x[0]
[a, b, c]
>>> x[0][1]
b

3.2. First Steps Towards Programming

Of course, we can use Python for more complicated tasks than adding two and two together. For instance, we can write an initial sub-sequence of the Fibonacci series as follows:

当然,我们可以使用Python来做更复杂的任务,例如两个数相加,我们可以做一个斐波那契数列如下:

>>> # Fibonacci series:
... # the sum of two elements defines the next
... a, b = 0, 1
>>> while b < 10:
...     print(b)
...     a, b = b, a+b
...
1
1
2
3
5
8

非正式介绍Python(二)

标签:

原文地址:http://www.cnblogs.com/lijie-vs/p/4336426.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!