1 Pom文件

1.1 spring-boot-starter-parent

表示当前pom文件从spring-boot-starter-parent继承下来,在spring-boot-starter-parent中提供了很多默认配置,可以简化我们的开发。

<parent>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-parent</artifactId>
<version>2.1.4.RELEASE</version>
<relativePath/> <!-- lookup parent from repository -->
</parent>
  • Java版本和编码方式
<properties>
<project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding>
<java.version>1.8</java.version>
<resource.delimiter>@</resource.delimiter>
<maven.compiler.source>${java.version}</maven.compiler.source>
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
<maven.compiler.target>${java.version}</maven.compiler.target>
</properties>
  • 依赖管理spring-boot-dependencies
<properties>
<activemq.version>5.15.9</activemq.version>
<antlr2.version>2.7.7</antlr2.version>
<appengine-sdk.version>1.9.73</appengine-sdk.version>
<artemis.version>2.6.4</artemis.version>
...
</properties>

这样比如使用starter-web的时候就不需要指定版本号

<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
<version>2.1.4.RELEASE</version>
</dependency>
  • 使用自己的parent项目

这时候将依赖管理的问题放到dependencyManagement中。

官网说明文档见:13.2.2 Using Spring Boot without the Parent POM

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

1.2 打包管理

使用mvn package打包的plugin。

<build>
<plugins>
<plugin>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-maven-plugin</artifactId>
</plugin>
</plugins>
</build>

1.3 Starters

官网见:13.5 Starters

Starters are a set of convenient dependency descriptors that you can include in your application. You get a one-stop shop for all the Spring and related technologies that you need without having to hunt through sample code and copy-paste loads of dependency descriptors. For example, if you want to get started using Spring and JPA for database access, include the spring-boot-starter-data-jpa dependency in your project.
  • 官方starter命名

spring-boot-starter-*

  • 自定义starter命名

thirdpartyproject-spring-boot-starter

  • spring-boot-web-starter

查看其diagram,可以排除某个依赖

<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
<exclusions>
<exclusion>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-tomcat</artifactId>
</exclusion>
</exclusions>
</dependency>

2 XXXApplication

2.1 @SpringBootApplication

官网见:18. Using the @SpringBootApplication Annotation

等同于@EnableAutoConfiguration,@ComponentScan和@Configuration

2.2 SpringApplication.run

官网见:23. SpringApplication

3 配置文件

3.1 初步感受

server.port=9090

3.2 yml文件

application.yml

3.3 给属性注入值

  • 实体类Person和IDCard
public class Person {
private String name;
private int age;
private Date birthday;
private String[] hobbies;
private IDCard idCard;
...
}
public class IDCard {
private int id;
private String number;
}
  • yml注入写法
person:
name: Jack
age: 17
birthday: 1997/06/01
hobbies: [code,sing,share]
idCard:
id: 1
number: 111
  • Person类增加注解
@Component
@ConfigurationProperties(prefix="person")
  • 测试
@Autowired
private Person person;

如果Person类上报错,在Pom文件中加入如下依赖

<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-configuration-processor</artifactId>
</dependency>

4 处理动静态资源

4.1 动态资源

官网见:90.2 Reload Templates without Restarting the Container

  • templates

resources目录下有一个templates文件夹,可以将动态资源放到其中

  • 引入thymeleaf
<!--thymeleaf的jar包-->
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-thymeleaf</artifactId>
</dependency>
  • templates下新建test.html文件
<html xmlns:th="http://www.thymeleaf.org">
<head>
</head>
<body>
<span style="color:red; font-size:30pt" th:text="${str}"></span>
</body>
  • controller中return test
@Controller
@RequestMapping("/gupao")
public class GupaoController {
@RequestMapping("/hello")
public String hello(Model model){
String str="hello spring boot";
//想要动态的显示在网页当中
model.addAttribute("str",str);
//接下来的页面是能够动态显示传过来的数据
return "test";
}
}

4.2 静态资源

  • static文件夹

在resources目录下有一个static文件夹,可以将静态资源放到其中,浏览器可以直接访问。

  • 静态资源其他存放文件夹
"classpath:/META-INF/resources/"
"classpath:/resources/"
"classpath:/static/"
"classpath:/public/"
  • WebMvcAutoConfiguration源码分析

WebMvcAutoConfiguration--->WebMvcAutoConfigurationAdapter.addResourceHandlers(xxx)--->

this.resourceProperties.getStaticLocations()
return this.staticLocations;
private String[] staticLocations = CLASSPATH_RESOURCE_LOCATIONS;
private static final String[] CLASSPATH_RESOURCE_LOCATIONS = {
"classpath:/META-INF/resources/", "classpath:/resources/",
"classpath:/static/", "classpath:/public/" };
  • 自定义静态资源文件夹

