我有一个简单的elisp
交互式函数,用于启动Clojure repl。
(defun boot-repl ()
(interactive)
(shell-command "boot repl wait &"))
它会打开一个*Async Shell Command*
缓冲区,稍后会显示以下文字:
nREPL服务器在主机127.0.0.1上的端口59795上启动 - nrepl://127.0.0.1:59795 不推荐使用隐式目标目录,请使用 相反,目标任务。设置BOOT_EMIT_TARGET = no以禁用隐式 目标目录。
我想监视此命令的输出以便能够解析端口(" 59795"在此示例中)。 即使只是第一行(在没有警告的情况下)也没问题。
这样我就可以使用另一个命令连接到等待我的Clojure REPL。
我不能使用shell-command-to-string
因为命令没有返回,它会永久阻止emacs(boot repl wait
应该在我的整个编程会话中持续,可能更多)。
cider
也可能有一些容易做的事情,但我还没找到。
那么,如何在Elisp中解析异步bash命令的结果? 或者,我如何设置Cider为我启动此REPL并连接到它?
答案 0 :(得分:1)
shell-command
允许命名可选的输出和错误缓冲区。比错误应该出现在后者内部而不会使输出混乱。
答案 1 :(得分:1)
要直接回答这个问题,你绝对可以使用start-process
和set-process-filter
来解析asyncronous shell命令的输出:
(let ((proc (start-process "find" "find" "find"
(expand-file-name "~") "-name" "*el")))
(set-process-filter proc (lambda (proc line)
(message "process output: %s" line))))
但请注意,上面的line
不一定是一行,可能包含多行或虚线。只要进程或emacs决定刷新一些输出,就会调用过滤器:
...
/home/user/gopath/src/github.com/gongo/json-reformat/test/json-reformat-test.el
/home/user/gopath/src/github.com/gongo/json-reformat/test/test-
process output: helper.el
在您的情况下,这可能意味着您的端口号可能会被分成两个独立的进程过滤器调用。
为了解决这个问题,我们可以引入一个行缓冲和行拆分包装器,它为每个流程输出行调用过滤器:
(defun process-filter-line-buffer (real-filter)
(let ((cum-string-sym (gensym "proc-filter-buff"))
(newline (string-to-char "\n"))
(string-indexof (lambda (string char start)
(loop for i from start below (length string)
thereis (and (eq char (aref string i))
i)))))
(set cum-string-sym "")
`(lambda (proc string)
(setf string (concat ,cum-string-sym string))
(let ((start 0) new-start)
(while (setf new-start
(funcall ,string-indexof string ,newline start))
;;does not include newline
(funcall ,real-filter proc (substring string start new-start))
(setf start (1+ new-start)));;past newline
(setf ,cum-string-sym (substring string start))))))
然后,您可以放心地期望您的线条是完整的:
(let* ((test-output "\nREPL server started on port 59795 on host 127.0.0.1 - \nrepl://127.0.0.1:59795 Implicit target dir is deprecated, please use the target task instead. Set BOOT_EMIT_TARGET=no to disable implicit target dir.")
(proc (start-process "echo-test" "echo-test" "echo" test-output)))
(set-process-filter proc (process-filter-line-buffer
(lambda (proc line)
(when (string-match
"REPL server started on port \\([0-9]+\\)"
line)
(let ((port (match-string 1 line)))
;;take whatever action here with PORT
(message "port found: %s" port)))))))
最后,我对苹果酒并不熟悉,但这种低水平的工作可能属于劣等型,可能已经解决了。
答案 2 :(得分:1)
我提供的另一个更好的答案就是按照你的建议简单地使用苹果酒:
(progn
(package-refresh-contents)
(package-install 'cider)
(cider-jack-in))