windows服务器下java程序健康检测及假死崩溃后自动重启应用、开机自动启动

这篇具有很好参考价值的文章主要介绍了windows服务器下java程序健康检测及假死崩溃后自动重启应用、开机自动启动。希望对大家有所帮助。如果存在错误或未考虑完全的地方,请大家不吝赐教,您也可以点击"举报违法"按钮提交疑问。

前两天由于项目需要,一个windows上的批处理任务(kitchen.bat),需要接到mq的消息通知后执行,为了快速实现这里我们通过springboot写了一个jar程序,用于接收mq的消息,并调用bat文件。

本程序需要实现的功能

  • 调用windows的批处理脚本bat,并支持传参
  • 可根据配置设置并发,同时消费多个mq消息调用多个批处理脚本
  • 确保java程序能一直正常运行(如果有假死或者宕机了可以自动重启)
  • 批处理脚本执行失败了,则再将信息重新放回到mq的队列尾部,等待下次执行

需要用的技术

  • Java的java.lang.Runtime类 用于调用windows服务器命令
  • 通过环境变量配置程序运行的参数,如mq信息、和执行的批处理脚本命令路径、并发等
  • 通过rabbitmq的手工ack来确定消息是否处理成功,及并发实现
  • 通过actuator来判断java程序是否健康
  • 通过windows定时任务来定时检查java程序是否正常提供服务,如果不正常则触发重启jar应用
  • 通过maven+ant打包程序,将可执行程序jar及相关脚本打包成一个zip文件,方便发给使用方使用

主要实现逻辑

开发环境:jdk1.8 + maven3.x + rabbitmq
运行环境:windows + jre1.8

Java调用bat批处理文件

package cn.iccboy.kitchen.common;

import lombok.extern.slf4j.Slf4j;

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;

/**
 * @author iccboy
 */@Slf4j
public class CmdUtil {

    /**
     * 处理执行进程的流
     *
     * @param inputStream
     * 			  InputStream 执行进程的流
     * @param tag
     * 			  int 标志:1--InputStream;2--ErrorStream
     */
    private static void processStreamHandler(final InputStream inputStream, int tag) {
        // 处理流的线程
        new Thread(() -> {
            String line;
            try (InputStreamReader inputStreamReader = new InputStreamReader(inputStream);
                 BufferedReader bufferedReader = new BufferedReader(inputStreamReader)) {
                while ((line = bufferedReader.readLine()) != null) {
                    if(tag == 1) {
                        log.info(line);
                    } else {
                        log.error(line);
                    }
                }
            } catch (Exception e) {
                log.error("【异常】命令执行异常:{}", e.getMessage());
            }
        }).start();
    }

    public static int exec(String command, String... args) throws IOException {
        String cmd = StrUtil.splicingWithSpace(command, args);
        log.info("执行命令:{}", cmd);
        int ret = 99;
        Process process = Runtime.getRuntime().exec(cmd);

        processStreamHandler(process.getInputStream(), 1);
        processStreamHandler(process.getErrorStream(), 2);

        try {
            ret = process.waitFor();
        } catch (InterruptedException e) {
            log.error("【异常】process.waitFor:{}" , e.getMessage());
        }
        log.info("执行命令:{}, 返回状态码={}", cmd, ret);
        return ret;
    }
}

上面的程序中,一定要注意的是process.getErrorStream()process.getInputStream() 一定要将命令行执行输出的信息(输出流)和错误信息(错误流)都从缓冲区读取出来,不然会导致程序执行阻塞。

process的阻塞: 在runtime执行大点的命令中,输入流和错误流会不断有流进入存储在JVM的缓冲区中,如果缓冲区的流不被读取被填满时,就会造成runtime的阻塞。所以在进行比如:大文件复制等的操作时,需要不断的去读取JVM中的缓冲区的流,防止Runtime的死锁阻塞。

程序健康检查

