其他分享
首页 > 其他分享> > springboot官方文档解读

springboot官方文档解读

作者:互联网

官网地址:https://docs.spring.io/spring-boot/docs/2.7.3/reference/htmlsingle/

1 第一个springboot项目

我们在一个路径下面创建pom.xml文件

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
    <modelVersion>4.0.0</modelVersion>

    <groupId>com.example</groupId>
    <artifactId>myproject</artifactId>
    <version>0.0.1-SNAPSHOT</version>

    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>2.7.3</version>
    </parent>

    <!-- Additional lines to be added here... -->

</project>

这个pom文件是maven的一个配置文件,里面涵盖了项目结构和依赖。

其中spring-boot-starter-parent中为我们提供了很多maven默认配置,比如所打包插件,或者可能用到的依赖等等。

然后,我们可以使用mvn package命令对项目进行打包。我们将会在项目根目录下生成target目录,且在target目录下会生成一个jar包。

 

 

 上面,我们还没有引入任何依赖。当我们运行mvn dependency:tree命令,我们可以看到项目的依赖关系

 

 

 如果我们需要创建的是一个web项目,则我们需要引入spring-boot-starter-web依赖。

<dependencies>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-web</artifactId>
    </dependency>
</dependencies>

注:springboot中为我们提供了很多starter,我们引入不同的starter会创建不同类型的应用。

我们再次查看依赖关系,此时依赖就和上面不一样了。

 

 

我们看到,我们引入了starter依赖后,项目会自动为我们加载springmvc、spring-autoconfigure、tomcat相关的jar包。通过这里我们可以体会一下starter的作用。

maven默认源码路径为:src/main/java,为什么?这属于maven的范畴,这里不做细究,只做一下说明:使用mvn help:effective-pom命令我们可以得到项目的一个整体pom,在这个pom中我们可以看到其源码路径:

 

 

我们在源码路径下面创建java启动类

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.EnableAutoConfiguration;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

@RestController
@EnableAutoConfiguration
public class MyApplication {

    @RequestMapping("/")
    String home() {
        return "Hello World!";
    }

    public static void main(String[] args) {
        SpringApplication.run(MyApplication.class, args);
    }

}

然后,我们运行 mvn spring-boot:run 可以启动项目。

 

 

 然后,我么浏览器访问

 

 

至于为什么使用mvn spring-boot:run启动项目,可以参考https://blog.csdn.net/zzuhkp/article/details/123493071

 

后续内容持续更新中...

 

标签:springboot,spring,boot,springframework,解读,文档,org,我们,starter
来源: https://www.cnblogs.com/zhenjingcool/p/16663830.html