1. 程式人生 > >[增刪改查] 最規範的 JPA 一對多/多對一 CRUD 示例

[增刪改查] 最規範的 JPA 一對多/多對一 CRUD 示例

一、前言

1、多對一,一對多,都是一樣的,反過來了而已。

2、之前寫過一篇不使用主外來鍵關係的多表 CRUD:
[增刪改查] 最簡單的 JPA 一對多/多對一 CRUD 設計
雖可以幫助新手快速使用 JPA,但是這樣是不嚴謹的,特別是記錄的刪除,有了主外來鍵關係就不會讓你隨意刪除了。

3、其實,規範使用 JPA,還是很簡單的。

二、程式碼

1、程式碼結構

這裡寫圖片描述

2、entity

① 學生
package com.cun.entity;

import javax.persistence.Column;
import javax.persistence.Entity;
import
javax.persistence.GeneratedValue; import javax.persistence.Id; import javax.persistence.JoinColumn; import javax.persistence.ManyToOne; import javax.persistence.Table; @Entity @Table(name = "t_student") public class Student { @Id @GeneratedValue private Integer id; @Column(length = 100
) private String name; @ManyToOne @JoinColumn(name="department_id") // 預設也為 department_id Department department; public Integer getId() { return id; } public void setId(Integer id) { this.id = id; } public String getName() { return name; } public
void setName(String name) { this.name = name; } public Department getDepartment() { return department; } public void setDepartment(Department department) { this.department = department; } // JPA 必備 public Student() { super(); } }
② 宿舍
package com.cun.entity;

import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.Id;
import javax.persistence.Table;

@Entity
@Table(name = "t_department")
public class Department {

    @Id
    @GeneratedValue
    private Integer id;

    @Column(length = 100)
    private String name;

    // 必注、必應主表 Student 屬性 Department department;但是造成了JSON 死迴圈
//  @OneToMany(mappedBy="department") 
//  private Set<Student> students=new HashSet<Student>();

    public Integer getId() {
        return id;
    }

    public void setId(Integer id) {
        this.id = id;
    }

    public String getName() {
        return name;
    }

    public void setName(String name) {
        this.name = name;
    }

//  public Set<Student> getStudents() {
//      return students;
//  }
//
//  public void setStudents(Set<Student> students) {
//      this.students = students;
//  }

    // JPA 必備
    public Department() {
        super();
    }

}

3、dao

① 學生
package com.cun.dao;

import java.util.List;

import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.data.jpa.repository.Query;

import com.cun.entity.Student;

public interface StudentDao extends JpaRepository<Student, Integer> {

    @Query(value="select * from t_student where department_id=?1",nativeQuery=true)
    List<Student> getStudentsByDepartmentId(Integer id);
}
② 宿舍
package com.cun.dao;

import org.springframework.data.jpa.repository.JpaRepository;

import com.cun.entity.Department;

public interface DepartmentDao extends JpaRepository<Department, Integer>{

}

4、Controller

① 學生
package com.cun.controller;

import java.util.List;

import javax.validation.Valid;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.validation.BindingResult;
import org.springframework.web.bind.annotation.DeleteMapping;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.PutMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

import com.cun.dao.StudentDao;
import com.cun.entity.Student;

import springfox.documentation.swagger2.annotations.EnableSwagger2;

/**
 * 多表 CRUD 注意點:
 * ① Select:JPA findOne 會同時查詢外來鍵值對應表的記錄的其他屬性(優點)
 * ② Delete、Update、Insert 同單表 CRUD 
 * @author linhongcun
 *
 */
@RestController
@RequestMapping("/student")
@EnableSwagger2
public class StudentController {

    @Autowired
    private StudentDao studentDao;

    /**
     * 1、查
     * @param id
     * @return
     */
    @GetMapping("/get/{id}")
    public Student getStudentById(@PathVariable Integer id) {
        return studentDao.findOne(id);
    }

    /**
     * 2、增
     * @param student
     * @return
     */
    @PostMapping("/insert")
    public Student insertStudent(Student student) {
        studentDao.save(student);
        return student;
    }

    /**
     * 3、刪
     * @param id
     * @return
     */
    @DeleteMapping("/delete/{id}")
    public Student deleteStudentById(@Valid @PathVariable Integer id, BindingResult bindingResult) {
        Student student = studentDao.findOne(id);
        studentDao.delete(id);
        return student;
    }

    /**
     * 4、改
     * @param student
     * @return
     */
    @PutMapping("/update")
    public Student updateStudent(Student student) {
        studentDao.save(student);
        return student;
    }

    /**
     * 5、全
     * @return
     */
    @GetMapping("/all")
    public List<Student> getAllStudents() {
        return studentDao.findAll();
    }
}
② 宿舍
package com.cun.controller;

import java.util.HashMap;
import java.util.List;
import java.util.Map;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.DeleteMapping;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.PutMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

import com.cun.dao.DepartmentDao;
import com.cun.dao.StudentDao;
import com.cun.entity.Department;
import com.cun.entity.Student;

import springfox.documentation.swagger2.annotations.EnableSwagger2;

/**
 * 多表 CRUD 注意點:
 * ① Delete:宿舍的一條記錄id作為學生外來鍵屬性值時不能刪除
 * ② Insert、Update、Select 同單表 CRUD
 * @author linhongcun
 *
 */
@RestController
@RequestMapping("/department")
@EnableSwagger2
public class DepartmentController {

    @Autowired
    private DepartmentDao departmentDao;

    @Autowired
    private StudentDao studentDao; // 刪除檢查是否存在關係

    /**
     * 1、查
     * @param id
     * @return
     */
    @GetMapping("/get/{id}")
    public Department getDepartmentById(@PathVariable Integer id) {
        return departmentDao.findOne(id);
    }

    /**
     * 2、刪:這個要特別注意,其他的沒什麼好講的
     * @param id
     * @return
     */
    @DeleteMapping("/delete/{id}")
    public Map<String, Object> deleteDeparmentById(@PathVariable Integer id) {
        Department department = departmentDao.findOne(id);
        Map<String, Object> map = new HashMap<String, Object>();
        List<Student> studentsByDepartmentId = studentDao.getStudentsByDepartmentId(id);
        if (studentsByDepartmentId.size() == 0) {
            departmentDao.delete(id);
            map.put("status", true);
            map.put("msg", "刪除成功");
            map.put("data", department);
        } else {
            map.put("status", false);
            map.put("msg", "不能刪除,因存在關聯關係");
        }
        return map;
    }

    /**
     * 3、改
     * @param department
     * @return
     */
    @PutMapping("/update")
    public Department updateDepartment(Department department) {
        departmentDao.save(department);
        return department;
    }

    /**
     * 4、增
     * @param department
     * @return
     */
    @PostMapping("/insert")
    public Department insertDepartment(Department department) {
        departmentDao.save(department);
        return department;
    }

    /**
     * 5、全
     * @return
     */
    @GetMapping("/all")
    public List<Department> getAllDepartments() {
        return departmentDao.findAll();
    }

}

5、yml

server:
  port: 80 #為了以後訪問專案不用寫埠號
  context-path: / #為了以後訪問專案不用寫專案名
spring:
  datasource:
    driver-class-name: com.mysql.jdbc.Driver
    url: jdbc:mysql://localhost:3306/springboot?useUnicode=true&characterEncoding=utf-8  #解決中文亂碼的問題
    username: root
    password: 123
  jpa: 
    hibernate:
      ddl-auto: update  #資料庫同步程式碼
    show-sql: true      #dao操作時,顯示sql語句

6、pom

① Swagger 介面(可選)
        <!-- swagger生成介面API -->
        <dependency>
            <groupId>io.springfox</groupId>
            <artifactId>springfox-swagger2</artifactId>
            <version>2.7.0</version>
        </dependency>

        <!-- 介面API生成html文件 -->
        <dependency>
            <groupId>io.springfox</groupId>
            <artifactId>springfox-swagger-ui</artifactId>
            <version>2.6.1</version>
        </dependency>
② JPA、MySQL、Web
        <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>mysql</groupId>
            <artifactId>mysql-connector-java</artifactId>
            <scope>runtime</scope>
        </dependency>

三、其他

1、Swagger 測試介面

這裡寫圖片描述

2、資料庫自動生成主外來鍵關係

這裡寫圖片描述

3、JPA 單表 CRUD 的例子

相關推薦

[刪改] 規範JPA 一對/ CRUD 示例

一、前言 1、多對一,一對多,都是一樣的,反過來了而已。 2、之前寫過一篇不使用主外來鍵關係的多表 CRUD: [增刪改查] 最簡單的 JPA 一對多/多對一 CRUD 設計 雖可以幫助新手快速使用 JPA,但是這樣是不嚴謹的,特別是記錄的刪除,有了主

[刪改] 規範JPA CURD 示例

一、前言 資料庫中表多對多的關係也是很常見的,如一個許可權系統,設定的足夠嚴密,就是 許可權(選單)與角色多對多關係,角色與使用者多對多關係。 二、程式碼 1、程式碼結構 省略了 Service 層 2、entity

[刪改] 簡單的 JPA 一對/ CRUD 設計

一、前言 1、之前寫過很多 SpringBoot 使用 JPA 實現 dao 層的 CRUD: [增刪改查] SpringBoot+JPA+EasyUI+MySQL 基本 CURD 但基本都是單表的 2、而實際開發中,最常見的就是 一對多/多對一 的關係

Kotlin整合Spring Boot實現資料庫刪改(spring data jpa版)

接上次的kotlin整合spring boot的mybatis版本,這次分享的內容也很精彩,現在spring data jpa也慢慢流行起來了,因此學習kotlin的時候也順帶寫了spring data jpa版本的,下面就直接上程式碼分享給大家了 1 pom加入如下配置

mybatis註解式的刪改一對

目錄 一、專案資料庫表和資料的截圖。 二、maven專案所需依賴。 三、mybatis配置檔案。 四、增刪改查。 五、一對多 六、多對一 七、多對多 八、所有測試的一個總體的測試類: 九、專案主體結構圖:   一、專案資料庫表和資料的截圖

SQLAlchemy 刪改 一對

安裝介紹 建立 增刪改查相關操作 高階版查詢操作 高階版更新操作 擴充套件內容   安裝介紹 - SQLAlchemy 是Python的一款Orm框架 建立     f

利用mybatis實現刪改 的小專案,單表,雙表一對

簡介: MyBatis 本是apache的一個開源專案iBatis, 2010年這個專案由apache software foundation 遷移到了google code,並且改名為MyBatis 。2013年11月遷移到Github。 iBATIS一詞

SQLAlchemy 刪改 一對

clas xxx 開會 splay lse 打開 on() string 增刪改查操作 一丶創建數據表 1 # ORM中的數據表是什麽呢? 2 # Object Relation Mapping 3 # Object - Table 通過 Object

SQLAlchemy的刪改 一對

click 行數 har 關聯 什麽 eve 操作 技術 column Models只是配置和使用比較簡單,因為是Django自帶的ORM框架,所以兼容性不行,所以出現了SQLAlchemy,SQLAlchemy是比較全面的ORM框架,它可以在任何使用SQL查詢時使用

AppBox實戰: 如何實現一對表單的刪改

  本篇通過完整示例介紹如何實現一對多關係表單的相應服務及檢視。 一、準備資料結構   示例所採用的資料結構為“物資需求”一對多“物資清單”,通過IDE的實體設計器如下所示: 1. 物資(DonateItem)   主鍵為Id(Guid) 2. 物資需求(Requirement)   主鍵為Id(Guid

MySQL刪改之【表聯合查詢】

包括 實現 鼠標 thead 黃曉明 eba 字符 order 有時 很多時候在實際的業務中我們不只是查詢一張表。 在電子商務系統中,查詢哪些用戶沒有購買過產品。 銀行中可能查詢違規記錄,同時查詢出用戶的 查詢中獎信息和中獎人員的基本信息。 以上只是列的情況

php連接數據庫刪改----條件查詢

打開 logs sel != lba cnblogs 表單 技術 mit 關於查詢,可以直接寫在主頁面上 來進行查詢 首先,先建立一個表單 <form method="post" action="crud.php"> <table>

springboot+jpa+thymeleaf刪改示例(轉)

fse 生效 with sources set ide horizon prop table 這篇文章介紹如何使用jpa和thymeleaf做一個增刪改查的示例。 先和大家聊聊我為什麽喜歡寫這種腳手架的項目,在我學習一門新技術的時候,總是想快速的搭建起一個demo來試試它

springboot(十五):springboot+jpa+thymeleaf刪改示例

pen 其中 底層原理 protect roo back styles ttr 喜歡 這篇文章介紹如何使用jpa和thymeleaf做一個增刪改查的示例。 先和大家聊聊我為什麽喜歡寫這種腳手架的項目,在我學習一門新技術的時候,總是想快速的搭建起一個demo來試試它的效果,越

LINQ的簡單的刪改寫法

sin 提交 pos 精確 lis show text name 直接 .ToList();//返回一個集合,包含查到的所有值; .First();//返回查到的第一條數據,如果查不到會報錯; .FirstOrDefault();返回查到的第一條數據,差不到返回一個nul

vue2 + iview-admin 1.3 + django 2.0 一個簡單的刪改例子

iview-admin axios django 前後端分離 api 以下為利用iview-admin + django 做的一個最基本的增刪改查例子。 前端iview-admin git clone https://github.com/iview/iview-admin.git cd

jdbc之實現數據庫刪改基本操作

api val sys cto 配置 語句 ger into stat 關於JDBC 之前很早學過jdbc了,可是學的不夠紮實,連接MySQL總是出問題,於是這兩天又把jdbc好好學了一遍。    定義:JDBC(Java DataBase C

spring boot(十五)spring boot+thymeleaf+jpa刪改示例

ali 遍歷 config link examples 技術分享 返回 stat 業務 快速上手 配置文件 pom包配置 pom包裏面添加jpa和thymeleaf的相關包引用 <dependency> <groupId>org.sprin

4.6 基於Spring-Boot的Mysql+jpa刪改學習記錄 > 我的程式猿之路:第三十六章

    1.專案結構       -JDK  1.8       -SpringBoot  2.0.6     &nbs

Spring Data jpa + extjs 實現簡單的刪改

公司最近的專案一部分是在使用MyBatis,還有一部分使用SpringJPA,jpa平時沒怎麼用過,今天閒來無事做個增刪改查的demo,記錄下來。 環境;jdk 1.8 編輯器: IDEA 資料庫:postgresql 首先貼上專案所需要的依賴 <?xml version=