这里通过actuator来实现,首先程序集成actuator,由于是springboot项目,所以很方便。然后通过一个简单的java程序(CheckActuator)来访问actuator的http地址,通过返回值来判断jar程序是否运行正常,然后通过windows的脚本(checkHealth.bat)来调用CheckActuator,根据返回值在进行java程序的重启等操作。

1. pom.xml增加actuator及prometheus的配置

	<dependency>
		<groupId>org.springframework.boot</groupId>
		<artifactId>spring-boot-starter-actuator</artifactId>
	</dependency>
	<dependency>
		<groupId>io.micrometer</groupId>
		<artifactId>micrometer-registry-prometheus</artifactId>
	</dependency>

上的版本会根据springboot对应版本自动集成
2. 配置actuator
在application.yml中增加如下配置

management:
  health:
    rabbit:
      enabled: true
  endpoints:
    web:
      exposure:
        include: ["prometheus","health"]
  endpoint:
    health:
      show-details: always
  metrics:
    export:
      prometheus:
        enabled: true
      jmx:
        enabled: true

3. 编写CheckActuator.java程序
当然也可以通过windows的批处理命令直接访问actuator的地址,来判断服务是否正常。

/**
 * 注意:该类不能删除!!!! 不能改名!!!!不能移动位置!!!!
 */
import java.io.BufferedReader;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.net.URL;
import java.net.URLConnection;


/**
 * ===================================================
 * 注意:该类不能删除!!!! 不能改名!!!!不能移动位置!!!!
 *
 * 该类用于检查程序是否健康(通过actuator进行判断是否健康)
 *
 * 主要供脚本checkHealth.bat进行调用
 * ===================================================
 */
public class CheckActuator {
	private static final String HEALTH_FLAG = "\"status\":\"UP\"";

    public static void main(String[] args) {
		String url = "http://127.0.0.1:8000/actuator/health";
		if(args != null && args.length != 0) {
			url = args[0];
		}
		testUrlWithTimeOut(url);
    }

	public static void testUrlWithTimeOut(String urlString){
		int timeOutMillSeconds = 2000;
		URL url;
		try {
			url = new URL(urlString);
			URLConnection conn =  url.openConnection();
			conn.setConnectTimeout(timeOutMillSeconds);
			conn.connect();
			InputStream in = conn.getInputStream();
			BufferedReader reader = new BufferedReader(  new InputStreamReader(in));
			String line;
			StringBuilder sb = new StringBuilder();
			while ((line = reader.readLine()) != null) {
				sb.append(line);
			}
			boolean healthFlag = sb.toString().contains(HEALTH_FLAG);
			if(healthFlag) {
				System.exit(0);
			} else {
				System.out.println("健康检查异常:" + sb);
				System.exit(1);
			}
		} catch (Exception e) {
			System.out.println("网络连接异常: e=" + e.getMessage());
			System.exit(1);
		}
	}
}

我将上面的CheckActuator.java文件放到maven项目的test/java/跟目录下,后面会通过ant命令将.class移动到指定位置

  1. 健康检测脚本checkHealth.bat

上面的springboot项目会通过http服务,其运行的端口是8000,下面脚本会通过8000端口来获取对应的进程pid

::存活监控!
@echo off
set strPath=%~dp0
echo %strPath%
mkdir %strPath%log
set "yMd=%date:~0,4%-%date:~5,2%-%date:~8,2% %time:~0,8%"
set strFile=%strPath%log/checkHealth-%date:~0,4%%date:~5,2%%date:~8,2%.log
java -classpath %strPath% CheckActuator
if ERRORLEVEL 1 (goto err) else (goto ok)
 
:err
echo %yMd% 程序连接失败,进行重启! >> %strFile%
set port=8000
for /f "tokens=1-5" %%i in ('netstat -ano^|findstr ":%port%"') do (
    echo kill the process %%m who use the port 
    taskkill /pid %%m -t -f   
)
goto start
exit 
 
