Practical example of Vue virtual list

Practical example of Vue virtual list

Preface

Nowadays, we are always swiping endlessly. Check Weibo, check Tik Tok, check Boiling Point... Behind each smooth scrolling experience is the dedication of the front-end engineers.

This article discusses the practice of infinite drop-down lists based on Vue.js.

Our goal is to make the pull-down process of the list smooth, instead of the previous experience of waiting for the list to load.

  • Translated from Better Programming
  • Online Demo

design

Let's use Vue CLI to quickly build the project.

This is the main page:

// EndlessList.vue

<template>
 <div class="endless-scrolling-list">
  <!-- Search Box -->
  <div class="search-box">
   <input type="text" v-model="searchQuery"/>
  </div>
  <p class="center" v-if="results.length == 0 && !loading">
   Start typing to search for something.
  </p>
  <!-- Virtual list -->
  <virtual-list
   :data-key="'pageid'"
   :data-sources="results"
   :data-component="itemComponent"
   :page-mode="true"
   />
  <!-- loading -->
  <loader v-if="loading" />
 </div>
</template>

The core of course is the virtual-list component~

For the virtual list here, we use a third-party library Vue Virtual Scroll List, which has 2.5k+ stars on Github. Analogous to react's react-virtualized library.

A large number of DOM elements will make our web pages very "heavy". When the DOM exceeds 1500-2000 elements, the page starts to lag, especially on small, slow devices.

Imagine that there is an infinitely scrolling page. If you keep pulling down, it may actually form tens of thousands of DOM elements, each of which contains child nodes, which will consume huge performance.

Virtual scrollers are here to solve this problem.

As shown in the picture above, it has been clearly stated. The list is divided into a visible area and a buffer area. Any list DOM outside this range will be deleted.

Okay, the preparations are ready, let's get it!

accomplish

// imports.js (EndlessList.vue)

import axios from 'axios';
import lodash from 'lodash';
import VirtualList from 'vue-virtual-scroll-list';
import SearchResult from './SearchResult';
import Loader from './Loader';
export default {
 name: 'EndlessList',
 components:
  VirtualList,
  Loader
 },
 data() {
  return {
   searchQuery: '',
   currentPage: 0,
   results: [],
   itemComponent: SearchResult,
   loading: false
  }
 },
};

We introduce third-party libraries axios and loadsh for subsequent use.

Among them, itemComponent is a property of virtual-list, so we need to create a new SearchResult subcomponent as the search result unit.

The code is as follows:

// SearchResult.vue

<template>
 <div class="list-item">
  <h3>
   {{ source.title }}
  </h3>
  <div v-html="source.snippet"></div>
 </div>
</template>

<script>
export default {
 props: {
  index: {
   // index of current item
   type: Number,
  },
  source: {
   type: Object,
   default() {
    return {};
   },
  },
 },
};
</script>

<style scoped>
.list-item {
 padding: 0 10px 20px 10px;
}
.list-item h3 {
 margin: 0;
 padding-bottom: 10px;
}
</style>

We can get results by searching for titles or descriptions, and the request data comes from Wikipedia.

search(query, page) {
 // We prepare the data that the Wikipedia API expects.
 const data = {
  action: "query",
  format: "json",
  list: "search",
  continue: "-||",
  utf8: 1,
  srsearch: query,
  sroffset: page * 10,
  origin: "*",
 };
 // And then we convert these params TO GET params in the format
 // action=query&format=json ...
 const params = Object.keys(data)
  .map(function(k) {
   return data[k] == ""
    ? ""
    : encodeURIComponent(k) + "=" + encodeURIComponent(data[k]);
  })
  .join("&");
 // We prepare the url with the params string
 const searchUrl = `https://en.wikipedia.org/w/api.php?${params}`;
 // we set loading to true so that we can display the loader 
 this.loading = true;
 // Then we execute the request and concatenate the results
 axios.get(searchUrl).then((response) => {
  this.results = this.results.concat(response.data.query.search);
  // And of course set loading to false to hide the loader.
  this.loading = false;
 });
}

