Summary of three methods of lazy loading lazyLoad using native JS

Summary of three methods of lazy loading lazyLoad using native JS

Preface

First, let's build the page as follows:

<style>
    * {
      padding: 0%;
      margin: 0%;
    }

    .contain img {
      width: 600px;
      height: 400px;
    }

    ul {
      list-style: none;
    }

    li {
      display: inline-block;
    }
  </style>
  
  
  <div class="contain">
    <ul>
       <li><img data-src="./images/iu.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu1.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu2.png" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu3.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu4.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu5.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu6.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu7.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu8.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu9.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/iu10.jpg" src='./images/lazy.png' alt=""></li>
      <li><img data-src="./images/zzf_01.jpg" src='./images/lazy.png' alt=""></li>
    </ul>
  </div
>

We know that lazy loading of images is to determine whether the image reaches the visible area when the scroll bar scrolls down.

Therefore, we need to determine whether the image is about to be displayed during scroll monitoring, so we need to hide the real address of the image first, that is, use the custom attribute data-src to save the real address of the image, and then load the real address when the scroll bar scrolls to the image that can be seen.

Let’s look at the first method

Method 1: High contrast

Here we use (the height of the element from the top - the height of the page being scrolled <= the height of the browser's visible area) to determine whether it meets the conditions we want. Here we need to monitor the height changes of the image when the page is scrolled in real time.

/**
 * Method 1 * Height Contrast */
 let imgs = [...document.querySelectorAll('img')]; // Get all the images first window.addEventListener('scroll', function () {
   
 })

After adding the event, continue to judge whether the picture meets the requirements, that is,

 /**
  * Method 1 * Height Contrast */
  let imgs = [...document.querySelectorAll('img')]; // Get all the images first window.addEventListener('scroll', function () {
    lazyLoad(imgs)
  })
  function lazyLoad(imgs) {
    for (var i = 0; i < imgs.length; i++) {
      var height = imgs[i].offsetTop; // The height of the image from the top var wheight = window.innerHeight; // The height of the browser's visible area var sheight = document.documentElement.scrollTop; // The height of the page scrolled away if (height - sheight <= wheight) { // Determine whether the image is about to appear imgs[i].src = imgs[i].dataset.src; // Convert the custom address to the real address after it appears}
    }
  }

Looks pretty simple, right? But we have an even simpler method, as follows:

Method 2: Use getBoundingClientRect() API

First, here is MDN's explanation of getBoundingClientRect()

We can use getBoundingClientRect().top to get the distance between the element and the top of the viewport, so we can compare the relationship between the values ​​of getBoundingClientRect().top and window.innerHeight to achieve the lazy loading effect. The getAttribute() and setAttribute() attributes are used here.

 /**
  * Method 2 * @params getBoundingClientRect()
  * Viewport API
  */

 let imgs = [...document.querySelectorAll('img')];
 window.addEventListener('scroll', function () {
    imgs.forEach(img => { 
      //This is actually the same idea as Method 1, but it is a little simpler if (img.getBoundingClientRect().top < window.innerHeight) { 
     
        let dataSrc = img.getAttribute(' data-src'); // Get the real address of data-src img.setAttribute('src', dataSrc); // Replace the real address with the src attribute console.log(img.src);
      }
    })
  })

Method 3: Use the latest IntersectionObserver constructor

After reading the above two methods, do you think lazy loading is quite simple?

Yes, we wrote very little code and it looked simple, but we overlooked an important issue:

After the image is replaced with the real address, if we repeatedly pull the scroll bar, the if() condition will be triggered continuously.

So I gave a console.log(img.src); in Method2 method

The purpose is to let you see that when someone keeps pulling the scroll bar, console.log(img.src) will be printed continuously;

So how can we prevent frequent operations on the image after the real address is loaded? Or how can we optimize the performance of the browser?

As luck would have it, there is now a new constructor to solve our problem of frequently triggering conditional statements.

This constructor is IntersectionObserver

