关于如何将JRebel添加到使用Gradle作为构建工具的Spring Boot应用程序中,有一些文档 。 它是基本的,但是效果很好。
您所要做的就是在build.gradle中添加几行:
if (project.hasProperty('rebelAgent')) {bootRun.jvmArgs += rebelAgent
}
然后在gradle.properties中设置属性:
rebelAgent=-agentpath:[path/to/JRebel library]
但是,有几种方法可以对此进行改进。
使JRebel成为可选
例如,如果每次使用' bootRun'启动应用程序时都不总是想要JRebel怎么办? 像Intellij IDEA这样的IDE的JRebel插件足够聪明,可以让您选择是否使用JRebel来运行您的应用程序
这样做有几种方法,但是一种方法是在可选任务中添加JRebel启动配置。
task addRebelAgent << {if (project.hasProperty('rebelAgent')) {bootRun.jvmArgs += rebelAgent}elseprintln 'rebelAgent property not found'
}task rebelRun(dependsOn: ['addRebelAgent', 'bootRun'])
现在运行“ bootRun”将正常启动该应用程序,如果您想要JRebel,请改用“ rebelRun”任务。 如果'rebelAgent'属性不可用,我还添加了一条调试消息。
另一种方法是将可选属性传递给“ bootRun”任务,以用作是否添加JRebel的标志。
if (project.hasProperty('rebelAgent') &&project.hasProperty('addJRebel')) {bootRun.jvmArgs += rebelAgent
}
然后,要使用JRebel,您只需添加多余的属性。
gradle bootRun -PaddJRebel = true
寻找叛军基地
在属性文件中放置JRebel库的路径以用作代理,可使多个开发人员拥有自己的版本。 但是,路径仍然是硬编码的,如果可能的话,应该避免这种情况。
指定路径的另一种方法是使用系统环境变量来指向JRebel的安装位置。 JetBrains建议使用REBEL_BASE 。 设置完成后,您可以通过多种方式使用环境变量,例如Gradle构建文件,命令行,构建脚本等。
这是一个示例,该示例使用了我之前在Windows 64计算机上使用的其他“ addRebelAgent”任务。
task addRebelAgent << {project.ext {rebelAgent = "-agentpath:${System.env.REBEL_BASE}${rebelLibPath}"}if (project.hasProperty('rebelAgent')) {bootRun.jvmArgs += rebelAgent}elseprintln 'rebelAgent property not found'
}task rebelRun(dependsOn: ['addRebelAgent', 'bootRun'])
在gradle.properties中,我从JRebel安装位置指定了到代理库的路径。
rebelLibPath=\\lib\\jrebel64.dll
我在这里所做的只是在REBEL_BASE环境变量的'rebelAgent'属性中构建路径,以及另一个指定库的内部路径的属性。
rebelAgent = "-agentpath:${System.env.REBEL_BASE}${rebelLibPath}"
翻译自: https://www.javacodegeeks.com/2018/02/jrebel-gradle-spring-boot-app.html