Python を使用して逆の順序でファイルを効率的に読み取る方法
最後の行から開始して逆の順序でファイルを読み取るには最初に進むと、Python は堅牢なソリューションを提供します。つまり、行を逆に反復するジェネレーター関数です。 order.
効率的なジェネレーター ソリューション:
次のジェネレーター関数 reverse_readline は、このタスクを高効率で実現します。
import os def reverse_readline(filename, buf_size=8192): """A generator that returns the lines of a file in reverse order""" with open(filename, 'rb') as fh: segment = None offset = 0 fh.seek(0, os.SEEK_END) file_size = remaining_size = fh.tell() while remaining_size > 0: offset = min(file_size, offset + buf_size) fh.seek(file_size - offset) buffer = fh.read(min(remaining_size, buf_size)) # remove file's last "\n" if it exists, only for the first buffer if remaining_size == file_size and buffer[-1] == ord('\n'): buffer = buffer[:-1] remaining_size -= buf_size lines = buffer.split('\n'.encode()) # append last chunk's segment to this chunk's last line if segment is not None: lines[-1] += segment segment = lines[0] lines = lines[1:] # yield lines in this chunk except the segment for line in reversed(lines): # only decode on a parsed line, to avoid utf-8 decode error yield line.decode() # Don't yield None if the file was empty if segment is not None: yield segment.decode()
この関数は次のことを維持します。オフセットを指定し、ファイルを最後から順に逆チャンクで読み取ります。末尾に改行がある可能性がある最後の行の特殊なケースを処理しながら、行を逆の順序で生成します。
このジェネレーターを使用するには、ファイルをバイナリ モードで開き、行を逆の順序で反復処理するだけです。
for line in reverse_readline("my_file.txt"): # Process line in reverse order
以上がPython でファイルを効率的に逆方向に読み取るにはどうすればよいですか?の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。