欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

Flask Paginate實(shí)現(xiàn)表格分頁(yè)的使用示例

 更新時(shí)間:2023年11月26日 17:07:01   作者:微軟技術(shù)分享  
flask_paginate是Flask框架的一個(gè)分頁(yè)擴(kuò)展,用于處理分頁(yè)相關(guān)的功能,本文就來(lái)介紹一下Flask Paginate實(shí)現(xiàn)表格分頁(yè)的使用示例,感興趣的可以了解一下

flask_paginate 是 Flask 框架的一個(gè)分頁(yè)擴(kuò)展,用于處理分頁(yè)相關(guān)的功能。它可以幫助你在 Flask Web 應(yīng)用程序中實(shí)現(xiàn)分頁(yè)功能,讓用戶可以瀏覽大量數(shù)據(jù)的不同部分。本篇博文重點(diǎn)講述在Web開發(fā)中,用paginate把所有數(shù)據(jù)進(jìn)行分頁(yè)展示,首先通過(guò)運(yùn)用第三方庫(kù)實(shí)現(xiàn)后端分頁(yè),然后再自己編寫一個(gè)分頁(yè)類實(shí)現(xiàn)。

flask_sqlalchemy

Flask-SQLAlchemy 是 Flask 框架的一個(gè)擴(kuò)展,提供了對(duì) SQL 數(shù)據(jù)庫(kù)的集成支持。它基于 SQLAlchemy 構(gòu)建,簡(jiǎn)化了在 Flask 應(yīng)用中使用數(shù)據(jù)庫(kù)的操作。

安裝 Flask-SQLAlchemy

pip install Flask-SQLAlchemy

Flask-SQLAlchemy的使用很簡(jiǎn)單,如下是一些簡(jiǎn)單的用法;

from flask import Flask
from sqlalchemy import not_,or_,and_,desc
from flask_sqlalchemy import SQLAlchemy

app = Flask(__name__)

# url的格式為:數(shù)據(jù)庫(kù)的協(xié)議://用戶名:密碼@ip地址:端口號(hào)(默認(rèn)可以不寫)/數(shù)據(jù)庫(kù)名
app.config["SQLALCHEMY_DATABASE_URI"] = "sqlite:///:memory:"

# 為了解決控制臺(tái)的提示
app.config["SQLALCHEMY_TRACK_MODIFICATIONS"] = False

# 創(chuàng)建數(shù)據(jù)庫(kù)的操作對(duì)象
db = SQLAlchemy(app)

# 創(chuàng)建規(guī)則表
class RoleDB(db.Model):
    __tablename__ = "role"
    id = db.Column(db.Integer, primary_key=True)
    name = db.Column(db.String(16), unique=True)

    # 增加反查外鍵關(guān)聯(lián)到UserDB
    users = db.relationship('UserDB', backref="role")

    # 當(dāng)調(diào)用 Role.query.all() 會(huì)觸發(fā)輸出
    def __repr__(self):
        return "Role: %s | %s" % (self.id, self.name)

# 創(chuàng)建用戶表
class UserDB(db.Model):
    __tablename__ = "user"
    id = db.Column(db.Integer, primary_key=True)
    name = db.Column(db.String(16), unique=True)
    email = db.Column(db.String(32), unique=True)
    password = db.Column(db.String(16))

    # 關(guān)聯(lián)到RuleDB表中的ID上面
    role_id = db.Column(db.Integer, db.ForeignKey("role.id"))

    # 當(dāng)調(diào)用 RoleDB.query.all() 會(huì)觸發(fā)輸出
    def __repr__(self):
        return "User: %s | %s | %s | %s" % (self.id, self.name, self.password, self.role_id)

