How to test network speed with JavaScript

How to test network speed with JavaScript

Preface

Here's the thing. I recently tried to write a library that determines the current network speed and controls the range of requests on the front end to request a large file in steps. I haven't written a single line of code for this thing yet, not only because I suddenly realized that the idea of ​​this requirement is a bit impractical, but also because I suddenly asked myself - how should the front end determine the network speed? ? ?!

Summary of the principle of front-end judgment of network speed

(Note: The default unit of the network speed below is KB/S) By consulting relevant information, I found that the ideas are mainly divided into the following categories:

1. Calculate network speed by loading img or initiating Ajax request

By requesting a file in the same domain as the server, such as a picture, the two time points of starting the request and receiving the response are marked by Date.now, because Date.now is the number of milliseconds from January 1, 1970 (UTC) to the current time, so we use end - start to find the time difference (ms), and then calculate:

File size (KB) * 1000 / ( end - start )

You can calculate the network speed (KB/S).

There are two ways to request files: loading through img or loading through AJAX:

  • By creating an img object, setting the onload listener callback, and then specifying the src, once the src is specified, the image resource will be loaded, and the onload callback will be called when completed. We can mark the start and end separately according to the timing.
  • Make a request through AJAX, that is, create an XHR object. In the onreadystatechange callback, determine that the loading is complete when readystate = 4, and mark start and end respectively according to the timing.

2.window.navigator.connection.downlink network speed query

We can also achieve this through some advanced H5 APIs, for example, here we can use window.navigator.connection.downlink to query, but as you know, this kind of API has its own characteristics, that is, the old compatibility issues, so we usually use it as a reserve means, through capability detection, if it can be used, use it, if it can't be used, use other methods. And it should be noted that the unit of downlink is mbps, and the formula for converting it to KB/S is

navigator.connection.downlink * 1024 / 8

It is understandable to multiply by 1024, but why do we need to divide by 8 afterwards? This is because the "b" in mbps refers to bit, and the "B" in KB/s refers to Byte. 1 byte (b) = 8 bits, so we need to divide by 8.

3. Generally speaking, network speed is measured by requesting files

There may be errors in a single request, so we can request multiple times and calculate the average.

Front-end method for judging network speed and its advantages and disadvantages

  • img loading speed test: use img object loading to measure network speed. Advantages: No cross-domain issues. Disadvantages: (1) You need to measure the file size yourself and provide the fileSize parameter; (2) The file must be an image; (3) The file size cannot be flexibly controlled
  • Ajax speed test: Measure the network speed through Ajax. Advantages: (1) No file size parameter is required because it can be obtained from the response header. (2) The test file does not have to be an image, and the amount of data can be flexibly controlled. Disadvantages: Cross-domain issues
  • Downlink speed test: Read the network speed through navigator.connection.downlink. Advantages: No parameters are required. Disadvantages: 1. Compatibility is very problematic, 2. Bandwidth query is not real-time, with a time interval of minutes
  • Comprehensive implementation: first try to use downlink speed test, otherwise use AJAX speed test multiple times and calculate the average value

img loading speed test

function getSpeedWithImg(imgUrl, fileSize) {
    return new Promise((resolve, reject) => {
        let start = null;
        let end = null;
        let img = document.createElement('img');
        start = new Date().getTime();
        img.onload = function (e) {
            end = new Date().getTime();
            const speed = fileSize * 1000 / (end - start)
            resolve(speed);
        }
        img.src = imgUrl;
    }).catch(err => { throw err });
}

Ajax speed test

function getSpeedWithAjax(url) {
    return new Promise((resolve, reject) => {
        let start = null;
        let end = null;
        start = new Date().getTime();
        const xhr = new XMLHttpRequest();
        xhr.onreadystatechange = function () {
            if (xhr.readyState === 4) {
                end = new Date().getTime();
                const size = xhr.getResponseHeader('Content-Length') / 1024;
                const speed = size * 1000 / (end - start)
                resolve(speed);
            }
        }
        xhr.open('GET', url);
        xhr.send();
    }).catch(err => { throw err });
}

Downlink speed test

function getSpeedWithDnlink() {
    // downlink calculates network speed const connection = window.navigator.connection;
    if (connection && connection.downlink) {
        return connection.downlink * 1024 / 8;
    }
}

Comprehensive speed test

function getNetSpeed(url, times) {
    // downlink calculates network speed const connection = window.navigator.connection;
    if (connection && connection.downlink) {
        return connection.downlink * 1024 / 8;
    }
    //Measure speed multiple times to find the average value const arr = [];
    for (let i = 0; i < times; i++) {
        arr.push(getSpeedWithAjax(url));
    }
    return Promise.all(arr).then(speeds => {
        let sum = 0;
        speeds.forEach(speed => {
            sum += speed;
        });
        return sum / times;
    })
}

I have published an npm package for the above code, which can be downloaded via

npm i network-speed-test

How to use

import * from 'network-speed-test';
getSpeedWithImg("upload/2022/web/mPJ2iq.jpg", 8.97).then(
    speed => {
        console.log(speed);
    }
)

getSpeedWithAjax('./speed.jpg').then(speed => {
    console.log(speed);
});

getNetSpeed('./speed.jpg', 3).then(speed => {
    console.log(speed);
});

getSpeedWithDnlink();

npm package address

https://www.npmjs.com/package/network-speed-test

Github address

https://github.com/penghuwan/network-speed-test

The above is the details of how to use JavaScript to measure network speed. For more information about using JavaScript to measure network speed, please pay attention to other related articles on 123WORDPRESS.COM!

You may also be interested in:
  • js simple network speed test method complete example
  • Access the javascript code for Baidu and Google speed test
  • JS asynchronous code unit testing magic Promise
  • Native js implements regular validation of the form (submit only after validation)
  • Detailed explanation of reduce fold unfold usage in JS
  • How to use JS WebSocket to implement simple chat
  • How to write elegant JS code
  • Detailed explanation of common usage methods of weixin-js-sdk in vue
  • Detailed explanation of JS homology strategy and CSRF

<<:  How to configure /var/log/messages in Ubuntu system log

>>:  How to install MySQL server community version MySQL 5.7.22 winx64 in win10

Recommend

Discussion on the numerical limit of the ol element in the html document

Generally speaking, it is unlikely that you will ...

Detailed analysis of the syntax of Mysql update to modify multiple fields and

When updating a record in MySQL, the syntax is co...

Summary of practical methods for JS beginners to process arrays

join() method: connects all elements in an array ...

WePY cloud development practice in Linux command query applet

Hello everyone, today I will share with you the W...

Docker image analysis tool dive principle analysis

Today I recommend such an open source tool for ex...

Understanding and usage scenarios of ES6 extension operators

Table of contents 1. Replace the apply method, ge...

JavaScript canvas to achieve code rain effect

This article shares the specific code for canvas ...

IDEA2021 tomcat10 servlet newer version pitfalls

Because the version I used when I was learning wa...

Nginx reverse proxy forwards port 80 requests to 8080

Let's first understand a wave of concepts, wh...

W3C Tutorial (2): W3C Programs

The W3C standardization process is divided into 7...

JavaScript+html to implement front-end page sliding verification (2)

This article example shares the specific code of ...

Summary of some points to note when registering Tomcat as a service

Here are some points to note when registering Tom...