简介
Spring Data为数据访问层提供了熟悉且一致的Spring编程模版,对于每种持久性存储,业务代码通常需要提供不同存储库提供对不同CURD持久化操作。Spring Data为这些持久性存储以及特定实现提供了通用的接口和模版。其目的是统一简化对不同类型持久性存储的访问。
JPA 全称为
Java Persistence API
(2019年重新命名为Jakarta Persistence API
),是SUN官方提供一种ORM规范、O:Object R:Rlational M: Mapping规范:
1、ORM映射元素数据:JPA支持
xml
和注解两种元数据的形式,元数据描述对象和表之间的映射关系,框架据此实体对象持久化到数据表中,如@Enity
、@Table
、@Id
与@Column
注解等2、JPA的API:用来操作实体对象,执行CRUD操作,框架在后台替我们完成所有事情,开发者从繁琐的JDBC和SQL代码中解脱出来
3、JPQL查询语句:通过面向对象而非面向数据库的查询语句数据,避免程序的SQL语句紧密耦合,如
from User where name = ?
Spring Data特性
1、模版制作:Spring Data提供了对不同数据库对应的模版,例如MongoTemplate、RedisTemplate、JDBCTemplate。模版提供存储特定CRUD操作,Spring Data JPA不提供模版,只是Spring Data JPA本身就是对JDBC API上的抽象。
2、对象/数据存储映射:可以通过xml文件或注解来映射数据之间的关系
代码示例:
@Entity
@Table(name = "User")
public class User {@Idprivate String id;@Column(name = "user_name")private String name;private Date lastLogin;@OneToManyprivate List<Role> roles;
}
3、对Respository支持:对持久层提供了基础的CRUD操作以及分页操作等
Hibernate入门案例
在项目目录下的resource
创建一个hibernate.cfg.xml
文件
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE hibernate-configuration PUBLIC"-//Hibernate/Hibernate Configuration DTD//EN""http://www.hibernate.org/dtd/hibernate-configuration-3.0.dtd">
<hibernate-configuration><session-factory><!--配置数据库连接信息--><property name="connection.url">jdbc:mysql://localhost:3306/spring_data_jpa</property><property name="hibernate.connection.username">root</property><property name="hibernate.connection.password">123456</property><property name="connection.driver_class">com.mysql.jdbc.Driver</property><!--选择数据库类型--><property name="hibernate.dialect">org.hibernate.dialect.MySQL5Dialect</property><!--打印sql语句--><property name="hibernate.show_sql">true</property><!--格式化sql--><property name="hibernate.format_sql">true</property><!-- 表的生成策略,自动生成,默认不自动生成 --><property name="hbm2ddl.auto">update</property><!-- 映射实体类 --><mapping class="org.example.entity.Customer"/></session-factory>
</hibernate-configuration>
其中映射的实体类如下:
@Entity
@Data
@Table(name = "cst_customer")
public class Customer {/**** @Id 声明主键配置* @GeneratedValue 配置主键生成策略* @@Column 配置属性和字段映射关系* @author Tang* @date 2023/10/8 22:38:25*/@Id@GeneratedValue(strategy = GenerationType.IDENTITY)@Column(name = "cust_id")private Long custId;@Column(name = "cust_name")private String custName;@Column(name = "cust_address")private String custAddress;
}
写入数据:
public class HibernateApp {public static void main(String[] args) {try (Session session = initSessionFactory().openSession()) {Transaction tx = session.beginTransaction();Customer customer = new Customer();customer.setCustName("张三");session.save(customer);tx.commit();} catch (Exception e) {System.out.println(e);}}public static SessionFactory initSessionFactory() {return new MetadataSources(new StandardServiceRegistryBuilder().configure("/hibernate.cfg.xml").build()).buildMetadata().buildSessionFactory();}
}
具体的CRUD操作详细见文档连接 文档
在项目跟目录下的resource
创建META-INF
目录,并在其中创建persistence.xml
文件,其配置如下
<?xml version="1.0" encoding="UTF-8"?>
<persistence xmlns="http://java.sun.com/xml/ns/persistence" version="2.0"><!-- jpa持久化单元 --><persistence-unit name="springJpa" transaction-type="RESOURCE_LOCAL"><!-- jpa实现方式 --><provider>org.hibernate.ejb.HibernatePersistence</provider><!-- 配置需要进行ORM的POJO类 --><class>org.example.entity.Customer</class><properties><property name="javax.persistence.jdbc.user" value="root"/><property name="javax.persistence.jdbc.password" value="123456"/><property name="javax.persistence.jdbc.driver" value="com.mysql.jdbc.Driver"/><property name="javax.persistence.jdbc.url" value="jdbc:mysql://localhost:3306/spring_data_jpa"/><property name="hibernate.show_sql" value="true"/><property name="hibernate.format_sql" value="true"/><property name="hibernate.hbm2ddl.auto" value="update"/><property name="hibernate.dialect" value="org.hibernate.dialect.MySQL5InnoDBDialect"/></properties></persistence-unit>
</persistence>
配置持久化单元并写入到数据库中
public static void main(String[] args) {EntityManager entityManager = init().createEntityManager();EntityTransaction tx = entityManager.getTransaction();tx.begin();// 持久化操作, 写入到mysql表中Customer customer = new Customer();customer.setCustName("hello jpa");entityManager.persist(customer);tx.commit();}public static EntityManagerFactory init() {// 配置jpa持久化单元名称return Persistence.createEntityManagerFactory("springJpa");
}
使用JPQL语句
JPQL代表Java持久化查询语言。它被用来创建针对实体的查询存储在关系数据库中。 JPQL是基于SQL语法的发展。但它不会直接影响到数据库。
JPQL可以检索使用SELECT子句中的数据,可以使用 UPDATE子句做批量UPDATE和DELETE子句。
使用JPQL语句进行更新
public static void main(String[] args) {EntityManager entityManager = init().createEntityManager();EntityTransaction tx = entityManager.getTransaction();tx.begin();// 这里的Customer是映射的实体类名称,其查询都是使用映射实体类的属性String jpql = "UPDATE Customer set custName=:custName where custId=:id";entityManager.createQuery(jpql).setParameter("custName", "tang").setParameter("id", 3L).executeUpdate();tx.commit();
}
也可以使用
sql
语句来进行对数据库的操作,代码变更如下:
String sql = "UPDATE cst_customer set cust_name=:custName where cust_id=:id";
entityManager.createNativeQuery(sql).setParameter("custName", "tang").setParameter("id", 3L).executeUpdate();
其中的
cst_customer
是表结构,cust_name
和cust_id
是表的字段名
JPA对象四种状态
临时状态:刚创建出来,没有与
entityManager
发生关系,没有被持久化,不处于entityManager
的对象中持久状态:与
entityManager
发生关系,已经被持久化,可以把持久化状态当做实实在在的数据库记录删除状态:执行
remove
方法,事务提交之前游离状态:游离状态就是提交到数据库后,事务
commit
后实体的状态,因为事务已经提交了,此时实体属性你如何改变都不会同步到数据库中。
persist
方法可以将实例转换为managed
状态,在调用flush()
方法或事务提交后,实例将被插入到数据库中
Spring Data JPA入门
Spring Data JPA
是Spring
提供的一套简化JPA开发的框架,按照约定好的规则进行方法命名来实现dao层接口,就可以在不写接口实现的前提下,实现对数据库的访问和操作。同时提供了很多除了CRUD在外的功能,如分页、排序、复杂查询等功能
引入maven依赖
<dependencies><!-- 统一管理Spring Data子项目的版本 --><dependency><groupId>org.springframework.data</groupId><artifactId>spring-data-bom</artifactId><version>2021.1.0</version><type>pom</type></dependency><dependency><groupId>org.springframework.data</groupId><artifactId>spring-data-jpa</artifactId><version>2.7.7</version></dependency><dependency><groupId>org.hibernate</groupId><artifactId>hibernate-entitymanager</artifactId><version>5.6.15.Final</version></dependency><dependency><groupId>mysql</groupId><artifactId>mysql-connector-java</artifactId><version>8.0.33</version></dependency><dependency><groupId>com.alibaba</groupId><artifactId>druid</artifactId><version>1.2.15</version></dependency><dependency><groupId>org.springframework</groupId><artifactId>spring-test</artifactId><version>5.1.10.RELEASE</version><scope>test</scope></dependency><dependency><groupId>org.projectlombok</groupId><artifactId>lombok</artifactId><version>1.16.10</version><scope>provided</scope></dependency><dependency><groupId>junit</groupId><artifactId>junit</artifactId><version>4.12</version></dependency>
</dependencies>
在resource
文件夹下创建Spring.xml
文件进行对JPA
的配置
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xmlns:jpa="http://www.springframework.org/schema/data/jpa" xmlns:tx="http://www.springframework.org/schema/tx"xsi:schemaLocation="http://www.springframework.org/schema/beanshttps://www.springframework.org/schema/beans/spring-beans.xsdhttp://www.springframework.org/schema/data/jpahttps://www.springframework.org/schema/data/jpa/spring-jpa.xsd http://www.springframework.org/schema/tx http://www.springframework.org/schema/tx/spring-tx.xsd"><!-- 整合jpa 配置entityManagerFactory以及对应的事务 --><jpa:repositories base-package="org.example.repositories"entity-manager-factory-ref="entityManagerFactory"transaction-manager-ref="transactionManager"/><!-- 配置EntityManagerFactory的Bean --><bean name="entityManagerFactory" class="org.springframework.orm.jpa.LocalContainerEntityManagerFactoryBean"><property name="jpaVendorAdapter"><bean class="org.springframework.orm.jpa.vendor.HibernateJpaVendorAdapter"><property name="generateDdl" value="true"/><property name="showSql" value="true"/></bean></property><property name="packagesToScan" value="org.example.entity"/><property name="dataSource" ref="dataSource"/></bean><!-- 配置数据源 --><bean class="com.alibaba.druid.pool.DruidDataSource" name="dataSource"><property name="url" value="jdbc:mysql://localhost:3306/spring_data_jpa"/><property name="driverClassName" value="com.mysql.jdbc.Driver"/><property name="username" value="root"/><property name="password" value="123456"/></bean><!-- 配置说明式事务 --><bean class="org.springframework.orm.jpa.JpaTransactionManager" name="transactionManager"><property name="entityManagerFactory" ref="entityManagerFactory"/></bean><!-- 配置注解式事务 --><tx:annotation-driven transaction-manager="transactionManager"/>
</beans>
其中Spring.xml
文件的配置可以等同于如下配置类
@Configuration
@EnableJpaRepositories(basePackages = "org.example.repositories")
@EnableTransactionManagement
public class SpringDataJpaConfig {@Beanpublic DataSource dataSource() {DruidDataSource druidDataSource = new DruidDataSource();druidDataSource.setUsername("root");druidDataSource.setPassword("123456");druidDataSource.setDriverClassName("com.mysql.jdbc.Driver");druidDataSource.setUrl("jdbc:mysql://localhost:3306/spring_data_jpa");return druidDataSource;}@Beanpublic LocalContainerEntityManagerFactoryBean entityManagerFactory() {HibernateJpaVendorAdapter vendorAdapter = new HibernateJpaVendorAdapter();vendorAdapter.setGenerateDdl(true);LocalContainerEntityManagerFactoryBean factory = new LocalContainerEntityManagerFactoryBean();factory.setJpaVendorAdapter(vendorAdapter);factory.setPackagesToScan("org.example.entity");factory.setDataSource(dataSource());return factory;}@Beanpublic PlatformTransactionManager transactionManager(EntityManagerFactory entityManagerFactory) {JpaTransactionManager txManager = new JpaTransactionManager();txManager.setEntityManagerFactory(entityManagerFactory);return txManager;}
}
Spring data jpa 增删改查
// 使用配置类直接变更为@ContextConfiguration(classes = SpringDataJpaConfig.class)
@ContextConfiguration(locations = "/Spring.xml")
@RunWith(SpringJUnit4ClassRunner.class)
public class SpringDataJPATest {@AutowiredCustomerRepositories customerRepositories;@Testpublic void testQuery() {Optional<Customer> customer = customerRepositories.findById(1L);customer.ifPresent(System.out::println);}@Testpublic void testInsert() {Customer customer = new Customer();customer.setName("hello jpa test");customerRepositories.save(customer);}@Testpublic void testUpdate() {Customer customer = new Customer();customer.setId(3L);customer.setName("hello jpa test update");customerRepositories.save(customer);}@Testpublic void testDelete() {Customer customer = new Customer();customer.setId(3L);customerRepositories.delete(customer);}
}
Spring Data Repositories
Spring Data Respositories
的抽象目的是为了减少各种持久层存储实现数据访问层所需的样板代码。其中CrudRepository
提供了简单的增删改查的操作。PagingAndSortingRepository
在增删改查的基础上添加了分页排序的操作。
PagingAndSortingRepository
演示代码
@Autowired
CustomerRepositories customerRepositories;
@Test
public void testPaging() {Page<Customer> all = customerRepositories.findAll(PageRequest.of(0, 2));System.out.println(all.getContent());
}
@Test
public void testSort() {// 通过对实体类的id属性进行降序排列Iterable<Customer> sorted = customerRepositories.findAll(Sort.sort(Customer.class).by(Customer::getId).descending());System.out.println(sorted);
}
如果需要多个字段进行排序,代码变更如下
Iterable<Customer> sorted = customerRepositories.findAll(Sort.sort(Customer.class).by(Customer::getId).descending().and(Sort.sort(Customer.class).by(Customer::getName)));
JPQL和SQL
Spring Data JPA
提供了多种自定义操作,比如使用JPQL
或者原始的SQL
、规定的方法名称、Query by Examply、通过Specifications、通过Querydsl方式
使用JPQL进行查询
JPQL语法格式详细见 JPQL语法文档
在Repositories
进行改造
public interface CustomerRepositories extends PagingAndSortingRepository<Customer, Long> {@Query("FROM Customer where name=?1")Customer findCustomerByName(String name);
}
也可以通过具名参数来进行JPQL
语句的条件查询
public interface CustomerRepositories extends PagingAndSortingRepository<Customer, Long> {@Query("FROM Customer where name=:customerName")Customer findCustomerByName(@Param("customerName") String name);
}
执行增删改操作
在
Spring Data JPA
中对增删改都需要加上事务,同时添加@Modifying
注解通知Spring Data JPA
执行增删改操作
public interface CustomerRepositories extends PagingAndSortingRepository<Customer, Long> {@Transactional@Modifying@Query("UPDATE Customer c set c.name=:custName where c.id=:id")int updateCustomer(@Param("custName") String custName, @Param("id") Long id);
}
其中
c.name
和c.id
都是实体类的属性名,如果是新增一定只能是在Hibernate
下才能支持而且必须是INSERT INTO SELECT
的方式来进行插入,其他方法不支持新增方法
使用原生SQL
public interface CustomerRepositories extends PagingAndSortingRepository<Customer, Long> {@Query(value = "SELECT * FROM cst_customer where cust_name=:custName", nativeQuery = true)List<Customer> findCustomerByName(@Param("custName") String name);
}
其中
cst_customer
是数据库表名,cust_name
是数据库表字段,当使用原生SQL
时需要在@Query
注解的nativeQuery
设置为true
指定方法规则名称
支持查询的主题关键字(前缀)
决定方法的作用、只支持查询和删除的操作
关键字 | 描述 |
---|---|
find...By 、read..By 、get...By 、query...By 、search..By 、stream..By | 通用查询方法通常返回存储库类型、Collection 或Streamable 子类型或结果包装类,例如Page ,GeoResults 或任何其他特定与商店的结果包装类。可以作findBy.. 、findMyDomainTypeBy... 或与其他关键字结合使用 |
exists..By | 存在投影。通常返回boolean 结果 |
count..By | 计数投影返回数字结果 |
delete...By 、remove...By | 删除查询方法返回无结果void 或者删除计数 |
..First<number>... 、...Top<number>.. | 将查询结果限制为第一个<number> 结果。此关键字可以出现主题的find (和其他关键字)和之间的任何位置By |
...Distinct... | 使用不同查询仅返回唯一结果。查阅特定与商店的问题是否支持该功能。此关键字可以出现在主题find (和其他关键字)和之间任何位置By |
支持查询方法谓词关键字和修饰符
决定查询条件
关键词 | 样本 | JPQL片段 |
---|---|---|
Distinct | findDistinctByLastnameAndFirstname | select distinct .. where x.lastname = ?1 and x.firstname = ?2 |
And | findByLastnameAndFirstname | .. where x.lastname = ?1 and x.firstname = ?2 |
Or | findByLastnameOrFirstname | ..where x.lastname = ?1 and x.firstname = ?2 |
Is 、Equals | findByFirstname 、findByFirstnameIs 、findByFirstnameEquals | ..where x.firstname = ?1 |
Between | findByStartDateBetween | ...where x.startDate between ?1 and ?2 |
LessThan | findByAgeLessThan | ...where x.age < ?1 |
LessThanEqual | findByAgeLessThanEqual | ..where x.age >= ?1 |
GreaterThan | findByAgeGreaterThan | ..where x.age > ?1 |
GreaterThanEqual | findByAgeGreaterThanEqual | ..where x.age >= ?1 |
After | findByStarterDateAfter | ..where x.startDate > ?1 |
Before | findByStartDateBefore | ..where x.startDate < ?1 |
IsNull 、Null | findByAge(Is)Null | ..where x.age is null |
IsNotNull 、NotNull | findByAge(Is)NotNull | ..where x.age not null |
Like | findByFirstnameLike | ..where x.firstname like ?1 自己指定% 位置 |
NotLike | findByFirstnameNotLike | ..where x.firstname not like ?1 自己指定% 位置 |
StartingWith | findByFirstnameStartingWith | ..where x.firstname like ?2 (参数绑定了append% ) |
EndingWith | findByFirstnameEndingWith | ..where x.firstname like ?1 (参数绑定了prepended% ) |
Containing | findByFirstnameContaining | ..where x.firstname like ?1 (参数绑定包裹在% ) |
OrderBy | findByAgeOrderByLastnameDesc | ..where x.age = ?1 order by x.lastname desc |
Not | findByLastnameNot | ..where x.lastname <> ?1 |
In | findByAgeIn(Collection<Age> ages) | ..where x.age in ?1 |
NotIn | findByAgeNotIn(Collection<Age> ages) | ..where x.age not in ?1 |
True | findByActiveTrue() | ..where x.active = true |
False | findByActiveFalse() | ..where x.active = false |
IgoreCase | findByFirstnameIgoreCase | ..where UPPER(x.firstname) = UPPER(?1) |
详细查阅官方文档官方文档
代码示例
public interface CustomerMethodNameRepositories extends PagingAndSortingRepository<Customer, Long> {List<Customer> findByName(String name);
}
其中的
name
是实体类中Customer
类中的name
属性
删除操作
public interface CustomerMethodNameRepositories extends PagingAndSortingRepository<Customer, Long> {@Transient@Modifyingvoid deleteById(Long id);
}
需要使用
@Transient
开启事务以及使用@Modifying
告诉Spring Data JPA
这是增删改操作
模糊查询
public interface CustomerMethodNameRepositories extends PagingAndSortingRepository<Customer, Long> {List<Customer> findByNameLike(String name);
}
调用方法是需要指定
%
,如下
@ContextConfiguration(classes = SpringDataJpaConfig.class)
@RunWith(SpringJUnit4ClassRunner.class)
public class MethodNameTest {@Autowiredprivate CustomerMethodNameRepositories customerMethodNameRepositories;@Testpublic void queryLikeTest() {List<Customer> customers = customerMethodNameRepositories.findByNameLike("%test%");System.out.println(customers);}
}
动态条件查询
Query By Example
只支持查询,不支持嵌套或者分组的属性约束,如
firstname=?0
或者firstname=?1 and lastname=?2
,只支持字符串start/contains/ends/regex
匹配和其他属性类型精确匹配。
详细查询官方文档 使用Ctrl + F 搜索by example
查询所有
public interface QueryByExampleRepositories extends PagingAndSortingRepository<Customer, Long>,QueryByExampleExecutor<Customer> {
}
接口需要继承
QueryByExampleExecutor
,同时查询时需要通过Example.of()
构建查询条件
@Test
public void queryTest() {// 查询条件,通过Example.of()构建查询条件Customer customer = new Customer();customer.setName("test");Iterable<Customer> all = queryByExampleRepositories.findAll(Example.of(customer));System.out.println(all);
}
构建条件匹配器
@Test
public void queryWhereRegexTest() {Customer customer = new Customer();customer.setName("张三");customer.setAddress("shanghai");// 忽略指定的属性Iterable<Customer> ignore = queryByExampleRepositories.findAll(Example.of(customer, ExampleMatcher .matching().withIgnorePaths("address")));System.out.println(ignore);
}
其中
address
是实体类Customer
类中的属性
Specifications查询方式
Query By Example
的查询方式只支持字符串且无法对查询条件做出>
、<
和<>
的限制,所以需要使用Specifications
的查询方式来实现,但Specifications
的查询方式不能使用分组、聚合函数。
public interface SpecificationsRepositories extends CrudRepository<Customer, Long>,JpaSpecificationExecutor<Customer> {
}
使用
Specifications
的查询方式需要继承JpaSpecificationExecutor
接口,如下案例查询address
是BEIJIN
且id
在3,20,18的数据
@Test
public void queryTest() {Iterable<Customer> all = specificationsRepositories.findAll((Specification<Customer>)(root, query, criteriaBuilder) -> criteriaBuilder .and(criteriaBuilder.equal(root.get("id"), "BEIJIN"), criteriaBuilder.in(root.get("address")).value(3L).value(20L).value(18L)));all.forEach(System.out::println);
}
参数说明
(root, query, criteriaBuilder)
中的root
相当于from Customer
可以获取查询的列,criteriaBuilder
设置各种查询条件如<
、>
或者in
等操作、query
设置各种组合条件如order by
、where
等。
QueryDSL
QueryDSL
是基于ORM
框架或者SQL
平台上的一个通用查询框架,借助QueryDSL
可以在任何支持的ORM
框架或者SQL
平台上以通用的API方式构建查询。
引入依赖
<dependency><groupId>com.querydsl</groupId><artifactId>querydsl-jpa</artifactId><version>4.4.0</version>
</dependency>
安装插件
<build><plugins><plugin><groupId>com.mysema.maven</groupId><artifactId>apt-maven-plugin</artifactId><version>1.1.3</version><dependencies><dependency><groupId>com.querydsl</groupId><artifactId>querydsl-apt</artifactId><version>4.4.0</version></dependency></dependencies><executions><execution><phase>generate-sources</phase><goals><goal>process</goal></goals><configuration><outputDirectory>target/generated-sources/queris</outputDirectory><processor>com.querydsl.apt.jpa.JPAAnnotationProcessor</processor><logOnlyOnError>true</logOnlyOnError></configuration></execution></executions></plugin></plugins>
</build>
导入依赖并安装好插件后使用
maven compile
一下
将编译生成的QClass进行source
这样子就可以引用编译生成的QClass
查询案例
public interface QueryDSLRepositories extends QuerydslPredicateExecutor<Customer>, CrudRepository<Customer, Long> {
}
注意必须继承
QuerydslPredicateExecutor
和CrudRepository
或CrudRepository
的子类
@ContextConfiguration(classes = SpringDataJpaConfig.class)
@RunWith(SpringJUnit4ClassRunner.class)
public class QueryDSLTest {@Autowiredprivate QueryDSLRepositories queryDSLRepositories;@Testpublic void queryTest() {QCustomer customer = QCustomer.customer;Iterable<Customer> all = queryDSLRepositories.findAll(customer.id.in(1L, 18L, 20L).and(customer.id.gt(5L)).and(customer.address.eq("BEIJIN")));all.forEach(System.out::println);}
}
相当于
sql
语句SELECT * FROM customer WHERE id IN(1, 18, 20) AND id > 5 AND address = 'BEIJIN'
自定义列查询或者分组查询
@ContextConfiguration(classes = SpringDataJpaConfig.class)
@RunWith(SpringJUnit4ClassRunner.class)
public class QueryDSLTest {@PersistenceContext // 保证线程安全private EntityManager entityManager;@Testpublic void groupQueryTest() {JPAQueryFactory factory = new JPAQueryFactory(entityManager);QCustomer customer = QCustomer.customer;JPAQuery<Tuple> query = factory.select(customer.id, customer.name).from(customer).where(customer.id.eq(18L)).orderBy(customer.id.desc());List<Tuple> fetch = query.fetch();for (Tuple tuple : fetch) {System.out.println(tuple.get(customer.id));System.out.println(tuple.get(customer.name));}}
}
相当于
SQL
语句SELECT id, name FROM customer WHERE id = 18 ORDER BY id DESC
多表关联
一对一
配置关联关系,实体类
Customer
配置单向关联
@Data
@Entity
@Table(name = "cst_customer")
public class Customer {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)@Column(name = "cust_id")private Long id;@Column(name = "cust_address")private String address;@Column(name = "cust_name")private String name;// 单向关联@OneToOne(cascade = CascadeType.PERSIST)@JoinColumn(name = "account_id")private Account account;
}
注解
@OneToOne
的cascade
参数说明:
CascadeType.PERSIST
级联持久化(保存)操作:持久保存拥有方实体时,也会持久保存该实体的所有相关数据。这个属性就是造成上面问题的关键。当你保存一天条数据时,所有的关联数据都会进行保存,无论数据库里面有没有,但有时候我们是需要这样的级联操作的。
CascadeType.REMOVE
级联删除操作:删除当前实体时,与它有映射关系的实体也会跟着被删除。
CascadeType.DETACH
级联脱管/游离操作:如果你要删除一个实体,但是它有外键无法删除,你就需要这个级联权限了。它会撤销所有相关的外键关联。
CascadeType.REFRESH
级联刷新操作:假设场景 有一个订单,订单里面关联了许多商品,这个订单可以被很多人操作,那么这个时候A对此订单和关联的商品进行了修改,与此同时,B也进行了相同的操作,但是B先一步比A保存了数据,那么当A保存数据的时候,就需要先刷新订单信息及关联的商品信息后,再将订单及商品保存。
CascadeType.MERGE
级联更新(合并)操作:当Student中的数据改变,会相应地更新Course中的数据。
CascadeType.ALL
清晰明确,拥有以上所有级联操作权限。
fetch
参数说明:
fetch
参数的作用类似于设计模式中的单例模式,默认为EAGER
饿汉模式,可以设置为LAZY
懒汉模式,当设置为LAZY
的时候只有在使用到对应的实体类的时候就会加载执行查询
示例在
Customer
类中对应的属性添加如下代码
@OneToOne(cascade = CascadeType.PERSIST,fetch = FetchType.LAZY)
@JoinColumn(name = "account_id")
private Account account;
查询案例
@Test
@Transactional(readOnly = true)
public void queryTest() {Optional<Customer> byId = repositories.findById(1L);System.out.println(byId.get());
}
需要添加
@Transactional
注解开启事务,这是由于通过repositories
接口来调用查询方法执行完后,session
会立即关闭,一旦session
关闭了就不能进行查询了,所以在fetch = FetchType.LAZY
的情况下执行完repositories.findById(1L)
后会关闭session
导致在执行byId.get()
调用查询会报错。而事务是在整个方法执行完后关闭session
实体类
Account
配置如下
@Data
@Entity
@Table(name = "cst_account")
public class Account {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)private Long id;private String username;private String password;
}
测试代码
public interface CustomerRepositories extends PagingAndSortingRepository<Customer, Long> {
}
@ContextConfiguration(classes = SpringDataJpaConfig.class)
@RunWith(SpringJUnit4ClassRunner.class)
public class OneToOneTest {@Autowiredprivate CustomerRepositories repositories;@Testpublic void saveTest() {Account account = new Account();account.setUsername("xushu");Customer customer = new Customer();customer.setName("徐庶");customer.setAccount(account);repositories.save(customer);}
}
如果出现
Field 'id' doesn't have a default value
的错误,请检查对应的表的主键Id
是否设置为自增
一对多
表设计如下
实体类
Message
配置如下:
@Data
@Entity
@Table(name = "cst_message")
public class Message {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)private Long id;private String info;public Message(String info) {this.info = info;}public Message() {}
}
必须需要拥有无参构造函数
实体类
Customer
配置如下:
@Data
@Entity
@Table(name = "cst_customer")
public class Customer {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)@Column(name = "cust_id")private Long id;@Column(name = "cust_address")private String address;@Column(name = "cust_name")private String name;@OneToMany(cascade = CascadeType.ALL)@JoinColumn(name = "customer_id")private List<Message> messages;
}
注意当查询一对多的数据表的时候,
Spring Data JPA
默认使用的是懒加载,所以需要使用@Transactional
开启事务来解决运行时出现no-session
的错误
示例代码
@Test
@Transactional
public void testQuery() {Optional<Customer> byId = repositories.findById(7L);System.out.println(byId.get());
}
或者在实体类中的
Customer
中添加@OneToMany(cascade = CascadeType.ALL, fetch = FetchType.EAGER)
注解,解决出现no-session
错误,如下:
@OneToMany(cascade = CascadeType.ALL, fetch = FetchType.EAGER)
@JoinColumn(name = "customer_id")
private List<Message> messages;
一对多删除操作注意事项
如果在
Customer
实体类中@OneToMany
的cascade = CascadeType.PERSIST
这会只删除Customer
表中的信息不会删除Message
表中的信息
多对一
实例代码:
Message
实体类中进行绑定
@Data
@Entity
@Table(name = "cst_message")
public class Message {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)private Long id;private String info;@ManyToOne(cascade = CascadeType.PERSIST)@JoinColumn(name = "customer_id")private Customer customer;public Message(String info) {this.info = info;}public Message(Customer customer, String info) {this.customer = customer;this.info = info;}public Message() {}
}
使用注解
@ManyToOne(cascade = CascadeType.PERSIST)
以及@JoinColumn(name = "customer_id")
多对多
多对多表的关系如下:
注意:在
cst_customer_role
表中不需要任何主键
Customer类配置如下:
@Data
@Entity
@Table(name = "cst_customer")
public class Customer {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)@Column(name = "cust_id")private Long id;@Column(name = "cust_address")private String address;@Column(name = "cust_name")private String name;@OneToMany(cascade = CascadeType.PERSIST, fetch = FetchType.LAZY)@JoinColumn(name = "customer_id")private List<Message> messages;public Customer(String name) {this.name = name;}public Customer() {}/*** 单向的多对多* 中间表需要通过@JoinTable来维护外键* name 指定中间表名称* joinColumn 设置本表的外键名称* inverseJoinColumns 关联表的外键名称*/@ManyToMany(cascade = CascadeType.PERSIST)@JoinTable(name = "cst_customer_role",joinColumns = {@JoinColumn(name = "cust_id")},inverseJoinColumns = {@JoinColumn(name = "role_id")})private List<Role> roles;@Overridepublic String toString() {return "Customer{" +"id=" + id +", address='" + address + '\'' +", name='" + name + '\'' +'}';}
}
Role类信息如下:
@Data
@Entity
@Table(name = "cst_role")
public class Role {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)@Column(name = "role_id")private Long id;@Column(name = "role_name")private String name;public Role(String name) {this.name = name;}public Role() {}
}
实例代码
/***
* 如果保存的关联对象的数据,希望使用数据库已有的数据,
* 那么就需要从数据库中查询出来。否则会抛出异常
* 同事需要使用@Transactional来解决报错问题,
* 单元测试需要使用@Commit解决事务持久化问题
* @return void
* @author Tang
* @date 2023/12/6 23:25:17
*/
@Test
public void testSave() {Customer customer = new Customer();customer.setName("zhangshang");List<Role> roles = new ArrayList<Role>() {{add(new Role("超级管理员"));add(new Role("商品管理员"));}};customer.setRoles(roles);customerRepository.save(customer);
}
其中如果出现了
Field 'xxx_id' doesn't have a default value
,是在数据库方没有设置主键自增所导致的
审计
为了数据库中的数据方便溯源所以经常需要在数据库中添加
创建人
、修改人
、修改时间
、创建时间
。由于经常频繁的操作所以Spring data jpa
使用审计功能来解决这个问题,操作如下:
由于Spring Data JPA
的审计功能需要依赖Spring AOP
相关依赖,否则会抛出Could not configure Spring Data JPA auditing-feature because spring-aspects.jar is not on the classpath!
异常
<dependency><groupId>org.springframework</groupId><artifactId>spring-aspects</artifactId><version>5.3.28</version>
</dependency>
在对应的实体类添加如下字段
// 创建人@CreatedByprivate String creator;// 修改人@LastModifiedByprivate String modifier;// 创建时间 @Temporal 注解指定时间类型@Temporal(TemporalType.TIMESTAMP)@CreatedDateprivate Date dateCreated = new Date();// 修改时间@Temporal(TemporalType.TIMESTAMP)@LastModifiedDateprivate Date dateModified = new Date();
同时在实体类上添加
@EntityListeners(AuditingEntityListener.class)
用于监听审计监听对应的实体类
在配置类上配置如下Bean信息
/***
* 配置审计功能,AuditorAware中泛型的类型与
* 后端获取到的用户类型一直可以是String可以是User对象等
* @return org.springframework.data.domain.AuditorAware<java.lang.String>
* @author Tang
* @date 2023/12/7 23:19:17
*/
@Bean
public AuditorAware<String> auditorAware() {return () -> Optional.of("创建人");
}
使用
@EnableJpaAuditing
开启审计功能