@app.route('/')
def index():
    # 此處查詢會(huì)走類內(nèi) __repr__ 輸出
    print("查詢所有用戶數(shù)據(jù): ", UserDB.query.all())
    print("查詢所有規(guī)則數(shù)據(jù): ", RoleDB.query.all())
    print("查詢有多少個(gè)用戶: ", UserDB.query.count())
    print("查詢第一個(gè)用戶: ", UserDB.query.first())

    # 查詢過(guò)濾器
    print("查詢第一條: ", UserDB.query.get(1))
    print("查詢過(guò)濾器(類名+屬性名): ", UserDB.query.filter(UserDB.id == 4).first())
    print("查詢過(guò)濾器(屬性名): ", UserDB.query.filter_by(id=4).first())

    # 查詢名字結(jié)尾字符為g的所有數(shù)據(jù) [開始/包含]
    print(UserDB.query.filter(UserDB.name.endswith("g")).all())
    print(UserDB.query.filter(UserDB.name.contains("g")).all())

    # 查詢名字不等于wang的所有數(shù)據(jù) [2種方式]
    print(UserDB.query.filter(not_(UserDB.name == "wang")).all())
    print(UserDB.query.filter(UserDB.name != "wang").all())

    #  查詢 [名字和郵箱] 都以li開頭的所有數(shù)據(jù) [2種方式]
    print(UserDB.query.filter(and_(UserDB.name.startswith("li"),UserDB.email.startswith("li"))).all())
    print(UserDB.query.filter(UserDB.name.startswith("li"), UserDB.email.startswith("li")).all())

    # 查詢password是 123456 或者 email 以 lyshark.com 結(jié)尾的所有數(shù)據(jù)
    print(UserDB.query.filter(or_(UserDB.password=='123456', UserDB.email.endswith('lyshark.com'))).all())

    # 查詢id為 [1, 3, 5, 7, 9] 的用戶列表
    print(UserDB.query.filter(UserDB.id.in_([1, 3, 5, 7, 9])).all())

    # 查詢name為liu的角色數(shù)據(jù):關(guān)系引用
    print(UserDB.query.filter_by(name="liu").first().role.name)

    # 查詢所有用戶數(shù)據(jù) 并以郵箱排序 [升序/降序]
    print("升序: ", UserDB.query.order_by("email").all())
    print("降序: ", UserDB.query.order_by(desc("email")).all())

    # 查詢第2頁(yè)的數(shù)據(jù),每頁(yè)只顯示3條數(shù)據(jù)
    pages = UserDB.query.paginate(2,3,False)
    print("查詢結(jié)果: {} 總頁(yè)數(shù): {} 當(dāng)前頁(yè)數(shù): {}".format(pages.items,pages.pages,pages.page))

    # 完整查詢調(diào)用寫法
    ref = db.session.query(UserDB).filter(UserDB.name == "wang").all()
    print(ref)
    return "success"

if __name__ == "__main__":
    # 初始化數(shù)據(jù)表
    db.drop_all()
    db.create_all()

    # 插入兩個(gè)規(guī)則記錄
    role_admin = RoleDB(name="admin")
    db.session.add(role_admin)
    role_lyshark = RoleDB(name="lyshark")
    db.session.add(role_lyshark)
    db.session.commit()

    try:
        ua = UserDB(name='wang', email='wang@163.com', password='123456', role_id=role_admin.id)
        ub = UserDB(name='zhang', email='zhang@189.com', password='201512', role_id=role_lyshark.id)
        uc = UserDB(name='chen', email='chen@126.com', password='987654', role_id=role_lyshark.id)
        ud = UserDB(name='zhou', email='zhou@163.com', password='456789', role_id=role_admin.id)
        ue = UserDB(name='tang', email='tang@lyshark.com', password='158104', role_id=role_lyshark.id)
        uf = UserDB(name='wu', email='wu@gmail.com', password='5623514', role_id=role_lyshark.id)
        ug = UserDB(name='qian', email='qian@gmail.com', password='1543567', role_id=role_admin.id)
        uh = UserDB(name='liu', email='liu@lyshark.com', password='867322', role_id=role_admin.id)
        ui = UserDB(name='li', email='li@163.com', password='4526342', role_id=role_lyshark.id)
        uj = UserDB(name='sun', email='sun@163.com', password='235523', role_id=role_lyshark.id)
        db.session.add_all([ua, ub, uc, ud, ue, uf, ug, uh, ui, uj])
        db.session.commit()

    except Exception as e:
        # 插入失敗自動(dòng)回滾
        db.session.rollback()
        raise e

    app.run(debug=True)

flask_sqlalchemy 分頁(yè)組件

Flask-SQLAlchemy 分頁(yè)插件為 Flask 應(yīng)用提供了便捷而強(qiáng)大的分頁(yè)功能,通過(guò) paginate() 方法返回的 Pagination 類對(duì)象,開發(fā)者能夠輕松實(shí)現(xiàn)對(duì)大型數(shù)據(jù)集的分頁(yè)展示。該插件基于 Flask-SQLAlchemy 擴(kuò)展構(gòu)建,簡(jiǎn)化了在 Flask 應(yīng)用中進(jìn)行數(shù)據(jù)庫(kù)查詢的分頁(yè)操作。通過(guò)靈活的配置選項(xiàng),開發(fā)者可以高效地管理和展示數(shù)據(jù),提升用戶體驗(yàn),是構(gòu)建數(shù)據(jù)驅(qū)動(dòng) Web 應(yīng)用的重要利器。本文將深入介紹 Flask-SQLAlchemy 分頁(yè)插件的基本使用方法以及常見(jiàn)配置選項(xiàng),幫助開發(fā)者快速上手并充分發(fā)揮其強(qiáng)大的分頁(yè)功能。

