通过示例jhipster-sample-app我如何管理多个配置文件,假设相同的应用程序将安装在具有不同配置的多台计算机中?
由于部署将使用apache tomcat进行,并且可以运行一个或多个基于jhipster的应用程序,我想避免使用
-Dspring.profiles.active = MY_PROFILE
在JAVA_OPTS变量中。
也可能在同一个tomcat实例上运行具有不同配置文件的相同应用程序。
答案 0 :(得分:4)
为配置应用程序配置文件以支持dev,test,prod等不同环境是一个坏主意。
让我们假设你已经定义了简单的三个配置文件,如dev,test,prod。所以现在你为这样的dev
环境构建:
mvn -Pdev clean package
好了,现在你可以拿走你的工件并进行部署。下次你需要测试环境时,你必须这样:
mvn -Ptest clean package
您可以拍摄您的工件并进行部署。但是,如果您想为两个环境或三个环境创建会发生什么?
mvn -Pdev,test,prod clean package
这通常会失败,导致处理不同的配置文件以产生三种不同的工件非常棘手(并且在相同的区域中是不可能的)。所以最好的做法是删除配置文件,让你的构建产生于:
mvn clean package
你需要一个dev开发包,一个用于测试,一个用于prod。
One solution是创建一个这样的项目结构:
.
|-- pom.xml
`-- src
|-- main
| |-- java
| |-- resources
| |-- environment
| | |-- test
| | | `-- database.properties
| | |-- qa
| | | `-- database.properties
| | `-- production
| | `-- database.properties
| `-- webapp
不同的文件夹和属性文件是占位符,只是为了显示路径。 接下来,每个环境需要一个assembly-descriptor,如下所示:
<assembly xmlns="http://maven.apache.org/plugins/maven-assembly-plugin/assembly/1.1.0"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/plugins/maven-assembly-plugin/assembly/1.1.0 http://maven.apache.org/xsd/assembly-1.1.0.xsd">
<id>test</id>
<formats>
<format>war</format>
</formats>
<includeBaseDirectory>false</includeBaseDirectory>
<dependencySets>
<dependencySet>
<unpack>true</unpack>
<useProjectArtifact>true</useProjectArtifact>
</dependencySet>
</dependencySets>
<fileSets>
<fileSet>
<outputDirectory>WEB-INF</outputDirectory>
<directory>${basedir}/src/main/environment/test/</directory>
<includes>
<include>**</include>
</includes>
</fileSet>
</fileSets>
</assembly>
最后你需要像这样配置maven-assembly-plugin:
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-assembly-plugin</artifactId>
<executions>
<execution>
<id>test</id>
<phase>package</phase>
<goals>
<goal>single</goal>
</goals>
<configuration>
<descriptors>
<descriptor>${project.basedir}/src/main/assembly/test.xml</descriptor>
</descriptors>
</configuration>
</execution>
<execution>
<id>qa</id>
<phase>package</phase>
<goals>
<goal>single</goal>
</goals>
<configuration>
<descriptors>
<descriptor>${project.basedir}/src/main/assembly/qa.xml</descriptor>
</descriptors>
</configuration>
</execution>
<execution>
<id>production</id>
<phase>package</phase>
<goals>
<goal>single</goal>
</goals>
<configuration>
<descriptors>
<descriptor>${project.basedir}/src/main/assembly/production.xml</descriptor>
</descriptors>
</configuration>
</execution>
</executions>
</plugin>
最后,这将产生以下工件:artifact-VERSION-dev.war
,artifact-VERSION-test.war
和artifact-VERSION-prod.war
,只需一次Maven调用。如果你仔细研究blog article,上面的内容可以更加优雅。