SpringDataJPA之PagingAndSortingRespository接口的使用
PagingAndSortingRepository:是CrudRepository的子接口,对数据的查询提供了分页和排序的功能,非常方便。
由于导包,创建POJO,applicationContext.xml,数据库文件和前面的Respositiry的相同就不再站代码了,直接上它的接口和测试类。
- 创建接口实现继承
```java
package com.OVA.dao;
import org.springframework.data.repository.PagingAndSortingRepository;
import com.OVA.pojo.Users;
/**
* @author OVA_Wom
* PagingAndSortingRepository
* 主要用于分页处理
**/
public interface UserDao extends PagingAndSortingRepository<Users, Integer> {
}
只需继承PagingAndSortingRepository就能使用里面的方法对数据库中的数据进行分页和排序了
- 测试类编写
package test;
import java.util.List;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Page;
import org.springframework.data.domain.PageRequest;
import org.springframework.data.domain.Pageable;
import org.springframework.data.domain.Sort;
import org.springframework.data.domain.Sort.Direction;
import org.springframework.data.domain.Sort.Order;
import org.springframework.test.context.ContextConfiguration;
import org.springframework.test.context.junit4.SpringJUnit4ClassRunner;
import com.OVA.dao.UserDao;
import com.OVA.pojo.Users;
/**
* @author OVA_Wom PagingAndSortingRepository测试接口
*/
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration("classpath:applicationContext.xml")
public class TestPagingAndSortingRepositoryTest {
@Autowired
private UserDao userdao;
Users users = null;
// 查詢全部对所的数据进行分页处理
@Test
public void testPage() {
int page = 0;
int size = 3;
/*
* Pageable是一个接口用PageRequest(page, size)创建, page参数一:是当前页的页数
* size参数二:表示每页显示条数
*/
Pageable pageable = new PageRequest(page, size);
Page<Users> findAll = userdao.findAll(pageable);
System.out.println("分页的总页数" + findAll.getTotalPages());
System.out.println("分页的总条数" + findAll.getTotalElements());
System.out.println("每一页的结果");
List<Users> content = findAll.getContent();
for (Users users : content) {
System.out.println(users);
}
}
// 对单列数据做排序处理
@Test
public void testSortColumn() {
// Sort该对象封装了排序规则以及排序列(以及指定的字段,该字段用对象的属性来描述)
// direction参数一:表示排序规则;properties参数二:需要排序的属性用对象的属性表示
Sort sort = new Sort(Direction.DESC, "userid");
Iterable<Users> findAll = userdao.findAll(sort);
for (Users users : findAll) {
System.out.println(users);
}
}
//进行多列排序
@Test
public void testSortColumns(){
//Order是Sort的一静态内部类提供了和Sort一样的两个参数
//ID降序
Order orderid = new Order(Direction.DESC, "userid");
//年龄降序
Order orderage = new Order(Direction.DESC, "userage");
//Sort里面可以放置多个Order
Sort sort = new Sort(orderid,orderage);
Iterable<Users> findAll = userdao.findAll(sort);
for (Users users : findAll) {
System.out.println(users);
}
}
}
代码已经加详细的注释,以上就是PagingAndSortingRespository接口的基本内容,不足之处还请大神指正。