Differences between revisions 17 and 22 (spanning 5 versions)
Revision 17 as of 2004-09-22 23:07:13
Size: 12239
Editor: 61
Comment:
Revision 22 as of 2004-09-22 23:56:27
Size: 13690
Editor: 61
Comment:
Deletions are marked like this. Additions are marked like this.
Line 29: Line 29:
#!python
Line 145: Line 147:
#!python
Line 154: Line 157:
It's an elementary issue, but quite important to performance, to build up the result as a list of strings and combine them with ''.join at the end. Building up a large string as a string, by repeated application of += in a loop, is never the right approach梚t's slow and clumsy. Good Pythonic style demands using a list as the intermediate accumulator when building up a string.

是基本的
It's an elementary issue, but quite important to performance, to build up the result as a list of strings and combine them with "".join at the end. Building up a large string as a string, by repeated application of += in a loop, is never the right approach梚t's slow and clumsy. Good Pythonic style demands using a list as the intermediate accumulator when building up a string.

循环末尾将非空行字符串序列'''join'''成一个段落字符串返回,虽是一个基本操作,但对于效率却很重要。 在循环中使用运算符 '''+='''构建大字符串,绝不会是正确的方法。那样蜗牛一样慢,看起来也嗷嗷笨。 :)

组成大字符串需要有一个list作为中间的累加器, 这样才符合Python风格。
Line 160: Line 166:
show_paragraphs函数演示了Paragraphs类的简单功能,同时也可以作为这个类的单元测试。可以输入一个文件名,进行测试。
Line 162: Line 170:
from _ _future_ _ import generators Python 2.2中可以很容易构造iterator 和 generator。因此,使用一个generator函数,而不使用类,编写一个轻量版本的段落块读取器看起来很有诱惑。代码如下:

{{{
#!python
from _ _future_ _ import generators #赞!!
Line 175: Line 187:
}}}

Line 177: Line 192:
这里没有对于行和段落的索引,却是一个更轻量的方法,同时对于可以产生行序列的对象可以多态处理,而不局限于文件或者类似文件的对象。这种多态处理能力是额外的奖赏,特别是免费的获得这种能力。上面仅使用了一个循环,同时使用了存储段落内容本身的list作为空行与否的指示器。如果此list为空,那么状态是在处理空行,否则,状态是正在向list中添加非空行。
Line 180: Line 196:
食谱 4.10 ;

Python文档 xreadlines 模块部分;