前端部分使用bootstrap實(shí)現(xiàn)分頁(yè)組件,新建前端index.html文件,代碼如下;

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
    <link rel="stylesheet"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow" >
</head>
<body>
<div class="box box-primary">
    <div class="box-body table-responsive no-padding">
        <table class="table table-sm table-hover">
            <thread>
                <tr class="table-success">
                    <th>id</th>
                    <th>name</th>
                    <th>email</th>
                    <th>password</th>
                </tr>
            </thread>
            <tbody>
                {% for item in page_data.items %}
                    <tr class="table-primary">
                        <td>{{ item.id }}</td>
                        <td>{{ item.name }}</td>
                        <td>{{ item.email }}</td>
                        <td>{{ item.password }}</td>
                    </tr>
                {% endfor %}
            </tbody>
        </table>
    </div>

    <div class="box-footer clearfix">
        <nav class="d-flex justify-content-center" aria-label="Page navigation example">
            {% if page_data %}
                <ul class="pagination">
                    <li class="page-item"><a class="page-link" href="./1" rel="external nofollow" >首頁(yè)</a></li>

                    {% if page_data.has_prev %}
                        <li class="page-item"><a class="page-link" href="{{ page_data.prev_num }}" rel="external nofollow" >上一頁(yè)</a></li>
                    {% else %}
                        <li class="page-item" class="disabled"><a class="page-link" href="#" rel="external nofollow"  rel="external nofollow" >上一頁(yè)</a></li>
                    {% endif %}
                    <!--
                    {% for item in page_data.iter_pages() %}
                        {% if item == page_data.page %}
                            <li class="page-item active"><a class="page-link" href="{{ item }}" rel="external nofollow"  rel="external nofollow" >{{ item }}</a></li>
                        {% else %}
                            <li class="page-item"><a class="page-link" href="{{ item }}" rel="external nofollow"  rel="external nofollow" >{{ item }}</a></li>
                        {% endif %}
                    {% endfor %}
                    -->

                    <!-- 當(dāng)前頁(yè)的頁(yè)碼/總頁(yè)碼 -->
                    <p>{{ page_data.page }}</p> / <p>{{ page_data.pages }}</p>

                    {% if page_data.has_next %}
                        <li class="page-item"><a class="page-link" href="{{ page_data.next_num  }}" rel="external nofollow" >下一頁(yè)</a></li>
                    {% else %}
                        <li class="page-item" class="disabled"><a class="page-link" href="#" rel="external nofollow"  rel="external nofollow" >下一頁(yè)</a></li>
                    {% endif %}
                    <li class="page-item"><a class="page-link" href="{{ page_data.pages }}" rel="external nofollow" >尾頁(yè)</a></li>
                </ul>
            {% endif %}
        </nav>
    </div>
</div>
</body>
</html>

使用組件內(nèi)的過(guò)濾器分頁(yè)是非常簡(jiǎn)單的一件事,只需要調(diào)用參數(shù)后返回,后端app.py代碼如下;

from flask import Flask,render_template,request
from flask_sqlalchemy import SQLAlchemy

app = Flask(__name__, template_folder="./tempate",static_folder="./tempate")

app.config["SQLALCHEMY_DATABASE_URI"] = "sqlite:///database.db"

# 設(shè)置每次請(qǐng)求結(jié)束后會(huì)自動(dòng)提交數(shù)據(jù)庫(kù)的改動(dòng)
app.config['SQLALCHEMY_COMMIT_ON_TEARDOWN'] = True
app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = True

# 查詢時(shí)顯示原始SQL語(yǔ)句
app.config['SQLALCHEMY_ECHO'] = False

# 創(chuàng)建數(shù)據(jù)庫(kù)的操作對(duì)象
db = SQLAlchemy(app)

# 創(chuàng)建用戶表
class UserDB(db.Model):
    __tablename__="user"
    id = db.Column(db.Integer,primary_key=True)
    name = db.Column(db.String(32))
    email = db.Column(db.String(32))
    password = db.Column(db.String(32))

    def __init__(self,name,email,password):
        self.name = name
        self.email = email
        self.password = password

    def __repr_(self):
        return 'User %s'%self.name

@app.route("/")
def index():
    return "<script>window.location.href='./page/1'</script>"

@app.route("/page/<int:page_number>")
def page(page_number=None):
    if page_number is None:
        page_number = 1

    page = db.session.query(UserDB).paginate(page=page_number,per_page=10,max_per_page=15)
    return render_template("index.html", page_data = page)

