Vue implements the browser-side code scanning function

Vue implements the browser-side code scanning function

background

Not long ago, I made a function about obtaining the browser camera and scanning code recognition. This article sorted out the knowledge points and specific code implementation involved and organized them into the content of this article.

This article mainly introduces how to use the front-end development technology based on the vue technology stack to call up the camera 📷 on the browser side, perform code scanning and recognition, and jump or perform other operations on the recognized QR code. The content of this article is divided into background introduction, implementation effect, technical introduction, code implementation, summary and other parts.

Achieve results

In this example, there are two main pages: the home page and the QR code scanning page. The specific implementation effect is shown in the figure below.

  • Home page: Click the SCAN QRCODE button to enter the QR code scanning page.
  • Scan code page: When you enter for the first time,獲取攝像頭訪問權限的系統提示框may pop up. Click Allow access. The page will start loading camera data and capturing QR codes. If a QR code is captured, the QR code will be parsed. After the parsing is successful, a pop-up window will pop up indicating successful recognition.

Online experience: https://dragonir.github.io/h5-scan-qrcode

Tip: You need to access it in portrait mode in a browser with a camera device. For more tips on mobile phone horizontal and vertical screen detection, please go to my other article "Front-end Knowledge in the Gokudō Game".

Technical Introduction

WebRTC API

WebRTC (Web Real-Time Communications) is a real-time communication technology that allows network applications or sites to establish點對點(Peer-to-Peer) connections between browsers without the help of an intermediary to achieve the transmission of video streams and/or audio streams or any other data. The standards included in WebRTC make it possible for users to create點對點(Peer-to-Peer) data sharing and conference calls without installing any plug-ins or third-party software.

Three main interfaces:

  • MediaStream : Able to obtain synchronized video and audio streams through the device's camera and microphone.
  • RTCPeerConnection : It is a component used by WebRTC to build stable and efficient streaming transmission between peers.
  • RTCDataChannel : enables the establishment of a high-throughput, low-latency channel between browsers for transmitting arbitrary data.

🔗 to MDN for in-depth learning: WebRTC_API

WebRTC adapter

Although the WebRTC specification is relatively sound and stable, not all browsers have implemented all of its features. Some browsers need to add prefixes to some or all of WebRTC API in order to use them properly.

WebRTC organization provides a WebRTC適配器(WebRTC adapter) on github to solve the compatibility issues of implementing WebRTC on different browsers. The adapter is a JavaScript墊片that allows you to write code as described in WebRTC specification, without having to write prefixes or other compatibility workarounds in all browsers that support WebRTC .

🔗 to MDN for in-depth learning: WebRTC adapter

Core API navigator.mediaDevices.getUserMedia

The web page needs to call getUserMedia API to call the camera. MediaDevices.getUserMedia() will prompt the user to give permission to use media input. Media input will generate a MediaStream containing the track of the requested media type. This stream can contain a video track (from a hardware or virtual video source, such as a camera, video capture device, screen sharing service, etc.), an audio track (also from a hardware or virtual audio source, such as a microphone, A/D轉換器, etc.), and possibly other track types.

It returns a Promise object, which will resolve and call back a MediaStream對象if successful; if the user denies permission to use it, or the required media source is not available, promise will reject and call back a PermissionDeniedError or NotFoundError . (The returned promise對象may neither resolve nor reject , since the user does not necessarily have to choose to allow or deny the promise.)

MediaDevices can usually be obtained using navigator.mediaDevices , for example:

navigator.mediaDevices.getUserMedia(constraints)
  .then(function(stream) {
    // Use this stream
  })
  .catch(function(err) {
    // Handle error
  })

🔗 to MDN for in-depth learning: navigator.mediaDevices.getUserMedia

QR code parsing library JSQR

jsQR is a pure JavaScript QR code parsing library that reads a raw image or camera feed and will locate, extract and parse any QR碼in it.

If you want to scan a webcam stream with jsQR , you'll need to extract ImageData from the video stream, which you can then pass to jsQR .

jsQR exports a method that accepts 4 parameters, namely the decoded圖像數據,,, and可選的對象to further configure the scanning behavior.

imageData : rgba pixel values ​​in [r0, g0, b0, a0, r1, g1, b1, a1, ...] format of Uint8ClampedArray( 8位無符號整型固定數組) .

const code = jsQR(imageData, width, height, options);
if (code) {
  console.log('Found the QR code!', code);
}

🔗 to github to learn more: jsQR

Code Implementation

process

The entire code scanning process is shown in the figure below: the page is initialized, first check whether the browser supports mediaDevices related API , the browser calls the camera, and if the call fails, the failure callback is executed; if the call is successful, the video stream is captured, and then the code is scanned for recognition. If no recognizable QR code is scanned, the scanning continues. After the code is scanned successfully, a scanning success pattern is drawn and a success callback is performed.

The following content splits the process and implements the corresponding functions respectively.

Scaner

Page structure

Let's first look at the page structure, which mainly consists of 4 parts:

  • Prompt box.
  • Scan code box.
  • video : Displays the video stream captured by the camera.
  • canvas : Draw video frames for QR code recognition.
