var
關鍵字給一個未定義的變量賦值會致使建立一個全局變量。要避免全局變量。javascript
===
,而不是==
==
(或!=
)操做符在須要的時候會自動執行類型轉換。===
(或!==
)操做不會執行任何轉換。它將比較值和類型,並且在速度上也被認爲優於==
。php
[10] === 10 // is false[10] == 10 // is true'10' == 10 // is true'10' === 10 // is false [] == 0 // is true [] === 0 // is false '' == false // is true but true == "a" is false '' === false // is false
function Person(name, age) { this.getName = function() { return name; }; this.setName = function(newName) { name = newName; }; this.getAge = function() { return age; }; this.setAge = function(newAge) { age = newAge; }; //未在構造函數中初始化的屬性 var occupation; this.getOccupation = function() { return occupation; }; this.setOccupation = function(newOcc) { occupation = newOcc; }; }
在語句結尾處使用分號是一個很好的實踐。若是你忘記寫了你也不會被警告,由於多數狀況下 JavaScript 解釋器會幫你加上分號。html
function Person(firstName, lastName){ this.firstName = firstName; this.lastName = lastName; }var Saad = new Person("Saad", "Mousliki");
typeof
、instanceof
和 constructor
var arr = ["a", "b", "c"];typeof arr; // return "object"arr instanceof Array // truearr.constructor(); //[]
這個常常被稱爲自調用匿名函數(Self-Invoked Anonymous Function)或者即時調用函數表達式(IIFE-Immediately Invoked Function Expression)。這是一個在建立後當即自動執行的函數,一般以下:java
(function(){ // some private code that will be executed automatically })();(function(a,b){ var result = a+b; return result;})(10,20)
var items = [12, 548 , 'a' , 2 , 5478 , 'foo' , 8852, , 'Doe' , 2145 , 119];var randomItem = items[Math.floor(Math.random() * items.length)];
這個代碼片斷在你想要生成測試數據的時候很是有用,好比一個在最小最大值之間的一個隨機薪水值。python
var x = Math.floor(Math.random() * (max - min + 1)) + min;
var numbersArray = [] , max = 100;for( var i=1; numbersArray.push(i++) < max;); // numbers = [0,1,2,3 ... 100]
function generateRandomAlphaNum(len) { var rdmstring = ""; for( ; rdmString.length < len; rdmString += Math.random().toString(36).substr(2)); return rdmString.substr(0, len); }
【譯者注:特地查了一下Math.random()
生成 0 到 1 之間的隨機數,number.toString(36)
是將這個數字轉換成36進制(0-9,a-z),最後`substr 去掉前面的「0.」字符串】nginx
var numbers = [5, 458 , 120 , -215 , 228 , 400 , 122205, -85411]; numbers = numbers.sort(function(){ return Math.random() - 0.5});/* the array numbers will be equal for example to [120, 5, 228, -215, 400, 458, -85411, 122205] */
在Java、C#、PHP和不少其餘語言中都有一個經典的 trim 函數,用來去除字符串中的空格符,而在JavaScript中並無,因此咱們須要在String對象上加上這個函數。web
String.prototype.trim = function(){return this.replace(/^\s+|\s+$/g, "");};
譯者注:去掉字符串的先後空格,不包括字符串內部空格數組
var array1 = [12 , "foo" , {name: "Joe"} , -2458];var array2 = ["Doe" , 555 , 100];Array.prototype.push.apply(array1, array2);/* array1 will be equal to [12 , "foo" , {name "Joe"} , -2458 , "Doe" , 555 , 100] */
譯者注:其實concat能夠直接實現兩個數組的鏈接,可是它的返回值是一個新的數組。這裏是直接改變array1緩存
var argArray = Array.prototype.slice.call(arguments);
譯者注:arguments
對象是一個類數組對象,但不是一個真正的數組服務器
function isNumber(n){ return !isNaN(parseFloat(n)) && isFinite(n); }
function isArray(obj){ return Object.prototype.toString.call(obj) === '[object Array]' ; }
注意:若是 toString()
方法被重寫了(overridden),你使用這個技巧就不能獲得想要的結果了。或者你可使用:
Array.isArray(obj); // 這是一個新的array的方法
若是你不在使用多重frames的狀況下,你還可使用 instanceof
方法。但若是你有多個上下文,你就會獲得錯誤的結果。
var myFrame = document.createElement('iframe'); document.body.appendChild(myFrame);var myArray = window.frames[window.frames.length-1].Array;var arr = new myArray(a,b,10); // [a,b,10]// instanceof will not work correctly, myArray loses his constructor// constructor is not shared between frames arr instanceof Array; // false
譯者注:關於如何判斷數組網上有很多討論,你們能夠google一下。這篇就寫的挺詳細的。
var numbers = [5, 458 , 120 , -215 , 228 , 400 , 122205, -85411];var maxInNumbers = Math.max.apply(Math, numbers);var minInNumbers = Math.min.apply(Math, numbers);
譯者注:這裏使用了Function.prototype.apply方法傳遞參數的技巧
var myArray = [12 , 222 , 1000 ]; myArray.length = 0; // myArray will be equal to [].
delete
來刪除一個數組中的項。使用 splice 而不要使用 delete 來刪除數組中的某個項。使用 delete 只是用 undefined 來替換掉原有的項,並非真正的從數組中刪除。
不要使用這種方式:
var items = [12, 548 ,'a' , 2 , 5478 , 'foo' , 8852, , 'Doe' ,2154 , 119 ]; items.length; // return 11delete items[3]; // return trueitems.length; // return 11/* items will be equal to [12, 548, "a", undefined × 1, 5478, "foo", 8852, undefined × 1, "Doe", 2154, 119] */
而使用:
var items = [12, 548 ,'a' , 2 , 5478 , 'foo' , 8852, , 'Doe' ,2154 , 119 ]; items.length; // return 11items.splice(3,1) ; items.length; // return 10/* items will be equal to [12, 548, "a", 5478, "foo", 8852, undefined × 1, "Doe", 2154, 119] */
delete 方法應該被用來刪除一個對象的某個屬性。
跟上面的清空數組的方式相似,咱們使用 length 屬性來截短一個數組。
var myArray = [12 , 222 , 1000 , 124 , 98 , 10 ]; myArray.length = 4; // myArray will be equal to [12 , 222 , 1000 , 124].
此外,若是你將一個數組的 length
設置成一個比如今大的值,那麼這個數組的長度就會被改變,會增長新的 undefined 的項補上。 數組的 length 不是一個只讀屬性。
myArray.length = 10; // the new array length is 10myArray[myArray.length - 1] ; // undefined
var foo = 10;foo == 10 && doSomething(); // 等價於 if (foo == 10) doSomething();foo == 5 || doSomething(); // 等價於 if (foo != 5) doSomething();
邏輯 AND 還能夠被使用來爲函數參數設置默認值
function doSomething(arg1){ Arg1 = arg1 || 10; // 若是arg1沒有被設置的話,Arg1將被默認設成10}
var squares = [1,2,3,4].map(function (val) { return val * val; });// squares will be equal to [1, 4, 9, 16]
var num =2.443242342; num = num.toFixed(4); // num will be equal to 2.4432
0.1 + 0.2 === 0.3 // is false9007199254740992 + 1 // is equal to 90071992547409929007199254740992 + 2 // is equal to 9007199254740994
爲何會這樣? 0.1+0.2 等於 0.30000000000000004。你要知道,全部的 JavaScript 數字在內部都是以 64 位二進制表示的浮點數,符合IEEE 754 標準。更多的介紹,能夠閱讀這篇博文。你可使用 toFixed()
和 toPrecision()
方法解決這個問題。
下面的代碼片斷可以避免在遍歷一個對象屬性的時候訪問原型的屬性
for (var name in object) { if (object.hasOwnProperty(name)) { // do something with name } }
var a = 0;var b = ( a++, 99 ); console.log(a); // a will be equal to 1console.log(b); // b is equal to 99
對於jQuery選擇器,咱們最好緩存這些DOM元素。
var navright = document.querySelector('#right');var navleft = document.querySelector('#left');var navup = document.querySelector('#up');var navdown = document.querySelector('#down');
isFinite(0/0) ; // falseisFinite("foo"); // falseisFinite("10"); // trueisFinite(10); // trueisFinite(undifined); // falseisFinite(); // falseisFinite(null); // true !!!
var numbersArray = [1,2,3,4,5];var from = numbersArray.indexOf("foo") ; // from is equal to -1numbersArray.splice(from,2); // will return [5]
確保調用 indexOf 時的參數不是負數。
var person = {name :'Saad', age : 26, department : {ID : 15, name : "R&D"} };var stringFromPerson = JSON.stringify(person);/* stringFromPerson is equal to "{"name":"Saad","age":26,"department":{"ID":15,"name":"R&D"}}" */var personFromString = JSON.parse(stringFromPerson);/* personFromString is equal to person object */
eval()
和 Function
構造函數使用 eval 和 Function 構造函數是很是昂貴的操做,由於每次他們都會調用腳本引擎將源代碼轉換成可執行代碼。
var func1 = new Function(functionCode);var func2 = eval(functionCode);
with()
使用 with()
會插入一個全局變量。所以,同名的變量會被覆蓋值而引發沒必要要的麻煩。
避免使用這樣的方式:
var sum = 0;for (var i in arrayNumbers) { sum += arrayNumbers[i]; }
更好的方式是:
var sum = 0;for (var i = 0, len = arrayNumbers.length; i < len; i++) { sum += arrayNumbers[i]; }
附加的好處是,i 和 len 兩個變量的取值都只執行了一次,會比下面的方式更高效:
for (var i = 0; i < arrayNumbers.length; i++)
爲何?由於 arrayNumbers.length
每次循環的時候都會被計算。
setTimeout()
和 setInterval()
的時候傳入函數,而不是字符串。若是你將字符串傳遞給 setTimeout()
或者 setInterval()
,這個字符串將被如使用 eval 同樣被解析,這個是很是耗時的。
不要使用:
setInterval('doSomethingPeriodically()', 1000);setTimeOut('doSomethingAfterFiveSeconds()', 5000)
而用:
setInterval(doSomethingPeriodically, 1000);setTimeOut(doSomethingAfterFiveSeconds, 5000);
switch/case
語句,而不是一長串的 if/else
在判斷狀況大於2種的時候,使用 switch/case
更高效,並且更優雅(更易於組織代碼)。但在判斷的狀況超過10種的時候不要使用 switch/case
。
譯者注:查了一下文獻,你們能夠看一下這篇介紹
在下面的這種狀況,使用 switch/case 判斷數值範圍的時候是合理的:
function getCategory(age) { var category = ""; switch (true) { case isNaN(age): category = "not an age"; break; case (age >= 50): category = "Old"; break; case (age <= 20): category = "Baby"; break; default: category = "Young"; break; }; return category; } getCategory(5); // will return "Baby"
譯者注:通常對於數值範圍的判斷,用 if/else 會比較合適。 switch/case 更適合對肯定數值的判斷
prototype
對象寫一個函數來建立一個以指定參數做爲 prototype
的對象是有可能:
function clone(object) { function OneShotConstructor(){}; OneShotConstructor.prototype= object; return new OneShotConstructor(); }clone(Array).prototype ; // []
function escapeHTML(text) { var replacements= {"<": "<", ">": ">","&": "&", "\"": """}; return text.replace(/[<>&"]/g, function(character) { return replacements[character]; }); }
try-catch-finally
在運行時,每次當 catch
從句被執行的時候,被捕獲的異常對象會賦值給一個變量,而在 try-catch-finally
結構中,每次都會新建這個變量。
避免這樣的寫法:
var object = ['foo', 'bar'], i;for (i = 0, len = object.length; i <len; i++) { try { // do something that throws an exception } catch (e) { // handle exception } }
而使用:
var object = ['foo', 'bar'], i;try { for (i = 0, len = object.length; i <len; i++) { // do something that throws an exception } }catch (e) { // handle exception}
XMLHttpRequests
設置超時。在一個XHR請求佔用很長時間後(好比因爲網絡問題),你可能須要停止此次請求,那麼你能夠對XHR調用配套使用 setTimeout()。
var xhr = new XMLHttpRequest (); xhr.onreadystatechange = function () { if (this.readyState == 4) { clearTimeout(timeout); // do something with response data } }var timeout = setTimeout( function () { xhr.abort(); // call error callback}, 60*1000 /* timeout after a minute */ ); xhr.open('GET', url, true); xhr.send();
此外,通常你應該徹底避免同步的 Ajax 請求。
一般,在一個 WebSocket 鏈接建立以後,若是你沒有活動的話,服務器會在30秒以後斷開(time out)你的鏈接。防火牆也會在一段時間不活動以後斷開鏈接。
爲了防止超時的問題,你可能須要間歇性地向服務器端發送空消息。要這樣作的話,你能夠在你的代碼裏添加下面的兩個函數:一個用來保持鏈接,另外一個用來取消鏈接的保持。經過這個技巧,你能夠控制超時的問題。
使用一個 timerID:
var timerID = 0;function keepAlive() { var timeout = 15000; if (webSocket.readyState == webSocket.OPEN) { webSocket.send(''); } timerId = setTimeout(keepAlive, timeout); }function cancelKeepAlive() { if (timerId) { cancelTimeout(timerId); }}
keepAlive()
方法應該被添加在webSOcket鏈接的 onOpen()
方法的最後,而 cancelKeepAlive()
添加在onClose()
方法的最後。
舉例來講,不使用:
var min = Math.min(a,b); A.push(v);
而用:
var min = a < b ? a b;A[A.length] = v;