Table of Contents
获取分页类
分页查询
分页设置
设置分页变量
设置每页记录数
传入分页条件
分页路由支持
设置显示的页数
分页显示定制
Home Backend Development PHP Tutorial ThinkPHP数据分页Page.class.php

ThinkPHP数据分页Page.class.php

Jun 23, 2016 pm 01:54 PM
thinkphp Pagination data

获取分页类

ThinkPHP提供了数据分页的扩展类库Page,可以在 http://www.thinkphp.cn/extend/241.html 下载,或者下载官方的完整扩展包( http://www.thinkphp.cn/down/253.html )里面也已经包含分页扩展类了。把解压后的Page.class.php放入ThinkPHP/Extend/Library/ORG/Util/(如果没有请手动创建)目录下面。
当然,扩展类库的位置其实比较随意,你也可以放入项目的类库目录下面,区别只是在于你导入路径的不同而已。

分页查询

分页类需要和查询相结合,我们可以使用ThinkPHP自带的limit方法或者page方法,目的就是为了获取当前分页的数据(也有先获取完整数据然后前端分页显示的方法,不在本文描述内容中,也不建议)。使用limit方法或者page方法是和数据库类型无关的。

我们首先在数据库里面创建一个think_data数据表用于测试:

    CREATE TABLE IF NOT EXISTS `think_data` (      `id` smallint(4) unsigned NOT NULL AUTO_INCREMENT,      `title` varchar(255) NOT NULL,      `content` varchar(255) NOT NULL,      `create_time` int(11) unsigned NOT NULL,      PRIMARY KEY (`id`)    ) ENGINE=MyISAM  DEFAULT CHARSET=utf8 ;
Copy after login


复制代码

要使用分页查询,一般来说需要进行两次查询,即第一次查询得到满足条件的总数据量,然后第二次查询当前分页的数据,这样做的作用是告诉分页类当前的数据总数,以便计算生成的总页数(如果你的显示只是需要上下翻页的话,其实总数查询可以省略或者进行缓存)。

一个标准的分页使用示例如下:

    $Data = M('Data'); // 实例化Data数据对象    import('ORG.Util.Page');// 导入分页类    $count      = $Data->where($map)->count();// 查询满足要求的总记录数 $map表示查询条件    $Page       = new Page($count);// 实例化分页类 传入总记录数    $show       = $Page->show();// 分页显示输出    // 进行分页数据查询    $list = $Data->where($map)->order('create_time')->limit($Page->firstRow.','.$Page->listRows)->select();    $this->assign('list',$list);// 赋值数据集    $this->assign('page',$show);// 赋值分页输出    $this->display(); // 输出模板
Copy after login


复制代码

如果没有任何数据的话,分页显示为空白。所以在进行测试之前,请确保你的数据表里面有一定的数据,否则可能看不到分页的效果。如果使用page方法查询的话,则可以改成

    $Data = M('Data'); // 实例化Data数据对象    import('ORG.Util.Page');// 导入分页类    $count      = $Data->where($map)->count();// 查询满足要求的总记录数    $Page       = new Page($count);// 实例化分页类 传入总记录数    // 进行分页数据查询 注意page方法的参数的前面部分是当前的页数使用 $_GET[p]获取    $nowPage = isset($_GET['p'])?$_GET['p']:1;    $list = $Data->where($map)->order('create_time')->page($nowPage.','.$Page->listRows)->select();    $show       = $Page->show();// 分页显示输出    $this->assign('page',$show);// 赋值分页输出    $this->assign('list',$list);// 赋值数据集    $this->display(); // 输出模板
Copy after login



复制代码

然后,我们在模板中添加分页输出变量即可