<template>
  <div class="scaner" ref="scaner">
    <!-- Prompt box: used to display prompts in incompatible browsers-->
    <div class="banner" v-if="showBanner">
      <i class="close_icon" @click="() => showBanner = false"></i>
      <p class="text">If the current browser cannot scan the code, please switch to another browser and try</p>
    </div>
    <!-- Scan code box: display the scan code animation-->
    <div class="cover">
      <p class="line"></p>
      <span class="square top left"></span>
      <span class="square top right"></span>
      <span class="square bottom right"></span>
      <span class="square bottom left"></span>
      <p class="tips">Put the QR code in the box and it will be scanned automatically</p>
    </div>
    <!-- Video stream display -->
    <video
      v-show="showPlay"
      class="source"
      ref="video"
      :width="videoWH.width"
      :height="videoWH.height"
      Controls
    ></video>
    <canvas v-show="!showPlay" ref="canvas" />
    <button v-show="showPlay" @click="run">Start</button>
  </div>
</template>

Method: Draw

  • Draw a line.
  • Picture frame (used to draw a rectangular shape after successfully scanning the code).

// Draw a line drawLine (begin, end) {
  this.canvas.beginPath();
  this.canvas.moveTo(begin.x, begin.y);
  this.canvas.lineTo(end.x, end.y);
  this.canvas.lineWidth = this.lineWidth;
  this.canvas.strokeStyle = this.lineColor;
  this.canvas.stroke();
},
// drawBox (location) {
  if (this.drawOnfound) {
    this.drawLine(location.topLeftCorner, location.topRightCorner);
    this.drawLine(location.topRightCorner, location.bottomRightCorner);
    this.drawLine(location.bottomRightCorner, location.bottomLeftCorner);
    this.drawLine(location.bottomLeftCorner, location.topLeftCorner);
  }
},

Method: Initialization

  • Check if it is supported.
  • Turn on the camera.
  • Success and failure processing.

// Initialization setup () {
  // Determine whether the browser supports the method mounted on MediaDevices.getUserMedia() if (navigator.mediaDevices && navigator.mediaDevices.getUserMedia) {
    this.previousCode = null;
    this.parity = 0;
    this.active = true;
    this.canvas = this.$refs.canvas.getContext("2d");
    // Get the camera mode. The default setting is the back camera const facingMode = this.useBackCamera ? { exact: 'environment' } : 'user';
    // Camera video processing const handleSuccess = stream => {
       if (this.$refs.video.srcObject !== undefined) {
        this.$refs.video.srcObject = stream;
      } else if (window.videoEl.mozSrcObject !== undefined) {
        this.$refs.video.mozSrcObject = stream;
      } else if (window.URL.createObjectURL) {
        this.$refs.video.src = window.URL.createObjectURL(stream);
      } else if (window.webkitURL) {
        this.$refs.video.src = window.webkitURL.createObjectURL(stream);
      } else {
        this.$refs.video.src = stream;
      }
      // If you don't want the user to drag the progress bar, you can directly use the playsinline attribute, webkit-playsinline attribute this.$refs.video.playsInline = true;
      const playPromise = this.$refs.video.play();
      playPromise.catch(() => (this.showPlay = true));
      //Periodically scan the code for identification when the video starts playingplayPromise.then(this.run);
    };
    // Capture video stream navigator.mediaDevices
      .getUserMedia({ video: { facingMode } })
      .then(handleSuccess)
      .catch(() => {
        navigator.mediaDevices
          .getUserMedia({ video: true })
          .then(handleSuccess)
          .catch(error => {
            this.$emit("error-captured", error);
          });
      });
  }
},

Method: Periodic Scanning

run () {
  if (this.active) {
    // The browser calls the scan method requestAnimationFrame(this.tick) in a loop before the next redraw;
  }
},

Method: Success callback

// QR code recognition success event processing found (code) {
  if (this.previousCode !== code) {
    this.previousCode = code;
  } else if (this.previousCode === code) {
    this.parity += 1;
  }
  if (this.parity > 2) {
    this.active = this.stopOnScanned ? false : true;
    this.parity = 0;
    this.$emit("code-scanned", code);
  }
},

Method: Stop

// Full stop fullStop () {
  if (this.$refs.video && this.$refs.video.srcObject) {
    // Stop the video stream sequence track this.$refs.video.srcObject.getTracks().forEach(t => t.stop());
  }
}

Method: Scan

  • Draw the video frame.
  • Scan the QR code for identification.

// Periodic code scanning and recognition tick () {
  // The video is in the preparation stage and has loaded enough data if (this.$refs.video && this.$refs.video.readyState === this.$refs.video.HAVE_ENOUGH_DATA) {
    // Start drawing the video on the canvas this.$refs.canvas.height = this.videoWH.height;
    this.$refs.canvas.width = this.videoWH.width;
    this.canvas.drawImage(this.$refs.video, 0, 0, this.$refs.canvas.width, this.$refs.canvas.height);
    // getImageData() copies the pixel data of the specified rectangle on the canvas const imageData = this.canvas.getImageData(0, 0, this.$refs.canvas.width, this.$refs.canvas.height);
    let code = false;
    try {
      // Recognize QR code code = jsQR(imageData.data, imageData.width, imageData.height);
    } catch (e) {
      console.error(e);
    }
    // If the QR code is recognized, draw a rectangular box if (code) {
      this.drawBox(code.location);
      // Identify successful event processing this.found(code.data);
    }
  }
  this.run();
},