if __name__ == "__main__":
    # 初始化數(shù)據(jù)表
    db.drop_all()
    db.create_all()
    try:
        ua = UserDB(name='wang', email='wang@163.com', password='123456')
        ub = UserDB(name='zhang', email='zhang@189.com', password='201512')
        uc = UserDB(name='chen', email='chen@126.com', password='987654')
        ud = UserDB(name='zhou', email='zhou@163.com', password='456789')
        ue = UserDB(name='tang', email='tang@lyshark.com', password='158104')
        uf = UserDB(name='wu', email='wu@gmail.com', password='5623514')
        ug = UserDB(name='qian', email='qian@gmail.com', password='1543567')
        uh = UserDB(name='liu', email='liu@lyshark.com', password='867322')
        ui = UserDB(name='li', email='li@163.com', password='4526342')
        uj = UserDB(name='sun', email='sun@163.com', password='235523')
        db.session.add_all([ua, ub, uc, ud, ue, uf, ug, uh, ui, uj,uj,uj,uj,uj,uj,uj,uj,uj])
        db.session.commit()

    except Exception as e:
        # 插入失敗自動(dòng)回滾
        db.session.rollback()
        raise e
    app.run(debug=True)

flask_paginate 分頁(yè)組件

Flask-Paginate 是 Flask 框架中的一個(gè)重要插件,為開發(fā)者提供了便捷而靈活的分頁(yè)解決方案。通過(guò)結(jié)合 Flask 官方的分頁(yè)部件,這個(gè)插件能夠輕松地實(shí)現(xiàn)對(duì)大量數(shù)據(jù)的分頁(yè)展示,為用戶提供更友好的瀏覽體驗(yàn)。本文將深入介紹 Flask-Paginate 的核心功能、使用方法以及與數(shù)據(jù)庫(kù)查詢的協(xié)同操作,幫助開發(fā)者更好地利用這一工具來(lái)優(yōu)化 Web 應(yīng)用的分頁(yè)展示。

前端部分使用bootstrap實(shí)現(xiàn)分頁(yè)組件,新建前端index.html文件,代碼如下;

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
    <link rel="stylesheet"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow" >
</head>
<body>
<table class="table table-sm table-hover">
    <thead>
        <tr class="table-success">
            <th>序號(hào)</th>
            <th>用戶ID</th>
            <th>用戶名稱</th>
            <th>用戶郵箱</th>
            <th>用戶密碼</th>
        </tr>
    </thead>
    <tbody>
        {% for article in articles %}
            <tr class="table-primary">
                <td>{{ loop.index }}</td>
                <td>{{ article.id }}</td>
                <td>{{ article.name }}</td>
                <td>{{ article.email }}</td>
                <td>{{ article.password }}</td>
            </tr>
        {% endfor %}
    </tbody>
</table>
<nav class="d-flex justify-content-center" aria-label="Page navigation example">
  <ul class="pagination">
    <li class="page-item"><a class="page-link" href="./page=1" rel="external nofollow"  rel="external nofollow" >首頁(yè)</a></li>
      {% if pagination.has_prev %}
           <li class="page-item"><a class="page-link" href="./page={{ prve_num }}" rel="external nofollow" >上一頁(yè)</a></li>
      {% endif %}

        <!--獲取當(dāng)前列表,并全部填充到這里-->
        {% for item in pageRange %}
            <!--判斷如果是當(dāng)前頁(yè)則直接標(biāo)號(hào)為藍(lán)色高亮-->
            {% if item == currentPage %}
                <li class="page-item active"><a class="page-link" href="./page={{ item }}" rel="external nofollow"  rel="external nofollow" >{{ item }}</a></li>
            <!--否則的話,就直接接收參數(shù)填充-->
            {% else %}
                <li class="page-item"><a class="page-link" href="./page={{ item }}" rel="external nofollow"  rel="external nofollow" >{{ item }}</a></li>
            {% endif %}
        {% endfor %}

      {% if next_end %}
          <li class="page-item"><a class="page-link" href="./page={{ next_num }}" rel="external nofollow" >下一頁(yè)</a></li>
      {% endif %}
    <li class="page-item"><a class="page-link" href="./page={{ PageCount }}" rel="external nofollow" >尾頁(yè)</a></li>
  </ul>
</nav>

  <div style="text-align: center;" class="alert alert-dark">
   統(tǒng)計(jì): {{ pagination.page }}/{{ PageCount }} 共查詢到:{{ pagination.total }} 條數(shù)據(jù) 頁(yè)碼列表:{{ pageRange }}
  </div>
</body>
</html>

后端就是對(duì)請(qǐng)求的響應(yīng),前端用戶通過(guò)GET方式訪問(wèn),后端獲得用戶頁(yè)面數(shù),查詢后動(dòng)態(tài)展示出來(lái)即可。

from flask import Flask,render_template,request
from flask_sqlalchemy import SQLAlchemy
from flask_paginate import Pagination,get_page_parameter
import math

app = Flask(__name__, template_folder="./tempate",static_folder="./tempate")