Copy after login
[ {$vo.create_time|date='Y-m-d H:i:s',###} ] {$vo.title}
{$page}



复制代码

可以看到分页输出只需要采用{$page}变量在模板中输出即可。

分页设置

设置分页变量

默认情况下,分页传值的变量是p,生成的分页跳转地址可能类似于:
  1. http://serverName/index.php/Data/index/p/1
  2. http://serverName/index.php/Data/index/p/2

复制代码

我们可以配置VAR_PAGE配置参数来改变:
  1. 'VAR_PAGE'=>'page'

复制代码

则分页地址变成:
  1. http://serverName/index.php/Data/index/page/1
  2. http://serverName/index.php/Data/index/page/1

复制代码

设置每页记录数

默认的情况下,分页显示每页会显示20条数据,如果你希望改变每页显示的数据量的话,实例化分页类的时候可以传人第二个参数即可:
  1. $Page       = new Page($count,5);// 实例化分页类 传入总记录数并且每页显示5条记录

复制代码

由于查询方法中我们使用了$Page->listRows属性,所以无需更改,但如果你是直接在查询方法中使用数字请记得一起更改。
下面是官方的分页示例的显示效果:

传入分页条件

默认情况下,分页类会自动获取当前页面的POST(优先)或者GET变量作为分页跳转的传值,如果需要指定传入当前分页跳转的参数,就可以通过设置parameter属性,parameter属性支持2种方式传值:字符串和数组。字符串采用var1=val1&var2=val2...的格式,例如:
  1. foreach($map as $key=>$val) {
  2.     $Page->parameter   .=   "$key=".urlencode($val).'&';
  3.  }

复制代码

或者直接传入数组:
  1. $Page->parameter   =   array_map('urlencode',$map);

复制代码

由于内部调用了U函数,分页类最终生成的分页跳转链接会根据当前的URL设置自动生成和当前URL模式一致的地址,所以无需担心分页链接的参数影响URL地址。

分页路由支持

如果你的分页跳转链接地址采用了路由,那么可以通过设置url参数,例如,假设我们的分页URL地址格式是:
  1. http://serverName/data/index/1
  2. http://serverName/data/index/2
  3. http://serverName/data/index/3

复制代码

这样的URL路由地址,那么我们就可以设置
  1. $Page->url = 'data/index';

复制代码

设置后,分页类的链接地址会自动生成上面的URL格式地址。
注意,url参数和parameter 同时使用的话,后者无效。

设置显示的页数

可以在实例化分页类之后,进行相关属性的设置。默认情况下,页面显示的页数是5,我们可以修改:
  1. $Page->rollPage = 3;

复制代码

这样,页面上只能同时看到3个分页

分页显示定制

上面讲的是分页的参数设置,下面讲下如何对分页显示效果(包括样式)进行设置。默认的分页效果可能不能满足所有的要求,分页类提供了一个setConfig方法来修改默认的一些设置。例如:
  1. $page->setConfig('header','个会员');

复制代码

setConfig方法支持的属性包括:
header 头部描述信息,默认值 “条记录”
prev 上一页描述信息,默认值是“上一页”
next 下一页描述信息,默认值是“下一页”
first 第一页描述信息,默认值是“第一页”
last 最后一页描述信息,默认值是“最后一页”
theme 分页主题描述信息,包括了上面所有元素的组合 ,设置该属性可以改变分页的各个单元的显示位置,默认值是
"%totalRow% %header% %nowPage%/%totalPage% 页 %upPage% %downPage% %first% %prePage% %linkPage% %nextPage% %end%"
通过setConfig设置以上属性可以完美的定制出你的分页显示风格。
Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Use ddrescue to recover data on Linux Use ddrescue to recover data on Linux Mar 20, 2024 pm 01:37 PM

DDREASE is a tool for recovering data from file or block devices such as hard drives, SSDs, RAM disks, CDs, DVDs and USB storage devices. It copies data from one block device to another, leaving corrupted data blocks behind and moving only good data blocks. ddreasue is a powerful recovery tool that is fully automated as it does not require any interference during recovery operations. Additionally, thanks to the ddasue map file, it can be stopped and resumed at any time. Other key features of DDREASE are as follows: It does not overwrite recovered data but fills the gaps in case of iterative recovery. However, it can be truncated if the tool is instructed to do so explicitly. Recover data from multiple files or blocks to a single

Open source! Beyond ZoeDepth! DepthFM: Fast and accurate monocular depth estimation! Open source! Beyond ZoeDepth! DepthFM: Fast and accurate monocular depth estimation! Apr 03, 2024 pm 12:04 PM

0.What does this article do? We propose DepthFM: a versatile and fast state-of-the-art generative monocular depth estimation model. In addition to traditional depth estimation tasks, DepthFM also demonstrates state-of-the-art capabilities in downstream tasks such as depth inpainting. DepthFM is efficient and can synthesize depth maps within a few inference steps. Let’s read about this work together ~ 1. Paper information title: DepthFM: FastMonocularDepthEstimationwithFlowMatching Author: MingGui, JohannesS.Fischer, UlrichPrestel, PingchuanMa, Dmytr

Google is ecstatic: JAX performance surpasses Pytorch and TensorFlow! It may become the fastest choice for GPU inference training Google is ecstatic: JAX performance surpasses Pytorch and TensorFlow! It may become the fastest choice for GPU inference training Apr 01, 2024 pm 07:46 PM

The performance of JAX, promoted by Google, has surpassed that of Pytorch and TensorFlow in recent benchmark tests, ranking first in 7 indicators. And the test was not done on the TPU with the best JAX performance. Although among developers, Pytorch is still more popular than Tensorflow. But in the future, perhaps more large models will be trained and run based on the JAX platform. Models Recently, the Keras team benchmarked three backends (TensorFlow, JAX, PyTorch) with the native PyTorch implementation and Keras2 with TensorFlow. First, they select a set of mainstream

How to run thinkphp project How to run thinkphp project Apr 09, 2024 pm 05:33 PM

To run the ThinkPHP project, you need to: install Composer; use Composer to create the project; enter the project directory and execute php bin/console serve; visit http://localhost:8000 to view the welcome page.

Slow Cellular Data Internet Speeds on iPhone: Fixes Slow Cellular Data Internet Speeds on iPhone: Fixes May 03, 2024 pm 09:01 PM

Facing lag, slow mobile data connection on iPhone? Typically, the strength of cellular internet on your phone depends on several factors such as region, cellular network type, roaming type, etc. There are some things you can do to get a faster, more reliable cellular Internet connection. Fix 1 – Force Restart iPhone Sometimes, force restarting your device just resets a lot of things, including the cellular connection. Step 1 – Just press the volume up key once and release. Next, press the Volume Down key and release it again. Step 2 – The next part of the process is to hold the button on the right side. Let the iPhone finish restarting. Enable cellular data and check network speed. Check again Fix 2 – Change data mode While 5G offers better network speeds, it works better when the signal is weaker

The vitality of super intelligence awakens! But with the arrival of self-updating AI, mothers no longer have to worry about data bottlenecks The vitality of super intelligence awakens! But with the arrival of self-updating AI, mothers no longer have to worry about data bottlenecks Apr 29, 2024 pm 06:55 PM

I cry to death. The world is madly building big models. The data on the Internet is not enough. It is not enough at all. The training model looks like "The Hunger Games", and AI researchers around the world are worrying about how to feed these data voracious eaters. This problem is particularly prominent in multi-modal tasks. At a time when nothing could be done, a start-up team from the Department of Renmin University of China used its own new model to become the first in China to make "model-generated data feed itself" a reality. Moreover, it is a two-pronged approach on the understanding side and the generation side. Both sides can generate high-quality, multi-modal new data and provide data feedback to the model itself. What is a model? Awaker 1.0, a large multi-modal model that just appeared on the Zhongguancun Forum. Who is the team? Sophon engine. Founded by Gao Yizhao, a doctoral student at Renmin University’s Hillhouse School of Artificial Intelligence.

The U.S. Air Force showcases its first AI fighter jet with high profile! The minister personally conducted the test drive without interfering during the whole process, and 100,000 lines of code were tested for 21 times. The U.S. Air Force showcases its first AI fighter jet with high profile! The minister personally conducted the test drive without interfering during the whole process, and 100,000 lines of code were tested for 21 times. May 07, 2024 pm 05:00 PM

Recently, the military circle has been overwhelmed by the news: US military fighter jets can now complete fully automatic air combat using AI. Yes, just recently, the US military’s AI fighter jet was made public for the first time and the mystery was unveiled. The full name of this fighter is the Variable Stability Simulator Test Aircraft (VISTA). It was personally flown by the Secretary of the US Air Force to simulate a one-on-one air battle. On May 2, U.S. Air Force Secretary Frank Kendall took off in an X-62AVISTA at Edwards Air Force Base. Note that during the one-hour flight, all flight actions were completed autonomously by AI! Kendall said - "For the past few decades, we have been thinking about the unlimited potential of autonomous air-to-air combat, but it has always seemed out of reach." However now,

There are several versions of thinkphp There are several versions of thinkphp Apr 09, 2024 pm 06:09 PM

ThinkPHP has multiple versions designed for different PHP versions. Major versions include 3.2, 5.0, 5.1, and 6.0, while minor versions are used to fix bugs and provide new features. The latest stable version is ThinkPHP 6.0.16. When choosing a version, consider the PHP version, feature requirements, and community support. It is recommended to use the latest stable version for best performance and support.

See all articles