Spring Boot2.x集成JPA快速開發(fā)

Spring Boot2.x集成JPA快速開發(fā)

什么是JPA

一種規(guī)范,并非ORM框架,也就是ORM上統(tǒng)一的規(guī)范

  • spring-boot-starter-data-jpa 是Spring Boot的項目,包含了spring-data-jpa和一些其他依賴用于Spring Boot項目
  • spring-data-jpa 是Spring Data的項目,就是本體,用于任何項目

解決

  • 為了執(zhí)行簡單查詢分頁,編寫太多重復(fù)代碼
  • 基于JPA的數(shù)據(jù)訪問層的增強(qiáng)支持

用了之后可以做什么,為什么要用?如下代碼解釋

實(shí)體類

package com.example.springredis.entity;

import lombok.Data;

import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import java.io.Serializable;

@Entity
@Data
public class User implements Serializable {
    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    private Long id;
    private String name;
    private String account;
    private String pwd;

}

dao層

@Repository
public interface UserDao extends JpaRepository<User, Long> {

}

測試類

@Autowired
    private UserDao userDao;

    public void findAllTest() {
        System.out.println(userDao.findAll().toString());
    }

上面的操作已經(jīng)完成了一個查詢?nèi)?,相信不用在做多余的解釋?/p>

JPA優(yōu)點(diǎn):主要就是簡單易用,集成方便,可以不用寫SQL語句

準(zhǔn)備工作

image.png
image.png

這里使用的是Maven,下載之后請在IDEA導(dǎo)入項目

項目結(jié)構(gòu)圖

image.png
image.png

先看pom.xml配置

國外依賴下載慢,更換阿里源

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns="http://maven.apache.org/POM/4.0.0"
         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>
    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>2.3.0.RELEASE</version>
        <relativePath/> <!-- lookup parent from repository -->
    </parent>
    <groupId>com.example</groupId>
    <artifactId>springboot-jpa</artifactId>
    <version>0.0.1-SNAPSHOT</version>
    <name>springboot-jpa</name>
    <description>Demo project for Spring Boot</description>

    <properties>
        <java.version>1.8</java.version>
    </properties>

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

        <dependency>
            <groupId>com.h2database</groupId>
            <artifactId>h2</artifactId>
            <scope>runtime</scope>
        </dependency>
        <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
    </dependencies>
    <build>
        <plugins>
            <plugin>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-maven-plugin</artifactId>
            </plugin>
        </plugins>
    </build>

    <repositories>
        <!--阿里云主倉庫,代理了maven central和jcenter倉庫-->
        <repository>
            <id>aliyun</id>
            <name>aliyun</name>
            <url>https://maven.aliyun.com/repository/public</url>
            <releases>
                <enabled>true</enabled>
            </releases>
            <snapshots>
                <enabled>false</enabled>
            </snapshots>
        </repository>
        <!--阿里云代理Spring 官方倉庫-->
        <repository>
            <id>spring-milestones</id>
            <name>Spring Milestones</name>
            <url>https://maven.aliyun.com/repository/spring</url>
            <releases>
                <enabled>true</enabled>
            </releases>
            <snapshots>
                <enabled>false</enabled>
            </snapshots>
        </repository>
    </repositories>

</project>

定義一個實(shí)體對象 SysUser.java

package com.example.demo.model;

import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;

import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;

@Data
@NoArgsConstructor
@AllArgsConstructor
@Entity(name = "sys_user")
public class SysUser {

    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    private Long id;

    private String email;

    private String username;

    private String password;

    public SysUser(String email, String username, String password) {
        this.email = email;
        this.username = username;
        this.password = password;
    }
}
  • 這里有一個**SysUser** 類, @NoArgsConstructor 默認(rèn)構(gòu)造函數(shù)僅為JPA而存在。
  • 另一個構(gòu)造函數(shù)是您將用于創(chuàng)建要保存到數(shù)據(jù)庫的user實(shí)例的構(gòu)造函數(shù)。
  • 在類上加 @Entity 注解,表示這個是一個 JPA 的實(shí)體,如果在類上沒有加 @Table 注解,表明該實(shí)體將映射到名為 sys_user 的表,如果要加上,可以在其 name 屬性里寫入表名,如: @Table(name = "t_user")
  • id 屬性使用 @Id 注釋,以便JPA將其識別為對象的ID.
  • @GeneratedValue(strategy = GenerationType.AUTO) 自增長ID策略

創(chuàng)建一個 UserRepository.java 接口

這里很簡單,直接繼承核心接口JpaRepository

package com.example.demo.repository;

import com.example.demo.model.SysUser;
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.stereotype.Repository;

@Repository
public interface UserRepository extends JpaRepository<SysUser, Long> {

}

[圖片上傳失敗...(image-e82009-1590074748382)]

配置文件application.yml

修改application.properties 為 application.yml

src/main/resources/application.yml