# url的格式為:數(shù)據(jù)庫(kù)的協(xié)議://用戶名:密碼@ip地址:端口號(hào)(默認(rèn)可以不寫)/數(shù)據(jù)庫(kù)名
app.config["SQLALCHEMY_DATABASE_URI"] = "sqlite:///database.db"

# 設(shè)置每次請(qǐng)求結(jié)束后會(huì)自動(dòng)提交數(shù)據(jù)庫(kù)的改動(dòng)
app.config['SQLALCHEMY_COMMIT_ON_TEARDOWN'] = True
app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = True

# 查詢時(shí)顯示原始SQL語(yǔ)句
app.config['SQLALCHEMY_ECHO'] = False

# 創(chuàng)建數(shù)據(jù)庫(kù)的操作對(duì)象
db = SQLAlchemy(app)

# 創(chuàng)建用戶表
class UserDB(db.Model):
    __tablename__="user"
    id = db.Column(db.Integer,primary_key=True)
    name = db.Column(db.String(32))
    email = db.Column(db.String(32))
    password = db.Column(db.String(32))

    def __init__(self,name,email,password):
        self.name = name
        self.email = email
        self.password = password

    def __repr_(self):
        return 'User %s'%self.name

@app.route("/")
def index():
    return """<script>window.location.href="./page=1" rel="external nofollow"  rel="external nofollow" </script>"""

@app.route("/page=<int:id>")
def GetPages(id):
    # 默認(rèn)每頁(yè)顯示10個(gè)元素
    PER_PAGE = 10

    total = db.session.query(UserDB).count()
    print("總記錄 {} 條".format(total))

    currentPage = request.args.get(get_page_parameter(),type=int,default=int(id))
    print("當(dāng)前頁(yè)碼ID為 {}".format(currentPage))

    start = (currentPage-1)*PER_PAGE   # 分頁(yè)起始位置
    end = start+PER_PAGE               # 分頁(yè)結(jié)束位置
    print("起始位置 {} 結(jié)束位置 {}".format(start,end))

    prev_num = int(currentPage)-1
    next_num = int(currentPage)+1
    print("上一頁(yè)頁(yè)碼 {} 下一頁(yè)頁(yè)碼 {}".format(prev_num,next_num))

    # 計(jì)算出需要切割的頁(yè)數(shù)
    page_count = math.ceil(total/PER_PAGE)
    print("切割頁(yè)數(shù) {}".format(page_count))

    pagination = Pagination(page=currentPage,total=total)

    # 執(zhí)行數(shù)據(jù)庫(kù)切片
    articles = db.session.query(UserDB).slice(start,end)

    # 判斷,如果next_end大于總數(shù)說(shuō)明到最后了
    if currentPage>=math.ceil(total/PER_PAGE):
        # 那么我們就將next_end設(shè)置為0,前端就不執(zhí)行顯示了
        next_end=0
    else:
        next_end=1

    # -------------------------------------------------
    # 此頁(yè)面是擴(kuò)展部分,用于生成當(dāng)前頁(yè)碼,并填充到前端

    # 如果總頁(yè)數(shù)小于15則一次性生成頁(yè)碼即可
    if page_count < 15:
        pageRange = range(1,page_count+1)

    # 總頁(yè)數(shù)大于15則需要分情況生成
    elif page_count > 15:
        # 說(shuō)明是第一頁(yè)
        if currentPage-5 < 1:
            pageRange = range(1,11)
        # 說(shuō)明是最后一頁(yè)
        elif currentPage+5 > page_count:
            pageRange = range(currentPage-5,page_count)
        # 說(shuō)明是中間頁(yè)
        else:
            pageRange = range(currentPage-5,currentPage+5)

    # 如果都不是則返回總數(shù)
    else:
        pageRange = page_count

    print("生成的當(dāng)前頁(yè)碼: {}".format(pageRange))

    context = {
        'pagination': pagination,
        'articles': articles,
        'prve_num': prev_num,
        'next_num': next_num,
        'PageCount': page_count,
        'pageRange': pageRange,
        'next_end': next_end,
        "currentPage": currentPage
    }
    return render_template('index.html',**context)

if __name__ == "__main__":
    db.drop_all()
    db.create_all()
    try:
        ua = UserDB(name='wang', email='wang@163.com', password='123456')
        ub = UserDB(name='zhang', email='zhang@189.com', password='201512')
        uc = UserDB(name='chen', email='chen@126.com', password='987654')
        ud = UserDB(name='zhou', email='zhou@163.com', password='456789')
        ue = UserDB(name='tang', email='tang@lyshark.com', password='158104')
        uf = UserDB(name='wu', email='wu@gmail.com', password='5623514')
        ug = UserDB(name='qian', email='qian@gmail.com', password='1543567')
        uh = UserDB(name='liu', email='liu@lyshark.com', password='867322')
        ui = UserDB(name='li', email='li@163.com', password='4526342')
        uj = UserDB(name='sun', email='sun@163.com', password='235523')
        db.session.add_all([ua, ub, uc, ud, ue, uf, ug, uh, ui, uj,uj,uj,uj,uj,uj,uj,uj,uj])
        db.session.commit()

    except Exception as e:
        # 插入失敗自動(dòng)回滾
        db.session.rollback()
        raise e
    app.run(debug=True)