观察

@ConfigurationProperties(prefix = "spring.resources", ignoreUnknownFields = false)
public class ResourceProperties {

配置application.properties

spring.resources.static-locations=classpath:/gupao/

5 整合MyBatis

5.1 需求

通过Spring Boot Web项目api接口的方式,整合MyBatis实现crud的操作。

5.2 创建Spring Boot Web项目

重温一下web项目创建的过程。

5.3 引入项目中需要的starter依赖

<dependency>
<groupId>mysql</groupId>
<artifactId>mysql-connector-java</artifactId>
</dependency>
<dependency>
<groupId>org.mybatis.spring.boot</groupId>
<artifactId>mybatis-spring-boot-starter</artifactId>
<version>1.3.1</version>
</dependency>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-thymeleaf</artifactId>
</dependency>

5.4 创建数据库表

db_gupao_springboot--->t_user

5.5 创建domain/User对象

public class User {
private int id;
private String username;
private String password;
private String number;
...
}

5.6 开发dao层

@Repository
@Mapper
public interface UserMapper {
User find(String username);
List<User> list();
int insert(User user);
int delete(int id);
int update(User user);
}

5.7 开发service层

@Service
public class UserService {
@Autowired
public UserMapper userMapper;
public User findByUsername(String username){
return userMapper.find(username);
}
public List<User> listUser(){
return userMapper.list();
}
public int insertUser(User user){
return userMapper.insert(user);
}
public int updateUser(User user){
return userMapper.update(user);
}
public int delete(int id){
return userMapper.delete(id);
}
}

5.8 开发controller层

@RestController
@RequestMapping(value="/user",method = {RequestMethod.GET,RequestMethod.POST})
public class UserController {
@Autowired
private UserService userService;
@RequestMapping("/listone")
@ResponseBody
public User listOne(String username){
return userService.findByUsername(username);
}
@RequestMapping("/listall")
@ResponseBody
public List<User> listAll(){
return userService.listUser();
} @RequestMapping(value="/add",method= RequestMethod.POST)
@ResponseBody
public String add(User user){
int result=userService.insertUser(user);
if(result>=1) {
return "添加成功";
}else{
return "添加失败";
}
}
@RequestMapping(value="/update",method= RequestMethod.POST)
@ResponseBody
public String update(User user){
int result=userService.updateUser(user);
if(result>=1) {
return "修改成功";
}else{
return "修改失败";
}
}
@RequestMapping(value="/delete",method= RequestMethod.GET)
@ResponseBody
public String delete(int id){
int result=userService.delete(id);
if(result>=1) {
return "删除成功";
}else{
return "删除失败";
}
}
}

5.9 resources目录下创建mapper文件夹---UserMapper.xml

<?xml version = "1.0" encoding = "UTF-8"?>
<!DOCTYPE mapper PUBLIC
"-//mybatis.org//DTD com.example.Mapper 3.0//EN"
"http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.csdn.springbootmybatis.dao.UserMapper">
<resultMap id="result" type="com.gupao.springbootmybatis.domain.User">
<result property="username" column="username"/>
<result property="password" column="password"/>
<result property="number" column="number"/>
</resultMap> <select id="find" resultMap="result">
SELECT * FROM t_user where username=#{username}
</select>
<select id="list" resultMap="result">
SELECT * FROM t_user
</select>
<insert id="insert" parameterType="com.gupao.springbootmybatis.domain.User"
keyProperty="id" useGeneratedKeys="true">
INSERT INTO t_user
(
id,username,password,number
)
VALUES (
#{id},
#{username, jdbcType=VARCHAR},
#{password, jdbcType=VARCHAR},
#{number}
)
</insert>
<delete id="delete" parameterType="int">
delete from t_user where id=#{id}
</delete>
<update id="update" parameterType="com.gupao.springbootmybatis.domain.User">
update t_user set user.username=#{username},user.password=#{password},user.number=#{number} where user.id=#{id}
</update>
</mapper>

5.10 application.properties文件配置

#数据源
spring:
datasource:
url: jdbc:mysql://127.0.0.1:3306/boot?useUnicode=true&characterEncoding=UTF-8&serverTimezone=UTC
username: root
password: 123456
driver-class-name: com.mysql.cj.jdbc.Driver
#mybatis托管mapper文件
mybatis:
mapper-locations: classpath:mapper/*.xml

5.11 启动项目测试

  • 查询

http://localhost:8888/user/listone?username=Jack

  • 全部查询

http://localhost:8888/user/listall

  • 增加

http://localhost:8888/user/add?id=3&username=AAA&password=111111&number=300

  • 更新

http://localhost:8888/user/update?id=3&username=BBB

  • 删除

http://localhost:8888/user/delete?id=3

6 项目打包

  • jar包

mvn -Dmaven.test.skip -U clean install

java -jar xxx.jar

  • war包
<groupId>com.csdn</groupId>
<artifactId>springboot-demo2</artifactId>
<version>0.0.1-SNAPSHOT</version>
<packaging>war</packaging>

7 Spring Boot in less than 10 minutes

https://www.youtube.com/watch?v=lhkwLtDIMHI&feature=youtu.be

BUILD ANYTHING WITH SPRING BOOT

Spring Boot is the starting point for building all Spring-based applications. Spring Boot is designed to get you up and running as quickly as possible, with minimal upfront configuration of Spring.
   
- Get started in seconds using Spring Initializr
- Build anything: REST API, WebSocket, web, streaming, tasks, and more
- Simplified security
- Rich support for SQL and NoSQL
- Embedded runtime support: Tomcat, Jetty, and Undertow
- Developer productivity tools such as LiveReload and Auto Restart
- Curated dependencies that just work
- Production-ready features such as tracing, metrics, and health status
- Works in your favorite IDE: Spring Tool Suite, IntelliJ IDEA, and NetBeans

7.1 IDEA创建工程

group:com.example

artifact:bootiful

dependencies:Reactive Web,Reactive MongoDB,Lombok,Actuator,Security

7.2 DATA DRIVE

Spring Data integrates seamlessly with SQL and NoSQL persistence stores. Spring Data supports reactive data access,too!

@Component
class DataWriter implements ApplicationRunner {
private final CustomerRepository customerRepository; DataWriter(CustomerRepository customerRepository) {
this.customerRepository = customerRepository;
} @Override
public void run(ApplicationArguments args) throws Exception {
Flux.just("Jack", "Rechal", "Richard", "Jobs")
.flatMap(name -> customerRepository.save(new Customer(null, name)))
.subscribe(System.out::println);
}
}
interface CustomerRepository extends ReactiveMongoRepository<Customer, String> {
}
@Document
@NoArgsConstructor
@Data
class Customer {
private String id,name; public Customer(String id, String name) {
this.id = id;
this.name = name;
}
}

7.3 REST

On the web,nobody knows you're a reactive microservice.

@SpringBootApplication
public class BootifulApplication { @Bean
RouterFunction<ServerResponse> routes(CustomerRepository cr){
return RouterFunctions.route(GET("/customers"),serverRequest -> ok().body(cr.findAll(),Customer.class));
} public static void main(String[] args) {
SpringApplication.run(BootifulApplication.class, args);
} }

7.4 OBSERVABILITY

How's your app's health?Who better to articulate that then the application itself?

Spring Boot featurese strong opinions,loosely held.

It's easy to change any of them with properties or pluggable implementations

management.endpoint.health.show-details=always
management.endpoints.web.exposure.exclude=*
@Bean
HealthIndicator healthIndicator(){
return () -> Health.status("I <3 Production").build();
}

访问:curl http://localhost:8080/actuator/health | jq

7.5 SECURITY

Effortlessly plugin authentication and authorization in a traditional or reactive application with Spring Security

@Bean
MapReactiveUserDetailsService users(){
return new MapReactiveUserDetailsService(User.withDefaultPasswordEncoder().username("user").password("pw").roles("USER").build());
}

访问:curl -vu user:pw http://localhost:8080/customers | jq

7.6 TO PRODUCTION

Let's provision a MongoDB instance,configure our application's route and MongoDB binding,and then push our application to production with Cloud Foundry.

命令切换到bootiful根目录下

cf services

定位到my-mongodb文件夹

  • 复制对应文件,修改和观察

大家可以扫描下方二维码关注下我的微信公众号,公众号内没有福利,只会定期生产技术性文章!

关于Spring Boot你不得不知道的事--Spring Boot的基本操作的更多相关文章

  1. Spring中你可能不知道的事(一)

    Spring作为Java的王牌开源项目,相信大家都用过,但是可能大家仅仅用到了Spring最常用的功能,Spring实在是庞大了,很多功能可能一辈子都不会用到,今天我就罗列下Spring中你可能不知道 ...

  2. Spring中你可能不知道的事(二)

    在上一节中,我介绍了Spring中极为重要的BeanPostProcessor BeanFactoryPostProcessor Import ImportSelector,还介绍了一些其他的零碎知识 ...

  3. 关于Spring Boot你不得不知道的事

    1 Spring Boot官网[2.1.5 CURRENT GA] 1.1 Pivotal Wiki Pivotal Software, Inc. is a software and services ...

  4. Java你可能不知道的事(3)HashMap

    概述 HashMap对于做Java的小伙伴来说太熟悉了.估计你们每天都在使用它.它为什么叫做HashMap?它的内部是怎么实现的呢?为什么我们使用的时候很多情况都是用String作为它的key呢?带着 ...

  5. java你可能不知道的事(2)--堆和栈

    在java语言的学习和使用当中你可能已经了解或者知道堆和栈,但是你可能没有完全的理解它们.今天我们就一起来学习堆.栈的特点以及它们的区别.认识了这个之后,你可能对java有更深的理解. Java堆内存 ...

  6. ES6 你可能不知道的事 – 基础篇

    序 ES6,或许应该叫 ES2015(2015 年 6 月正式发布),对于大多数前端同学都不陌生. 首先这篇文章不是工具书,不会去过多谈概念,而是想聊聊关于每个特性 你可能不知道的事,希望能为各位同学 ...

  7. overflow:hidden 你所不知道的事

    overflow:hidden 你所不知道的事 overflow:hidden这个CSS样式是大家常用到的CSS样式,但是大多数人对这个样式的理解仅仅局限于隐藏溢出,而对于清除浮动这个含义不是很了解. ...

  8. java你可能不知道的事(2)--堆和栈<转>

    在java语言的学习和使用当中你可能已经了解或者知道堆和栈,但是你可能没有完全的理解它们.今天我们就一起来学习堆.栈的特点以及它们的区别.认识了这个之后,你可能对java有更深的理解. Java堆内存 ...

  9. 【Java基础】关于枚举类你可能不知道的事

    目录 谈谈枚举 1. 枚举类的定义 2. 枚举类的底层实现 3. 枚举类的序列化实现 4. 用枚举实现单列 5. 枚举实例的创建过程是线程安全的 谈谈枚举 如果一个类的对象个数是有限的而且是不变的,我 ...

随机推荐

  1. 移动端触发touchend后阻止click事件

    // vue里面简单的处理方式,可以同时兼容PC和移动端 <div @touchend.stop.prevent="doSomething" @click.stop.prev ...

  2. flutter 打包apk

    打包的具体操作,可以参照官网,只是官网没有那么细 1.修改AndroidManifest.xml 2.构建配置  可以跳过 3.构建签名 4.创建 key.properties 5.配置混淆 6.修改 ...

  3. Linux加密known_hosts文件中的IP

    如何加密known_hosts中的IP地址 很多挖矿会去自动匹配known_hosts文件中的IP地址,然后尝试免密登录,进一步感染更多的主机,所以对该文件进行加密可以阻止这一点. 修改 /etc/s ...

  4. Oracle 快速配置连接服务

    [net Manager配置] oracle客户端连接,或者代码连接时,需要配置本地连接服务. [快速配置] ①找到 tnsnames.ora 文件,使用记事本打开 ② TEST{#服务名} = (D ...

  5. Flutter学习笔记(19)--加载本地图片

    如需转载,请注明出处:Flutter学习笔记(19)--加载本地图片 上一篇博客正好用到了本地的图片,记录一下用法: 首先新建一个文件夹,这个文件夹要跟目录下 然后在pubspec.yaml里面声明出 ...

  6. SQL Server通过定义函数返回字段数据列表模板-干货

    CREATE FUNCTION [dbo].[GetReportDWCustomerOrder] (      @YearDate DATETIME,    参数条件.....    @Categor ...

  7. PHP生成唯一ID

    前言 PHP uniqid()函数可用于生成不重复的唯一标识符,该函数基于微秒级当前时间戳.在高并发或者间隔时长极短(如循环代码)的情况下,会出现大量重复数据.即使使用了第二个参数,也会重复,最好的方 ...

  8. netperf 网络测试工具

    软件介绍: netperf是惠普公司开源的一款针对网络性能的测试工具,主要基于TCP或UDP的传输.根据应用的不同,可以进行批量数据传输(bulk data transfer)模式和请求/应答(req ...

  9. centos7.6使用openssl生成CA签署的证书个人实验笔记

    准备:客户端centos6.10  服务端Centos7.6 实验:客户端生成证书请求,服务端颁发证书,最后吊销其中一个证书 1.先在服务端上的/etc/pki/CA/目录生成rsa的私钥: 2.在服 ...

  10. MYSQL的基本使用,以及错误代码的意思

    创建数据库: 要创建声明类型的数据库,输入CREATE DATABASE 数据库名称; 注意:命令不必以大写字母输入. 注意:所有MySQL命令必须以";"结束.如果忘记了输入分号 ...