Parent Component

The parent component of Scaner mainly loads the page and displays the callback of Scaner scanning results.

Page structure

<template>
  <div class="scan">
    <!-- Page navigation bar-->
    <div class="nav">
      <a class="close" @click="() => $router.go(-1)"></a>
      <p class="title">Scan QR code</p>
    </div>
    <div class="scroll-container">
      <!-- Scan code subcomponent-->
      <Scanner
        v-on:code-scanned="codeScanned"
        v-on:error-captured="errorCaptured"
        :stop-on-scanned="true"
        :draw-on-found="true"
        :responsive="false"
      />
    </div>
  </div>
</template>

Parent component method

import Scaner from '../components/Scaner';

export default {
  name: 'Scan',
  components:
    Scanner
  },
  data () {
    return {
      errorMessage: "",
      scanned: ""
    }
  },
  methods: {
    codeScanned(code) {
      this.scanned = code;
      setTimeout(() => {
        alert(`Scan code and parse successfully: $[code]`);
      }, 200)
    },
    errorCaptured(error) {
      switch (error.name) {
        case "NotAllowedError":
          this.errorMessage = "Camera permission denied.";
          break;
        case "NotFoundError":
          this.errorMessage = "There is no connected camera.";
          break;
        case "NotSupportedError":
          this.errorMessage =
            "Seems like this page is served in non-secure context.";
          break;
        case "NotReadableError":
          this.errorMessage =
            "Couldn't access your camera. Is it already in use?";
          break;
        case "OverconstrainedError":
          this.errorMessage = "Constraints don't match any installed camera.";
          break;
        default:
          this.errorMessage = "UNKNOWN ERROR: " + error.message;
      }
      console.error(this.errorMessage);
     alert('Camera call failed');
    }
  },
  mounted () {
    var str = navigator.userAgent.toLowerCase();
    var ver = str.match(/cpu iphone os (.*?) like mac os/);
    // After testing, the camera cannot be successfully called on systems below iOS 10.3.3 if (ver && ver[1].replace(/_/g,".") < '10.3.3') {
     alert('Camera call failed');
    }
  }

Complete code

🔗 github: https://github.com/dragonir/h5-scan-qrcode

Summarize

Application Extensions

I think the following functions can be realized by calling the camera and scanning and identifying through the browser. What other很哇塞🌟 functions and applications do you think can be realized by scanning the code on the browser side 😂

  • Link jump.
  • Price inquiry.
  • Login authentication.
  • File download.

compatibility

  • if adapter is used, getUserMedia API is not supported in some browsers.
  • -version browsers (such as those below iOS 10.3 ) and Android niche browsers (such as IQOO built-in browser) are not compatible.
  • The built-in browsers of QQ and微信cannot be called.

References

[1]. Taking still photos with WebRTC

[2]. Choosing cameras in JavaScript with the mediaDevices API

[3]. How to use JavaScript to access the front and back cameras of a device

Author: dragonir Article URL: https://www.cnblogs.com/dragonir/p/15405141.html

This is the end of this article about Vue's implementation of the browser-side code scanning function. For more relevant vue browser code scanning content, please search 123WORDPRESS.COM's previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Implementation example of scan code payment in vue project (with demo)
  • Vue implements QR code scanning function (with style)
  • Vue implements code scanning function
  • Vue+abp WeChat scan code login implementation code example
  • vue WeChat scan code login (custom style)

<<:  How to quickly modify the host attribute of a MySQL user

>>:  How to install openjdk in docker and run the jar package

Recommend

HTML table markup tutorial (48): CSS modified table

<br />Now let's take a look at how to cl...

How to use MySQL stress testing tools

1. MySQL's own stress testing tool - Mysqlsla...

Detailed explanation of Nginx's rewrite module

The rewrite module is the ngx_http_rewrite_module...

Start a local Kubernetes environment using kind and Docker

introduce Have you ever spent a whole day trying ...

How to configure wordpress with nginx

Before, I had built WordPress myself, but at that...

Detailed explanation of the difference between flex and inline-flex in CSS

inline-flex is the same as inline-block. It is a ...

Win10 configuration tomcat environment variables tutorial diagram

Before configuration, we need to do the following...

Methods and techniques for designing an interesting website (picture)

Have you ever encountered a situation where we hav...

A complete guide to the Docker command line (18 things you have to know)

Preface A Docker image consists of a Dockerfile a...

vue-cropper component realizes image cutting and uploading

This article shares the specific code of the vue-...

How to view and execute historical commands in Linux

View historical commands and execute specified co...

Summary of methods to include file contents in HTML files

In the forum, netizens often ask, can I read the ...

MySQL scheduled full database backup

Table of contents 1. MySQL data backup 1.1, mysql...