:ok
echo %yMd% 程序运行正常 >> %strFile%
exit 
:start
chcp 65001
setlocal enabledelayedexpansion
set filename=""
for /f %%a in ('dir strPath *.jar /o-d /tc /b ') do (
    set filename=%%~na%%~xa
    echo 文件名: !filename!, 最新创建时间: %%~ta >> %strFile%
    if not !filename! == ""  (
        goto startjar
    )
)
:startjar
rem 注释:查找最新文件结束,最新文件名为:%filename%
java -jar %strPath%%filename%

windows定时任务配置

  1. 新增-健康检查定时任务.bat
@echo off
set strPath=%~dp0
set checkBat=%strPath%checkHealth.bat
schtasks /create /tn xxx-health-check /tr %checkBat% /sc minute /mo 2
pause

上面的xxx-health-check是定时任务的名字; /sc minute /mo 2 表示每2分钟执行一次命令。上面是通过命令配置的定时任务,也可以通过windows的图形管理界面【计划任务】配置。

  1. 移除-健康检查定时任务.bat
@echo off
pause
schtasks /delete /tn xxx-health-check /f
pause
  1. 查看-健康检查定时任务.bat
@echo off
schtasks /query /V /FO LIST   /tn xxx-health-check
pause

通过windows环境变量设置java程序的配置

application.yml 部分配置如下:

server:
  port: ${K_PORT:8000}
  servlet:
    context-path: /
spring:
  application:
    name: xxx
  rabbitmq:
    host: ${K_MQ_HOST:172.18.1.100}
    password: ${K_MQ_PASSWORD:123456}
    port: ${K_MQ_PORT:5672}
    username: ${K_MQ_USERNAME:mq}
    connection-timeout: 15000
    listener:
      simple:
        acknowledge-mode: manual #开启手动ACK
        concurrency: ${K_WORKS:1} # 并发
        max-concurrency: ${K_WORKS:1} # 最大并发
        prefetch: 1 # 每个消费每次预去取几个消息
  jackson:
    date-format: yyyy-MM-dd HH:mm:ss
    time-zone: GMT+8

shell:
  paths: ${K_BAT_PATHS:C:\invoke.bat}

可通过设置系统的环境变量来改变配置,可设置的变量包含:

变量 说明 默认值
K_PORT 程序运行的http服务端口 8000
K_MQ_HOST rabbitmq 服务ip 172.18.1.100
K_MQ_PORT rabbitmq 服务端口 5672
K_MQ_USERNAME rabbitmq 用户名 mq
K_MQ_PASSWORD rabbitmq 密码 123456
K_BAT_PATHS bat脚本路径,可以配置多个,通过英文逗号分隔,配置多个就会启动多个消费者,如:C:\invoke_1.bat,C:\invoke_2.bat C:\invoke.bat
K_WORKS 每个消费者的并发数。如:K_BAT_PATHS配置了3个命令,K_WORKS 配置了 2 ,这表示有3*2=6个消费者 1

消费mq消息并执行bat文件

package cn.iccboy.kitchen.mq;

import cn.iccboy.kitchen.common.CmdUtil;
import cn.iccboy.kitchen.common.ThreadUtil;
import com.rabbitmq.client.Channel;
import com.rabbitmq.client.MessageProperties;
import lombok.Setter;
import lombok.extern.slf4j.Slf4j;
import org.springframework.amqp.rabbit.annotation.RabbitListener;
import org.springframework.amqp.support.AmqpHeaders;
import org.springframework.messaging.Message;
import org.springframework.messaging.handler.annotation.Headers;

import java.io.IOException;
import java.nio.charset.StandardCharsets;
import java.util.Map;

import static cn.iccboy.kitchen.mq.TopicRabbitMqConfig.EXCHANGE_DATA;
import static cn.iccboy.kitchen.mq.TopicRabbitMqConfig.KEY_INDEX_PROCESS;

/**
 * @author iccboy
 * @date 2023-08-05 15:35
 */
@Slf4j
public class CmdMqReceive {

