search
HomeWeb Front-endJS TutorialSome JavaScript skills that I haven't seen before_javascript skills

The success of JavaScript is widely talked about. Writing JavaScript code for Web pages has become a basic skill for all Web designers. This interesting language contains many unknown things that even JavaScript programmers with many years of experience have not fully understood. . This article talks about those techniques in JavaScript that you are not very familiar with but are very practical from 7 aspects.
Abbreviated Statements
JavaScript can use abbreviated statements to quickly create objects and arrays, such as the following code:

Copy code The code is as follows:

var car = new Object();
car.colour = 'red';
car.wheels = 4;
car .hubcaps = 'spinning';
car.age = 4;

You can use abbreviated statements as follows:
Copy code The code is as follows:

var car = {
colour:'red',
wheels:4,
hubcaps:'spinning',
age:4
}

The object car is created, but special attention needs to be paid. Be sure not to add ";" before the closing curly brace, otherwise you will encounter big trouble in IE.
The traditional way to create an array is:
Copy code The code is as follows:

var moviesThatNeedBetterWriters = new Array(
'Transformers','Transformers2','Avatar','Indiana Jones 4'
);

Use abbreviated statements:

Copy code The code is as follows:

var moviesThatNeedBetterWriters = [
'Transformers','Transformers2',' Avatar','Indiana Jones 4'
];

Another question about arrays is whether there is such a thing as an associative array. You will find a lot of code examples defining the above car like this example
Copy the code The code is as follows:

var car = new Array();
car['colour'] = 'red';
car['wheels'] = 4;
car['hubcaps'] = 'spinning' ;
car['age'] = 4;


Another place where abbreviated statements can be used is conditional statements:
Copy code The code is as follows:

var direction;
if(x direction = 1;
} else {
direction = -1;
}

can be shortened to:
Copy codeThe code is as follows:
var direction = x

JSON data format
JSON is the abbreviation of "JavaScript Object Notation" , designed by Douglas Crockford, JSON changes JavaScript's dilemma in caching complex data formats, as in the following example, if you want to describe a band, you can write like this:
Copy code The code is as follows:

var band = {
"name":"The Red Hot Chili Peppers",
"members":[
{
"name":"Anthony Kiedis",
"role":"lead vocals"
},
{
"name":"Michael 'Flea' Balzary",
"role":"bass guitar, trumpet, backing vocals"
},
{
"name":"Chad Smith",
"role":"drums,percussion"
},
{
"name":"John Frusciante",
"role":"Lead Guitar"
}
],
"year":"2009"
}


You can use JSON directly in JavaScript, even as the return data object of some APIs. The following code calls an API of the famous bookmark website delicious.com and returns the All bookmarks of this website and display them on your own website:
Copy the code The code is as follows:

<script> <BR>function delicious(o){ <BR>var out = '<ul>'; <BR> for(var i=0;i<o.length;i ){ <BR>out = '<li><a href="' o[i].u '">' <BR>o[i ].d ''; <BR>} <BR>out = ''; <BR>document.getElementById('delicious').innerHTML = out; <BR>} <BR></script>
> ;


JavaScript native functions (Math, Array and String)
JavaScript has many built-in functions, which can be used effectively to avoid a lot of unnecessary code, for example, from an array To find the maximum value, the traditional method is:
Copy the code The code is as follows:

var numbers = [3,342,23,22,124];
var max = 0;
for(var i=0;iif(numbers[i] > max){
max = numbers[i];
}
}
alert(max);

This is easier to achieve using built-in functions:
Copy code The code is as follows:

var numbers = [3,342,23,22,124];
numbers.sort(function (a,b){return b - a});
alert(numbers[0]);

Another method is to use the Math.max() method:
Copy code The code is as follows:

Math.max(12,123,3,2,433,4); // returns 433

You can use this method to help detect the browser
Copy the code The code is as follows:

var scrollTop= Math.max(
doc.documentElement.scrollTop,
doc.body.scrollTop
);