the Big Design Up Front Wiki page (http://xp.c2.com/BigDesignUpFront.html).

#累

文章来自《Python cookbook》.

翻译仅仅是为了个人学习,其它商业版权纠纷与此无关!

-- 61.182.251.99 [DateTime(2004-09-22T19:44:16Z)] TableOfContents

描述

Reading a Text File by Paragraphs

读取文本文件各段落

Credit: Alex Martelli, Magnus Lie Hetland

问题 Problem

You need to read a file paragraph by paragraph, in which a paragraph is defined as a sequence of nonempty lines (in other words, paragraphs are separated by empty lines).

需要按段落读取文件,段落的定义是由非空行组成的行序列(既空行 分隔段落)

解决 Solution

A wrapper class is, as usual, the right Pythonic architecture for this (in Python 2.1 and earlier):

Python风格的普通解决方法(在Python 2.1及更早版本中)的架构基础是使用一个包装类(wrapper class):

   1 class Paragraphs:
   2 
   3     def _ _init_ _(self, fileobj, separator='\n'):
   4 
   5         # Ensure that we get a line-reading sequence in the best way possible:
   6         # 保证用最佳方法读取行系列                (#译注:困惑阿,xreadlines在2.3?中已经deprecated了)
   7         import xreadlines
   8         try:
   9             # Check if the file-like object has an xreadlines method
  10             # 检查可能是文件对象的参数是否具有'''xreadlines'''方法,以获得对象的各行组成的序列
  11             self.seq = fileobj.xreadlines(  ) 
  12         except AttributeError:
  13             # No, so fall back to the xreadlines module's implementation
  14             # 如果参数对象不具有xreadlines方法,使用xreadlines模块的实现
  15             self.seq = xreadlines.xreadlines(fileobj)
  16 
  17         self.line_num = 0    # current index into self.seq (line number)
  18                              #实例变量, 行号索引,
  19         self.para_num = 0    # current index into self (paragraph number)
  20                              #实例变量,段落号索引,
  21         # Ensure that separator string includes a line-end character at the end
  22         #检查参数'''分隔字符串'''末尾包含 '\n' 
  23         if separator[-1:] != '\n': separator += '\n'
  24         self.separator = separator         #实例变量,行分隔字符串
  25 
  26 
  27     def _ _getitem_ _(self, index):
  28         if index != self.para_num:
  29             # 实现仅支持顺序提取,如果下标不合理,抛出TypeError   
  30             raise TypeError, "Only sequential access supported"        
  31 
  32         self.para_num += 1                           #译注:从段落1开始,不是0
  33         # Start where we left off and skip 0+ separator lines
  34         #从前一段落结束处开始,忽略可能的'''空行'''         
  35 
  36         while 1:                                     #译注:循环1,处理可能的空行
  37         # Propagate IndexError, if any, since we're finished if it occurs
  38         #前面已经处理下标不合理错误。 这里如果有错误,抛出这个异常
  39  
  40             line = self.seq[self.line_num]           #译注:仅对空行计数,忽略空行处理
  41             self.line_num += 1
  42             if line != self.separator: break         #译注:遇到非空行, 处理 
  43         # Accumulate 1+ nonempty lines into result
  44         #添加非空行到结果
  45         result = [line]                              #译注:开始处理段落 
  46  
  47         while 1:                                     #译注:循环2,处理非空行
  48         # Intercept IndexError, since we have one last paragraph to return
  49             try:
  50                 # Let's check if there's at least one more line in self.seq
  51                 #检查行序列是否还有剩余元素未处理  
  52                 line = self.seq[self.line_num]
  53             except IndexError:
  54                 # self.seq is finished, so we exit the loop
  55                 #序列已处理完毕,退出循环 
  56                 break
  57             # Increment index into self.seq for next time
  58             self.line_num += 1
  59             if line == self.separator: break
  60             result.append(line)                      #译注:添加非空行到结果
  61 
  62         return ''.join(result)                 #译注:对段落行序列使用'''join'''构成段落字符串并返回 
  63 
  64 # Here's an example function, showing how to use class Paragraphs:
  65 #如何使用Paragraphs类的函数范例如下:
  66 
  67 def show_paragraphs(filename, numpars=5):
  68     pp = Paragraphs(open(filename))
  69     for p in pp:
  70         print "Par#%d, line# %d: %s" % (
  71             pp.para_num, pp.line_num, repr(p))
  72         if pp.para_num>numpars: break          #译注,这样不好!参数是5,打印6段,应该用>=
  73  

讨论 Discussion

Python doesn't directly support paragraph-oriented file reading, but, as usual, it's not hard to add such functionality. We define a paragraph as a string formed by joining a nonempty sequence of nonseparator lines, separated from any adjoining paragraphs by nonempty sequences of separator lines.

Python没有直接提供对于读取文件段落的支持,不过,像在Python中编写其它功能一样,编写这样的功能也不困难。定义一个类包装段落: 由连接连续的非空行序列得到的字符串构成,段与段之间由定义分隔行分隔。

By default, a separator line is one that equals '\n' (empty line), although this concept is easy to generalize. We let the client code determine what a separator is when instantiating this class. Any string is acceptable, but we append a '\n' to it, if it doesn't already end with '\n' (since we read the underlying file line by line, a separator not ending with '\n' would never match).

默认的分隔行是"\n"(空行), 容易泛化此概念, 实例化包装类时由客户参数决定什么字符串作为分隔行。 所有的字符串都是可以接受的参数,如果参数不是以"\n"结尾, 那么在参数末尾附加"\n"(由于读取文件是一行一行进行的,如果分隔符号不以\n结尾,就不会匹配)。

We can get even more generality by having the client code pass us a callable that looks at any line and tells us whether that line is a separator or not.

进一步泛化,可以由客户传入一个可以调用的函数,由它检查每一行并决定此行是否为分隔行。

  • In fact, this is how I originally architected this recipe, but then I decided that such an architecture represented a typical, avoidable case of overgeneralization (also known as overengineering and "Big Design Up Front"; see http://xp.c2.com/BigDesignUpFront.html), so I backtracked to the current, more reasonable amount of generality.

事实上,我开始构架此节方法就是这样想的。后来,意识到这种泛化是典型的,应该避免的过度泛化行为(也称为过度工程?和过度设计,see http://xp.c2.com/BigDesignUpFront.html), 因此决定回归到本节中适度泛化的解决方法

Indeed, another reasonable design choice for this recipe's class would be to completely forego the customizability of what lines are to be considered separators and just test for separator lines with line.isspace( ), so that stray blanks on an empty-looking line wouldn't misleadingly transform it into a nonseparator line.

实际上,另一个合理的设计选择是完全不顾这一层泛化,不用理会如何定义分隔行,而只用line.isspace()测试本行是否为空行。 这样可以处理显示为空行的行中包含零星的空白符号的情况, 而不会将它作为 非分隔行。

This recipe's adapter class is a special case of sequence adaptation by bunching. An underlying sequence (here, a sequence of lines, provided by xreadlines on a file or file-like object) is bunched up into another sequence of larger units (here, a sequence of paragraph strings). The pattern is easy to generalize to other sequence-bunching needs. Of course, it's even easier with iterators and generators in Python 2.2, but even Python 2.1 is pretty good at this already. Sequence adaptation is an important general issue that arises particularly often when you are sequentially reading and/or writing files; see Recipe 4.10 for another example.

本节中的适配类是使用分块的方法对序列进行适配的特例。对底层序列(此处,是在文件或类似文件的对象上使用readlines方法获得的文本行序列)分块构成具有更大单位元素的新序列(此处是段落字符串).这个模式很容易泛化,处理序列-分块的需求. 当然,使用Python 2.2中的iterator 和 generator会更简单些, 但即使在Python 2.1中处理这个问题也有很好的方法。序列适配很常见,很重要,特别是顺序读/写文件时更会经常遇到.食谱 4.10 中有另一个例子。

For Python 2.1, we need an index of the underlying sequence of lines and a way to check that our _ _getitem_ _ method is being called with properly sequential indexes (as the for statement does), so we expose the line_num and para_num indexes as useful attributes of our object. Thus, client code can determine our position during a sequential scan, in regard to the indexing on the underlying line sequence, the paragraph sequence, or both, without needing to track it itself.

2.1中,需要维持文件底层的行序列的索引,同时需要方法检查getitem函数的参数是合理的顺序索引(见下面for循环), 因此将line_num和para_indexes_num作为对象的可用属性对客户开放,客户代码可以进行序列检查,使用它们与底层的行序列的索引和(或)段落索引对照,来确定当前的访问位置,而不用自己跟踪。

The code uses two separate loops, each in a typical pattern: 代码中分开的两个循环,使用同样的典型模式:

   1 while 1: 
   2     ... 
   3     if xxx: break

The first loop skips over zero or more separators that may occur between arbitrary paragraphs. Then, a separate loop accumulates nonseparators into a result list, until the underlying file finishes or a separator is encountered.

第一个循环略过任意两个段落间可能出现的0或多个分隔行,第二个循环将非空行添加到一个序列中,直到遇到分隔行或者到达文件末尾。

It's an elementary issue, but quite important to performance, to build up the result as a list of strings and combine them with "".join at the end. Building up a large string as a string, by repeated application of += in a loop, is never the right approach梚t's slow and clumsy. Good Pythonic style demands using a list as the intermediate accumulator when building up a string.

循环末尾将非空行字符串序列join成一个段落字符串返回,虽是一个基本操作,但对于效率却很重要。 在循环中使用运算符 +=构建大的字符串,绝不会是正确的方法。那样蜗牛一样慢,看起来也嗷嗷笨。 :)

组成大字符串需要有一个list作为中间的累加器, 这样才符合Python风格。

The show_paragraphs function demonstrates all the simple features of the Paragraphs class and can be used to unit-test the latter by feeding it a known text file.

show_paragraphs函数演示了Paragraphs类的简单功能,同时也可以作为这个类的单元测试。可以输入一个文件名,进行测试。

Python 2.2 makes it very easy to build iterators and generators. This, in turn, makes it very tempting to build a more lightweight version of the by-paragraph buncher as a generator function, with no classes involved:

Python 2.2中可以很容易构造iterator 和 generator。因此,使用一个generator函数,而不使用类,编写一个轻量版本的段落块读取器看起来很有诱惑。代码如下:

   1 from _ _future_ _ import generators                            #赞!!  
   2 
   3 def paragraphs(fileobj, separator='\n'):
   4     if separator[-1:] != '\n': separator += '\n'
   5     paragraph = []
   6     for line in fileobj:
   7         if line == separator:
   8             if paragraph:
   9                 yield ''.join(paragraph)
  10                 paragraph = []
  11         else:
  12             paragraph.append(line)
  13     if paragraph: yield ''.join(paragraph)

We don't get the line and paragraph numbers, but the approach is much more lightweight, and it works polymorphically on any fileobj that can be iterated on to yield a sequence of lines, not just a file or file-like object. Such useful polymorphism is always a nice plus, particularly considering that it's basically free. Here, we have merged the loops into one, and we use the intermediate list paragraph itself as the state indicator. If the list is empty, we're skipping separators; otherwise, we're accumulating nonseparators.

这里没有对于行和段落的索引,却是一个更轻量的方法,同时对于可以产生行序列的对象可以多态处理,而不局限于文件或者类似文件的对象。这种多态处理能力是额外的奖赏,特别是免费的获得这种能力。上面仅使用了一个循环,同时使用了存储段落内容本身的list作为空行与否的指示器。如果此list为空,那么状态是在处理空行,否则,状态是正在向list中添加非空行。

参考 See Also

食谱 4.10 ;

Python文档 xreadlines 模块部分;

the Big Design Up Front Wiki page (http://xp.c2.com/BigDesignUpFront.html).

#累

PyCkBk-4-9 (last edited 2009-12-25 07:16:21 by localhost)