如何有效地在球拍中逐行读取输入?

时间:2019-02-01 19:17:50

标签: performance functional-programming scheme racket processing-efficiency

我目前使用以下方法逐行读取文件:

(for [(line (in-lines))]

但是,现在我的代码太慢了。有一种“更快”的方式来逐行读取输入吗?

1 个答案:

答案 0 :(得分:3)

像ramrunner一样,我怀疑问题出在其他地方。这是我编写的一个简短程序,该程序生成10 MB的文本文件,然后使用“内联”读取它。

#lang racket

(define chars (list->vector (string->list "abcde ")))
(define charslen (vector-length chars))

(define (random-line)
  (list->string
   (for/list ([i (in-range 80)])
     (vector-ref chars (random charslen)))))

(define linecount (ceiling (/ (* 10 (expt 10 6)) 80)))

(time
 (call-with-output-file "/tmp/sample.txt"
   (λ (port)
     (for ([i (in-range linecount)])
       (write (random-line) port)))
   #:exists 'truncate))

;; cpu time: 2512 real time: 2641 gc time: 357

;; okay, let's time reading it back in:

(time
 (call-with-input-file "/tmp/sample.txt"
   (λ (port)
     (for ([l (in-lines port)])
       'do-something))))

;; cpu time: 161 real time: 212 gc time: 26
;; cpu time: 141 real time: 143 gc time: 23
;; cpu time: 144 real time: 153 gc time: 22

(这里的时间都是毫秒)。因此,读取10兆字节文件中的所有行大约需要六分之一秒。

这与您所看到的相符吗?