spring:
  datasource:
    driverClassName: org.h2.Driver
    password: root
    url: jdbc:h2:mem:demodb:file:data/demo
    username: root
  jpa:
    open-in-view: true
    database-platform: org.hibernate.dialect.H2Dialect
    # spring.jpa.show-sql=true 配置在日志中打印出執(zhí)行的 SQL 語句信息。
    show-sql: true
    # 配置指明在程序啟動的時候要刪除并且創(chuàng)建實(shí)體類對應(yīng)的表。
    # create 這個參數(shù)很危險,因?yàn)樗麜褜?yīng)的表刪除掉然后重建。所以千萬不要在生成環(huán)境中使用。只有在測試環(huán)境中,一開始初始化數(shù)據(jù)庫結(jié)構(gòu)的時候才能使用一次。
    # ddl-auto:create----每次運(yùn)行該程序,沒有表格會新建表格,表內(nèi)有數(shù)據(jù)會清空
    # ddl-auto:create-drop----每次程序結(jié)束的時候會清空表
    # ddl-auto:update----每次運(yùn)行程序,沒有表格會新建表格,表內(nèi)有數(shù)據(jù)不會清空,只會更新(推薦)
    # ddl-auto:validate----運(yùn)行程序會校驗(yàn)數(shù)據(jù)與數(shù)據(jù)庫的字段類型是否相同,不同會報錯
    hibernate.ddl-auto: update

h2數(shù)據(jù)庫

在resources 文件夾下新建 data.sql

data.sql

DROP TABLE IF EXISTS sys_user;

CREATE TABLE sys_user
(
    id       INT AUTO_INCREMENT PRIMARY KEY,
    email    VARCHAR(250) DEFAULT NULL,
    username VARCHAR(250) NOT NULL,
    password VARCHAR(250) NOT NULL
);

測試類進(jìn)行測試 SpringbootJpaApplicationTests.java

package com.example.demo;

import com.example.demo.model.SysUser;
import com.example.demo.repository.UserRepository;
import lombok.extern.slf4j.Slf4j;
import org.junit.After;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringRunner;

@Slf4j
@RunWith(SpringRunner.class)
@SpringBootTest
public class SpringbootJpaApplicationTests {

    @Autowired
    private UserRepository userRepository;

    @Before
    public void add() {
        userRepository.save(new SysUser("123@qq.com", "root", "root"));
    }

    @Test
    public void contextLoads() {
        System.out.println(userRepository.findAll().toString());
    }

    //修改操作
    @After
    public void update() {
        // ifPresent 如果存在值,則使用值調(diào)用指定的使用者,否則不執(zhí)行任何操作。
        userRepository.findById(1L).ifPresent(user -> {
            user.setUsername("馬華云騰");
            userRepository.save(user);
            System.out.println(user.toString());
        });
    }

    //刪除
    @After
    public void del() {
        userRepository.findById(2L).ifPresent(user -> userRepository.delete(user));
    }

}

測試輸出

image.png
image.png

常見異常

如果出現(xiàn)下列等錯誤:

Error:(41, 13) java: 找不到符號
  符號:   方法 setName(java.lang.String)
  位置: 類型為com.example.springbootjpademo.entity.User的變量 user

請注意下面的設(shè)置是否正確:

[圖片上傳失敗...(image-13aba3-1590074748382)]

RestClient API 測試

image.png
image.png
### 新增1

POST http://localhost:8080/user/add
Content-Type: application/json

{
  "email": "eyck@aws.com",
  "username": "root",
  "password": "root"
}

### 新增2

POST http://localhost:8080/user/add
Content-Type: application/json

{
"email": "ekko@aws.com",
"username": "ekko",
"password": "ekko"
}

### 修改

PUT http://localhost:8080/user/update
Content-Type: application/json

{
  "id": 1,
  "email": "eyck@aws.com",
  "username": "root",
  "password": "root"
}

### 獲取所有
GET http://localhost:8080/user/all
Accept: */*
Cache-Control: no-cache

### 刪除

PUT http://localhost:8080/user/del/2

### 獲取所有
GET http://localhost:8080/user/all
Accept: */*
Cache-Control: no-cache

左上角 Run all ...
測試結(jié)果....


image.png
image.png

代碼地址

https://github.com/Gleans/spring-boot/tree/master/springboot-jpa

微信截圖_20200521232250.png
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
【社區(qū)內(nèi)容提示】社區(qū)部分內(nèi)容疑似由AI輔助生成,瀏覽時請結(jié)合常識與多方信息審慎甄別。
平臺聲明:文章內(nèi)容(如有圖片或視頻亦包括在內(nèi))由作者上傳并發(fā)布,文章內(nèi)容僅代表作者本人觀點(diǎn),簡書系信息發(fā)布平臺,僅提供信息存儲服務(wù)。

友情鏈接更多精彩內(nèi)容