什么是依赖传递?
在maven中,依赖是可以传递的,假设存在三个项目,分别是项目A,项目B以及项目C,假设C依赖B,B依赖A,那么我们可以根据maven项目依赖的特征不难推出项目C也依赖A。
什么是依赖冲突?
大家都要用到一个工具包,由于依赖传递大家都会导入,发现大家导入的工具包版本不统一,就产生了冲突
eg: spring-webmvc-5.3.3依赖spring-beans-5.3.3,而spring-aop-5.0.2依赖spring- beans-5.0.2,但是发现spring-bean-5.0.2加入到了工程中,而我们希望spring-beans-5.3.3加入工程。这就造成了依赖冲突
如何解决依赖冲突
1. 使用maven提供的依赖调解原则
1)第一声明者优先原则
在pom文件中定义依赖,以先声明的依赖为准。其实就是根据坐标导入的顺序来确定最终使用哪个传递过来的依赖,不好用,不推荐
2)路径近者优先原则
在pom文件定义依赖,以路径近者为准。
还是上述情况,spring-aop和spring-webmvc都会传递过来spring-beans,那如果直接把spring-beans的依赖直接写到pom文件中,那么项目就不会再使用其他依赖传递来的spring-beans,因为自己直接在pom中定义spring-beans要比其他依赖传递过来的路径要近
2.排除依赖
可以使用exclusions标签将传递过来的依赖排除出去
1 <dependency> 2 <groupId>org.springframework</groupId> 3 <artifactId>spring-aop</artifactId> 4 <version>5.2.3</version> 5 <exclusions> 6 <exclusion> 7 <groupId>org.springframework</groupId> 8 <artifactId>spring-beans</artifactId> 9 </exclusion> 10 </exclusions> 11 </dependency>
3.锁定版本
采用直接锁定版本的方法确定依赖jar包的版本,版本锁定后则不考虑依赖的声明顺序或依赖的路径以锁定的版本为准添加到工程中
版本锁定的使用方式:
第一步:在dependencyManagement标签中锁定依赖的版本
第二步:在dependencies标签中声明需要导入的maven坐标
1)在dependencyManagement标签中锁定依赖的版本
1 <!--依赖jar包版本锁定--> 2 <dependencyManagement> 3 <dependencies> 4 <dependency> 5 <groupId>org.springframework</groupId> 6 <artifactId>spring-beans</artifactId> 7 <version>5.3.3.RELEASE</version> 8 </dependency> 9 <dependency> 10 <groupId>org.springframework</groupId> 11 <artifactId>spring-context</artifactId> 12 <version>5.3.3.RELEASE</version> 13 </dependency> 14 </dependencies> 15 </dependencyManagement>
注意:pom文件中使用dependencyManagement标签进行依赖jar的版本锁定,并不会真正将jar包导入到项目中,只是对这些jar的版本进行锁定。项目中使用哪些jar包,还需要在dependencies标签中进行声明。
2)在dependencies标签中声明需要导入的maven坐标
1 <dependencies> 2 <!-- 由于前面已经在dependencyManagement标签中锁定了spring-bean和spring-context的版本, 3 此处只需要导入groupdId和artifactId即可,无需再指定version--> 4 <dependency> 5 <groupId>org.springframework</groupId> 6 <artifactId>spring-beans</artifactId> 7 </dependency> 8 <dependency> 9 <groupId>org.springframework</groupId> 10 <artifactId>spring-context</artifactId> 11 </dependency> 12 </dependencies>
eg: