使用弹簧启动的 Maven 模块

2022-09-01 06:40:31

我喜欢通过创建模块来配置我的应用程序,例如;

<groupId>com.app</groupId>
<artifactId>example-app</artifactId>
<version>0.0.1-SNAPSHOT</version>
<packaging>pom</packaging>

<modules>
    <module>app-api</module>
    <module>app-impl</module>
    <module>app-web</module>
</modules>

然后,模块使用“示例应用”作为父级。

现在我想为我的Web应用程序使用“spring-boot”。

有没有办法配置maven,以便我的“app-web”是一个弹簧启动应用程序?

我面临的问题是,你必须使用spring-boot作为父母。


答案 1

您不必使用弹簧启动器-家长,这只是一种快速入门的方法。它提供的只是依赖管理和插件管理。您可以自己同时执行这两项操作,并且如果需要半步,可以使用 spring-boot 依赖项(或等效的父级)来管理依赖项。为此,请使用 scope=import,如下所示

<dependencyManagement>
    <dependencies>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-dependencies</artifactId>
            <type>pom</type>
            <version>1.0.2.RELEASE</version>
            <scope>import</scope>
        </dependency>
    </dependencies>
</dependencyManagement>

答案 2

另一种选择,是在父 pom 中包含 spring boot 的父声明,如本文所示

example-app pom.xml:

<project>
    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>1.2.5.RELEASE</version>
    </parent>
    <modelVersion>4.0.0</modelVersion>
    // rest of the example-app pom declarations
</project>

之后,在模块 poms(app-web、app-impl 等)中,将 example-app 声明为父级,但现在您可以像在常规项目中一样包含初学者依赖项。

app-web pom.xml:

<project>
    <parent>
        <groupId>org.demo</groupId>
        <artifactId>example-app</artifactId>
        <version>1.0-SNAPSHOT</version>
    </parent>
    <modelVersion>4.0.0</modelVersion>
    <name>app-web</name>
    <artifactId>app-web</artifactId>
    <version>1.0-SNAPSHOT</version> 
    <packaging>war</packaging>

    <dependencies>
        <dependency>
            <groupId>org.demo</groupId>
            <artifactId>app-api</artifactId>
            <version>1.0-SNAPSHOT</version> 
        </dependency>
        <dependency>
            <groupId>org.demo</groupId>
            <artifactId>app-impl</artifactId>
            <version>1.0-SNAPSHOT</version> 
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-tomcat</artifactId>
            <scope>provided</scope>
        </dependency>
    </dependencies>
    // rest of the app-web pom declarations
</project>

关于版本管理,我在这些示例中使用的并不完全是最佳实践,但是由于超出了问题的范围,我跳过了依赖项管理和父属性用法。

此外,如果每个模块中都使用了一个启动器,则可以在父 pom 中声明依赖项,然后所有模块都将继承它(例如 spring-boot-starter-test)


推荐