    @Setter
    private String batPath;

    @Setter
    private Integer seq;

    @RabbitListener(queues = TopicRabbitMqConfig.QUEUE_INDEX_PROCESS)
    public void receive(Message<String> message, @Headers Map<String,Object> headers, Channel channel) throws IOException {
        long deliveryTag = (long) headers.get(AmqpHeaders.DELIVERY_TAG);
        try {
            log.info("[start]第{}执行器,消息内容:{}", seq, message.getPayload());
            int status = CmdUtil.exec(batPath, message.getPayload());
            if(status != 0) {
                log.info("[err_1]第{}执行器,消息内容:{}加工脚本执行异常,状态码={}",seq, message.getPayload(), status);
                throw new RuntimeException("脚本执行异常");
            }
            log.info("[end]第{}执行器执行完成:{}", seq, message.getPayload());
        } catch (Exception e) {
            ThreadUtil.sleep(1000);
            log.error("[err]第{}执行器,执行异常重新进入队列:{}", seq, message.getPayload(), e);
            //channel.basicNack(deliveryTag, false, true);
            // 将处理错误的消息放到重新队列尾部
            channel.basicPublish(EXCHANGE_DATA,
                    KEY_INDEX_PROCESS, MessageProperties.PERSISTENT_TEXT_PLAIN, message.getPayload().getBytes(StandardCharsets.UTF_8));

        } finally {
            // 确认已处理
            channel.basicAck(deliveryTag,false);
        }
    }

}

通过批处理命令配置个数,动态生成对应个数消费者

package cn.iccboy.kitchen.mq;

import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.MutablePropertyValues;
import org.springframework.beans.factory.support.BeanDefinitionRegistry;
import org.springframework.beans.factory.support.RootBeanDefinition;
import org.springframework.context.EnvironmentAware;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.Import;
import org.springframework.context.annotation.ImportBeanDefinitionRegistrar;
import org.springframework.core.env.Environment;
import org.springframework.core.type.AnnotationMetadata;

import java.util.List;

@Slf4j
@Configuration
@Import(DynamicBuildMqReceiveBean.ImportConfig.class)
public class DynamicBuildMqReceiveBean {
    public static class ImportConfig implements ImportBeanDefinitionRegistrar, EnvironmentAware {
        private List<String> batPaths;

        @Override
        public void setEnvironment(Environment environment) {
            try {
                batPaths = environment.getProperty("shell.paths", List.class);
            } catch (Exception ex) {
                log.error("参数绑定", ex);
            }
        }

        @Override
        public void registerBeanDefinitions(AnnotationMetadata importingClassMetadata, BeanDefinitionRegistry registry) {
            int seq = 0;
            for (String batPath : batPaths) {
                seq++;
                // 注册bean
                RootBeanDefinition beanDefinition = new RootBeanDefinition();
                beanDefinition.setBeanClass(CmdMqReceive.class);
                MutablePropertyValues values = new MutablePropertyValues();
                values.addPropertyValue("batPath", batPath);
                values.addPropertyValue("seq", seq);
                beanDefinition.setPropertyValues(values);
                registry.registerBeanDefinition(CmdMqReceive.class.getName() + "#" + seq, beanDefinition);
            }
        }
    }
}

上面通过ImportBeanDefinitionRegistrar的方式 实现了动态bean的生成

通过maven的ant插件实现打包

