search
HomeWeb Front-endJS TutorialHow to write high-quality JS code_Basic knowledge

I want to write an efficient JavaScript library but have no idea how to start;

I tried reading other people’s class libraries, but I seemed to understand them;

I plan to study the advanced functions of js, but the content in the authoritative book is too scattered,

Even though I remember the "usage", I don't think about the "method" when it comes to "using" it.

Maybe you are like me, there seems to be an invisible force constraining our plans, making us repeatedly think of the limitations of knowledge, causing us to stand still and find it difficult to move forward.

During this period, the pressure doubled due to various assignments, course design, and experimental reports. It's rare to squeeze out a little time, never sleep in, organize and summarize the books I read in the past, just to be closer to writing my own class library.

This article refers to "Javascript Language Essence" and "Effective JavaScript". The examples have been debugged, and after understanding them, I want to make some "profound" principles a little simpler.

1. Variable scope

Scope is like oxygen to programmers. It's everywhere, and you often don't even think about it. But when it is polluted (e.g. using global objects), you can feel suffocated (e.g. application becomes less responsive). JavaScript's core scoping rules are simple, well-designed, and powerful. Using JavaScript effectively requires mastering some basic concepts of variable scope and understanding some edge cases that can lead to elusive and nasty problems.

1.1 Use global variables as little as possible

Javascript makes it easy to create variables in the global namespace. Creating a global variable is effortless because it does not require any form of declaration and is automatically accessed by all code throughout the program.

For beginners like us, when we encounter certain needs (for example, the transmitted data is recorded, used when waiting for a certain function to be called at a certain time; or a certain function is frequently used), we do not hesitate to think of global functions, or even The C language I learned in my freshman year is too deeply rooted in process-oriented thinking, and the system is neatly full of functions. Defining global variables pollutes the shared public namespace and can lead to unexpected naming conflicts. Global variables are also detrimental to modularity because they lead to unnecessary coupling between independent components in a program. Seriously speaking, too many globals (including style sheets, directly defining the style of div or a) will become a catastrophic error when integrated into a multi-person development process. That's why all of jQuery's code is wrapped in an anonymous expression that executes immediately - a self-calling anonymous function. When the browser loads the jQuery file, the self-calling anonymous function immediately starts executing and initializes each module of jQuery to avoid damaging and contaminating global variables and affecting other codes.

Copy code The code is as follows:

(function(window,undefined){
var jQuery = ...
//...
​ window.jQuery = window.$ = jQuery;
})(window);

In addition, you may think that it is more convenient to "write how you want first and organize it later", but good programmers will constantly pay attention to the structure of the program, continue to classify related functions and separate irrelevant components. and include these behaviors as part of the programming process.

Since the global namespace is the only way for independent components in a JavaScript program to interact, the use of globally named controls is inevitable. Components or libraries have to define some global variables. for use by other parts of the program. Otherwise it's better to use local variables.

Copy code The code is as follows:

this.foo ;//undefined
foo = "global foo";
this.foo ;//"global foo"
var foo = "global foo";
this.foo = "changed";
foo ;//changed

The global namespace of JavaScript is also exposed to a global object accessible in the global scope of the program, which serves as the initial value of the this keyword. In web browsers, global objects are bound to the global window variable. This means that you have two ways to create a global variable: declare it using var in the global scope, or add it to the global object. The advantage of using var declaration is that it can clearly express the impact of global variables in the program scope.

Given that references to bound global variables can cause runtime errors, keeping scopes clear and concise will make it easier for users of your code to understand which global variables the program declares.

Since the global object provides a dynamic response mechanism for the global environment, you can use it to query a running environment and detect which features are available on this platform.

eg.ES5 introduces a global JSON object to read and write data in JSON format.

Copy code The code is as follows:

if(!this.JSON){
This.JSON = {
           parse: ..,
          stringify: ...                          }  
}

If you provide a JSON implementation, you can of course use your own implementation simply and unconditionally. But the built-in implementations provided by the hosting environment are almost more suitable because they are written in C into the browser. Because they are rigorously checked for correctness and consistency against certain standards, and generally provide better performance than third-party implementations.

