依赖继承
在一个大型Maven项目中,往往包含多个子项目,而这些子项目很有可能都引用了相同的依赖,所以可以在parent pom中进行依赖的设置,以便子项目进行继承,进而减少重复的设置。
例如在parent pom中添加spring-boot-starter-web依赖,那么所有子项目就都获得了这个依赖。
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
</dependencies>
选择性继承
但是在有些情况下,有可能只有一部分子项目需要这个依赖,其他子项目是不需要的,这时候在parent pom中直接添加dependency就不合适了,因为它会被所有的子项目直接继承。如果我们需要选择性继承,则可以使用profile。
首先,我们在parent pom中添加一个profile,在profile中我们设置依赖。
<profiles>
<profile>
<id>web</id>
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
</dependencies>
</profile>
</profiles>
接下来需要设置何时激活profile,来达到选择性继承的目的。
property activation的bug
profile的激活有很多种,一眼看上去最合适的就是property,官方文档上对它如下说明
property: The profile will activate if Maven detects a property (a value which can be dereferenced within the POM by ${name}) of the corresponding name=value pair.
那么假设如下的profile
<profiles>
<profile>
<id>web</id>
<activation>
<property>
<name>type</name>
<value>web</value>
</property>
</activation>
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
</dependencies>
</profile>
</profiles>
那么在需要这个依赖的子项目中设置以下properties不就好了么?
<properties>
<type>web</type>
</properties>
然而事实证明想多了,这个properties只能是system property。
https://issues.apache.org/jira/browse/MNG-6851
最终实现选择性继承
这样只能考虑用file来进行选择性依赖了。
<profiles>
<profile>
<id>web</id>
<activation>
<file>
<exists>${basedir}/web</exists>
</file>
</activation>
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
</dependencies>
</profile>
</profiles>
在需要依赖的子项目中建立web文件,就可以获得相关依赖了。