This solves the problem of IE browser One problem is that with this method, you can always find the correct value, because the value that the browser does not support will return undefined.
You can also use JavaScript’s built-in split() and join() functions to process the CSS class name of the HTML object. If the class name of the HTML object is multiple names separated by spaces, you are appending or deleting a CSS class for it. Special attention should be paid to the name. If the object does not have a class name attribute, you can directly assign the new class name to it. If a class name already exists, there must be a space in front of the new class name. This is how it is implemented using the traditional JavaScript method. of:
Copy code The code is as follows:

function addclass(elm,newclass){
var c = elm.className;
elm.className = (c === '') ? newclass : c ' ' newclass;
}

Use split and join method rules Much more intuitive and elegant:
Copy code The code is as follows:

function addclass(elm,newclass) {
var classes = elm.className.split(' ');
classes.push(newclass);
elm.className = classes.join(' ');
}

Event proxy
Instead of designing a bunch of events in the HTML document, it is better to design an event proxy directly. For example, if you have some links, the user does not want to open the link after clicking it, but executes an event. The HTML code is as follows:
Copy the code The code is as follows:

Traditional event processing is to traverse each link and add its own event processing:
Copy code The code is as follows:

// Classic event handling example
(function(){
var resources = document.getElementById('resources');
var links = resources.getElementsByTagName ('a');
var all = links.length;
for(var i=0;i// Attach a listener to each link
links[i ].addEventListener('click',handler,false);
};
function handler(e){
var x = e.target; // Get the link that was clicked
alert( x);
e.preventDefault();
};
})();

Using event proxy, it can be processed directly without traversal:
Copy code The code is as follows:

(function(){
var resources = document.getElementById('resources ');
resources.addEventListener('click',handler,false);
function handler(e){
var x = e.target; // get the link tha
if(x .nodeName.toLowerCase() === 'a'){
alert('Event delegation:' x);
e.preventDefault();
}
};
}) ();

