繁体   English   中英

如何设置使用Python subprocess.Popen()或open()读取的文件中读取行的“块大小”?

[英]How to set the “chunk size” of read lines from file read with Python subprocess.Popen() or open()?

我有一个很大的文本文件,我想分块运行。 为了subprocess库执行此操作,将执行以下shell命令:

"cat hugefile.log"

与代码:

import subprocess
task = subprocess.Popen("cat hugefile.log", shell=True,  stdout=subprocess.PIPE)
data = task.stdout.read()

使用print(data)将立即吐出文件的全部内容。 如何显示块的数量,然后按块大小访问此文件的内容(例如,块=一次三行)。

它一定是这样的:

chunksize = 1000   # break up hugefile.log into 1000 chunks

for chunk in data:
    print(chunk)

Python open()的等效问题当然使用了代码

with open('hugefile.log', 'r') as f:
     read_data = f.read()

你将如何read_data在块?

使用文件,您可以迭代文件句柄(无需子进程打开cat ):

with open('hugefile.log', 'r') as f:
     for read_line in f:
        print(read_line)

Python通过读取直到\\n所有字符来读取一行。 要模拟逐行I / O,只需调用3次即可。 或读取并计数3个\\n字符,但是您必须处理文件的结尾,等等...不是很有用,这样做不会使您获得任何速度。

with open('hugefile.log', 'r') as f:
     while True:
        read_3_lines = ""
        try:
           for i in range(3):
               read_3_lines += next(f)
        # process read_3_lines
        except StopIteration:  # end of file
            # process read_3_lines if nb lines not divisible by 3
            break

使用Popen您可以做完全一样的事情,作为奖金添加poll来监视过程(不需要cat但我想您的过程有所不同,这仅是出于问题的目的)

import subprocess
task = subprocess.Popen("cat hugefile.log", shell=True,  stdout=subprocess.PIPE)
while True:
    line = task.stdout.readline()
    if line == '' and task.poll() != None: break

rc = task.wait()   # wait for completion and get return code of the command

支持编码的符合Python 3的代码:

    line = task.stdout.readline().decode("latin-1")
    if len(line) == 0 and task.poll() != None: break

现在,如果要将文件拆分为给定数量的块:

  • 出于明显的原因,您不能使用Popen :您必须首先知道输出的大小
  • 如果您有文件作为输入,则可以执行以下操作:

码:

import os,sys
filename = "hugefile.log"
filesize = os.path.getsize(filename)
nb_chunks = 1000
chunksize = filesize // nb_chunks

with open(filename,"r") as f:
   while True:
      chunk = f.read(chunksize)
      if chunk=="":
          break
      # do something useful with the chunk
      sys.stdout.write(chunk)

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM