在第一个教程 Hello World 与 Spring Boot 中,我们学习了如何从命令行创建第一个 Spring Boot 应用程序**。** 在本教程中,我们将学习如何使用称为 * 的云应用程序快速创建 Spring Boot 应用程序*Spring Boot 初始化程序**。
Spring Initializr 在此地址可用: http://start.spring.io 。
您需要为您的构建类型(Maven o Gradle)输入所需的参数,以及您要使用的 Spring Boot 版本。在左侧,您可以指定项目元数据。通过单击“切换到完整版本”,您可以添加额外的参数,例如最终将添加到您的项目构建中的包。
在右侧,您可以添加项目所需的依赖项。如果您已切换到“完整版”,您将能够看到所有可用依赖项的列表。由于我们需要 REST 服务,这将是我们的选择:
点击 Generate Project 下载项目。
现在您可以在 IDE 中加载项目。我们将使用 IntelliJ 的社区版,可在 https://www.jetbrains.com/idea/ .Once 下载,只需解压即可使用它。现在选择“Import Project”在其中加载 Spring Boot 项目:
指向您保存 Spring Boot 项目的文件夹:(在我们的示例中为“simplerest”):
选择使用 Maven 作为模型:
这是“项目文件”中的 Spring Boot 项目:
如您所见,项目中已经有一个 Main 类:
package com.example.simplerest;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class SimplerestApplication {
public static void main(String[] args) {
SpringApplication.run(SimplerestApplication.class, args);
}
}
请注意,允许组件扫描的 @SpringBootApplication 注释是 Spring Boot 应用程序的自动配置。事实上,这个注释结合了三个不同的特性:
** **@Configuration:指定一个适合使用 Spring 模型配置应用程序的类。
@ComponentScan:启用组件扫描,以便在应用程序上下文中自动发现 Web 控制器和其他组件并注册为 Bean Spring。
@EnableAutoConfiguration:此注解告诉 Spring Boot 根据添加的 jar 依赖项“猜测”您要如何配置 Spring。例如,如果 HSQLDB 在类路径上并且没有手动配置数据库连接 bean ,Spring会自动在内存中配置一个H2数据库。
有了主类,是时候添加一个控制器以获得 REST 服务了:
package com.example.simplerest;
import java.util.concurrent.atomic.AtomicLong;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;
@RestController
public class Controller {
private static final String template = "Hello, %s!";
@RequestMapping("/greeting")
public String greeting(@RequestParam(value = "name", defaultValue = "World") String name) {
return String.format(template, name);
}
}
@RestController 表示 Response 直接返回,无需模板详述。应用程序已准备就绪,我们可以按如下方式运行它:
$ mvn clean spring-boot:run
从控制台可以看到,应用程序正在启动:
为了测试它,您可以访问以下 URL: http://localhost:8080/greeting?name=(name) :
我们刚刚在几分钟内创建了第一个 Spring Boot 应用程序并将其导入 IntelliJ!
版权说明 : 本文为转载文章, 版权归原作者所有 版权申明
内容来源于网络,如有侵权,请联系作者删除!