The original design of the data structure course simulated the basic operations of strings, requiring that methods provided by the language itself could not be used. JavaScript implements the basic operations on arrays very well. If it is just for general learning needs, the idea of ​​​​simulating the methods provided by the language itself is good, but if you really invest in development, there is no need to consider using JavaScript's built-in methods in the first place.

1.2 Avoid using with

The with statement provides any "convenience" that makes your application unreliable and inefficient. We need to call a series of methods on a single object in sequence. Using the with statement can easily avoid repeated references to objects:

Copy code The code is as follows:
function status(info){
var widget = new Widget();
with(widget){
             setBackground("blue");
             setForeground("white");
             setText("Status : " info);
show();
}  
}

It is also tempting to "import" variables from module objects using the with statement.

Copy code The code is as follows:
function f(x,y){
with(Math){
           return min(round(x),sqrt(y));//Abstract reference
}
}

In fact, JavaScript treats all variables the same. JavaScript looks for variables starting from the innermost scope and working outward. The with language treats an object as if it represents a variable scope, so within a with block, variable lookup begins by searching for the properties of the given variable name. If the property is not found in this object, the search continues in the outer scope. Every reference to an external variable in a with block implicitly assumes that there is no property with the same name in the with object (and any of its prototype objects). Creating or modifying the with object or its prototype object elsewhere in the program does not necessarily follow this assumption. Of course, the JavaScript engine will not read the local code to find out which local variables you use. JavaScript scopes can be represented as efficient internal data structures, and variable lookups can be very fast. However, because the with code block needs to search the prototype chain of the object to find all variables in the with code, its running speed is much slower than that of ordinary code blocks.

Instead of with language, the simple way is to bind the object to a short variable name.

Copy code The code is as follows:

function status(info){
var w = new Widget();
 
w.setBackground("blue");
w.setForeground("white");
              w.setText("Status : " info);
w.show();

}

In other cases, the best approach is to explicitly bind the local variable to the relevant property.

Copy code The code is as follows:

function f(x,y){
var min = Math.min,
round = Math.round,
          sqrt   = Math.sqrt;                                         Return min(round(x),sqrt(y));
}

1.3 Proficient in closures

There is a single concept for understanding closures:

a) JavaScript allows you to reference variables defined outside the current function.

Copy code The code is as follows:
function makeSandwich(){
var magicIngredient = "peanut butter";
function make(filling){
         return magicIngredient " and " filling;
}
Return make("jelly");
}
makeSandwich();// "peanut butter and jelly"

b) Even if the external function has returned, the current function can still reference the variables defined in the external function

Copy code The code is as follows:
function makeSandwich(){
var magicIngredient = "peanut butter";
function make(filling){
         return magicIngredient " and " filling;
}
Return make;
}
var f = sandwichMaker();
f ("jelly"); // "Peanut Butter and Jelly"
f("bananas");                         // "peanut butter and bananas"
f("mallows");                          // "peanut butter and mallows"

javascriptd’s function values ​​contain more information than the code required to execute when they are called. Furthermore, JavaScript function values ​​also internally store variables they may reference that are defined in their enclosing scope. Functions that keep track of variables within the scope they cover are called closures.

The make function is a closure, and its code refers to two external variables: magicIngredient and filling. Whenever the make function is called, its code can reference these two variables because the closure stores these two variables.

A function can reference any variable within its scope, including parameters and external function variables. We can take advantage of this to write a more general sandwichMaker function.

Copy code The code is as follows:
function makeSandwich(magicIngredient){
function make(filling){
         return magicIngredient " and " filling;
}
Return make;
}
var f = sandwichMaker("ham");
f("cheese");                                   // "ham and cheese"
f("mustard");                                      // "ham and mustard"

Closures are one of JavaScript’s most elegant and expressive features and are at the heart of many idioms.

c) Closures can update the value of external variables. In fact, closures store references to external variables, not copies of their values. Therefore, updates can be made for any closure that has access to these external variables.

Copy code The code is as follows:

function box(){
var val = undefined;
Return {
​​​​​ set: function(newval) {val = newval;},
             get: function (){return val;},
         type: function(){return typeof val;}
};
}
var b = box();
b.type(); //undefined
b.set(98.6);
b.get();//98.6
b.type();//number

This example produces an object containing three closures. These three closures are set, type and get properties. They all share access to the val variable. The set closure updates the value of val. Then call get and type to view the updated results.

1.4 Understanding variable declaration improvements

Javascript supports this method of scoping (the reference to the variable foo will be bound to the scope closest to the declaration of the foo variable), but does not support block-level scoping (the scope of the variable definition is not the closest enclosing scope) statement or block of code).

Not understanding this feature will lead to some subtle bugs:

Copy code The code is as follows:

function isWinner(player,others){
var highest = 0;
for(var i = 0,n = others.length ;i            var player = others[i];
If(player.score > highest){
                                                                                                                                                                   highest = player.score;           }
}
Return player.score > highest;
}

1.5 Beware of awkward scoping of named function expressions

Copy code The code is as follows:
function double(x){ return x*2; }
var f = function(x){ return x*2; }

The same function code can also be used as an expression, but it has completely different meanings. The official difference between anonymous functions and named function expressions is that the latter is bound to a variable with the same function name as a local variable of the function. This can be used to write recursive function expressions.

Copy code The code is as follows:
var f = function find(tree,key){
//....
Return find(tree.left, key) ||
                    find(tree.right,key);                                                    }


It is worth noting that the scope of the variable find is only within its own function. Unlike function declarations, named function expressions cannot be referenced externally through their internal function names.

find(myTree,"foo");//error : find is not defined;
var constructor = function(){ return null; }
var f= function(){
Return constructor();
};
f();//{}(in ES3 environments)

This program looks like it will generate null, but it will actually generate a new object.

Because the scope of the named function variable inherits Object.prototype.constructor (that is, the constructor of Object), just like the with statement, this scope will be affected by the dynamic change of Object.prototype. The way to avoid objects polluting the scope of function expressions in your system is to avoid adding properties to Object.prototype at any time, and to avoid using any local variables with the same name as standard Object.prototype properties.

Another shortcoming in popular JavaScript engines is the promotion of declarations of named function expressions.

Copy code The code is as follows:

var f = function g(){return 17;}
g(); //17 (in nonconformat environment)

Some JavaScript environments even treat the two functions f and g as different objects, resulting in unnecessary memory allocation.

1.6 Beware of awkward scope declarations for local block functions

Copy code The code is as follows:

function f() {return "global" ; }
function test(x){
Function f(){return "local";}
var result = [];
If(x){
          result.push(f());
}  
result.push(f());
result result;
}
test(true); //["local","local"]
test(false); //["local"]

Copy code The code is as follows:

function f() {return "global" ; }
function test(x){
var result = [];
If(x){
           function f(){return "local";}
          result.push(f());
}  
result.push(f());
result result;
}
test(true); //["local","local"]
test(false); //["local"]

Javascript does not have block-level scope, so the scope of internal function f should be the entire test function. This is true for some JavaScript environments, but not all JavaScript environments. JavaScript implementations report such functions as errors in strict mode (a program in strict mode with a local block function declaration will report it as a syntax error). There are Helps detect non-portable code and give more sensible and reliable semantics to local block function declarations for future versions of the standard. For this situation, you can consider declaring a local variable in the test function pointing to the global function f.

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
如何使用C#编写布隆过滤器算法如何使用C#编写布隆过滤器算法Sep 21, 2023 am 10:24 AM

如何使用C#编写布隆过滤器算法布隆过滤器(BloomFilter)是一种空间效率非常高的数据结构,可以用于判断一个元素是否属于集合。它的基本思想是通过多个独立的哈希函数将元素映射到一个位数组中,并将对应位数组的位标记为1。当判断一个元素是否属于集合时,只需要判断对应位数组的位是否都为1,如果有任何一位为0,则可以判定元素不在集合中。布隆过滤器具有快速查询和

编写C语言中计算幂函数的方法编写C语言中计算幂函数的方法Feb 19, 2024 pm 01:00 PM