在项目的 pom.xml文件中增加如下配置

	<build>
		<plugins>
			<plugin>
				<groupId>org.springframework.boot</groupId>
				<artifactId>spring-boot-maven-plugin</artifactId>
			</plugin>
			<plugin>
				<groupId>org.apache.maven.plugins</groupId>
				<artifactId>maven-antrun-plugin</artifactId>
				<version>1.8</version>
				<executions>
					<execution>
						<id>clean</id>
						<phase>clean</phase>
						<configuration>
							<target>
								<delete file="${basedir}/shell/CheckActuator.class"/>
							</target>
						</configuration>
						<goals>
							<goal>run</goal>
						</goals>
					</execution>
					<execution>
						<id>test-compile</id>
						<phase>test-compile</phase>
						<configuration>
							<target>
								<copy overwrite="true" file="${project.build.directory}/test-classes/CheckActuator.class"
									  todir="${basedir}/shell" />
							</target>
						</configuration>
						<goals>
							<goal>run</goal>
						</goals>
					</execution>
					<execution>
						<id>package</id>
						<phase>package</phase>
						<configuration>
							<target>
								<delete dir="${project.build.directory}/kitchen-mq-bin"/>
								<mkdir dir="${project.build.directory}/kitchen-mq-bin"/>
								<copy todir="${project.build.directory}/kitchen-mq-bin" overwrite="true">
									<fileset dir="${basedir}/shell" erroronmissingdir="false">
										<include name="*"/>
									</fileset>
								</copy>
								<copy overwrite="true" file="${project.build.directory}/${project.name}-${project.version}.jar" todir="${project.build.directory}/kitchen-mq-bin" />
								<zip destfile="${basedir}/kitchen-mq-bin.zip">
									<fileset dir="${project.build.directory}/kitchen-mq-bin">
										<include name="*"/>
									</fileset>
								</zip>
							</target>
						</configuration>
						<goals>
							<goal>run</goal>
						</goals>
					</execution>
				</executions>
			</plugin>
		</plugins>
	</build>

项目结构如下图:
windows服务器下java程序健康检测及假死崩溃后自动重启应用、开机自动启动,Java,Step by Step,运维,windows,java,运维
获取执行包

  1. 执行打包命令mvn clean package
  2. 上面命令执行完成后,在项目的跟目录会产生一个压缩包kitchen-mq-bin.zip,将压缩包直接拷贝到目标服务器,解压即可。
  3. 解压后,直接执行新增-健康检查定时任务.bat即可。2分钟后就会启动程序。

下图是执行命令后,多出的 zip文件包,以及包里面的文件
windows服务器下java程序健康检测及假死崩溃后自动重启应用、开机自动启动,Java,Step by Step,运维,windows,java,运维windows服务器下java程序健康检测及假死崩溃后自动重启应用、开机自动启动,Java,Step by Step,运维,windows,java,运维文章来源地址https://www.toymoban.com/news/detail-660251.html

到了这里,关于windows服务器下java程序健康检测及假死崩溃后自动重启应用、开机自动启动的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处: 如若内容造成侵权/违法违规/事实不符,请点击违法举报进行投诉反馈,一经查实,立即删除!

领支付宝红包 赞助服务器费用

