首先,让我说,任何这么棘手的事情可能有很多难点。
如果你真的需要它,这种方法可能适合你。如所写,它假设"java"在调用者路径上。
概览:
在jar的清单文件中声明一个引导程序类为主类。
引导程序器在另一个进程中生成一个过程,在该过程中,我们在“真正”的主类上调用Java(传递您想要的任何命令行参数)。
将子进程的 System.out 和 System.err 重定向到引导程序的相应流。
等待子进程完成
这是一篇很好的背景文章。
src/main/java/scratch/Bootstrap.java - this class is defined in pom.xml as
the jar s mainclass: <mainClass>scratch.Bootstrap</mainClass>
package scratch;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.PrintStream;
public class Bootstrap {
class StreamProxy extends Thread {
final InputStream is;
final PrintStream os;
StreamProxy(InputStream is, PrintStream os) {
this.is = is;
this.os = os;
}
public void run() {
try {
InputStreamReader isr = new InputStreamReader(is);
BufferedReader br = new BufferedReader(isr);
String line = null;
while ((line = br.readLine()) != null) {
os.println(line);
}
} catch (IOException ex) {
throw new RuntimeException(ex.getMessage(), ex);
}
}
}
private void go(){
try {
/*
* Spin up a separate java process calling a non-default Main class in your Jar.
*/
Process process = Runtime.getRuntime().exec("java -cp scratch-1.0-SNAPSHOT-jar-with-dependencies.jar -Xmx500m scratch.App");
/*
* Proxy the System.out and System.err from the spawned process back to the user s window. This
* is important or the spawned process could block.
*/
StreamProxy errorStreamProxy = new StreamProxy(process.getErrorStream(), System.err);
StreamProxy outStreamProxy = new StreamProxy(process.getInputStream(), System.out);
errorStreamProxy.start();
outStreamProxy.start();
System.out.println("Exit:" + process.waitFor());
} catch (Exception ex) {
System.out.println("There was a problem execting the program. Details:");
ex.printStackTrace(System.err);
if(null != process){
try{
process.destroy();
} catch (Exception e){
System.err.println("Error destroying process: "+e.getMessage());
}
}
}
}
public static void main(String[] args) {
new Bootstrap().go();
}
}
src/main/java/scratch/App.java - 这是程序的常规入口点。
package scratch;
public class App
{
public static void main( String[] args )
{
System.out.println( "Hello World! maxMemory:"+Runtime.getRuntime().maxMemory() );
}
}
Calling: java -jar scratch-1.0-SNAPSHOT-jar-with-dependencies.jar
Returns:
Hello World! maxMemory:520290304
Exit:0