According to the explanation on MDN

  • The IntersectionObserver() constructor creates and returns an IntersectionObserver object. If rootMargin is specified it is checked for syntax compliance, the thresholds are checked to ensure they are all between 0.0 and 1.0, and the list of thresholds is sorted in ascending order. If the threshold list is empty, it defaults to an array of [0.0].
  • callbackWhen the visible ratio of the element exceeds the specified threshold, a callback function will be called. This callback function accepts two parameters:
    entries is an array of IntersectionObserverEntry objects, each of which deviates from the specified threshold by more or less.
    The IntersectionObserver instance on which observer is called.

Here we only use the first parameter callback

window.addEventListener('scroll', function () {
// First, we instantiate this constructor const observe = new IntersectionObserver(callback);
// Then write the callback function callback we need to handle the business
   const callback = entries => {
        console.log(entries); //Let's print entries first to see what they are useful for //As shown below};
}

window.addEventListener('scroll', function () {
   const observe = new IntersectionObserver(callback);
// Then write the callback function callback we need to handle the business
   const callback = entries => {
       // We find it is an array, so entries.forEach(ele => {
           console.log(ele); // Let's print the element again to see what's inside it // as shown below})
    };
}

We found the property isIntersecting: false, which means whether it is intersecting. According to the meaning of the constructor, we know that intersecting can be understood as whether it is observed.

If it is observed, we replace its real address with its src attribute and cancel its observation

 /**
  * Method 3 * @params new IntersectionObserver(callback[,options])
  * Observation-->Constructor*/
  window.addEventListener('scroll', function () {
    let imgs = [...document.querySelectorAll('.img')]
    const callback = entries => { // entries is the observed element array entries.forEach(ele => {
            if (ele.isIntersecting) { // isIntersecting is observed const data_src = ele.target.getAttribute('data-src'); // This is basically the same as Method1/Method2 ele.target.setAttribute('src', data_src); // ele.target is the target element observe.unobserve(ele.target) // Unobserve it after the real address is replaced }
        })
    };
    const observe = new IntersectionObserver(callback); // Instantiate IntersectionObserver
    imgs.forEach(image => { 
        observe.observe(image) // observe: The IntersectionObserver instance being called. Add observation instances to each image})
  }

In this way, we can no longer trigger the if() conditional statement frequently.

Because after the picture replaced the real address, I cancelled the observation of the current picture, so no event was triggered for the current picture, so this greatly optimized the performance of the browser.

Summarize

This concludes this article about three methods of implementing lazy loading lazyLoad using native JS. For more relevant content on implementing lazy loading lazyLoad with JS, please search previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope you will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • JavaScript to implement image preloading and lazy loading
  • Implementation of lazy loading of js images
  • Detailed explanation of the lazy loading process of images using JS
  • How to implement lazy loading of routes in Vue.js
  • js to achieve lazy loading effect of pictures
  • JavaScript lazy loading detailed explanation

<<:  Nginx one domain name to access multiple projects method example

>>:  Solution to mysql prompt "got timeout reading communication packets"

Recommend

Details on using JS array methods some, every and find

Table of contents 1. some 2. every 3. find 1. som...

Two methods of implementing automatic paging in Vue page printing

This article example shares the specific code of ...

How to display TIF format images in browser

The browser displays TIF format images Copy code T...

9 Tips for MySQL Database Optimization

Table of contents 1. Choose the most appropriate ...

Java uses Apache.POI to export HSSFWorkbook to Excel

Use HSSFWorkbook in Apache.POI to export to Excel...

Detailed example of using the distinct method in MySQL

A distinct Meaning: distinct is used to query the...

5 super useful open source Docker tools highly recommended

Introduction The Docker community has created man...

1 minute Vue implements right-click menu

Table of contents Rendering Install Code Implemen...

Several skills you must know when making web pages

1. z-index is invalid in IE6. In CSS, the z-index...

A brief analysis of how MySQL implements transaction isolation

Table of contents 1. Introduction 2. RC and RR is...

HTML Basics: The basic structure of HTML

The basic structure of HTML hypertext documents is...

Using CSS to implement image frame animation and curve motion

The basic principle of all animations is to displ...

How to install mysql6 initialization installation password under centos7

1. Stop the database server first service mysqld ...

JavaScript implements the detailed process of stack structure

Table of contents 1. Understanding the stack stru...