Anonymous functions and Module mode
A problem with JavaScript is that any variable, function or object, unless it is defined inside a function, is global, meaning Other code on the same page can access and overwrite this variable (ECMA's JavaScript 5 has changed this situation - Translator), using anonymous functions, you can bypass this problem.
For example, if you have a piece of code like this, obviously the variables name, age, status will become global variables
Copy code The code is as follows:

var name = 'Chris';
var age = '34';
var status = 'single';
function createMember(){
// [...]
}
function getMemberDetails(){
// [...]
}

To avoid this problem, you can Use anonymous functions:
Copy code The code is as follows:

var myApplication = function(){
var name = 'Chris';
var age = '34';
var status = 'single';
function createMember(){
// [...]
}
function getMemberDetails(){
// [...]
}
}();

If this function will not be called, it can be more direct Copy the code for:
The code is as follows:

(function(){
var name = 'Chris';
var age = '34';
var status = 'single';
function createMember(){
// [...]
}
function getMemberDetails(){
// [...]
}
})();

If you want to access the objects or functions inside, you can:
Copy code The code is as follows:

var myApplication = function(){
var name = 'Chris ';
var age = '34';
var status = 'single';
return{
createMember:function(){
// [...]
} ,
getMemberDetails:function(){
// [...]
}
}
}();
// myApplication.createMember() and
/ / myApplication.getMemberDetails() now works.


This is the so-called Module pattern or Singleton pattern, which is recommended by Douglas Crockford and widely used in Yahoo User Interface Library YUI.
If you want to call the methods inside elsewhere, but don’t want to use the object name myApplication before the call, you can return these methods in an anonymous function, or even return them with abbreviations:
Copy code The code is as follows:

var myApplication = function(){
var name = 'Chris';
var age = '34';
var status = 'single';
function createMember(){
// [...]
}
function getMemberDetails(){
// [...]
}
return{
create:createMember,
get:getMemberDetails
}
}();
//myApplication.get() and myApplication .create() now work.

Code Configuration
When others use the JavaScript code you wrote, it is inevitable that they will change some of the code, but this will be difficult because not everyone is good at it. It is easier to read other people's code. Instead of doing this, it is better to create a code configuration object. Others only need to change certain configurations in this object to achieve code changes. Here is an article detailed explanation of JavaScript configuration objects. In short:

· Create an object called configuration in code

· It saves all configurations that can be changed, such as CSS ID and class name, button label text, descriptive text, and localized language settings

·Set the object as a global object so that others can directly access and modify it

You should do this as the last step, here is an article, 5 things to do before shipping code for a valuable reference.
Interaction with the backend
JavaScript is a front-end language. You need other languages ​​​​to interact with the backend and return data. Using AJAX, you can let JavaScript directly interact with the backend and hand over complex data processing. Processed by the background.
JavaScript Framework
Writing your own code to adapt to various browsers is a complete waste of time. You should choose a JavaScript framework and let the framework handle these complex things.
More resources

· Douglas Crockford on JavaScript
JavaScript in-depth video tutorial

· The Opera Web Standards Curriculum
JavaScript Detailed Explanation

Extended reading

· 10 puzzling things about JavaScript

· New API seeks to let JavaScript operate on local files

· Let JavaScript save HTML5 offline storage

· Open source projects are increasingly favoring JavaScript

· Is Javascript a bug?

· The future of Javascript 2 is settled

· 10 Most Famous JavaScript Libraries Ranked by Google

· ECMA launches JavaScript 5

International source of this article: Smashing Magazine Seven JavaScript Things I Wish I Knew Much Earlier In My Career (Original author: Christian Heilmann)

[From Blog Garden Deep Blue House, please indicate the author’s source when reprinting]
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
es6数组怎么去掉重复并且重新排序es6数组怎么去掉重复并且重新排序May 05, 2022 pm 07:08 PM

去掉重复并排序的方法:1、使用“Array.from(new Set(arr))”或者“[…new Set(arr)]”语句,去掉数组中的重复元素,返回去重后的新数组;2、利用sort()对去重数组进行排序,语法“去重数组.sort()”。

JavaScript的Symbol类型、隐藏属性及全局注册表详解JavaScript的Symbol类型、隐藏属性及全局注册表详解Jun 02, 2022 am 11:50 AM

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于Symbol类型、隐藏属性及全局注册表的相关问题,包括了Symbol类型的描述、Symbol不会隐式转字符串等问题,下面一起来看一下,希望对大家有帮助。

原来利用纯CSS也能实现文字轮播与图片轮播!原来利用纯CSS也能实现文字轮播与图片轮播!Jun 10, 2022 pm 01:00 PM

怎么制作文字轮播与图片轮播?大家第一想到的是不是利用js,其实利用纯CSS也能实现文字轮播与图片轮播,下面来看看实现方法,希望对大家有所帮助!

JavaScript对象的构造函数和new操作符(实例详解)JavaScript对象的构造函数和new操作符(实例详解)May 10, 2022 pm 06:16 PM

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于对象的构造函数和new操作符,构造函数是所有对象的成员方法中,最早被调用的那个,下面一起来看一下吧,希望对大家有帮助。

JavaScript面向对象详细解析之属性描述符JavaScript面向对象详细解析之属性描述符May 27, 2022 pm 05:29 PM

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于面向对象的相关问题,包括了属性描述符、数据描述符、存取描述符等等内容,下面一起来看一下,希望对大家有帮助。

javascript怎么移除元素点击事件javascript怎么移除元素点击事件Apr 11, 2022 pm 04:51 PM

方法:1、利用“点击元素对象.unbind("click");”方法,该方法可以移除被选元素的事件处理程序;2、利用“点击元素对象.off("click");”方法,该方法可以移除通过on()方法添加的事件处理程序。

整理总结JavaScript常见的BOM操作整理总结JavaScript常见的BOM操作Jun 01, 2022 am 11:43 AM

本篇文章给大家带来了关于JavaScript的相关知识,其中主要介绍了关于BOM操作的相关问题,包括了window对象的常见事件、JavaScript执行机制等等相关内容,下面一起来看一下,希望对大家有帮助。

foreach是es6里的吗foreach是es6里的吗May 05, 2022 pm 05:59 PM

foreach不是es6的方法。foreach是es3中一个遍历数组的方法,可以调用数组的每个元素,并将元素传给回调函数进行处理,语法“array.forEach(function(当前元素,索引,数组){...})”;该方法不处理空数组。

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

Hot Tools

WebStorm Mac version

WebStorm Mac version

Useful JavaScript development tools

DVWA

DVWA

Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor