Java AWT 애플리케이션을 어떻게 다시 시작할 수 있습니까? 이벤트 핸들러를 첨부 한 버튼이 있습니다. 응용 프로그램을 다시 시작하려면 어떤 코드를 사용해야합니까?
Application.Restart()
C # 애플리케이션에서하는 것과 똑같은 일을하고 싶습니다 .
Java AWT 애플리케이션을 어떻게 다시 시작할 수 있습니까? 이벤트 핸들러를 첨부 한 버튼이 있습니다. 응용 프로그램을 다시 시작하려면 어떤 코드를 사용해야합니까?
Application.Restart()
C # 애플리케이션에서하는 것과 똑같은 일을하고 싶습니다 .
답변:
물론 Java 애플리케이션을 다시 시작할 수 있습니다.
다음 방법은 Java 애플리케이션을 다시 시작하는 방법을 보여줍니다.
public void restartApplication()
{
final String javaBin = System.getProperty("java.home") + File.separator + "bin" + File.separator + "java";
final File currentJar = new File(MyClassInTheJar.class.getProtectionDomain().getCodeSource().getLocation().toURI());
/* is it a jar file? */
if(!currentJar.getName().endsWith(".jar"))
return;
/* Build command: java -jar application.jar */
final ArrayList<String> command = new ArrayList<String>();
command.add(javaBin);
command.add("-jar");
command.add(currentJar.getPath());
final ProcessBuilder builder = new ProcessBuilder(command);
builder.start();
System.exit(0);
}
기본적으로 다음을 수행합니다.
MyClassInTheJar
클래스를 사용 하여 항아리 위치 자체를 찾습니다)System.exit(0)
자식 프로세스를 종료 할지 여부에 대한 질문은이 답변이 실제로 작동하는지 그리고 그 이유와 동일한 대답을 갖습니다. 대답과 함께 현명한 설명을 할 수 없다면 잘못된 일을 한 것입니다. 답변보다 더 많은 질문을 제공하는 답변은 철저한 답변의 예가 아닙니다. 좋은 답변은 코드를 보여줄뿐만 아니라 작동 방식과 이유, 단점 및 대안이 무엇인지 설명합니다. 당신은 이러한 것들을 덮 으려하지도 않았습니다.
import java.io.File;
import java.io.IOException;
import java.lang.management.ManagementFactory;
public class Main {
public static void main(String[] args) throws IOException, InterruptedException {
StringBuilder cmd = new StringBuilder();
cmd.append(System.getProperty("java.home") + File.separator + "bin" + File.separator + "java ");
for (String jvmArg : ManagementFactory.getRuntimeMXBean().getInputArguments()) {
cmd.append(jvmArg + " ");
}
cmd.append("-cp ").append(ManagementFactory.getRuntimeMXBean().getClassPath()).append(" ");
cmd.append(Main.class.getName()).append(" ");
for (String arg : args) {
cmd.append(arg).append(" ");
}
Runtime.getRuntime().exec(cmd.toString());
System.exit(0);
}
}
불가능하다고 말하는 모든 사람들에게 바칩니다.
이 프로그램은 원래 명령 줄을 재구성하는 데 사용할 수있는 모든 정보를 수집합니다. 그런 다음 시작하고 동일한 명령이므로 응용 프로그램이 두 번째로 시작됩니다. 그런 다음 원래 프로그램을 종료하면 자식 프로그램이 계속 실행되고 (리눅스에서도) 동일한 작업을 수행합니다.
경고 : 이것을 실행하면 포크 폭탄 과 유사한 새로운 프로세스 생성이 끝나지 않는다는 점에 유의하십시오 .
ManagementFactory.getRuntimeMXBean().getInputArguments()
은 JVM에 전달 된 입력 인수 만 제공합니다. 애플리케이션에 전달 된 매개 변수가 누락되었습니다. 예 : java -jar start.jar -MISSED_PARAM=true
. Oracle jvm에서는 System.getProperty("sun.java.command")
.
ProcessBuilder
하고 inheritIO()
, 아이를 VM 부모 VM이 끝날 것이라고 방식으로 시작할 수 있습니다.
기본적으로 할 수 없습니다. 적어도 신뢰할 수있는 방식은 아닙니다. 그러나 그럴 필요는 없습니다.
Java 프로그램을 다시 시작하려면 JVM을 다시 시작해야합니다. JVM을 다시 시작하려면 다음을 수행해야합니다.
java
사용 된 실행기를 찾습니다 . 시도해 볼 수는 System.getProperty("java.home")
있지만 실제로 응용 프로그램을 시작하는 데 사용 된 실행기를 가리킬 것이라는 보장은 없습니다. (반환 된 값 이 애플리케이션을 시작하는 데 사용 된 JRE를 가리 키지 않거나에서 재정의되었을 수 있습니다 -Djava.home
.)
당신은 아마도 설정 등 (원래 메모리 명예 할 것입니다 -Xmx
, -Xms
당신이 사용하는 설정이 먼저 JVM을 시작하는 알아낼 필요가 ...) 그래서를. 사용해 볼 수는 ManagementFactory.getRuntimeMXBean().getInputArguments()
있지만 이것이 사용 된 설정을 반영한다는 보장은 없습니다. 이것은 해당 방법 의 문서 에도 나와 있습니다 .
일반적으로 'java'명령에 대한 모든 명령 행 옵션이 JVM (Java Virtual Machine)에 전달되는 것은 아닙니다. 따라서 반환 된 입력 인수에 모든 명령 줄 옵션이 포함되지 않을 수 있습니다.
프로그램 Standard.in
이 원래의 stdin 에서 입력을 읽으면 다시 시작할 때 손실됩니다.
이러한 트릭과 해킹의 대부분은 SecurityManager
.
모든 것을 정리하기 쉽도록 응용 프로그램을 디자인하고 그 후에 "main"클래스의 새 인스턴스를 만드는 것이 좋습니다.
많은 애플리케이션은 메인 메소드에서 인스턴스를 생성하는 것 외에는 아무것도하지 않도록 설계되었습니다.
public class MainClass {
...
public static void main(String[] args) {
new MainClass().launch();
}
...
}
이 패턴을 사용하면 다음과 같은 작업을 쉽게 수행 할 수 있습니다.
public class MainClass {
...
public static void main(String[] args) {
boolean restart;
do {
restart = new MainClass().launch();
} while (restart);
}
...
}
및 수 있도록 launch()
응용 프로그램 방식으로 종료 된 경우에만 다시 시작해야 함을하는 경우에 true를 돌려줍니다.
엄밀히 말하면 Java 프로그램은 자체적으로 재시작 할 수 없습니다. 그렇게하려면 실행중인 JVM을 종료 한 다음 다시 시작해야하지만 JVM이 더 이상 실행되지 않으면 (종료) 조치를 취할 수 없습니다.
AWT 구성 요소를 다시로드, 압축 및 시작하기 위해 사용자 정의 클래스 로더로 몇 가지 트릭을 수행 할 수 있지만 GUI 이벤트 루프와 관련하여 많은 골칫거리가 될 수 있습니다.
애플리케이션이 시작되는 방법에 따라 JVM이 특정 코드와 함께 종료되는 동안 계속되는 do / while 루프가 포함 된 래퍼 스크립트에서 JVM을 시작할 수 있습니다. 그런 다음 AWT 앱은를 호출해야합니다 System.exit(RESTART_CODE)
. 예를 들어 스크립팅 의사 코드에서 :
DO
# Launch the awt program
EXIT_CODE = # Get the exit code of the last process
WHILE (EXIT_CODE == RESTART_CODE)
AWT 앱은 다시 시작할 필요가없는 "정상"종료시 RESTART_CODE 이외의 다른 항목으로 JVM을 종료해야합니다.
JavaApplicationStub
된다는 것입니다. 쉬운 방법이 있는지 확실하지 않습니다.
윈도우
public void restartApp(){
// This launches a new instance of application dirctly,
// remember to add some sleep to the start of the cmd file to make sure current instance is
// completely terminated, otherwise 2 instances of the application can overlap causing strange
// things:)
new ProcessBuilder("cmd","/c start /min c:/path/to/script/that/launches/my/application.cmd ^& exit").start();
System.exit(0);
}
/ min 최소화 된 창에서 스크립트 시작
^ & 종료 후 cmd 창 닫기
샘플 cmd 스크립트는
@echo off
rem add some sleep (e.g. 10 seconds) to allow the preceding application instance to release any open resources (like ports) and exit gracefully, otherwise the new instance could fail to start
sleep 10
set path=C:\someFolder\application_lib\libs;%path%
java -jar application.jar
수면 10 10 초 동안 수면
실제로 앱을 다시 시작해야하는 경우 별도의 앱을 작성하여 시작할 수 있습니다.
이 페이지에서는 다양한 시나리오에 대한 다양한 예를 제공합니다.
이 질문은 오래되고 답변되었지만 일부 솔루션에서 문제를 발견하고 제안을 믹스에 추가하기로 결정했습니다.
일부 솔루션의 문제점은 단일 명령 문자열을 빌드한다는 것입니다. 이로 인해 일부 매개 변수에 공백, 특히 java.home이 포함 된 경우 문제가 발생합니다 .
예를 들어, 창문에서는
final String javaBin = System.getProperty("java.home") + File.separator + "bin" + File.separator + "java";
다음과 같은 것을 반환 할 수 있습니다.C:\Program Files\Java\jre7\bin\java
이 문자열은 따옴표로 묶거나 공백으로 인해 이스케이프해야합니다 Program Files
. 큰 문제는 아니지만 특히 크로스 플랫폼 애플리케이션에서 다소 성 가시고 오류가 발생하기 쉽습니다.
따라서 내 솔루션은 명령 을 명령 배열 로 빌드 합니다.
public static void restart(String[] args) {
ArrayList<String> commands = new ArrayList<String>(4 + jvmArgs.size() + args.length);
List<String> jvmArgs = ManagementFactory.getRuntimeMXBean().getInputArguments();
// Java
commands.add(System.getProperty("java.home") + File.separator + "bin" + File.separator + "java");
// Jvm arguments
for (String jvmArg : jvmArgs) {
commands.add(jvmArg);
}
// Classpath
commands.add("-cp");
commands.add(ManagementFactory.getRuntimeMXBean().getClassPath());
// Class to be executed
commands.add(BGAgent.class.getName());
// Command line arguments
for (String arg : args) {
commands.add(arg);
}
File workingDir = null; // Null working dir means that the child uses the same working directory
String[] env = null; // Null env means that the child uses the same environment
String[] commandArray = new String[commands.size()];
commandArray = commands.toArray(commandArray);
try {
Runtime.getRuntime().exec(commandArray, env, workingDir);
System.exit(0);
} catch (IOException e) {
e.printStackTrace();
}
}
이 질문을 접했을 때 직접 주제를 조사하고있었습니다.
답변이 이미 받아 들여 졌다는 사실과 상관없이, 저는 여전히 완전성을위한 대안적인 접근 방식을 제공하고 싶습니다. 특히 Apache Ant는 매우 유연한 솔루션이었습니다.
기본적으로 모든 것은 Java 코드 ( 여기 참조)에서 호출 된 단일 Java 실행 태스크 ( 여기 및 여기 참조)가있는 Ant 스크립트 파일로 요약됩니다 . 메소드 시작일 수있는이 Java 코드는 다시 시작해야하는 애플리케이션의 일부일 수 있습니다. 애플리케이션에는 Apache Ant 라이브러리 (jar)에 대한 종속성이 있어야합니다.
애플리케이션을 다시 시작해야 할 때마다 메서드 launch를 호출 하고 VM을 종료 해야합니다 . Ant Java 태스크에는 fork 및 spawn 옵션이 있어야 합니다. 이 true로 설정되어 있어야합니다.
다음은 Ant 스크립트의 예입니다.
<project name="applaucher" default="launch" basedir=".">
<target name="launch">
<java classname="package.MasinClass" fork="true" spawn="true">
<jvmarg value="-splash:splash.jpg"/>
<jvmarg value="-D other VM params"/>
<classpath>
<pathelement location="lib-1.jar" />
...
<pathelement location="lib-n.jar" />
</classpath>
</java>
</target>
</project>
시작 메서드 의 코드는 다음과 같습니다.
public final void launch(final String antScriptFile) {
/* configure Ant and execute the task */
final File buildFile = new File(antScriptFile);
final Project p = new Project();
p.setUserProperty("ant.file", buildFile.getAbsolutePath());
final DefaultLogger consoleLogger = new DefaultLogger();
consoleLogger.setErrorPrintStream(System.err);
consoleLogger.setOutputPrintStream(System.out);
consoleLogger.setMessageOutputLevel(Project.MSG_INFO);
p.addBuildListener(consoleLogger);
try {
p.fireBuildStarted();
p.init();
final ProjectHelper helper = ProjectHelper.getProjectHelper();
p.addReference("ant.projectHelper", helper);
helper.parse(p, buildFile);
p.executeTarget(p.getDefaultTarget());
p.fireBuildFinished(null);
} catch (final BuildException e) {
p.fireBuildFinished(e);
}
/* exit the current VM */
System.exit(0);
}
여기서 매우 편리한 점은 초기 응용 프로그램 시작 및 다시 시작에 동일한 스크립트가 사용된다는 것입니다.
다른 답변에없는 정보를 추가하는 것뿐입니다.
/proc/self/cmdline
를 사용할 수있는 경우당신이 제공하는 환경에서 실행하는 경우 procfs의를 따라서있다 /proc
(이것은 휴대용 해결책이 아니다 의미) 사용 가능한 파일 시스템을, 당신은 자바 읽을 수 있습니다 /proc/self/cmdline
위해 다음과 같이 자체를 다시 시작에 :
public static void restart() throws IOException {
new ProcessBuilder(getMyOwnCmdLine()).inheritIO().start();
}
public static String[] getMyOwnCmdLine() throws IOException {
return readFirstLine("/proc/self/cmdline").split("\u0000");
}
public static String readFirstLine(final String filename) throws IOException {
try (final BufferedReader in = new BufferedReader(new FileReader(filename))) {
return in.readLine();
}
}
사용 /proc/self/cmdline
가능한 시스템 에서 이것은 아마도 Java에서 현재 Java 프로세스를 "다시 시작"하는 가장 우아한 방법 일 것입니다. JNI가 필요하지 않으며 경로와 물건을 추측 할 필요가 없습니다. java
바이너리에 전달 된 모든 JVM 옵션도 처리합니다 . 명령 줄은 현재 JVM 프로세스 중 하나와 정확히 동일합니다.
오늘날 GNU / Linux (Android 포함)를 포함한 많은 UNIX 시스템에는 procfs가 있습니다. 그러나 FreeBSD와 같은 일부에서는 더 이상 사용되지 않으며 단계적으로 제거됩니다. Mac OS X 는 procfs가 없다는 점에서 예외입니다 . Windows 에는 procfs 도 없습니다 . Cygwin에는 procfs가 있습니다. 있지만 Windows 시스템 호출 대신 Cygwin DLL을 사용하는 응용 프로그램에서만 볼 수 있고 Java는 Cygwin을 인식하지 못하기 때문에 Java에는 표시되지 않습니다.
ProcessBuilder.inheritIO()
기본값은 시작된 프로세스의 stdin
/ stdout
/ stderr
(Java에서 System.in
/ System.out
/ 라고 함 System.err
)가 현재 실행중인 프로세스가 새로 시작된 프로세스와 통신 할 수 있도록하는 파이프 로 설정되는 것입니다. 현재 프로세스를 다시 시작하려는 경우 원하는 것이 아닐 가능성 이 큽니다 . 대신 stdin
/ stdout
/ stderr
가 현재 VM의 것과 동일 하기를 원할 것 입니다. 이를 상속 이라고 합니다. 인스턴스 를 호출 inheritIO()
하여 이를 수행 할 수 있습니다 ProcessBuilder
.
restart()
함수 의 빈번한 사용 사례 는 업데이트 후 애플리케이션을 다시 시작하는 것입니다. 마지막으로 Windows에서 이것을 시도했을 때 문제가있었습니다. 응용 프로그램의 .jar
파일을 새 버전으로 덮어 쓰면 응용 프로그램 이 오작동하기 시작하고 .jar
파일 에 대한 예외가 발생 합니다. 이것이 귀하의 사용 사례 인 경우를 대비하여 말하고 있습니다. 그때 나는 응용 프로그램을 배치 파일로 래핑하고 배치 파일에서 System.exit()
쿼리 한 마법 반환 값을 사용하여 문제를 해결하고 배치 파일이 대신 응용 프로그램을 다시 시작하도록했습니다.
오래된 질문과 그 모든 것. 그러나 이것은 몇 가지 장점을 제공하는 또 다른 방법입니다.
Windows에서는 작업 스케줄러에게 앱을 다시 시작하도록 요청할 수 있습니다. 이는 앱이 다시 시작되기 전에 특정 시간을 기다리는 이점이 있습니다. 작업 관리자로 이동하여 작업을 삭제하면 반복이 중지됩니다.
SimpleDateFormat hhmm = new SimpleDateFormat("kk:mm");
Calendar aCal = Calendar.getInstance();
aCal.add(Calendar.SECOND, 65);
String nextMinute = hhmm.format(aCal.getTime()); //Task Scheduler Doesn't accept seconds and won't do current minute.
String[] create = {"c:\\windows\\system32\\schtasks.exe", "/CREATE", "/F", "/TN", "RestartMyProg", "/SC", "ONCE", "/ST", nextMinute, "/TR", "java -jar c:\\my\\dev\\RestartTest.jar"};
Process proc = Runtime.getRuntime().exec(create, null, null);
System.out.println("Exit Now");
try {Thread.sleep(1000);} catch (Exception e){} // just so you can see it better
System.exit(0);
Yoda의 ' 개선 된 '답변과 비슷하지만 추가로 개선되었습니다 (기능, 가독성 및 테스트 가능성 모두). 이제 실행하는 것이 안전하고 주어진 프로그램 인수의 양만큼 다시 시작됩니다.
JAVA_TOOL_OPTIONS
옵션이 누적되지 않습니다 .public static void main(String[] args) throws Exception {
if (args.length == 0)
return;
else
args = Arrays.copyOf(args, args.length - 1);
List<String> command = new ArrayList<>(32);
appendJavaExecutable(command);
appendVMArgs(command);
appendClassPath(command);
appendEntryPoint(command);
appendArgs(command, args);
System.out.println(command);
try {
new ProcessBuilder(command).inheritIO().start();
} catch (IOException ex) {
ex.printStackTrace();
}
}
private static void appendJavaExecutable(List<String> cmd) {
cmd.add(System.getProperty("java.home") + File.separator + "bin" + File.separator + "java");
}
private static void appendVMArgs(Collection<String> cmd) {
Collection<String> vmArguments = ManagementFactory.getRuntimeMXBean().getInputArguments();
String javaToolOptions = System.getenv("JAVA_TOOL_OPTIONS");
if (javaToolOptions != null) {
Collection<String> javaToolOptionsList = Arrays.asList(javaToolOptions.split(" "));
vmArguments = new ArrayList<>(vmArguments);
vmArguments.removeAll(javaToolOptionsList);
}
cmd.addAll(vmArguments);
}
private static void appendClassPath(List<String> cmd) {
cmd.add("-cp");
cmd.add(ManagementFactory.getRuntimeMXBean().getClassPath());
}
private static void appendEntryPoint(List<String> cmd) {
StackTraceElement[] stackTrace = new Throwable().getStackTrace();
StackTraceElement stackTraceElement = stackTrace[stackTrace.length - 1];
String fullyQualifiedClass = stackTraceElement.getClassName();
String entryMethod = stackTraceElement.getMethodName();
if (!entryMethod.equals("main"))
throw new AssertionError("Entry point is not a 'main()': " + fullyQualifiedClass + '.' + entryMethod);
cmd.add(fullyQualifiedClass);
}
private static void appendArgs(List<String> cmd, String[] args) {
cmd.addAll(Arrays.asList(args));
}
V1.1 버그 픽스 : JAVA_TOOL_OPTIONS가 설정되지 않은 경우 널 포인터
예:
$ java -cp Temp.jar Temp a b c d e
[/usr/lib/jvm/java-8-openjdk-amd64/jre/bin/java, -cp, Temp.jar, Temp, a, b, c, d]
[/usr/lib/jvm/java-8-openjdk-amd64/jre/bin/java, -cp, Temp.jar, Temp, a, b, c]
[/usr/lib/jvm/java-8-openjdk-amd64/jre/bin/java, -cp, Temp.jar, Temp, a, b]
[/usr/lib/jvm/java-8-openjdk-amd64/jre/bin/java, -cp, Temp.jar, Temp, a]
[/usr/lib/jvm/java-8-openjdk-amd64/jre/bin/java, -cp, Temp.jar, Temp]
$
System.err.println("Someone is Restarting me...");
setVisible(false);
try {
Thread.sleep(600);
} catch (InterruptedException e1) {
e1.printStackTrace();
}
setVisible(true);
응용 프로그램을 중지하고 싶지는 않지만 "다시 시작"하는 것이 좋습니다. 이를 위해 이것을 사용하고 잠자기 전과 보이지 않는 창 뒤에 "Reset"을 추가 할 수 있습니다.