Pagination 自寫分頁(yè)器

前端部分使用bootstrap實(shí)現(xiàn)分頁(yè)組件,新建前端index.html文件,代碼如下;

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
    <link rel="stylesheet"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow" >
</head>
<body>
    <table class="table table-sm table-hover">
        <thead>
            <tr class="table-success">
                <th>用戶ID</th>
                <th>用戶名稱</th>
                <th>用戶郵箱</th>
                <th>用戶密碼</th>
            </tr>
        </thead>
        <tbody>
            {% for article in articles %}
                <tr class="table-primary">
                    <td>{{ article.id }}</td>
                    <td>{{ article.name }}</td>
                    <td>{{ article.email }}</td>
                    <td>{{ article.password }}</td>
                </tr>
            {% endfor %}
        </tbody>
    </table>

    <!--輸出頁(yè)碼范圍-->
    <nav class="d-flex justify-content-center" aria-label="Page navigation example">
         <ul class="pagination">
            {{ html|safe }}
        </ul>
    </nav>
</body>
</html>

首先需要?jiǎng)?chuàng)建一個(gè)pager.py文件,里面包含一個(gè)Pagination分頁(yè)類部件。

import copy
from urllib.parse import urlencode

class Pagination(object):
    def __init__(self,current_page,total_count,base_url,params,per_page_count=10,max_pager_count=11):
        try:
            current_page = int(current_page)
        except Exception as e:
            current_page = 1
        if current_page <=0:
            current_page = 1
        self.current_page = current_page
        # 數(shù)據(jù)總條數(shù)
        self.total_count = total_count
        # 每頁(yè)顯示10條數(shù)據(jù)
        self.per_page_count = per_page_count
        # 頁(yè)面上應(yīng)該顯示的最大頁(yè)碼
        max_page_num, div = divmod(total_count, per_page_count)
        if div:
            max_page_num += 1
        self.max_page_num = max_page_num
        # 頁(yè)面上默認(rèn)顯示11個(gè)頁(yè)碼(當(dāng)前頁(yè)在中間)
        self.max_pager_count = max_pager_count
        self.half_max_pager_count = int((max_pager_count - 1) / 2)
        # URL前綴
        self.base_url = base_url
        # request.GET
        params = copy.deepcopy(params)
        # params._mutable = True
        get_dict = params.to_dict()
        # 包含當(dāng)前列表頁(yè)面所有的搜/索條件
        self.params = get_dict
    @property
    def start(self):
        return (self.current_page - 1) * self.per_page_count
    @property
    def end(self):
        return self.current_page * self.per_page_count
    def page_html(self):
        # 如果總頁(yè)數(shù) <= 11
        if self.max_page_num <= self.max_pager_count:
            pager_start = 1
            pager_end = self.max_page_num
        # 如果總頁(yè)數(shù) > 11
        else:
            # 如果當(dāng)前頁(yè) <= 5
            if self.current_page <= self.half_max_pager_count:
                pager_start = 1
                pager_end = self.max_pager_count
            else:
                # 當(dāng)前頁(yè) + 5 > 總頁(yè)碼
                if (self.current_page + self.half_max_pager_count) > self.max_page_num:
                    pager_end = self.max_page_num
                    pager_start = self.max_page_num - self.max_pager_count + 1   #倒這數(shù)11個(gè)
                else:
                    pager_start = self.current_page - self.half_max_pager_count
                    pager_end = self.current_page + self.half_max_pager_count
        page_html_list = []
        # 首頁(yè)
        self.params['page'] = 1
        first_page = '<li class="page-item"><a class="page-link" href="%s?%s" rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow" >首頁(yè)</a></li>' % (self.base_url,urlencode(self.params),)
        page_html_list.append(first_page)
        # 上一頁(yè)
        self.params["page"] = self.current_page - 1
        if self.params["page"] < 1:
            pervious_page = '<li class="page-item" class="disabled"><a class="page-link" \
            href="%s?%s" rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  aria-label="Previous">上一頁(yè)</span></a></li>' % (self.base_url, urlencode(self.params))
        else:
            pervious_page = '<li class="page-item"><a class="page-link" href = "%s?%s" \
            aria-label = "Previous" >上一頁(yè)</span></a></li>' % ( self.base_url, urlencode(self.params))
        page_html_list.append(pervious_page)
        # 中間頁(yè)碼
        for i in range(pager_start, pager_end + 1):
            self.params['page'] = i
            if i == self.current_page:
                temp = '<li class="page-item active" class="active"><a class="page-link" \
                href="%s?%s" rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow" >%s</a></li>' % (self.base_url,urlencode(self.params), i,)
            else:
                temp = '<li  class="page-item"><a class="page-link" \
                href="%s?%s" rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow" >%s</a></li>' % (self.base_url,urlencode(self.params), i,)
            page_html_list.append(temp)
        # 下一頁(yè)
        self.params["page"] = self.current_page + 1
        if self.params["page"] > self.max_page_num:
            self.params["page"] = self.current_page
            next_page = '<li class="page-item" class="disabled"><a class="page-link" \
            href = "%s?%s" aria-label = "Next">下一頁(yè)</span></a></li >' % (self.base_url, urlencode(self.params))
        else:
            next_page = '<li class="page-item"><a class="page-link" href = "%s?%s" \
            aria-label = "Next">下一頁(yè)</span></a></li>' % (self.base_url, urlencode(self.params))
        page_html_list.append(next_page)
        # 尾頁(yè)
        self.params['page'] = self.max_page_num
        last_page = '<li class="page-item"><a class="page-link" href="%s?%s" rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow"  rel="external nofollow" >尾頁(yè)</a></li>' % (self.base_url, urlencode(self.params),)
        page_html_list.append(last_page)
        return ''.join(page_html_list)

