搭建基礎架構-Page

Leon_Jinhai_Sun發表於2020-11-28
/**
 * 分頁物件. 包含當前頁資料及分頁資訊如總記錄數.
 * 能夠支援JQuery EasyUI直接對接,能夠支援和BootStrap Table直接對接
 */
public class Page<T> implements Serializable {

	private static final long serialVersionUID = 1L;

	private static final int DEFAULT_PAGE_SIZE = 20;

	private int pageSize = DEFAULT_PAGE_SIZE; // 每頁的記錄數

	private long start; // 當前頁第一條資料在List中的位置,從0開始

	private List<T> rows; // 當前頁中存放的記錄,型別一般為List

	private long total; // 總記錄數

	/**
	 * 構造方法,只構造空頁.
	 */
	public Page() {
		this(0, 0, DEFAULT_PAGE_SIZE, new ArrayList<T>());
	}

	/**
	 * 預設構造方法.
	 * 
	 * @param start
	 *            本頁資料在資料庫中的起始位置
	 * @param totalSize
	 *            資料庫中總記錄條數
	 * @param pageSize
	 *            本頁容量
	 * @param rows
	 *            本頁包含的資料
	 */
	public Page(long start, long totalSize, int pageSize, List<T> rows) {
		this.pageSize = pageSize;
		this.start = start;
		this.total = totalSize;
		this.rows = rows;
	}

	/**
	 * 取總記錄數.
	 */
	public long getTotal() {
		return this.total;
	}
	
	public void setTotal(long total) {
		this.total = total;
	}

	/**
	 * 取總頁數.
	 */
	public long getTotalPageCount() {
		if (total % pageSize == 0){
			return total / pageSize;
		}else{
			return total / pageSize + 1;
		}
	}

	/**
	 * 取每頁資料容量.
	 */
	public int getPageSize() {
		return pageSize;
	}

	/**
	 * 取當前頁中的記錄.
	 */
	public List<T> getRows() {
		return rows;
	}
	
	public void setRows(List<T> rows) {
		this.rows = rows;
	}

	/**
	 * 取該頁當前頁碼,頁碼從1開始.
	 */
	public long getPageNo() {
		return start / pageSize + 1;
	}

	/**
	 * 該頁是否有下一頁.
	 */
	public boolean hasNextPage() {
		return this.getPageNo() < this.getTotalPageCount() - 1;
	}

	/**
	 * 該頁是否有上一頁.
	 */
	public boolean hasPreviousPage() {
		return this.getPageNo() > 1;
	}

	/**
	 * 獲取任一頁第一條資料在資料集的位置,每頁條數使用預設值.
	 * 
	 * @see #getStartOfPage(int,int)
	 */
	protected static int getStartOfPage(int pageNo) {
		return getStartOfPage(pageNo, DEFAULT_PAGE_SIZE);
	}

	/**
	 * 獲取任一頁第一條資料在資料集的位置.
	 * 
	 * @param pageNo
	 *            從1開始的頁號
	 * @param pageSize
	 *            每頁記錄條數
	 * @return 該頁第一條資料
	 */
	public static int getStartOfPage(int pageNo, int pageSize) {
		return (pageNo - 1) * pageSize;
	}

}

 

相關文章