i have the following template in vue 2 (simplified version):
<template>
<div>
<div v-for="(data, index) in allData" :key="index">
<app-collection :data="data" :index="index"></app-collection>
</div>
</div>
</template>
My data are as follow:
data: function(){
return {
allData: []
}
}
Then I have a loadmore button when I click I call a method that fetch data from an API and then add them to allData in a forEach loop like this:
this.allNFT.push({name: "name 1", age: 25"})
My problem is that everytime I add new data, it rerender the entire list instead of just adding at the end.
Is there a way to avoid that and just append new data?
Here is a more global overview of my code in simplified version (i dont have the API online yet):
<template>
<div>
<div id="collectionList" v-else>
<div >
<div v-for="(data, index) in allData" :key="data.assetId '_' index">
<app-collection :data="data" :index="index"></app-collection>
</div>
</div>
<button v-if="loadMore" @click="getallData()">Load more</button>
<div v-else >{{ allData.length ? 'All data loaded' : 'No data found' }}</div>
</div>
</div>
</template>
<script>
import collection from '@/components/content/collection/collection.vue'
export default {
data: function(){
return {
loadMore: true,
allData: [],
perpage: 25,
currentPage: 1
}
},
components: {
'app-collection': collection
},
created: function(){
this.init()
},
methods: {
init: async function(){
await this.getallData()
},
getallData: async function(){
let filtered = {
"page": this.currentPage,
"perpage": this.perpage,
}
try{
let getData = await fetch(
"http://localhost:3200/secondary/paginate-filter",
{
method: 'post',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify(
filtered
)
}
)
getData = await getData.json()
if(getData.length){
getData.forEach((elm) => {
this.allData.push({name: elm.name, age: elm.age})
})
}
this.currentPage
if(getData.length < this.perpage){
this.loadMore = false
}
}catch(e){
console.log(e)
}
},
}
};
</script>
CodePudding user response:
If from api you receive only next page you can use
this.allData.push(...getData);
//If you want to change response data
this.allData.push(...getData.map(d => ({name: d.name, age: d.age})))
If your server returns with previous page data you have to re assign data
this.allData = getData.map(d => ({name: d.name, age: d.age}))