在Java的DAO层进行分页查询,通常需要以下几个步骤:
确定每页显示的记录数(页面大小)和需要查询的总记录数。
计算总页数。
使用SQL查询语句进行分页查询。在查询语句中使用LIMIT
(MySQL)或TOP
(SQL Server)关键字限制返回的记录数,并使用OFFSET
(MySQL)或ROW_NUMBER()
(SQL Server)关键字跳过指定数量的记录。
以下是一个使用Spring Data JPA进行分页查询的示例:
User
实体类,我们希望按用户名进行分页查询:import org.springframework.data.domain.Page;
import org.springframework.data.domain.Pageable;
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.stereotype.Repository;
@Repository
public interface UserRepository extends JpaRepository<User, Long> {
Page<User> findByUsername(String username, Pageable pageable);
}
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.stereotype.Service;
@Service
public class UserService {
@Autowired
private UserRepository userRepository;
public Page<User> getUsersByUsername(String username, int pageNumber, int pageSize, String sortBy) {
Pageable pageable = PageRequest.of(pageNumber, pageSize, sortBy);
return userRepository.findByUsername(username, pageable);
}
}
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Page;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;
@RestController
public class UserController {
@Autowired
private UserService userService;
@GetMapping("/users")
public Page<User> getUsers(
@RequestParam(value = "username", required = false) String username,
@RequestParam(value = "pageNumber", defaultValue = "0") int pageNumber,
@RequestParam(value = "pageSize", defaultValue = "10") int pageSize,
@RequestParam(value = "sortBy", defaultValue = "username") String sortBy) {
return userService.getUsersByUsername(username, pageNumber, pageSize, sortBy);
}
}
现在,当你调用/users
接口时,将会返回按用户名分页查询的结果。你可以根据需要调整页面大小、当前页数和排序参数。