主函數(shù)main.py則直接import Pagination導(dǎo)入分頁(yè)類,然后調(diào)用Pagination函數(shù)即可實(shí)現(xiàn)分頁(yè)了。

from flask import Flask,render_template,request
from flask_sqlalchemy import SQLAlchemy
from pager import Pagination

app = Flask(__name__, template_folder="./tempate",static_folder="./tempate")

app.config["SQLALCHEMY_DATABASE_URI"] = "sqlite:///database.db"

# 設(shè)置每次請(qǐng)求結(jié)束后會(huì)自動(dòng)提交數(shù)據(jù)庫(kù)的改動(dòng)
app.config['SQLALCHEMY_COMMIT_ON_TEARDOWN'] = True
app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = True

# 查詢時(shí)顯示原始SQL語(yǔ)句
app.config['SQLALCHEMY_ECHO'] = False

# 創(chuàng)建數(shù)據(jù)庫(kù)的操作對(duì)象
db = SQLAlchemy(app)

# 創(chuàng)建用戶表
class UserDB(db.Model):
    __tablename__="user"
    id = db.Column(db.Integer,primary_key=True)
    name = db.Column(db.String(32))
    email = db.Column(db.String(32))
    password = db.Column(db.String(32))

    def __init__(self,name,email,password):
        self.name = name
        self.email = email
        self.password = password

    def __repr_(self):
        return 'User %s'%self.name

@app.route("/")
def index():
    total = db.session.query(UserDB).count()
    print("查詢總記錄數(shù): {}".format(total))

    page_number = request.args.get("page", 1)
    print("當(dāng)前傳入頁(yè)碼: {}".format(page_number))

    # 分頁(yè)類 [ Pagination(傳入頁(yè)碼/總記錄數(shù)/分頁(yè)URL前綴/傳入數(shù)據(jù)params/每頁(yè)顯示數(shù)/最大顯示頁(yè)碼 )]
    Page = Pagination(page_number, total, request.path, request.args, per_page_count=10, max_pager_count=15)

    # 對(duì)數(shù)據(jù)切片
    index = db.session.query(UserDB)[Page.start:Page.end]
    print("頁(yè)面切片: {}".format(index))

    # 渲染頁(yè)面
    html = Page.page_html()
    print("渲染頁(yè)碼頁(yè)面: {}".format(html))

    return render_template("index.html",articles=index,html=html)

if __name__ == "__main__":
    # 初始化數(shù)據(jù)表
    db.drop_all()
    db.create_all()
    try:
        ua = UserDB(name='wang', email='wang@163.com', password='123456')
        ub = UserDB(name='zhang', email='zhang@189.com', password='201512')
        uc = UserDB(name='chen', email='chen@126.com', password='987654')
        ud = UserDB(name='zhou', email='zhou@163.com', password='456789')
        ue = UserDB(name='tang', email='tang@lyshark.com', password='158104')
        uf = UserDB(name='wu', email='wu@gmail.com', password='5623514')
        ug = UserDB(name='qian', email='qian@gmail.com', password='1543567')
        uh = UserDB(name='liu', email='liu@lyshark.com', password='867322')
        ui = UserDB(name='li', email='li@163.com', password='4526342')
        uj = UserDB(name='sun', email='sun@163.com', password='235523')
        db.session.add_all([ua, ub, uc, ud, ue, uf, ug, uh, ui, uj,uj,uj,uj,uj,uj,uj,uj,uj])
        db.session.commit()

    except Exception as e:
        # 插入失敗自動(dòng)回滾
        db.session.rollback()
        raise e
    app.run(debug=True)

