Windows 서비스로서의 스프링 부트 JAR
봄 부츠 "uber JAR"을 프로크룬으로 포장하려고 합니다.
다음을 실행하면 예상대로 작동합니다.
java-jarmy.jar
Windows 부팅 시 자동으로 시작하려면 스프링 부트 병이 필요합니다.이를 위한 가장 좋은 솔루션은 jar를 서비스로 실행하는 것입니다(독립 실행형 Tomcat과 동일).
이를 실행하려고 하면 "Commons Daemon procrun failed with exit value: 3"이 표시됩니다.
스프링 부트 소스를 보면 사용자 지정 클래스 로더를 사용하는 것처럼 보입니다.
또한 주 메서드를 직접 실행하려고 하면 "ClassNotFoundException"이 표시됩니다.
java -cpmy.jarmy.메인 클래스
스프링 부트 병에서 주요 방법을 실행하는 데 사용할 수 있는 방법이 있습니까(JarLauncher를 경유하지 않음
스프링 부트와 procrun을 성공적으로 통합한 사람이 있습니까?
저는 http://wrapper.tanukisoftware.com/ 에 대해 알고 있습니다.하지만 그들의 면허증 때문에 저는 그것을 사용할 수 없습니다.
갱신하다
이제 procrun을 사용하여 서비스를 시작할 수 있습니다.
set SERVICE_NAME=MyService
set BASE_DIR=C:\MyService\Path
set PR_INSTALL=%BASE_DIR%prunsrv.exe
REM Service log configuration
set PR_LOGPREFIX=%SERVICE_NAME%
set PR_LOGPATH=%BASE_DIR%
set PR_STDOUTPUT=%BASE_DIR%stdout.txt
set PR_STDERROR=%BASE_DIR%stderr.txt
set PR_LOGLEVEL=Error
REM Path to java installation
set PR_JVM=auto
set PR_CLASSPATH=%BASE_DIR%%SERVICE_NAME%.jar
REM Startup configuration
set PR_STARTUP=auto
set PR_STARTIMAGE=c:\Program Files\Java\jre7\bin\java.exe
set PR_STARTMODE=exe
set PR_STARTPARAMS=-jar#%PR_CLASSPATH%
REM Shutdown configuration
set PR_STOPMODE=java
set PR_STOPCLASS=TODO
set PR_STOPMETHOD=stop
REM JVM configuration
set PR_JVMMS=64
set PR_JVMMX=256
REM Install service
%PR_INSTALL% //IS//%SERVICE_NAME%
저는 이제 서비스를 중단하는 방법만 생각하면 됩니다.스프링부트 액츄에이터가 JMX Bean을 셧다운하는 것을 생각하고 있습니다.
서비스를 중지하면 다음과 같이 됩니다. 윈도우즈에서 서비스를 중지하지 못하고 중지됨으로 표시됨, 서비스가 여전히 실행 중임(localhost로 이동할 수 있음), 작업 관리자에서 프로세스에 대한 언급이 없습니다(별로 좋지 않습니다!).내가 장님이 아닌 이상).
이제 winsw를 사용하는 Spring Boot 1.3부터 가능합니다.
설명서에서는 서비스를 설정하는 방법을 보여주는 참조 구현을 안내합니다.
저는 비슷한 문제에 부딪혔지만 다른 누군가(프란체스코 자누토)가 그들의 노력에 대한 블로그 게시물을 쓸 만큼 친절하다는 것을 발견했습니다.그들의 해결책은 저에게 효과가 있었습니다.나는 그들이 이 코드를 실현하기 위해 들인 시간에 대해 공을 들이지 않습니다.
http://zazos79.blogspot.com/2015/02/spring-boot-12-run-as-windows-service.html
그는 당신의 예에서 본 exe 모드와 비교하여 jvm start 및 stop 모드를 사용하고 있습니다.이를 통해 Spring Boot의 JarLauncher를 확장하여 Windows 서비스의 "시작" 및 "중지" 명령을 모두 처리할 수 있습니다. 이 명령은 정상적인 종료를 위해 수행할 것입니다.
그의 예와 마찬가지로 여러 가지 주요 메서드를 추가하게 될 것입니다. 구현에 따라 시작 프로그램에서 어떤 메서드를 호출해야 하는지 지정해야 합니다.나는 Gradle을 사용하고 있으며 단순히 내 build.gradle에 다음 사항을 추가해야 했습니다.
springBoot{
mainClass = 'mydomain.app.MyApplication'
}
내 Procrun 설치 스크립트:
D:\app\prunsrv.exe //IS//MyServiceName ^
--DisplayName="MyServiceDisplayName" ^
--Description="A Java app" ^
--Startup=auto ^
--Install=%CD%\prunsrv.exe ^
--Jvm=%JAVA_HOME%\jre\bin\server\jvm.dll ^
--Classpath=%CD%\SpringBootApp-1.1.0-SNAPSHOT.jar; ^
--StartMode=jvm ^
--StartClass=mydomain.app.Bootstrap ^
--StartMethod=start ^
--StartParams=start ^
--StopMode=jvm ^
--StopClass=mydomain.app.Bootstrap ^
--StopMethod=stop ^
--StopParams=stop ^
--StdOutput=auto ^
--StdError=auto ^
--LogPath=%CD% ^
--LogLevel=Debug
JarLauncher 확장 클래스:
package mydomain.app;
import org.springframework.boot.loader.JarLauncher;
import org.springframework.boot.loader.jar.JarFile;
public class Bootstrap extends JarLauncher {
private static ClassLoader classLoader = null;
private static Bootstrap bootstrap = null;
protected void launch(String[] args, String mainClass, ClassLoader classLoader, boolean wait)
throws Exception {
Runnable runner = createMainMethodRunner(mainClass, args, classLoader);
Thread runnerThread = new Thread(runner);
runnerThread.setContextClassLoader(classLoader);
runnerThread.setName(Thread.currentThread().getName());
runnerThread.start();
if (wait == true) {
runnerThread.join();
}
}
public static void start (String []args) {
bootstrap = new Bootstrap ();
try {
JarFile.registerUrlProtocolHandler();
classLoader = bootstrap.createClassLoader(bootstrap.getClassPathArchives());
bootstrap.launch(args, bootstrap.getMainClass(), classLoader, true);
}
catch (Exception ex) {
ex.printStackTrace();
System.exit(1);
}
}
public static void stop (String []args) {
try {
if (bootstrap != null) {
bootstrap.launch(args, bootstrap.getMainClass(), classLoader, true);
bootstrap = null;
classLoader = null;
}
}
catch (Exception ex) {
ex.printStackTrace();
System.exit(1);
}
}
public static void main(String[] args) {
String mode = args != null && args.length > 0 ? args[0] : null;
if ("start".equals(mode)) {
Bootstrap.start(args);
}
else if ("stop".equals(mode)) {
Bootstrap.stop(args);
}
}
}
나의 주요 Spring 신청 수업:
package mydomain.app;
import java.lang.management.ManagementFactory;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.boot.autoconfigure.EnableAutoConfiguration;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.boot.ExitCodeGenerator;
import org.springframework.boot.SpringApplication;
import org.springframework.context.ApplicationContext;
import org.springframework.context.annotation.ComponentScan;
@SpringBootApplication
@ComponentScan
@EnableAutoConfiguration
public class MyApplication {
private static final Logger logger = LoggerFactory.getLogger(MyApplication.class);
private static ApplicationContext applicationContext = null;
public static void main(String[] args) {
String mode = args != null && args.length > 0 ? args[0] : null;
if (logger.isDebugEnabled()) {
logger.debug("PID:" + ManagementFactory.getRuntimeMXBean().getName() + " Application mode:" + mode + " context:" + applicationContext);
}
if (applicationContext != null && mode != null && "stop".equals(mode)) {
System.exit(SpringApplication.exit(applicationContext, new ExitCodeGenerator() {
@Override
public int getExitCode() {
return 0;
}
}));
}
else {
SpringApplication app = new SpringApplication(MyApplication.class);
applicationContext = app.run(args);
if (logger.isDebugEnabled()) {
logger.debug("PID:" + ManagementFactory.getRuntimeMXBean().getName() + " Application started context:" + applicationContext);
}
}
}
}
Springboot v1.2.2 이후에는 procrun을 사용하여 Uber jar로 패키지된 SpringBoot 응용 프로그램을 종료할 수 있는 방법이 없습니다.다른 사람들도 이 문제에 대해 질문하고 있으므로 다음과 같은 문제를 따라야 합니다.
- https://github.com/spring-projects/spring-boot/issues/519
- https://github.com/spring-projects/spring-boot/issues/644
스프링 부트 유지 관리자가 이 문제를 처리할지/어떻게 처리할지는 확실하지 않습니다.그동안 우버 병의 지퍼를 내리고 스프링 부트의 자 런처를 무시하는 것을 고려해 보십시오.
이 질문에 대한 원래 답변(역사에서 볼 수 있음)은 작동해야 하는 방법을 제안했지만(그렇게 생각했습니다), JarLauncher에서 클래스 로더가 처리되는 방식 때문은 아닙니다.
이 문제를 우연히 만나 공유하고 싶어서 얼마 전에 이 문제를 수정하고 풀 요청을 했습니다.https://github.com/spring-projects/spring-boot/pull/2520
프로크런 사용을 시작/중지하기 위해 병합될 때까지 내 포크 버전을 사용할 수 있습니다.
winsw에서 멀리 떨어져 있습니다. .NET은 .NET으로 제작되었으며 오래된 Windows에 대한 고객 환경과 관련하여 많은 문제를 겪고 있습니다.
저는 NSSM을 추천합니다. 순수한 C를 사용하여 만들어졌으며, 오래된 모든 윈도우에서 문제없이 사용했습니다.같은 기능을 가지고 있고 그 외에도...
여기 있습니다.batch script (.bat)
샘플 사용 방법:
rem Register the service
nssm install my-java-service "C:\Program Files\Java\jre1.8.0_152\bin\java.exe" "-jar" "snapshot.jar"
rem Set the service working dir
nssm set my-java-service AppDirectory "c:\path\to\jar-diretory"
rem Redirect sysout to file
nssm set my-java-service AppStdout "c:\path\to\jar-diretory\my-java-service.out"
rem Redirect syserr to file
nssm set my-java-service AppStderr "c:\path\to\jar-diretory\my-java-service.err"
rem Enable redirection files rotation
nssm set my-java-service AppRotateFiles 1
rem Rotate files while service is running
nssm set my-java-service AppRotateOnline 1
rem Rotate files when they reach 10MB
nssm set my-java-service AppRotateBytes 10485760
rem Stop service when my-java-service exits/stop
nssm set my-java-service AppExit Default Exit
rem Restart service when my-java-service exits with code 2 (self-update)
nssm set my-java-service AppExit 2 Restart
rem Set the display name for the service
nssm set my-java-service DisplayName "My JAVA Service"
rem Set the description for the service
nssm set my-java-service Description "Your Corp"
rem Remove old rotated files (older than 30 days)
nssm set my-java-service AppEvents Rotate/Pre "cmd /c forfiles /p \"c:\path\to\jar-diretory\" /s /m \"my-java-service-*.*\" /d -30 /c \"cmd /c del /q /f @path\""
rem Make a copy of my-java-service.jar to snapshot.jar to leave the original JAR unlocked (for self-update purposes)
nssm set my-java-service AppEvents Start/Pre "cmd /c copy /y \"c:\path\to\jar-diretory\my-java-service.jar\" \"c:\path\to\jar-diretory\snapshot.jar\""
언급URL : https://stackoverflow.com/questions/24124062/spring-boot-jar-as-windows-service
'source' 카테고리의 다른 글
존재함/존재하지 않음: 'select 1' vs 'select field' (0) | 2023.07.06 |
---|---|
Oracle 함수가 있는 문자열에서 숫자 추출 (0) | 2023.07.06 |
node.js에서 모듈 'mongodb'를 찾을 수 없습니다. (0) | 2023.07.06 |
COALESCE 내부에서 SELECT 사용 (0) | 2023.07.06 |
루비에 있는 각각의 자동 카운터? (0) | 2023.07.06 |