The search method has been written, and the next step is to call it.

  1. This is called when the user types in a search.
  2. It will be called when you pull down.

// EndlessList.vue

<script>
export default {
 // data() and methods skipped for brevity
 watch:
  searchQuery: {
   immediate: true,
   handler: lodash.debounce(function (newVal) {
    if (newVal == "") {
     return;
    }
    this.results = [];
    this.currentPage = 0;
    this.search(newVal, this.currentPage);
    this.search(newVal, this.currentPage + 1);
    this.currentPage = 2;
   }, 200),
  },
 },
 mounted() {
  const vm = this;
  window.onscroll = lodash.debounce(function () {
   var distanceFromBottom =
    document.body.scrollHeight - window.innerHeight - window.scrollY;
   if (distanceFromBottom < 400 && vm.searchQuery !== "") {
    vm.search(vm.searchQuery, vm.currentPage);
    vm.currentPage++;
   }
  }, 100, {leading: true});
 },
}
</script>

Obviously, when the searchQuery changes, we will get new search results. Of course, the input box here also uses the anti-shake function.

Another thing to note is that our first search loaded two pages of results so the user would have some room to scroll, which would keep the feeling smooth.

We also added an anti-shake function to the scrolling event. Here is a question: Why should we set leading to true in the window.onscroll event?

Then we run the program to see the effect:

npm run dev

how? As long as you don't scroll down crazily, you basically can't feel the loading process~

summary

Users don’t want to wait for ten new results to load every time they scroll down ten results! So we need a buffer to predict the bottom before it is pulled down and load it in advance. This is the core of the silky experience.

Of course, all DOM elements that are not in the view area and buffer will be deleted. This is also the essence of not forming a large number of DOM elements on the page.

Such dynamic processing list is indeed a kind of wisdom and care of programmers.

You can clone the project locally and try it out. The above is this sharing~

The above is the details of the implementation example of Vue virtual list. For more information about Vue virtual list, please pay attention to other related articles on 123WORDPRESS.COM!

You may also be interested in:
  • Vue code to implement virtual list function
  • How to implement a virtual list using Vue
  • In-depth explanation of Vue multi-select list component
  • Vue renders the article list from the background and jumps to the article details according to the id
  • Vue list page with parameters to the details page operation (router-link)
  • vue public list selection component, reference Vant-UI style
  • Vue implements the function of dragging and sorting lists
  • Vue implements multi-condition filtering of front-end lists
  • Vue implements the operation of clicking the button "View Details" to display the details list in a pop-up window
  • Vue-Extension and folding case of details under the list
  • Vue implements circular scrolling list

<<:  A brief discussion on MySQL event planning tasks

>>:  Complete steps to configure IP address in Ubuntu 18.04 LTS

Recommend

How to change mysql password under Centos

1. Modify MySQL login settings: # vim /etc/my.cnf...

JavaScript design pattern learning proxy pattern

Table of contents Overview Implementation Protect...

Detailed explanation of mysql filtering replication ideas

Table of contents mysql filtered replication Impl...

Detailed example of mysql trigger usage

MySQL trigger syntax details: A trigger is a spec...

Steps to deploy ingress-nginx on k8s

Table of contents Preface 1. Deployment and Confi...

Detailed explanation of how to dynamically set the browser title in Vue

Table of contents nonsense text The first router/...

How to convert a string into a number in JavaScript

Table of contents 1.parseInt(string, radix) 2. Nu...

Zabbix monitors mysql instance method

1. Monitoring planning Before creating a monitori...

Vue implements a simple timer component

When doing a project, it is inevitable to encount...

What to do if the container started by docker run hangs and loses data

Scenario Description In a certain system, the fun...

How to solve the problem that MySQL cannot start because it cannot create PID

Problem Description The MySQL startup error messa...

Cause Analysis and Solution of I/O Error When Deleting MySQL Table

Problem phenomenon I recently used sysbench to te...

XHTML introductory tutorial: text formatting and special characters

<br />This section introduces how to impleme...