相关文章

  • windows Server【开机启动和任务计划程序】实现服务器重启后项目自启动

    有些时候我们希望计算机开机后就启动一些服务或应用程序。 使用 Win+R 调出运行,输入: 1️⃣ shell:startup 用户开机自启动(程序开机自启动只针对当前登录的用户) 打开的目录为 C:UsersAdministratorAppDataRoamingMicrosoftWindowsStart MenuProgramsStartup 2️⃣ shell:common startup 系统开

    2024年02月08日
    浏览(58)
  • 保姆级!如何在Window Server服务器上用tomcat部署java web项目

    首先,打开idae软件(我项目用的idea,也可以其他)导入你的项目,然后运行项目,确保项目能在localhost:8080,即在本地上运行。 确保能在本地上运行,且项目所有的已实现的功能没有bug,多测试几次。 然后打包项目,在打包前,看看数据库的.sql文件放在哪个位置(如果有的

    2024年02月06日
    浏览(52)
  • windows系统服务器在不解锁屏幕不输入密码的前提下,电脑通电开机启动程序。

    在控制面板中找到“管理工具”中的 “任务计划程序”,打开“任务计划程序”窗口。如图:   双击打开任务计划程序,空白出右键创建基本任务,或者点击最右侧的创建基本任务。  输入名称,点击下一步。 先选择计算机启动时,后面会进行改动;点击下一步。 选择启动

    2024年02月04日
    浏览(50)
  • Jenkins + Docker + Maven + Windows 一键部署 Spring Boot 程序到远程 Linux 服务器

    本地:Windows 10 ; 本地:Jenkins + Publish Over SSH 插件; 本地:Maven ; 远程:Linux ; 远程:Docker ; 准备步骤 使用 Dockerfile 构建镜像; 基本思路 第一步:使用 mvn clean package -DskipTests 打包 Spring Boot 程序为 jar 包; 第二步:使用 Windows 命令将 jar 包复制到 jenkins 项目工作目录;

    2024年02月12日
    浏览(66)
  • Java Websocket发送文件给Vue客户端接收并上传,实现检测U盘插入并将指定文件上传到服务器功能

    应用环境: B/S架构 需求描述: 1、判断U盘接入 2、扫描U盘指定文件,将满足条件的文件发送给服务器 解决思路: 1、因为bs架构,无法获取本机资源,计划在U盘所在服务器部署websocket服务 2、websocket服务扫描u盘,拿到指定文件,使用session.getBasicRemote().sendBinary(data)分批发送二

    2024年01月15日
    浏览(56)
  • 课堂签到微信小程序的设计与实现 服务器Java+MySQL(附源码 调试 文档)

    摘要 本文介绍了一种《课堂签到微信小程序的设计与实现》。该系统分为三种用户角色,分别是管理员、教师和学生。管理员主要负责班级管理、学生管理、教师管理、课程管理、签到管理、请假管理和系统管理;教师用户主要进行注册登录、学生信息查看、课程信息查看、

    2024年02月05日
    浏览(46)
  • Linux基线安全检测-服务器安全配置检测

    众所周知,服务器的安全配置是我们安全生产环境中很重要也是最为“硬性”的第一步; 譬如说,一个服务器创建好之后,它没有禁止空密码登录,那岂不是“人人都可以踩它两脚”,随便一个人都可以登录进去然后干一些“见不的人”的事情,因此,我们要打好第一枪,在

    2024年03月26日
    浏览(57)
  • windows 11 已成功与服务器建立连接,但是在登录过程中发生错误。 (provider: ssl 提供程序, error: 0 - 远程主机强迫关闭了一个现有的连接。)

    目录 问题说明: 解决方法: 操作步骤:  查看结果命令:  windows 11 更新后无法链接windows 2003 系统的mssql  微软说明 反正我是看不懂,倒腾老半天我的电脑保留如下图协议问题解决。  右键点击windows图标-》打开 终端(管理员)把命令贴上就好了。  解决方法 重启sql ser

    2024年02月12日
    浏览(51)
  • 三方检测-服务及服务器扫描问题及处理方案

    (1)所有中间件、软件,在部署的时候必须增加账号密码限制,且密码不能为弱密码 (2)所有中间件、软件,在部署前,一定要更新到最新的小版本,不要用旧的小版本部署 (3)各类软件提前准备好相关配置 JAVA JMX agent不安全的配置漏洞【原理扫描】 详细描述 在远程主机

    2024年02月01日
    浏览(48)
  • Java鹰眼轨迹服务 轻骑小程序 运动健康与社交案例

    Java地图专题课 基本API BMapGLLib 地图找房案例 MongoDB 鹰眼轨迹服务概述 鹰眼是一套 轨迹管理服务,提供各端SDK和API供开发者便捷接入 ,追踪所管理的车辆/人员等运动物体。 基于鹰眼提供的接口和云端服务,开发者可以迅速 构建一套完全属于您自己的完整、精准且高性能的轨

    2024年02月13日
    浏览(30)

觉得文章有用就打赏一下文章作者

支付宝扫一扫打赏

博客赞助

微信扫一扫打赏

请作者喝杯咖啡吧~博客赞助

支付宝扫一扫领取红包,优惠每天领

二维码1

领取红包

二维码2

领红包