如何在Rails中读取文件块而不从头开始再读取它

时间:2015-12-02 10:27:50

标签: ruby-on-rails ruby ajax file file-read

我有一个不断增长的文件(日志),我需要通过块读取。 我通过Ajax调用来获取指定数量的行。 我使用File.foreach来读取我想要的行,但它总是从头开始读取,我只需要直接返回我想要的行。

示例伪代码:

 #First call:
  File.open and return 0 to 10 lines

 #Second call:
  File.open and return 11 to 20 lines

 #Third call:
  File.open and return 21 to 30 lines

 #And so on...

无论如何要做到这一点?

1 个答案:

答案 0 :(得分:1)

解决方案1:阅读整个文件

此处提出的解决方案:
https://stackoverflow.com/a/5052929/1433751

..在你的情况下不是一个有效的解决方案,因为它要求你为每个AJAX请求读取文件中的所有行,即使你只需要日志文件的最后10行。

这是浪费大量时间,并且在计算方面,求解时间(即以大小为N的块处理整个日志文件)接近指数求解时间。

解决方案2:寻求

由于您的AJAX调用请求顺序行,我们可以通过在使用IO.seekIO.pos之前寻找正确的位置来实现更有效的方法。

这要求您在返回请求的行的同时将一些额外数据(最后一个文件位置)返回给AJAX客户端。

然后,AJAX请求成为此表单request_lines(position, line_count)的函数调用,这使得服务器在读取所请求的行数之前能够IO.seek(position)

这是解决方案的伪代码:

客户端代码

LINE_COUNT = 10
pos = 0

loop {
  data = server.request_lines(pos, LINE_COUNT)
  display_lines(data.lines)
  pos = data.pos
  break if pos == -1  # Reached end of file
}

服务器代码

def request_lines(pos, line_count)
  file = File.open('logfile')

  # Seek to requested position
  file.seek(pos)

  # Read the requested count of lines while checking for EOF
  lines = count.times.map { file.readline if !file.eof? }.compact

  # Mark pos with -1 if we reached EOF during reading
  pos = file.eof? ? -1 : file.pos
  f.close

  # Return data
  data = { lines: lines, pos: pos }
end