Detailed explanation of JavaScript error capture

Detailed explanation of JavaScript error capture

1. Basic usage and logic

use

try{
    //code....
}catch(err){
    //error handling
}finally{
    //no matter what happens in the try/catch (error or no error), this code in the finally statement should run. 
}

logic

2. Features

try...catch only works for runtime errors, it does not work properly for interpreter errors

try{
    {{{{{{{
}catch(err){
    console.error(err)
}
// The engine made a mistake at 'parse-time', which prevented it from understanding the code and therefore from catching it

try...catch only works synchronously

try{
    setTimeout(function(){
        undefinedVariable;
    },1000)
}catch(err){
    console.error(err)
}
//When the callback function of setTimeout is executed, the engine has left the try...catch structure

Finally can make the return statement in the try block invalid

function test(){
  try {
    return 1;
  } catch(error) {
    return 2;
  finally
    return 3;
  }
}
console.log(test());
//3

3. Error Object

When an error occurs in the program, an object containing the error details will be generated inside js, and the object will be passed into the catch as a parameter

As with all built-in errors, the error object has two main properties

  • name error type
  • message text type error message
  • stack (non-standard attribute) Call stack information when an error occurs, mainly used for debugging
try {
  lalala; // error, variable is not defined!
} catch (err) {
  alert(err.name); // ReferenceError
  alert(err.message); // lalala is not defined
  alert(err.stack); // ReferenceError: lalala is not defined at (...call stack)

  // Can also show an error as a whole
  // The error is converted to string as "name: message"
  alert(err); // ReferenceError: lalala is not defined
}

In theory, we can throw anything as an error object, but the best practice is to throw an object with a name and message to keep it compatible with the built-in error object.

Extra: Built-in Error Object

Object meaning
ReferenceError Triggered when an undefined variable is referenced
SyntaxError Triggered when an illegal grammatical structure is used
TypeError Triggered when the value type is unexpected
URIError Triggered when global URI functions such as encodeURI(), decodeURI(), etc. are used incorrectly
RangeError Using the wrong length value for the Array constructor, using an invalid number for Number.toExponential(), Number.toFixed(), or Number.toPrecision(), etc.
EvalError Error in global function eval()

4. Better catch and throw strategies

​ Catch errors are not only to prevent the program from crashing, but more importantly to facilitate debugging and find bugs. Therefore, the error handling strategy can slightly reflect the elegance of the coder.

As the saying goes, coders are always elegant. Try to follow a principle: catch only the errors you know about.

Hold up a pear

let json = '{ "age": 30 }'; 
try{
  let user = JSON.parse(json);  
  alert( user.name );
} catch (err) {
  console.error('JSON Error:'+err);
}

The catch strategy in the above example can ensure the normal operation of the program, because the catch block can catch all errors inside, whether it is an error in JSON.parse or an error in user.name not existing, both can be caught. However, printing both errors in the same way is not conducive to debugging. It would be better to write it as follows

let json = '{"age":30}'
try{
  let user = JSON.parse(json);
  alert(user.name)
}catch(err){
   if (err instanceof SyntaxError) {
       console.error('JSON Error:'+err);
   }
   else throw err;
}

Each catch block handles the errors that it knows may occur. That is, when programming, programmers catch those expected errors and throw out the errors that they may not have expected.

5. Promise error handling

As we all know, Promise will swallow errors, because the implementation of promise captures all errors internally, and the captured errors are not thrown outward (outside the promise), but are passed in by finding the nearest onreject callback along the chain, so there are only two ways to handle promise errors:

  1. Set the onreject callback
  2. Global capture

For example

try{
    new Promise((resolve,reject)=>{
        throw new Error('promise error')
    }).catch(()=>{
        //The error is caught in the most recent onreject callback console.error(err);
    })
}catch(err){
    //Never executed, promise swallows error
    console.error(err);
}

Also note that no matter the executor function or the promise handler, all errors that occur inside are swallowed, which is equivalent to being implicitly caught. The error will automatically find the nearest onreject callback and pass it in.

try{
    new Promise((resolve,reject)=>{
        resolve();
    }).then(()=>{
        throw new Error('promise then error');
    }).catch((err){
        console.error(err);
    })
}catch(err){
    //console.error(err) will not be executed until the earth is destroyed
}

Similarly, before the error is found and passed to onreject, all the onfulfilled callbacks registered by then are invalid until the onreject callback is found and processed. The onfulfilled callback after the onreject callback is normal

try {
    new Promise((resolve, reject) => {
        throw new Error('promise error')
    }).then((ret) => {
        //The error is not handled, and it fails console.log('then1:' + ret)
    }).catch((err) => {
        //The error is handled, the subsequent sequence is normal console.error(err);
        return 'handled'
    }).then((ret) => {
        //Normal execution console.log('then2' + ret);
    })
} catch (err) {
    //Similarly, console.error(err) will not be executed until humanity is destroyed
}

// Error: promise error
//then2handled

What happens if there is no catch set in the entire chain?

Then this error will penetrate the center of the earth and penetrate all the way to the global environment, triggering different global events according to different host environments. For example, the unhandledrejection event will be triggered in the browser, and the unhandledRejection event will also be triggered in the node environment. Generally, this event will be monitored and then the information will be displayed to the programmer or user.

Extra 1: Promise internal error capture of chromium / v8 / v8 / 3.29.45

Extra 2: async/await error capture

6. Performance loss

After V8 version 6 (shipped with Node 8.3 and latest Chrome), the performance of code inside try-catch is the same as that of normal code. ------ 爆栈网

(I tested it a little bit and the difference is not much)

The above is a detailed explanation of JavaScript error capture. For more information about JavaScript error capture, please pay attention to other related articles on 123WORDPRESS.COM!

You may also be interested in:
  • JavaScript encapsulates DOM event handlers as event.js, resulting in low-level errors
  • The accumulation of low-level errors that novices often encounter during the Extjs learning process
  • 7 native JS error types you should know
  • JavaScript statement error throw, try and catch example analysis
  • Detailed explanation of common JS errors and solutions
  • JS error handling and debugging operation example analysis
  • JavaScript beginner tutorial and simple implementation of Gobang applet
  • JavaScript beginners must read "new"
  • Several mistakes that JavaScript beginners often make

<<:  Comparative Analysis of High Availability Solutions of Oracle and MySQL

>>:  Detailed Linux installation tutorial

Recommend

New ways to play with CSS fonts: implementation of colored fonts

What if you designers want to use the font below ...

Some tips on deep optimization to improve website access speed

Some tips for deep optimization to improve websit...

WeChat applet to determine whether the mobile phone number is legal example code

Table of contents Scenario Effect Code Summarize ...

MySQL 5.7.17 installation and configuration tutorial under Linux (Ubuntu)

Preface I have installed MySQL 5.6 before. Three ...

Pure HTML and CSS to achieve JD carousel effect

The JD carousel was implemented using pure HTML a...

Solution to interface deformation when setting frameset height

Currently I have made a project, the interface is ...

How to fix the WeChat applet input jitter problem

Find the problem Let's look at the problem fi...

Detailed analysis of mysql MDL metadata lock

Preface: When you execute a SQL statement in MySQ...

A complete guide to clearing floats in CSS (summary)

1. Parent div defines pseudo-classes: after and z...

Solution to docker suddenly not being accessible from the external network

According to the methods of the masters, the caus...

Implementation of Grid common layout

No gaps on both sides, gaps between each column w...

Vue element implements table adding, deleting and modifying data

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

Detailed explanation of Docker Secret management and use

1. What is Docker Secret 1. Scenario display We k...

Summary of constructor and super knowledge points in react components

1. Some tips on classes declared with class in re...