到此這篇關(guān)于Flask Paginate實(shí)現(xiàn)表格分頁(yè)的使用示例的文章就介紹到這了,更多相關(guān)Flask Paginate表格分頁(yè)內(nèi)容請(qǐng)搜索腳本之家以前的文章或繼續(xù)瀏覽下面的相關(guān)文章希望大家以后多多支持腳本之家!

相關(guān)文章

  • 一文帶你玩轉(zhuǎn)python中的requests函數(shù)

    一文帶你玩轉(zhuǎn)python中的requests函數(shù)

    在Python中,requests庫(kù)是用于發(fā)送HTTP請(qǐng)求的常用庫(kù),因?yàn)樗峁┝撕?jiǎn)潔易用的接口,本文將深入探討requests庫(kù)的使用方法,感興趣的可以學(xué)習(xí)下
    2023-08-08
  • python批量解壓zip文件的方法

    python批量解壓zip文件的方法

    這篇文章主要介紹了python批量解壓zip文件的方法,本文通過(guò)實(shí)例代碼給大家介紹的非常詳細(xì),具有一定的參考借鑒價(jià)值,需要的朋友可以參考下
    2019-08-08
  • Python中操作各種多媒體,視頻、音頻到圖片的代碼詳解

    Python中操作各種多媒體,視頻、音頻到圖片的代碼詳解

    這篇文章主要介紹了Python玩轉(zhuǎn)各種多媒體,視頻、音頻到圖片,本文通過(guò)實(shí)例代碼給大家介紹的非常詳細(xì),對(duì)大家的學(xué)習(xí)或工作具有一定的參考借鑒價(jià)值,需要的朋友可以參考下
    2020-06-06
  • Python實(shí)現(xiàn)文件按照日期命名的方法

    Python實(shí)現(xiàn)文件按照日期命名的方法

    這篇文章主要介紹了Python實(shí)現(xiàn)文件按照日期命名的方法,涉及Python針對(duì)文件的遍歷、讀寫及時(shí)間操作相關(guān)技巧,需要的朋友可以參考下
    2015-07-07
  • GitHub 熱門:Python 算法大全,Star 超過(guò) 2 萬(wàn)

    GitHub 熱門:Python 算法大全,Star 超過(guò) 2 萬(wàn)

    4 月 27 日,GitHub 趨勢(shì)榜第 3 位是一個(gè)用 Python 編碼實(shí)現(xiàn)的算法庫(kù),Star 數(shù)早已達(dá)到 26000+
    2019-04-04
  • python實(shí)現(xiàn)固定尺寸圖像拼接

    python實(shí)現(xiàn)固定尺寸圖像拼接

    這篇文章主要為大家詳細(xì)介紹了python實(shí)現(xiàn)固定尺寸圖像拼接,文中示例代碼介紹的非常詳細(xì),具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下
    2021-04-04
  • 詳解如何使用Python提取視頻文件中的音頻

    詳解如何使用Python提取視頻文件中的音頻

    在多媒體處理中,有時(shí)我們需要從視頻文件中提取音頻,本文為大家整理了幾種使用Python編程語(yǔ)言提取視頻文件中的音頻的方法,大家可以根據(jù)需要進(jìn)行選擇
    2025-03-03
  • python如何生成textgrid文件

    python如何生成textgrid文件

    這篇文章主要介紹了python如何生成textgrid文件,本文通過(guò)實(shí)例代碼給大家介紹的非常詳細(xì),感興趣的朋友跟隨小編一起看看吧
    2024-07-07
  • 一步步教你用python的scrapy編寫一個(gè)爬蟲

    一步步教你用python的scrapy編寫一個(gè)爬蟲

    這篇文章主要給大家介紹了如何利用python的scrapy編寫一個(gè)爬蟲的相關(guān)資料,文中通過(guò)示例代碼介紹的非常詳細(xì),對(duì)大家學(xué)習(xí)或者使用scrapy具有一定的參考學(xué)習(xí)價(jià)值,需要的朋友們下面來(lái)一起學(xué)習(xí)學(xué)習(xí)吧
    2019-04-04
  • python 裝飾器功能與用法案例詳解

    python 裝飾器功能與用法案例詳解

    這篇文章主要介紹了python 裝飾器功能與用法,結(jié)合具體實(shí)例形式詳細(xì)分析了python 裝飾器的基本原理、功能、用法及操作注意事項(xiàng)
    2020-03-03

最新評(píng)論