我正在编写一个Java库,实际上是一个Clojure库,但对于这个问题,重要的是它在JVM上运行。这个库需要执行一些JavaScript。 I tried with Nashorn但我遇到了一些可能难以克服的限制。作为替代方案,我想尝试NodeJS。
我希望我的库是自包含的,不依赖于独立运行NodeJS的系统,因此需要特定的部署机制将Java和NodeJS工件放在正确的位置,以便由两个不同的网络服务器接收。不过,这种方法带来了一些问题。
我将通过HTTP与NodeJS交谈,但我不希望NodeJS打开特定端口。我想找一个随机未使用的,所以没有碰撞。我还想控制来自NodeJS的日志的位置,以便将它们与我的应用程序的其余部分保持一致。最后,我的应用程序应该能够检测到NodeJS何时崩溃并重新运行它或报告错误信息。
最好的方法是什么?是否有任何Java库以这种方式帮助管理子进程?我应该从NodeJS方面做一些特别的事情(我对NodeJS很新,我之前从未使用过它。)
答案 0 :(得分:9)
我的解决方案最终是使用这样的ProcessBuilder:
(defn create-process-builder [js-engine]
(doto (ProcessBuilder. ["node" (:path js-engine)
"--port-file" (:port-file js-engine)
"--default-ajax-host" (:default-ajax-host js-engine)
"--default-ajax-port" (str (:default-ajax-port js-engine))])
.inheritIO))
然后在其中调用start。 inheritIO导致它的输出转到当前进程的输出,该进程有效地合并了stdout和stderr。
除此之外,NodeJS通过指定0作为端口号打开一个随机端口并将其写入文件:
(let [app (-> (express)
(.use (cookie-parser))
(.get "/" (fn [_req res] (.send res "Universal JavaScript engine for server side pre-rendering single page applications.")))
(.get "/render" render))
server (.createServer http app)]
(.listen server 0 (fn [] (.writeFile fs (:port-file options) (.-port (.address server)))))))))
然后由Java端打开(等待它出现):
(defn get-port-number [js-engine]
(or (with-timeout
(:start-timeout js-engine)
(loop [port-number (read-port-file js-engine)]
(if (string/blank? port-number)
(if (is-running? js-engine)
(do (Thread/sleep 100)
(recur (read-port-file js-engine)))
(throw (Exception. (str "While waiting for port number, process died: " (:path js-engine)))))
port-number)))
(throw (Exception. (str "Waited for " (:start-timeout js-engine) " for " (:path js-engine) " to start and report its port number but it timed out.")))))
答案 1 :(得分:5)
关于如何在java中运行javascript,有一个非常好的答案here。这样的事情对你的案子是否可行?如果不是这里有一些资源:
听起来你会在节点内使用很多cpu。如果是这种情况,您可能希望使用cluster module(因此nodejs可以使用多个核心)。如果阻止事件循环(基于cpu的处理将会,那么每个分叉进程只能执行1个并发请求)。
答案 2 :(得分:3)
我一直处于类似的位置,我不得不从python脚本运行fortran,所以这是我的两分钱。使用Java中的终端命令运行node.js脚本,如下所示:
Runtime rt = Runtime.getRuntime();
String[] commands = {"node example.js", "args"};
Process proc = rt.exec(commands);
BufferedReader stdInput = new BufferedReader(new
InputStreamReader(proc.getInputStream()));
BufferedReader stdError = new BufferedReader(new
InputStreamReader(proc.getErrorStream()));
// read the output from the command
System.out.println("Here is the standard output of the command:\n");
String s = null;
while ((s = stdInput.readLine()) != null) {
System.out.println(s);
}
// read any errors from the attempted command
System.out.println("Here is the standard error of the command (if any):\n");
while ((s = stdError.readLine()) != null) {
System.out.println(s);
}
使用设置,您可以将参数传递给节点程序并获取响应。虽然我不确定你使用node.js程序是什么,所以不确定这是否有用。