如何在C语言中编写乘方函数乘方(exponentiation)是数学中常用的运算,表示将一个数自乘若干次的操作。在C语言中,我们可以通过编写一个乘方函数来实现这个功能。下面将详细介绍如何在C语言中编写乘方函数,并给出具体的代码示例。确定函数的输入和输出乘方函数的输入通常包含两个参数:底数(base)和指数(exponent),输出为计算得到的结果。因此,我们

如何使用C#编写动态规划算法如何使用C#编写动态规划算法Sep 20, 2023 pm 04:03 PM

如何使用C#编写动态规划算法摘要:动态规划是求解最优化问题的一种常用算法,适用于多种场景。本文将介绍如何使用C#编写动态规划算法,并提供具体的代码示例。一、什么是动态规划算法动态规划(DynamicProgramming,简称DP)是一种用来求解具有重叠子问题和最优子结构性质的问题的算法思想。动态规划将问题分解成若干个子问题来求解,通过记录每个子问题的解,

如何使用C++编写一个简单的酒店预订系统?如何使用C++编写一个简单的酒店预订系统?Nov 03, 2023 am 11:54 AM

酒店预订系统是一种重要的信息管理系统,它可以帮助酒店实现更高效的管理和更良好的服务。如果你想学习如何使用C++来编写一个简单的酒店预订系统,那么本文将为您提供一个基本的框架和详细的实现步骤。酒店预订系统的功能需求在开发酒店预订系统之前,我们需要确定其实现的功能需求。一个基本的酒店预订系统至少需要实现以下几个功能:(1)客房信息管理:包括客房类型、房间号、房

如何使用C++编写一个简单的学生选课系统?如何使用C++编写一个简单的学生选课系统?Nov 02, 2023 am 10:54 AM

如何使用C++编写一个简单的学生选课系统?随着科技的不断发展,计算机编程已经成为了一种必备的技能。而在学习编程的过程中,一个简单的学生选课系统可以帮助我们更好地理解和应用编程语言。在本文中,我们将介绍如何使用C++编写一个简单的学生选课系统。首先,我们需要明确这个选课系统的功能和需求。一个基本的学生选课系统通常包含以下几个部分:学生信息管理、课程信息管理、选

如何用Python编写KNN算法?如何用Python编写KNN算法?Sep 19, 2023 pm 01:18 PM

如何用Python编写KNN算法?KNN(K-NearestNeighbors,K近邻算法)是一种简单而常用的分类算法。它的思想是通过测量不同样本之间的距离,将测试样本分类到最近的K个邻居中。本文将介绍如何使用Python编写并实现KNN算法,并提供具体的代码示例。首先,我们需要准备一些数据。假设我们有一组二维的数据集,每个样本都有两个特征。我们将数据集分

如何通过C++编写一个简单的扫雷游戏?如何通过C++编写一个简单的扫雷游戏?Nov 02, 2023 am 11:24 AM

如何通过C++编写一个简单的扫雷游戏?扫雷游戏是一款经典的益智类游戏,它要求玩家根据已知的雷区布局,在没有踩到地雷的情况下,揭示出所有的方块。在这篇文章中,我们将介绍如何使用C++编写一个简单的扫雷游戏。首先,我们需要定义一个二维数组来表示扫雷游戏的地图。数组中的每个元素可以是一个结构体,用于存储方块的状态,例如是否揭示、是否有雷等信息。另外,我们还需要定义

如何使用C#编写二分查找算法如何使用C#编写二分查找算法Sep 19, 2023 pm 12:42 PM

如何使用C#编写二分查找算法二分查找算法是一种高效的查找算法,它在有序数组中查找特定元素的位置,时间复杂度为O(logN)。在C#中,我们可以通过以下几个步骤来编写二分查找算法。步骤一:准备数据首先,我们需要准备一个已经排好序的数组作为查找的目标数据。假设我们要在数组中查找特定元素的位置。int[]data={1,3,5,7,9,11,13

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

SublimeText3 Linux new version

SublimeText3 Linux new version

SublimeText3 Linux latest version

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment