我正在尝试使用Scheme(MIT / GNU Scheme 9.1),我正在编写一些简单的程序来读写文件。
为了将文件中包含的所有行读入列表,我写了以下内容:
(define read-lines-from-port-impl
(lambda (file-input-port)
(let* ((line (read-line file-input-port))
)
(if (eof-object? line)
(list)
(cons line (read-lines-from-port-impl file-input-port))
)
)
)
)
(define read-lines-from-port
(lambda (file-port)
(if (input-port? file-port)
(read-lines-from-port-impl file-port)
(list)
)
)
)
(define read-lines-from-file
(lambda (filename)
(call-with-input-file filename read-lines-from-port)
)
)
问题1
这似乎有效,但也许有更惯用/简洁的做法 这在Scheme中。你能建议如何改进这段代码吗?
问题2
在上面的代码中我使用了call-with-input-file来处理打开 调用read-lines-from-port之前的输入端口以及在该过程之后关闭它的输入端口 已经完成了。
如果我想使用open-input-file和close-input-port打开和关闭输入端口,我将如何在Scheme中编写?我的意思是我必须
在Haskell中我会使用do notation,但是如何在Scheme中指定这样的一系列动作?
答案 0 :(得分:2)
我没有测试这段代码,但即使我出错了,你也应该可以从这里找到它:
; read-lines [port-or-filename] -- defaults to current input
(define (read-lines . args)
(let ((p (cond ((null? args) (current-input-port))
((port? (car args)) (car args))
((string? (car args)) (open-input-file (car args)))
(else (error 'read-lines "bad argument")))))
(let loop ((line (read-line p)) (lines (list)))
(if (eof-object? line)
(begin (if (and (pair? args) (string? (car args)))
(close-input-port p))
(reverse lines))
(loop (read-line p) (cons line lines))))))
使用begin
编写一系列语句,如上所示。