前端vue实现分页
Vue实现分页的方法
使用Element UI的分页组件
Element UI提供了现成的分页组件el-pagination,适合快速集成。
安装Element UI:
npm install element-ui
在Vue文件中引入并使用:
<template>
<el-pagination
@size-change="handleSizeChange"
@current-change="handleCurrentChange"
:current-page="currentPage"
:page-sizes="[10, 20, 30, 40]"
:page-size="pageSize"
layout="total, sizes, prev, pager, next, jumper"
:total="total">
</el-pagination>
</template>
<script>
export default {
data() {
return {
currentPage: 1,
pageSize: 10,
total: 100
}
},
methods: {
handleSizeChange(val) {
this.pageSize = val;
this.fetchData();
},
handleCurrentChange(val) {
this.currentPage = val;
this.fetchData();
},
fetchData() {
// 根据currentPage和pageSize请求数据
}
}
}
</script>
自定义分页组件
如果需要完全自定义分页逻辑,可以手动实现:
<template>
<div class="pagination">
<button
@click="prevPage"
:disabled="currentPage === 1">
上一页
</button>
<span v-for="page in pages" :key="page">
<button
@click="goToPage(page)"
:class="{ active: currentPage === page }">
{{ page }}
</button>
</span>
<button
@click="nextPage"
:disabled="currentPage === totalPages">
下一页
</button>
</div>
</template>
<script>
export default {
props: {
totalItems: Number,
itemsPerPage: Number
},
data() {
return {
currentPage: 1
}
},
computed: {
totalPages() {
return Math.ceil(this.totalItems / this.itemsPerPage);
},
pages() {
const range = [];
for (let i = 1; i <= this.totalPages; i++) {
range.push(i);
}
return range;
}
},
methods: {
prevPage() {
if (this.currentPage > 1) {
this.currentPage--;
this.$emit('page-changed', this.currentPage);
}
},
nextPage() {
if (this.currentPage < this.totalPages) {
this.currentPage++;
this.$emit('page-changed', this.currentPage);
}
},
goToPage(page) {
this.currentPage = page;
this.$emit('page-changed', this.currentPage);
}
}
}
</script>
<style>
.pagination button {
margin: 0 5px;
}
.active {
background-color: #42b983;
color: white;
}
</style>
结合后端API实现
分页通常需要与后端API配合,通过limit和offset参数控制:
<script>
export default {
methods: {
async fetchData() {
const response = await axios.get('/api/items', {
params: {
page: this.currentPage,
limit: this.pageSize
}
});
this.items = response.data.items;
this.total = response.data.total;
}
}
}
</script>
使用Vuex管理分页状态
对于大型应用,可以通过Vuex集中管理分页状态:
// store/modules/pagination.js
export default {
state: {
currentPage: 1,
pageSize: 10
},
mutations: {
SET_PAGE(state, page) {
state.currentPage = page;
},
SET_PAGE_SIZE(state, size) {
state.pageSize = size;
}
}
}
在组件中通过mapState和mapMutations使用:

<script>
import { mapState, mapMutations } from 'vuex';
export default {
computed: {
...mapState('pagination', ['currentPage', 'pageSize'])
},
methods: {
...mapMutations('pagination', ['SET_PAGE', 'SET_PAGE_SIZE']),
handlePageChange(page) {
this.SET_PAGE(page);
this.fetchData();
}
}
}
</script>






