1.11小节完成

This commit is contained in:
XiongNeng
2014-09-02 14:43:34 +08:00
parent dae079bd8f
commit f621c90dc4
3 changed files with 98 additions and 4 deletions

View File

@@ -0,0 +1,29 @@
#!/usr/bin/env python
# -*- encoding: utf-8 -*-
"""
Topic: 命名切片
Desc :
"""
def name_slice():
record = '....................100 .......513.25 ..........'
cost = int(record[20:23]) * float(record[31:37])
SHARES = slice(20, 23)
PRICE = slice(31, 37)
cost = int(record[SHARES]) * float(record[PRICE])
print(cost)
print(SHARES.start)
print(SHARES.stop)
print(SHARES.step)
a = slice(5, 50, 2)
s = 'HelloWorld'
print(a.indices(len(s)))
for i in range(*a.indices(len(s))):
print(s[i])
if __name__ == '__main__':
name_slice()

View File

@@ -78,5 +78,5 @@
for line in dedupe(f):
...
上述关键字函数参数模仿了sorted(),min()和max()等内置函数的相似功能。
上述key函数参数模仿了sorted(),min()和max()等内置函数的相似功能。
可以参考1.8和1.13小节了解更多。

View File

@@ -5,14 +5,79 @@
----------
问题
----------
todo...
你的程序已经变成一大堆无法直视的硬编码切片下标,然后你想清理下代码。
----------
解决方案
----------
todo...
假定你有一段代码要从一个记录字符串中在几个固定位置提取出特定的数据字段(比如文件或类似格式)
.. code-block:: python
###### 0123456789012345678901234567890123456789012345678901234567890'
record = '....................100 .......513.25 ..........'
cost = int(record[20:23]) * float(record[31:37])
与其那样写,为什么不想这样命名切片呢:
.. code-block:: python
SHARES = slice(20, 23)
PRICE = slice(31, 37)
cost = int(record[SHARES]) * float(record[PRICE])
第二种版本中,你避免了大量无法理解的硬编码下标,使得你的代码更加清晰可读了。
----------
讨论
----------
todo...
一般来讲,代码中如果出现大量的硬编码下标值会使得可读性和可维护性大大降低。
比如,如果你回过来看看一年前你写的代码,你会摸着脑袋想那时候自己到底想干嘛啊。
这里的解决方案是一个很简单的方法让你更加清晰的表达代码到底要做什么。
内置的slice()函数创建了一个切片对象,可以被用在任何切片允许使用的地方。比如:
.. code-block:: python
>>> items = [0, 1, 2, 3, 4, 5, 6]
>>> a = slice(2, 4)
>>> items[2:4]
[2, 3]
>>> items[a]
[2, 3]
>>> items[a] = [10,11]
>>> items
[0, 1, 10, 11, 4, 5, 6]
>>> del items[a]
>>> items
[0, 1, 4, 5, 6]
如果你有一个切片对象s你可以分别调用它的s.start, s.stop, s.step属性来获取更多的信息。比如
.. code-block:: python
>>> a = slice(5, 50, 2)
>>> a.start
5
>>> a.stop
50
>>> a.step
2
>>>
另外你还能通过调用切片的indices(size)方法将它映射到一个确定大小的序列上,
这个方法返回一个三元组(start,stop,step),所有值都会被合适的缩小以满足边界限制,
从而使用的时候避免出现IndexError异常。比如
.. code-block:: python
>>> s = 'HelloWorld'
>>> a.indices(len(s))
(5, 10, 2)
>>> for i in range(*a.indices(len(s))):
... print(s[i])
...
W
r
d
>>>