如何使用jshell运行java应用程序?它应该能够指定类路径并调用java命令并传递一些参数,如bash do,例如
#!/bin/bash
$ARGS=...
$CLASSPATH=...
java -cp $CLASSPATH $ARGS com.example.MyApp
更新
我认为需要运行时或进程的包装器,例如,
jshell> private String executeCommand(String command) {
...>
...> StringBuffer output = new StringBuffer();
...>
...> Process p;
...> try {
...> p = Runtime.getRuntime().exec(command);
...> p.waitFor();
...> BufferedReader reader =
...> new BufferedReader(new InputStreamReader(p.getInputStream()));
...>
...> String line = "";
...> while ((line = reader.readLine())!= null) {
...> output.append(line + "\n");
...> }
...>
...> } catch (Exception e) {
...> e.printStackTrace();
...> }
...>
...> return output.toString();
...>
...> }
| Created method executeCommand(String)
jshell> String out =executeCommand("java --version");
out ==> "java 9.0.4\nJava(TM) SE Runtime Environment (bui ... d 9.0.4+11, mixed mode)\n"
jshell> System.out.println(out);
java 9.0.4
Java(TM) SE Runtime Environment (build 9.0.4+11)
Java HotSpot(TM) 64-Bit Server VM (build 9.0.4+11, mixed mode)
答案 0 :(得分:3)
对于在jshell中运行任何应用程序,首先在开始时将类路径设置为jshell。
示例:
public class modifiedprocess
inherits process
public property PCname as string =""
sub new(pc as process)
me = pc
me.pcname=pc.processName
end sub
'does not not work because me cannot be target, so even though this is
basically a process with all of properties and methods it will not fill in
matching data, how do i get it to do that'
end class
然后将该类导入到运行环境
中jshell -class-path /Users/sree/Desktop/libs/jettison-1.0.1.jar
这会将所需的类导入到环境中。
现在运行所需的应用程序。就我而言,我进入了
import org.codehaus.jettison.json.JSONObject;
得到了输出
String myString = new JSONObject().put("JSON", "Hello, World!").toString()
回答传递命令行参数的问题。你必须用所有的值来启动课程。
myString ==> "{\"JSON\":\"Hello, World!\"}"
答案 1 :(得分:3)
您的代码已损坏,因为您正在等待命令的完成,然后才读取管道。如果该命令产生的输出多于管道可以缓冲的输出,则命令将被阻塞并且永远不会完成,因为此时没有人正在读取管道。
在一个完美的世界中,你只需要使用
new ProcessBuilder(your command and args).inheritIO().start().waitFor()
与普通的Java应用程序一样。不幸的是,jshell
以一种不起作用的方式更改标准文件描述符(至少在我测试的Windows版本中)。
您可以使用
void run(String... arg) throws IOException, InterruptedException {
Path tmp = Files.createTempFile("run", ".tmp");
try {
new ProcessBuilder(arg).redirectErrorStream(true).redirectOutput(tmp.toFile())
.start().waitFor();
Files.lines(tmp, java.nio.charset.Charset.defaultCharset())
.forEach(System.out::println);
}
finally { Files.delete(tmp); }
}
并称之为,例如
run("java", "-version")
或
run("java", "-d", "java.base")