From: 011netservice@gmail.com Date: 2022-04-24 Subject: KeyWord-JavaScript.txt 歡迎來信交流. ---------- console.log 20210906 https://stackoverflow.com/questions/1215392/how-to-quickly-and-conveniently-disable-all-console-log-statements-in-my-code Redefine the console.log function in your script. console.log = function() {} // 關閉 console.log. That's it, no more messages to console. 複雜一點, 可開啟跟關閉: ---------- Class 參考 20210906 https://shubo.io/javascript-class/#%E8%A6%86%E5%AF%AB-override-%E6%AF%8D%E9%A1%9E%E5%88%A5%E6%96%B9%E6%B3%95 [教學] 深入淺出 JavaScript ES6 Class (類別) 目錄 -- class 語法 -- class 只是宣告函式的一種語法 -- class 的靜態方法 (Static Method) -- 用 extends 繼承類別 -- 覆寫 (Override) 母類別方法 -- 用 super 覆寫方法 -- 用 super 覆寫 constructor -- super 在「物件方法」內使用的限制 -- 繼承靜態方法 (Static Method) -- 兩種 extends 幫你自動建立的 [[prototype]] 關聯 -- Reference class 語法 如果要建構新物件,傳統的Prototype-based的寫法會需要: 1. 定義constructor 2. 在prototype物件上定義方法 function User(name) { this.name = name; } User.prototype.sayHi = function() { console.log(this.name); } let user = new User('John'); user.sayHi(); 改用 class 語法改寫,我們需要在 class body 裡定義: 1. constructor方法 2. 其他方法 class User { constructor(name) { this.name = name; } sayHi() { console.log(this.name); } } 其中 sayHi() { ... } 這種寫法是在 class 中定義「物件方法」的語法。 class 只是宣告函式的一種語法 JavaScript中沒有真正的「類別」實體。 class 宣告出來的本體是「函式」。 換句話說,class 只是宣告函式的一種特別的語法。 class 背後有幾個分解動作,是JavaScript Engine幫我們完成的: 1. 把class body裡的 constructor() 抓出來,指定給User。 2. 把class body裡的其他方法指定給User.prototype。 也就是說,透過 class 語法宣告的 User,其實是宣告了一個函式 User, 其prototype屬性上有我們定義在class body內的方法。 class 的靜態方法 (Static Method) class 裡面可以宣告靜態方法 (static method)。 class Article { static compare(a, b) { return a.date < b.date ? -1 : 1; } } articles.sort(Article.compare); 其效果等同於直接定義一個方法在class的屬性上: class Article {} Article.compare = function(a, b) { // ... } 用 extends 繼承類別 類別可以用extends語法繼承。 例如,想要 Rabbit 類別繼承自 Animal 類別。 非常簡單,只要使用 class Rabbit extends Animal 語法: class Animal { // ... run() { // Run... } } class Rabbit extends Animal { // ... } let rabbit = new Rabbit(); rabbit.run(); // From `Animal` 背後運作的原理是,JavaScript Engine 會幫你把 Rabbit.prototype 的 [[Prototype]] 設為 Animal.prototype, 亦即 Rabbit.prototype.__proto__ = Animal.prototype; 覆寫 (Override) 母類別方法 就像其他語言一樣,繼承的類別可以覆寫母類別的方法。 但是通常我們不一定想要整個覆蓋掉母類別的方法, 而是會根據既有的母類別的方法去延伸功能。 想要延伸既有的方法,可以用 super 關鍵字,呼叫母類別的方法。 用 super 覆寫方法 利用 super 關鍵字,在子類別的 run() 方法內呼叫母類別的 run() 方法: class Animal { // ... run() { console.log('Animal run!'); } } class Rabbit extends Animal { // ... run() { super.run(); // Animal run! console.log('Rabbit jump!'); } } 非常簡單吧! 另外提個小技巧: 你可以在物件方法中使用 Arrow Function + super。 Arrow function沒有自己的 super,super 的值是什麼, 查詢的規則跟 this、arguments 一樣,都是看「宣告當時」所在scope的 super 值。 class Rabbit extends Animal { run() { setTimeout(() => super.run(), 1000); // OK, Lambda expression setTimeout(function() { super.run(); }, 1000); // Error } } 相反地,你不能用 function() { ... },因為function不是一個類別方法,沒有 super。 用 super 覆寫 constructor 利用 super 關鍵字,在constructor內,呼叫母類別的 constructor: class Animal { constructor(name) { this.name = name; } } class Rabbit extends Animal { constructor(name, earLength) { super(name); this.earLength = earLength; } } let rabbit = new Rabbit('John', 5); 因為母類別已經有 this.name = name; 的邏輯了, 不需要在子類別重寫一次 this.name = name;。 直接呼叫 super(name); 就可以了。 沒必要的話你也可以不寫,會自動幫妳生成預設值: class Rabbit extends Animal {} // 幫你生成預設值 constructor(...args) { super(...args); } 要注意的點: 1. 一定要呼叫 super()。 2. 呼叫 super 要在使用 this.earLength = earLength; 出現之前。 為什麼有這樣的寫法限制? 理由其實很簡單! 一般沒有繼承的情況下,在constructor裡面會先建立一個物件,然後把 this 指向這個物件。 相反地,有繼承的情況下,在子類別的constructor裏就不會有建立物件的動作。 為什麼呢?因為建立物件的動作只需要做一次就好了。 所以我們會預期,物件已經在母類別的constructor裏建立了,否則就會在子物件裡重複動作。 所以,我們要在子類別呼叫 super(), 在母類別建立好物件,確保執行到 this.earLength = earLength; 這一行時,this 不是空的。 super 在「物件方法」內使用的限制 定義在「物件」上的方法,有兩種寫法(注意,是「物件」不是「類別」): let user = { sayHi: function() { alert("Hello"); } }; // method shorthand looks better, right? let user = { sayHi() { // same as "sayHi: function()" alert("Hello"); } }; 舊的寫法,是把方法指定給一種物件的一種「屬性」。 新的寫法,是物件上的一個「物件方法」。 雖然功能看似是一模一樣的,但是其實他們有「這個」微妙的不同! 那就是: 不能在舊的寫法裡使用 super。 下面的例子,用舊的寫法呼叫 super 會有錯誤: let animal = { eat: function() { // ... } }; let rabbit = { __proto__: animal, eat: function() { // Result in errors super.eat(); } }; rabbit.eat(); // Error calling super 原因在 Home Object 這篇有解釋。 大意是說,因為繼承機制的需要,物件方法需要知道「這個物件繼承自哪個母類別」,也就是 [[Prototype]]。 所以JavaScript的物件方法多了一個隱藏的 [[HomeObject]] 屬性,可以記住「這個方法屬於哪個物件」。 簡言之,「類別方法」或「物件方法」的 [[HomeObject]] 屬性,就是物件本身。 知道方法屬於哪個物件,才能知道物件的 [[prototype]] 是誰,super 才能正確被執行。 這是一個後來才加進JavaScript的新機制。 讓我們來看個 [[HomeObject]] 的例子! 假設有個繼承關係:longEar –> rabbit –> animal, 則各個方法的 [[HomeObject]] 分別如下: let animal = { name: "Animal", eat() { console.log(`${ this.name } eats!`); // [[HomeObject]] === animal } }; let rabbit = { __proto__: animal, name: 'Rabbit', eat() { super.eat(); // [[HomeObject]] === rabbit } }; let longEar = { __proto__: rabbit, name: 'Long Ear', eat() { super.eat(); // [[HomeObject]] === longEar } }; 說了這麼多 [[HomeObject]], 到底跟兩種語法的不同有什麼關係? 簡單地說,為了和普通函式有所區別,物件方法必須用 foo() { ... } 語法, 這個函式才會被認為是一個「物件方法」,會多一個特別的隱藏屬性 [[HomeObject]],這樣super才能正確執行。 所以改成這樣,就沒問題了: let animal = { eat: function() { // ... } }; let rabbit = { __proto__: animal, eat() { // OK super.eat(); } }; rabbit.eat(); // OK 除了這個差別之外,兩種寫法是等義的。 這樣看來,直接全部改用shorthand寫法替代舊的寫法,應該沒有什麼特別的壞處。 結論是: super 關鍵字,只能在「物件方法」中使用。 foo() { ... } 可以用 super, foo: function() { ... } 不能用 super。 另外,「類別」 內的「類別方法」寫法就是 foo() { ... }, 所以不會遇到「物件」內寫法的問題。 以下純閒聊,與主題無關,趕時間可跳過🤪 除非用較新的寫法搭配babel。 例如 handleClick = () => { ... } 這種 Arrow Functions in Class Properties 的寫法,非常有用, 可以用來代替正規 handleClick() { ... } 加上constructor內呼叫 this.handleClick = this.handleClick.bind(this);的寫法。 不過也有人提出看法,不鼓勵 Arrow Functions in Class Properties 的用法。 在獲得語言完全採納某個feature之前, 提前採用babel轉譯出的結果可能和想像有落差,小心踩坑! 題外話,我也好奇babel針對 super 的case,會做什麼特別的處理? 畢竟對babel來說,物件上的方法 foo() { ... } 和 foo: function() { ... } 兩種寫法並沒有差別,都會被轉換成一樣的舊寫法。 把範例丟進babel,會跳出錯誤: super is only allowed in object methods and classes 看來遇到super語法的時候,babel會檢查是否有正確使用object method的寫法,然後才作對應的transpilation,符合新spec的設計。 繼承靜態方法 (Static Method) 繼承類別的時候,會連靜態方法也一起繼承! class Animal { static compare(a, b) { // ... } } class Rabbit extends Animal {} let rabbits = [ new Rabbit('John'), new Rabbit('Kevin') ]; rabbits.sort(Rabbit.compare); // calls Animal.compare 這是透過 Rabbit.__proto__ === Animal 達成的。 兩種 extends 幫你自動建立的 [[prototype]] 關聯 以下重點!!! 使用 extends 語法,會自動建立下列兩種 prototype 的繼承關係: Rabbit.proto.__proto__ === Animal.proto Rabbit.__proto__ === Animal 第一個是為了達成一般方法的繼承,第二個是為了達成靜態方法的繼承。 Reference http://javascript.info/class http://javascript.info/class-inheritance http://javascript.info/object-methods#method-shorthand ---------- Template ZLib-CodeHelper.js 最新版本 /* From: 011netservice@gmail.com Date: 2022-04-24 Subject: ZLib-CodeHelper.js 歡迎來信交流. 20210902, Honda, javascript Helper based on ZLuckstar.js 20210906, Honda, 加入 ES6 新增的 class 寫法, 並啟用 'use strict'. */ 'use strict'; class ZArray { constructor() { } static ZToIntArray(PArray) { // 將陣列中所有元素(應為字串), 全部轉為 Int. var NewArray = []; for (var i = 0; i < PArray.length; i++) { NewArray.push(Number.parseInt(String(PArray[i]))); } return NewArray; } static ZToFloatArray(PArray) { // 將陣列中所有元素(應為字串), 全部轉為 Int. var NewArray = []; for (var i = 0; i < PArray.length; i++) { NewArray.push(Number.parseFloat(String(PArray[i]))); } return NewArray; } static ZToStringArray(PArray) { // 將陣列中所有元素全部轉為字串. var NewArray = []; for (var i = 0; i < PArray.length; i++) { NewArray.push(String(PArray[i])); } return NewArray; } static ZTrimArray(PArray) { // 將陣列中所有元素全部轉為(trim後字串). var NewArray = []; for (var i = 0; i < PArray.length; i++) { NewArray.push(String(PArray[i]).trim()); } return NewArray; } } class ZDate { constructor() { } static ZGetDateOnly(PDate) { return new Date(PDate.getFullYear(), PDate.getMonth(), PDate.getDate(), 0, 0, 0, 0); } static ZParseDateCsv(PCsvDate) { // 將 CSV 字串(Year, Month, Day, Hour, Minute, Second, Ms) 轉為 date 型別, 最少應有 Year, Month. var sa1 = ZString.ZParseNumberArrayCsv(PCsvDate); if (sa1[6]) { return new Date(sa1[0], sa1[1] - 1, sa1[2], sa1[3], sa1[4], sa1[5], sa1[6]); } else if (sa1[5]) { return new Date(sa1[0], sa1[1] - 1, sa1[2], sa1[3], sa1[4], sa1[5], 0); } else if (sa1[4]) { return new Date(sa1[0], sa1[1] - 1, sa1[2], sa1[3], sa1[4], 0, 0); } else if (sa1[3]) { return new Date(sa1[0], sa1[1] - 1, sa1[2], sa1[3], 0, 0, 0); } else if (sa1[2]) { return new Date(sa1[0], sa1[1] - 1, sa1[2], 0, 0, 0, 0); // CodeHelper Month 是 0 到 11. } else if (sa1[1]) { return new Date(sa1[0], sa1[1] - 1, 0, 0, 0, 0, 0); } else { return null; } } static ZToCSV(PDate) { return PDate.getFullYear() + "," + (PDate.getMonth() + 1) + "," + PDate.getDate() + "," + PDate.getHours() + "," + PDate.getMinutes() + "," + PDate.getSeconds() + "," + PDate.getMilliseconds(); } static ZToStringJavaDate(PDate) { return PDate.getFullYear() + "/" + (PDate.getMonth() + 1) + "/" + PDate.getDate(); } } class ZNumber { constructor() { } static ZSplit(PCsv, PSeparator = ",") { return PCsv.split(PSeparator); } // CodeHelper Default parameter. } class ZString { constructor() { // todo. } } class ZWindow { constructor() { } static ZPopupMsg(PMsg) { windows.alert(PMsg); } static set ZOnLoad(PFunction) { // 將 windows.onload 放到網頁最後面! window.onload = PFunction; } } class ZDocument { constructor() { } static ZAddEventListenerById(PId, PType, PFunction, PUseCapture = false) { /* HTMLElement.addEventListener(StringType, FunctionListener, bUseCapture) StringType: 將 Event 名稱刪除 "on" 字首, 例如: submit, click..., bUseCapture: false (預設) 表示 Bubbling 氣泡階段, true 表示 Capturing 捕捉階段。 sample: document.getElementById("Submit1").addEventListener("submit", function () { return MySubmit(); }, false); */ document.getElementById(PId).addEventListener(PType, PFunction, PUseCapture); } // 找不到 PId 會拋出錯誤, 不是回傳 null. static ZGetElementById(PId) { // if(!document.getElementById("Id") { Element id does not exist.}; // 直接使用難抓錯誤: document.getElementById(PId).addEventListener(PType, PFunction, PUseCapture); var v1 = document.getElementById(PId); if (!v1) throw new RangeError(`ZGetElementById(${PId}) does not exist.`); return v1; } } class ZGrid { constructor(PCols) { this.#MyCols = PCols; } #MyCols; // Private field. #MyArray = new Array(); // Private field. get Cols() { return this.#MyCols; } // getter. get Rows() { return this.#MyArray.length; } // getter. PushRow(PArray) { this.#MyCheckColumns(PArray); this.#MyArray.push(PArray); } PopRow() { this.#MyArray.pop(); } SpliceRow(PRow, PCount = 1) { return this.#MyArray.splice(PRow, PCount); } Cell(PRow, PCol) { return this.#MyArray[PRow][PCol]; } Clear() { this.#MyArray = new Array(); } FindColumn(PCol, PValue) { for (var i = 0; i < this.#MyArray.length; i++) { if (this.#MyArray[i][PCol] == PValue) return i; } return -1; } GetRow(PRow) { return this.#MyArray[PRow]; } SetRow(PRow, PNewArray) { MyCheckColumns(PNewArray); this.#MyArray[PRow] = PNewArray.slice(); } #MyCheckColumns(PArray) { // Private method. if (Array.isArray(PArray)) if (PArray.length == this.#MyCols) return; else throw new RangeError(`Columns length ${PArray.length} is not ${this.#MyCols}.`) else throw new TypeError(`Input type ${typeof PArray} is not Array.`) } } ---------- HTML window.onload ZOnLoad(PFunction) { // 常見錯誤: // 若網頁還沒完全載入前, 就執行 windows.onload, 則可能造成 document.getElementById(PId) 讀取不到正確的資料> // 最簡單的解決方法是要把 window.onload 放到 html 檔案的最後面! window.onload = PFunction; } ---------- Template 常用 undefined, null, NaN 20210906 console.log(null === undefined); // false console.log(null == undefined); // true console.log(obj === null); // false console.log(obj === undefined); // false Object.is(null, null); // true Object.is(undefined, undefined); // true Object.is(window, window); // true Object.is([], []); // false, 2個[] 不相等 if(!document.getElementById("someId") { Element does not exist.}; document.getElementById("NotFind").innerHTML = PMsg; // Uncaught TypeError: Cannot set properties of null (setting 'innerHTML') if (this._age !== undefined) { return `${this.name} age is ${this._age}.`; } get, getter 函數回傳值為屬性值, 預設為 undefined. set, setter 函數接收設定值為屬性值. 預設為 undefined. function multiply(a, b) { b = (typeof b !== 'undefined') ? b : 1; // 舊方法檢查 'undefined'. return a * b; // 若 a,b為 undefined, 則回傳 NaN. } multiply(5, 2); // 10 multiply(5, 1); // 5 multiply(5); // 5 有了 ES2015 的預設參數,再也不用於函式進行檢查了,現在只要簡單的在函式的起始處為 b 指定 1 的值: function multiply(a, b = 1) { // 新方法, ES2015 的預設參數. return a * b; } multiply(5, 2); // 10 multiply(5, 1); // 5 multiply(5); // 5 multiply(5, undefined); // 傳入 undefined 等於使用預設參數. var str = null.toString(); // toString()不能轉換 null 和 undefined為字串! console.log(str, typeof str); var str = undefined.toString(); // toString()不能轉換 null 和 undefined為字串! console.log(str, typeof str); var str = String(null); // String() 可以將 null 和 undefined 轉換為字串. .toString()可以將所有的的資料都轉換為字串,但是要排除null 和 undefined console.log(str, typeof str); Array.isArray(undefined); // false delete 運算子可以用來刪除特定位置的元素,但它不會移除元素,只是將該位置的元素值變成 undefined: var fruits = ['Apple', 'Banana', 'Orange']; delete fruits[0]; fruits; // [undefined, "Banana", "Orange"] // using __proto__ var obj = {}; Object.defineProperty(obj, 'key', { __proto__: null, // no inherited properties value: 'static' // not enumerable // not configurable // not writable // as defaults }); ---------- 相等比較方法: 一般相等 (==), 嚴格相等 (===), 零值相等, 同值相等 20210906 在 ES2015,有四個相等比較方法: 1. 一般相等 (==) 2. 嚴格相等 (===):被用於 Array.prototype.indexOf、 Array.prototype.lastIndexOf 和 case-matching 3. 零值相等:被用於 %TypedArray% 和 ArrayBuffer 建構子,以及 Map 和 Set 運算子,還有將在 ES2016 新增的 String.prototype.includes。 4. 同值相等: 用在除上面提及的所有情況。 JavaScript 提供三種不同的值比較運算操作: 1. 嚴格相等 (或稱 "三等於"、"全等") 使用 === 2. 一般相等 ("雙等於") 使用 == 3. 還有 Object.is (ECMAScript 2015 新加入) 一般相等 (==) 會將型別一致化後比較; 嚴格相等則不會(也就是說若型別不同,就會回傳 fasle); Object.is 會和嚴格相等做同樣的事,但會將 NaN、-0 和 +0 獨立處理, 因此這三個不會相等, 而 Object.is(NaN, NaN) 則會回傳 true 。 (用一般相等或嚴格相等比較兩個 NaN 時會回傳 false ,因為 IEEE 754 如此規範。) 切記,這三種判斷必須考慮原型,因為他們在設計上不被考慮為相等。 對於任何非原型物件 x、y,即使他們有著相同結構,但如果是不同物件,比較就會是 false。 嚴格相等(===) 嚴格相等比較兩個值,而被比較的兩個值都不會轉換成其他型別。 如果值是不同型別,就會被視為不相等。 如果兩值型別相同但不是數字,若值相同,則為相等。 此外,如果兩個值皆為數字,只要他們是 NaN 以外的同一值,或者 +0 和 -0,則為相等。 var num = 0; var obj = new String("0"); var str = "0"; console.log(num === num); // true console.log(obj === obj); // true console.log(str === str); // true console.log(num === obj); // false console.log(num === str); // false console.log(obj === str); // false console.log(null === undefined); // false console.log(obj === null); // false console.log(obj === undefined); // false 嚴格比較適合在絕大多數情況下使用。 對於所有非數字的值,嚴格比較就如字面: 一個值只相等於自己。 而數字則使用稍微不同的方式: 第一種情況是浮點數 0 同時為正和負, 在解決某些數學問題時,+0 和 -0 是不同的, 但在大部分情況下我們不需要考慮這種情境,因此嚴格比較將他們視為相同的。 第二種情況是非數字,NaN, 用來表示某些定義不明確的數學問題的解, 例如:負無窮加正無窮,嚴格比較認為 NaN 不等於任何值,包含他本身。 ((x !== x)只有在 x 是 NaN 時會是 true。) 一般相等(==) 一般相等會先將比較值轉換成同型別後比較。轉換後(可能一個或兩個都被轉換),接著進行的幾乎和嚴格比較(===)一樣。 一般相等會對稱: A == B 等同 B == A ,無論 A 和 B 是什麼。(除了型別轉換的順序) 不同型別的一般相等運作如下表: 比較值 B Undefined Null Number String Boolean Object 比較值 A Undefined true true false false false false Null true true false false false false Number false false A === B A === ToNumber(B) A === ToNumber(B) A == ToPrimitive(B) String false false ToNumber(A) === B A === B ToNumber(A) === ToNumber(B) A == ToPrimitive(B) Boolean false false ToNumber(A) === B ToNumber(A) === ToNumber(B) A === B ToNumber(A) == ToPrimitive(B) Object false false ToPrimitive(A) == B ToPrimitive(A) == B ToPrimitive(A) == ToNumber(B) A === B 根據上表, ToNumber(A) 嘗試在比較前轉換成一個數字。 這等同 +A (單 + 運算子)。 ToPrimitive(A) 嘗試從物件轉換成原生值,透過嘗試對 A 使用 A.toString 和 A.valueOf 方法。 一般來說,根據 ECMAScript 規範,所有物件應該不等於 undefined 和 null。但大多數瀏覽器允許很小部分的物件(尤其是所有頁面的 document.all 物件)在某些情況下當成 undefined。一般相等是其中一種:當 A 是個被模擬 成 undefined 的物件,null == A 和 undefined == A 會是 true。而在其他情況下物件不會等同於 undefined 或 null。 var num = 0; var obj = new String("0"); var str = "0"; console.log(num == num); // true console.log(obj == obj); // true console.log(str == str); // true console.log(num == obj); // true console.log(num == str); // true console.log(obj == str); // true console.log(null == undefined); // true // 除了少數情況,這兩個應該是 false。 console.log(obj == null); console.log(obj == undefined); 部分開發者認為最好別用一般相等。嚴格比較更容易預測,且因為不必轉型,因此效率更好。 同值相等 同值相等解決了最後一個情況:比較兩個值是否功能相同 。(這裡用了 Liskov 替換原則(英) 為例)當試圖修改一個不可變的屬性: // 新增一個不可變 NEGATIVE_ZERO 屬性到 Number 原型。 Object.defineProperty(Number, "NEGATIVE_ZERO", { value: -0, writable: false, configurable: false, enumerable: false }); function attemptMutation(v) { Object.defineProperty(Number, "NEGATIVE_ZERO", { value: v }); } 當修改一個不可變屬性時, Object.defineProperty 會出現例外,但若沒有真的要求修改,就沒事。如果 v 是 -0,就不會有修改,也就不會有錯誤出現。但若 v 是 +0,Number.NEGATIVE_ZERO 不再擁有自己的不可變屬性。在內部,當一個不可變屬性被重新定義,新的值會用同值相等和原值比較。 Object.is() The Object.is() method determines whether two values are the same value. Object.is(value1, value2); Object.is() determines whether two values are the same value. Two values are the same if one of the following holds: 1. both undefined 2. both null 3. both true or both false 4. both strings of the same length with the same characters in the same order 5. both the same object (meaning both values reference the same object in memory) 6. both numbers and 6.1 both +0 6.2 both -0 6.3 both NaN 6.4 or both non-zero and both not NaN and both have the same value This is not the same as being equal according to the == operator. The == operator applies various coercions to both sides (if they are not the same Type) before testing for equality (resulting in such behavior as "" == false being true), but Object.is doesn't coerce either value. This is also not the same as being equal according to the === operator. The only difference between Object.is() and === is in their treatment of signed zeroes and NaNs. For example, the === operator (and the == operator) treats the number values -0 and +0 as equal. Also, the === operator treats Number.NaN and NaN as not equal. // Case 1: Evaluation result is the same as using === Object.is(25, 25); // true Object.is('foo', 'foo'); // true Object.is('foo', 'bar'); // false Object.is(null, null); // true Object.is(undefined, undefined); // true Object.is(window, window); // true Object.is([], []); // false, 2個[] 不相等 var foo = { a: 1 }; var bar = { a: 1 }; Object.is(foo, foo); // true Object.is(foo, bar); // false // Case 2: Signed zero Object.is(0, -0); // false, 這個比較有問題 Object.is(+0, -0); // false, 這個比較有問題 Object.is(-0, -0); // true Object.is(0n, -0n); // true // Case 3: NaN Object.is(NaN, 0/0); // true Object.is(NaN, Number.NaN) // true Polyfill if (!Object.is) { Object.defineProperty(Object, "is", { value: function (x, y) { // SameValue algorithm if (x === y) { // return true if x and y are not 0, OR // if x and y are both 0 of the same sign. // This checks for cases 1 and 2 above. return x !== 0 || 1 / x === 1 / y; } else { // return true if both x AND y evaluate to NaN. // The only possibility for a variable to not be strictly equal to itself // is when that variable evaluates to NaN (example: Number.NaN, 0/0, NaN). // This checks for case 3. return x !== x && y !== y; } } }); } 零值相等 和同值相等一樣,但將 +0 和 -0 視為相同。 ---------- Private class features, identifiers prefixed with a hash #, (pronounced "hash names") 20210905 Private class features ref: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Classes/Private_class_fields Class fields are public by default, but private class members can be created by using a hash # prefix. The privacy encapsulation of these class features is enforced by JavaScript itself. Syntax class ClassWithPrivateField { #privateField; // Private instance field. identifiers prefixed with a hash #, (pronounced "hash privateField") } class ClassWithPrivateMethod { #privateMethod() { // Private instance method. return 'hello world'; } } class ClassWithPrivateStaticField { static #PRIVATE_STATIC_FIELD; // Private static field. } class ClassWithPrivateStaticMethod { static #privateStaticMethod() { // Private static method. return 'hello world'; } } Examples Private instance fields Private instance fields are declared with #names (pronounced "hash names"), which are identifiers prefixed with #. The # is a part of the name itself. Private fields are accessible on the class constructor from inside the class declaration itself. They are used for declaration of field names as well as for accessing a field's value. It is a syntax error to refer to # names from out of scope. It is also a syntax error to refer to private fields that were not declared before they were called, or to attempt to remove declared fields with delete. class ClassWithPrivateField { #privateField; // Private instance field. (pronounced "hash private field") constructor() { this.#privateField = 42; // using Private instance field. delete this.#privateField; // Syntax error this.#undeclaredField = 444; // Syntax error } } const instance = new ClassWithPrivateField() instance.#privateField === 42; // Syntax error Note: Use the in operator to check for potentially missing private fields (or private methods). This will return true if the private field or method exists, and false otherwise. Like public fields, private fields are added at construction time in a base class, or at the point where super() is invoked in a subclass. class ClassWithPrivateField { #privateField; // Private instance field. constructor() { this.#privateField = 42; } } class SubClass extends ClassWithPrivateField { #subPrivateField; // Private instance field in subclass. constructor() { super(); // super() 時, 呼叫上層的 class.constructor. this.#subPrivateField = 23; } } new SubClass(); // SubClass {#privateField: 42, #subPrivateField: 23} Private static fields Private static fields are added to the class constructor at class evaluation time. The limitation of static variables being called by only static methods still holds. class ClassWithPrivateStaticField { static #PRIVATE_STATIC_FIELD; static publicStaticMethod() { ClassWithPrivateStaticField.#PRIVATE_STATIC_FIELD = 42; return ClassWithPrivateStaticField.#PRIVATE_STATIC_FIELD; } } console.log(ClassWithPrivateStaticField.publicStaticMethod() === 42); // true There is a restriction on private static fields: Only the class which defines the private static field can access the field. This can lead to unexpected behavior when using this. In the following example, this refers to the SubClass class (not the BaseClassWithPrivateStaticField class) when we try to call SubClass.basePublicStaticMethod(), and so causes a TypeError. private static fields 只能使用於原來宣告的 class 中. class BaseClassWithPrivateStaticField { static #PRIVATE_STATIC_FIELD; static basePublicStaticMethod() { this.#PRIVATE_STATIC_FIELD = 42; return this.#PRIVATE_STATIC_FIELD; } } class SubClass extends BaseClassWithPrivateStaticField { }; let error = null; try { SubClass.basePublicStaticMethod() // 無法呼叫 SubClass 中的 static method. } catch(e) { error = e}; console.log(error instanceof TypeError); // true console.log(error); // TypeError: Cannot write private member #PRIVATE_STATIC_FIELD // to an object whose class did not declare it Private methods Private instance methods Private instance methods are methods available on class instances whose access is restricted in the same manner as private instance fields. class ClassWithPrivateMethod { #privateMethod() { // Private instance methods. return 'hello world'; } getPrivateMessage() { return this.#privateMethod(); // calling Private instance methods. } } const instance = new ClassWithPrivateMethod(); console.log(instance.getPrivateMessage()); // hello world Private instance methods may be generator, async, or async generator functions. Private getters and setters are also possible, although not in generator, async, or async generator forms. class ClassWithPrivateAccessor { #message; get #decoratedMessage() { return `🎬${this.#message}🛑`; } set #decoratedMessage(msg) { this.#message = msg; } constructor() { this.#decoratedMessage = 'hello world'; console.log(this.#decoratedMessage); } } new ClassWithPrivateAccessor(); // 🎬hello world🛑 Private static methods Like their public equivalent, private static methods are called on the class itself, not instances of the class. Like private static fields, they are only accessible from inside the class declaration. class ClassWithPrivateStaticMethod { static #privateStaticMethod() { return 42; } static publicStaticMethod1() { return ClassWithPrivateStaticMethod.#privateStaticMethod(); } static publicStaticMethod2() { return this.#privateStaticMethod(); } } console.log(ClassWithPrivateStaticMethod.publicStaticMethod1() === 42); // true console.log(ClassWithPrivateStaticMethod.publicStaticMethod2() === 42); // true Private static methods may be generator, async, and async generator functions. The same restriction previously mentioned for private static fields holds for private static methods, and similarly can lead to unexpected behavior when using this. In the following example, when we try to call Derived.publicStaticMethod2(), this refers to the Derived class (not the Base class) and so causes a TypeError. class Base { static #privateStaticMethod() { return 42; } static publicStaticMethod1() { return Base.#privateStaticMethod(); } static publicStaticMethod2() { return this.#privateStaticMethod(); } } class Derived extends Base {} console.log(Derived.publicStaticMethod1()); // 42 console.log(Derived.publicStaticMethod2()); // TypeError: Cannot read private member #privateStaticMethod // from an object whose class did not declare it ---------- 'use strict'; 常見錯誤 ZUIConstructor = function () { 'use strict'; 常見錯誤 this.ZPopupMsg = function (PMsg) { alert(PMsg); } } 必須改成以下: function ZUIConstructor() { this.ZPopupMsg = function (PMsg) { alert(PMsg); } } 最好乾脆改成 ES2015 的 class: class ZUIConstructor { constructor() { this.ZPopupMsg = function (PMsg) { alert(PMsg); }; } } ---------- 'use strict'; 20210905 1. 使用 'use strict'; 後為 strict mode, 否則稱之為 sloppy mode. 2. 使用 'use strict'; 後將不能使用許多舊版寫法, 請參考 'use strict'; 常見錯誤. 3. 放在 class 中的程式, 自動會以 Strict mode 控制, 不需要特別註明 'use strict' 宣告. ref: https://wcc723.github.io/javascript/2017/12/15/javascript-use-strict/ https://developer.mozilla.org/zh-TW/docs/Web/JavaScript/Reference/Strict_mode Strict mode ECMAScript 5 提供開發者語法嚴格、語法受限的模式 (strict mode) ,會影響語法的使用但沒支援受限模式的瀏覽器一樣可以跑,只是行為有很大的可能會跟你想的不一樣。所以別太依賴受限模式,除非你做過功能性測試。另外這個模式可以混用在普通模式裡,你可以利用這個特性慢慢把舊的程式碼轉變成完全嚴謹和低變化性的狀態。 這個模式裡做了些語意上的修正: 透過拋出錯誤的方式消除一些安靜的錯誤(意指不再靜默地忽略某些錯誤) 修正會阻礙 JavaScript 引擎進行最佳化的錯誤: 相同的程式碼在嚴格模式有時候能運行得比非嚴格模式來的快 禁止使用一些有可能被未來版本 ECMAScript 定義的語法 參考 過渡到嚴格模式,如果你希望將你的程式碼在 JavaScript 語法嚴格、語法受限下執行。 Sometimes, you'll see the default, non-strict, mode referred to as "sloppy mode". This isn't an official term, but be aware of it, just in case. 用法 嚴格模式可以用於整份腳本或個別函數中。 不要在封閉的大括弧內 {} 這樣做; 這麼做在上下文中是沒有效果的。 eval 程式、Function、事件處理參數、傳入 WindowTimers.setTimeout() (en-US) 函數的字串都是整個腳本, 開啟嚴格模式他也會如預期般運作。 Strict mode for scripts To invoke strict mode for an entire script, put the exact statement "use strict"; (or 'use strict';) before any other statements. // Whole-script strict mode syntax 'use strict'; var v = "Hi! I'm a strict mode script!"; This syntax has a trap that has already bitten a major site: it isn't possible to blindly concatenate non-conflicting scripts. Consider concatenating a strict mode script with a non-strict mode script: the entire concatenation looks strict! The inverse is also true: non-strict plus strict looks non-strict. Concatenation of strict mode scripts with each other is fine, and concatenation of non-strict mode scripts is fine. Only concatenating strict and non-strict scripts is problematic. It is thus recommended that you enable strict mode on a function-by-function basis (at least during the transition period). You can also take the approach of wrapping the entire contents of a script in a function and having that outer function use strict mode. This eliminates the concatenation problem but it means that you have to explicitly export any global variables out of the function scope. Strict mode for functions Likewise, to invoke strict mode for a function, put the exact statement "use strict"; (or 'use strict';) in the function's body before any other statements. function strict() { // Function-level strict mode syntax 'use strict'; function nested() { return 'And so am I!'; } return "Hi! I'm a strict mode function! " + nested(); } function notStrict() { return "I'm not strict."; } Copy to Clipboard Changes in strict mode Strict mode changes both syntax and runtime behavior. Changes generally fall into these categories: changes converting mistakes into errors (as syntax errors or at runtime), changes simplifying how the particular variable for a given use of a name is computed, changes simplifying eval and arguments, changes making it easier to write "secure" JavaScript, and changes anticipating future ECMAScript evolution. Converting mistakes into errors Strict mode changes some previously-accepted mistakes into errors. JavaScript was designed to be easy for novice developers, and sometimes it gives operations which should be errors non-error semantics. Sometimes this fixes the immediate problem, but sometimes this creates worse problems in the future. Strict mode treats these mistakes as errors so that they're discovered and promptly fixed. First, strict mode makes it impossible to accidentally create global variables. In normal JavaScript mistyping a variable in an assignment creates a new property on the global object and continues to "work" (although future failure is possible: likely, in modern JavaScript). Assignments which would accidentally create global variables instead throw in strict mode: 'use strict'; // Assuming a global variable mistypedVariable exists mistypeVariable = 17; // this line throws a ReferenceError due to the // misspelling of variable Copy to Clipboard Second, strict mode makes assignments which would otherwise silently fail to throw an exception. For example, NaN is a non-writable global variable. In normal code assigning to NaN does nothing; the developer receives no failure feedback. In strict mode assigning to NaN throws an exception. Any assignment that silently fails in normal code (assignment to a non-writable global or property, assignment to a getter-only property, assignment to a new property on a non-extensible object) will throw in strict mode: 'use strict'; // Assignment to a non-writable global var undefined = 5; // throws a TypeError var Infinity = 5; // throws a TypeError // Assignment to a non-writable property var obj1 = {}; Object.defineProperty(obj1, 'x', { value: 42, writable: false }); obj1.x = 9; // throws a TypeError // Assignment to a getter-only property var obj2 = { get x() { return 17; } }; obj2.x = 5; // throws a TypeError // Assignment to a new property on a non-extensible object var fixed = {}; Object.preventExtensions(fixed); fixed.newProp = 'ohai'; // throws a TypeError Copy to Clipboard Third, strict mode makes attempts to delete undeletable properties throw (where before the attempt would simply have no effect): 'use strict'; delete Object.prototype; // throws a TypeError Copy to Clipboard Fourth, strict mode prior to Gecko 34 requires that all properties named in an object literal be unique. Normal code may duplicate property names, with the last one determining the property's value. But since only the last one does anything, the duplication is simply a vector for bugs, if the code is modified to change the property value other than by changing the last instance. Duplicate property names are a syntax error in strict mode: This is no longer the case in ECMAScript 2015 (bug 1041128). 'use strict'; var o = { p: 1, p: 2 }; // !!! syntax error Copy to Clipboard Fifth, strict mode requires that function parameter names be unique. In normal code the last duplicated argument hides previous identically-named arguments. Those previous arguments remain available through arguments[i], so they're not completely inaccessible. Still, this hiding makes little sense and is probably undesirable (it might hide a typo, for example), so in strict mode duplicate argument names are a syntax error: function sum(a, a, c) { // !!! syntax error 'use strict'; return a + b + c; // wrong if this code ran } Copy to Clipboard Sixth, strict mode in ECMAScript 5 forbids octal syntax. Octal syntax isn't part of ECMAScript 5, but it's supported in all browsers by prefixing the octal number with a zero: 0644 === 420 and "\045" === "%". In ECMAScript 2015 Octal number is supported by prefixing a number with "0o". i.e. var a = 0o10; // ES2015: Octal Copy to Clipboard Novice developers sometimes believe a leading zero prefix has no semantic meaning, so they use it as an alignment device — but this changes the number's meaning! The leading zero syntax for octals is rarely useful and can be mistakenly used, so strict mode makes it a syntax error: 'use strict'; var sum = 015 + // !!! syntax error 197 + 142; var sumWithOctal = 0o10 + 8; console.log(sumWithOctal); // 16 Copy to Clipboard Seventh, strict mode in ECMAScript 2015 forbids setting properties on primitive (en-US) values. Without strict mode, setting properties is simply ignored (no-op), with strict mode, however, a TypeError is thrown. (function() { 'use strict'; false.true = ''; // TypeError (14).sailing = 'home'; // TypeError 'with'.you = 'far away'; // TypeError })(); Copy to Clipboard Simplifying variable uses Strict mode simplifies how variable names map to particular variable definitions in the code. Many compiler optimizations rely on the ability to say that variable X is stored in that location: this is critical to fully optimizing JavaScript code. JavaScript sometimes makes this basic mapping of name to variable definition in the code impossible to perform until runtime. Strict mode removes most cases where this happens, so the compiler can better optimize strict mode code. First, strict mode prohibits with. The problem with with is that any name inside the block might map either to a property of the object passed to it, or to a variable in surrounding (or even global) scope, at runtime: it's impossible to know which beforehand. Strict mode makes with a syntax error, so there's no chance for a name in a with to refer to an unknown location at runtime: 'use strict'; var x = 17; with (obj) { // !!! syntax error // If this weren't strict mode, would this be var x, or // would it instead be obj.x? It's impossible in general // to say without running the code, so the name can't be // optimized. x; } Copy to Clipboard The simple alternative of assigning the object to a short name variable, then accessing the corresponding property on that variable, stands ready to replace with. Second, eval of strict mode code does not introduce new variables into the surrounding scope. In normal code eval("var x;") introduces a variable x into the surrounding function or the global scope. This means that, in general, in a function containing a call to eval every name not referring to an argument or local variable must be mapped to a particular definition at runtime (because that eval might have introduced a new variable that would hide the outer variable). In strict mode eval creates variables only for the code being evaluated, so eval can't affect whether a name refers to an outer variable or some local variable: var x = 17; var evalX = eval("'use strict'; var x = 42; x;"); console.assert(x === 17); console.assert(evalX === 42); Copy to Clipboard Relatedly, if the function eval is invoked by an expression of the form eval(...) in strict mode code, the code will be evaluated as strict mode code. The code may explicitly invoke strict mode, but it's unnecessary to do so. function strict1(str) { 'use strict'; return eval(str); // str will be treated as strict mode code } function strict2(f, str) { 'use strict'; return f(str); // not eval(...): str is strict if and only // if it invokes strict mode } function nonstrict(str) { return eval(str); // str is strict if and only // if it invokes strict mode } strict1("'Strict mode code!'"); strict1("'use strict'; 'Strict mode code!'"); strict2(eval, "'Non-strict code.'"); strict2(eval, "'use strict'; 'Strict mode code!'"); nonstrict("'Non-strict code.'"); nonstrict("'use strict'; 'Strict mode code!'"); Copy to Clipboard Thus names in strict mode eval code behave identically to names in strict mode code not being evaluated as the result of eval. Third, strict mode forbids deleting plain names. delete name in strict mode is a syntax error: 'use strict'; var x; delete x; // !!! syntax error eval('var y; delete y;'); // !!! syntax error Copy to Clipboard Making eval and arguments simpler Strict mode makes arguments and eval less bizarrely magical. Both involve a considerable amount of magical behavior in normal code: eval to add or remove bindings and to change binding values, and arguments by its indexed properties aliasing named arguments. Strict mode makes great strides toward treating eval and arguments as keywords, although full fixes will not come until a future edition of ECMAScript. First, the names eval and arguments can't be bound or assigned in language syntax. All these attempts to do so are syntax errors: 'use strict'; eval = 17; arguments++; ++eval; var obj = { set p(arguments) { } }; var eval; try { } catch (arguments) { } function x(eval) { } function arguments() { } var y = function eval() { }; var f = new Function('arguments', "'use strict'; return 17;"); Copy to Clipboard Second, strict mode code doesn't alias properties of arguments objects created within it. In normal code within a function whose first argument is arg, setting arg also sets arguments[0], and vice versa (unless no arguments were provided or arguments[0] is deleted). arguments objects for strict mode functions store the original arguments when the function was invoked. arguments[i] does not track the value of the corresponding named argument, nor does a named argument track the value in the corresponding arguments[i]. function f(a) { 'use strict'; a = 42; return [a, arguments[0]]; } var pair = f(17); console.assert(pair[0] === 42); console.assert(pair[1] === 17); Third, arguments.callee is no longer supported. In normal code arguments.callee refers to the enclosing function. This use case is weak: simply name the enclosing function! Moreover, arguments.callee substantially hinders optimizations like inlining functions, because it must be made possible to provide a reference to the un-inlined function if arguments.callee is accessed. arguments.callee for strict mode functions is a non-deletable property which throws when set or retrieved: 'use strict'; var f = function() { return arguments.callee; }; f(); // throws a TypeError "Securing" JavaScript Strict mode makes it easier to write "secure" JavaScript. Some websites now provide ways for users to write JavaScript which will be run by the website on behalf of other users. JavaScript in browsers can access the user's private information, so such JavaScript must be partially transformed before it is run, to censor access to forbidden functionality. JavaScript's flexibility makes it effectively impossible to do this without many runtime checks. Certain language functions are so pervasive that performing runtime checks has considerable performance cost. A few strict mode tweaks, plus requiring that user-submitted JavaScript be strict mode code and that it be invoked in a certain manner, substantially reduce the need for those runtime checks. First, the value passed as this to a function in strict mode is not forced into being an object (a.k.a. "boxed"). For a normal function, this is always an object: either the provided object if called with an object-valued this; the value, boxed, if called with a Boolean, string, or number this; or the global object if called with an undefined or null this. (Use call, apply, or bind to specify a particular this.) Not only is automatic boxing a performance cost, but exposing the global object in browsers is a security hazard, because the global object provides access to functionality that "secure" JavaScript environments must restrict. Thus for a strict mode function, the specified this is not boxed into an object, and if unspecified, this will be undefined: 'use strict'; function fun() { return this; } console.assert(fun() === undefined); console.assert(fun.call(2) === 2); console.assert(fun.apply(null) === null); console.assert(fun.call(undefined) === undefined); console.assert(fun.bind(true)() === true); That means, among other things, that in browsers it's no longer possible to reference the window object through this inside a strict mode function. Second, in strict mode it's no longer possible to "walk" the JavaScript stack via commonly-implemented extensions to ECMAScript. In normal code with these extensions, when a function fun is in the middle of being called, fun.caller is the function that most recently called fun, and fun.arguments is the arguments for that invocation of fun. Both extensions are problematic for "secure" JavaScript, because they allow "secured" code to access "privileged" functions and their (potentially unsecured) arguments. If fun is in strict mode, both fun.caller and fun.arguments are non-deletable properties which throw when set or retrieved: function restricted() { 'use strict'; restricted.caller; // throws a TypeError restricted.arguments; // throws a TypeError } function privilegedInvoker() { return restricted(); } privilegedInvoker(); Copy to Clipboard Third, arguments for strict mode functions no longer provide access to the corresponding function call's variables. In some old ECMAScript implementations arguments.caller was an object whose properties aliased variables in that function. This is a security hazard because it breaks the ability to hide privileged values via function abstraction; it also precludes most optimizations. For these reasons no recent browsers implement it. Yet because of its historical functionality, arguments.caller for a strict mode function is also a non-deletable property which throws when set or retrieved: 'use strict'; function fun(a, b) { 'use strict'; var v = 12; return arguments.caller; // throws a TypeError } fun(1, 2); // doesn't expose v (or a or b) Copy to Clipboard Paving the way for future ECMAScript versions Future ECMAScript versions will likely introduce new syntax, and strict mode in ECMAScript 5 applies some restrictions to ease the transition. It will be easier to make some changes if the foundations of those changes are prohibited in strict mode. First, in strict mode a short list of identifiers become reserved keywords. These words are implements, interface, let, package, private, protected, public, static, and yield. In strict mode, then, you can't name or use variables or arguments with these names. function package(protected) { // !!! 'use strict'; var implements; // !!! interface: // !!! while (true) { break interface; // !!! } function private() { } // !!! } function fun(static) { 'use strict'; } // !!! Copy to Clipboard Two Mozilla-specific caveats: First, if your code is JavaScript 1.7 or greater (for example in chrome code or when using the right , won't be able to use let/yield as identifiers. Second, while ES5 unconditionally reserves the words class, enum, export, extends, import, and super, before Firefox 5 Mozilla reserved them only in strict mode. Second, strict mode prohibits function statements not at the top level of a script or function. In normal code in browsers, function statements are permitted "everywhere". This is not part of ES5 (or even ES3)! It's an extension with incompatible semantics in different browsers. Future ECMAScript editions will hopefully specify new semantics for function statements not at the top level of a script or function. Prohibiting such function statements in strict mode "clears the deck" for specification in a future ECMAScript release: 'use strict'; if (true) { function f() { } // !!! syntax error f(); } for (var i = 0; i < 5; i++) { function f2() { } // !!! syntax error f2(); } function baz() { // kosher function eit() { } // also kosher } Copy to Clipboard This prohibition isn't strict mode proper, because such function statements are an extension of basic ES5. But it is the recommendation of the ECMAScript committee, and browsers will implement it. Strict mode in browsers The major browsers now implement strict mode. However, don't blindly depend on it since there still are numerous Browser versions used in the wild that only have partial support for strict mode or do not support it at all (e.g. Internet Explorer below version 10!). Strict mode changes semantics. Relying on those changes will cause mistakes and errors in browsers which don't implement strict mode. Exercise caution in using strict mode, and back up reliance on strict mode with feature tests that check whether relevant parts of strict mode are implemented. Finally, make sure to test your code in browsers that do and don't support strict mode. If you test only in browsers that don't support strict mode, you're very likely to have problems in browsers that do, and vice versa. 'use strict' 則是新加入的標準,目的是為了讓編寫「具穩定性的 JavaScript 更容易」, 在不穩定的語法或妨礙最佳化的語意都會跳出警告,讓開發者避開這些寫法。 而在傳統的瀏覽器下 'use strict' 僅會被視為沒有用處的字串,所以不會對舊有的瀏覽器產生影響。 使用方法 'use strict' 直接加入在程式碼的前方就可以開始運作, 特別值得注意的是它也可以單獨使用在 function 下, 如果要靠 'use strict' 來修正目前語法上的問題,可以先針對部分的 function 來做調整。 簡單示範一個錯誤 (未定義的變數不能直接賦予值): 'use strict'; auntie = '漂亮阿姨'; // Uncaught ReferenceError: auntie is not defined 嚴謹模式也能僅用在函式內,這樣將只有此函式套用。 (function () { 'use strict'; auntie = '漂亮阿姨'; // Uncaught ReferenceError: auntie is not defined })(); 如果使用在函式的開頭,那將只會在此函式套用 “嚴謹模式”,函式的外部將不受影響。 (function () { 'use strict'; })(); mom = '老媽管不到'; // 不會跳錯 注意 只有將 'use strict' 放在函式開頭才會有作用。 (function () { var aa; 'use strict'; // 無效 auntie = '漂亮阿姨'; })(); 常見錯誤 基本錯誤如下: 不宣告直接賦予變數 刪除已經宣告的錯誤 物件內有重複屬性 數值使用 8 進位語法 不能使用 ‘with’ 語法 arguments、eval 不能作為變數名稱 新增的保留字也不能被作為變數名稱 implements, interface, let, package, private, protected, public, static, yield,這些是為了 ES6 做得準備。 如果嘗試修改 getter 則不會默默地沒改,而是直接地跳出錯誤: (function () { 'use strict'; var family = { get mom() { return '老媽' } } console.log(family.mom); // 老媽 family.mom = '老爸'; // 跳錯 })(); 不可以嘗試刪除一個不可刪除的屬性(此為原型,在後面的章節會介紹到): (function () { 'use strict'; delete Object.prototype; })(); ‘use strict’ 及 this 在先前介紹 this 的時有介紹到不同的呼叫方法,在 ‘use strict’ 的環境下的 純粹的調用 (Simple call) 的 this 不在是全域變數。 window.auntie = '漂亮阿姨'; function callAuntie() { 'use strict'; console.log('call:', this.auntie); } callAuntie.call({ auntie: '叫阿姨' }); // Ok callAuntie(); // 錯誤,此呼叫會導致 this 為全域 但 this 依然可作為 window 的方式傳入。 window.auntie = '漂亮阿姨'; function callAuntie() { 'use strict'; console.log('call:', this.auntie); } callAuntie.call(this); // Ok,call: 漂亮阿姨 現在會建議寫 JavaScript 的時候加入 'use strict', 這可以改正一些編寫時的不良習慣,但也有可以因此導致專案無法運作, 此時可以考慮將 'use strict' 加在函式內,避免影響過去的程式碼及相關套件。 ---------- Template Class, constructor 20210906 Create class, constructor. Class - 基本用法 看見的是 Class ,寫下的也是 Class ,但骨子裡操作的卻還是 Prototype JavaScript | ES6 中最容易誤會的語法糖 Class - 基本用法 ref: https://medium.com/enjoy-life-enjoy-coding/javascript-es6-%E4%B8%AD%E6%9C%80%E5%AE%B9%E6%98%93%E8%AA%A4%E6%9C%83%E7%9A%84%E8%AA%9E%E6%B3%95%E7%B3%96-class-%E5%9F%BA%E6%9C%AC%E7%94%A8%E6%B3%95-23e4a4a5e8ed class ZGrid { constructor(PCols) { this.#MyCols = PCols; } #MyCols; // Private field. #MyArray = new Array(); // Private field. get Cols() { return this.#MyCols; } // getter. get Rows() { return this.#MyArray.length; } // getter. PushRow(PArray) { this.#MyCheckColumns(PArray); this.#MyArray.push(PArray); } PopRow() { this.#MyArray.pop(); } SpliceRow(PRow, PCount = 1) { return this.#MyArray.splice(PRow, PCount); } Cell(PRow, PCol) { return this.#MyArray[PRow][PCol]; } Clear() { this.#MyArray = new Array(); } FindColumn(PCol, PValue) { for (var i = 0; i < this.#MyArray.length; i++) { if (this.#MyArray[i][PCol] == PValue) return i; } return -1; } GetRow(PRow) { return this.#MyArray[PRow]; } SetRow(PRow, PNewArray) { MyCheckColumns(PNewArray); this.#MyArray[PRow] = PNewArray.slice(); } #MyCheckColumns(PArray) { // Private method. if (Array.isArray(PArray)) if (PArray.length == this.#MyCols) return; else throw new RangeError(`Columns length ${PArray.length} is not ${this.#MyCols}.`) else throw new TypeError(`Input type ${typeof PArray} is not Array.`) } } Class 先來解釋一下標題好了, Class 是 JavaScript 中最容易被誤會的語法糖了 為什麼會被誤會?如果各位讀者有寫過其他像是 Java 的 Class-Based 物件導向語言,都會知道下面幾件事情: 1. 分成 Class 和 Object 兩種。 2. Class 內部會描述 Properties 和 Method。 3. Class 能建構出 Object ,也被稱作 Instance 。 4. Instance 能夠使用 Class 內的 Method,並藉由 Method 存取 Object 內的資料。 咦?就算沒寫過,但這樣看起來似乎和 JavaScript 的 Constructor 及 Instance 差不多對吧? 對!但是差別在於第一點所說的「分成 Class 和 Object 兩種」 擁有 Class 才能產生出對應的 Instance ,這是與 JavaScript 差別最大的地方。 在 JavaScript 的 Prototype-Based 物件導向中,不區分 Class 和 Object 所有的東西都可以是 Object , 且不一定需要經過 Class 或 Constructor 才能建立 Instance,直接操作 Prototype 也能辦到。 再來,如果在 Java 中要做 Class 間的繼承,得在定義 Class 時指定要繼承的父類別。 在 JavaScript 中則是以改變 Constructor 的 Prototype 來使用其他 Constructor 的 Method 。 這些差別都是取決於物件導向是基於 Class 或 Prototype ,因此就算 ES6 新增了一個 Class 保留字用來當 Constructor 創建 Instance ,也不代表它物件導向的方式會變成 Class-Based , 只是被 Class 包裝的 Prototype-Based 而已。 所以千萬不要搞混囉! Class 只是簡化了 JavaScript 中操作 Constructor 的語法糖而已。 Constructor Constructor 是建構器,可以用它產生擁有相同 Properties 的 Object ,例如大家都熟悉的: function Person(name) { // 透過 Constructor 產生擁有相同 Properties 的 Object // public properties this.name = name; // private value const state = 'Taiwan'; this.getFrom = () => `${this.name} from ${state}.`; // privileged methods, 讀取 Private value 的方式稱作 Privileged Method (特權方法) } const john = new Person('John'); console.log(john); // { name: 'John', getFrom: [Function] } console.log(john.state); // undefined console.log(john.getFrom()); // John from Taiwan. Person 內裡面有三行程式碼,來看看它們分別是什麼: 1. name 是經過 Person 創建出來後會帶的 Own Properties (自有特性),會在呼叫 Constructor 時當作參數傳入。 2. state 是一個 Private value (私有值),它只存在於 Constructor 創建 Instance 時另外產生的環境。 3. 雖然 state 不是 Instance 的 Own Properties ,但是透過 getForm 便能夠取得 state 的值, 這種讀取 Private value 的方式稱作 Privileged Method (特權方法)。 那接著進入 ES6 時期的 Constructor , Class 版本又會是什麼樣子: class Person { constructor(name) { this.name = name; } getFrom() { const state = 'Taiwan'; return `${this.name} from ${state}.`; } } const john = new Person('John'); console.log(JSON.stringify(john)); // { name: 'John' } public 方法不再顯露於物件裡 console.log(JSON.stringify(john.state)); // undefined console.log(JSON.stringify(john.getFrom())); // John from Taiwan. 有沒有煥然一新的感覺? 用 Class 來宣告 Constructor 在語義上面會更清楚,不像之前只能透過字首的大小寫來判斷是否為 Constructor , 且還有可能會有未遵照規則導致使用錯誤的情況發生。 透過 new 呼叫時傳入的參數會由 Class 內的 constructor 給接收,並在同一區塊建立 Public Properties , 而 Method 的部分則是在 constructor 外做描述或存取資料, Private Value 就存放在 Method 中,依然無法從 Instance 中取得。 然後這邊是個很棒的時間,可以讓我們驗證 Class 的操作是否仍然為 Prototype , 如果是透過 Constructor 建立的 Instance ,應該會擁有相同的 Prototype : Object.getPrototypeOf(john) == Person.prototype // 結果為 true; 透過 Constructor 建立的 Instance ,會擁有相同的 Prototype Inheritance 繼承的話在 Class 上也變得方便許多,想當初如果要 Constructor 上處理繼承, 就得使用 call 在 Constructor 創建 Instance 時來指定 this 呼叫另一個 Constructor,像是這樣子: function Person(name) { this.name = name; const state = 'Taiwan'; this.getFrom = () => `${this.name} from ${state}.`; } function Employee(name, position) { // 將 this 送給 Person 建立 properties Person.call(this, name); // 繼承的話, 在 Constructor 創建 Instance 時來指定 this 呼叫另一個 Constructor this.position = position; // public properties this.getPosition = () => `${this.name}'s position is a ${this.position}.`; } const luck = new Employee('Luck', 'Front-end'); console.log(luck.getFrom()); // Luck from Taiwan. console.log(luck.getPosition()); // Luck's position is the Front-end. 看起來有些複雜了對吧? 但如果是 Class 只需要利用 extends 和 super 便可輕鬆處理 Constructor 間的 Inheritance : class Person { constructor(name) { this.name = name; } getFrom() { const state = 'Taiwan'; return `${this.name} from ${state}.`; } } class Employee extends Person { // 使用 extends 指定 parent class constructor(name, position) { super(name); // 用 super 呼叫 extends 指定的 class this.position = position; } getPosition() { return `${this.name}'s position is a ${this.position}.`; } } const luck = new Employee('Luck', 'Front-end'); console.log(luck.getFrom()); // Luck from Taiwan. console.log(luck.getPosition()); // Luck's position is the Front-end. 上方在定義 Employee 時另外用了 extends 指定了 Person , 這麼一來就等於是繼承了 Person 的 Properties 和 Method , 但為什麼在 Employee 中的 constructor 中還要使用 super 把 name 傳給 Person 呢? 因為 Employee 中也有 constructor 當子類別自身也需要透過 constructor 建立 Properties 時,就需要使用 super 另外指定要送給父類別的值, 否則就 Person 來說,創建 Instance 時將兩個值送入 Employee , Person 根本不曉得哪一個才是要被指定成 name 的資料,這裡大家可以想像成是用 call 來呼叫另一個 Constructor 的感覺。 也就是說了,如果當今天不需要透過 Employee 創建 Properties ,僅僅是增加 Method,那 super 就可以省略, 因為所有的參數都會是給 Person 的: class Person { constructor(name) { this.name = name; } getFrom() { const state = 'Taiwan'; return `${this.name} from ${state}.` } } class Employee extends Person { sayHello() { return `Hello!I am ${this.name}!`; } } const luck = new Employee('Luck'); console.log(luck.getFrom()); // Luck from Taiwan. console.log(luck.sayHello()); // Hello!I am Luck! 最後記得那個可怕的 Super Call(超呼叫)嗎?當子類別的 Method 要呼叫父類別的 Method 執行就叫 Super Call , 在未有 Class 時,仍然是需要使用 call 將 this 指定給父類別 Prototype 的 Method 做執行: function Person(name) { this.name = name; } Person.prototype.sayHello = function () { return `Hello!I am ${this.name}!`; }; function Employee(name) { Person.call(this, name); } Employee.prototype = Object.create(Person.prototype); // 進行 Super call Employee.prototype.superCallSayHello = function () { return Person.prototype.sayHello.call(this); }; const luck = new Employee('Luck'); console.log(luck.superCallSayHello()); // Hello!I am Luck! 儘管我已經將例子盡量簡化了,看起來還是很麻煩, 且 Person 要被 Super Call 的 Method 也得另外設置在 Prototype 中。 但是到 Class 時代後一切便不同了,答案就在運用上方提到的 super , 既然是透過傳送參數給它來創建 Properties ,那也可以透過 super 直接呼叫父類別中的Method : class Person { constructor(name) { this.name = name; } getFrom() { const state = 'Taiwan'; return `${this.name} from ${state}.`; } } class Employee extends Person { constructor(name, position) { super(name); this.position = position; } getPosition() { return `${this.name}'s position is the ${this.position}.`; } // super call superCallGetFrom() { return super.getFrom(); } } const luck = new Employee('Luck', 'Front-end'); console.log(luck.superCallGetFrom()); // Luck from Taiwan. 是不是簡潔多了?透過 super 便不需要再手動處理 Prototype 。 那依照慣例,在 Inheritance 這個段落的結尾也來驗證 Class 間的 Inheritance 是否也同樣是在操作 Constructor 的 Prototype , 如果是的話,那子類別 Employee 的 Prototype 應該會等於父類別 Person ,而 Instance 的 Prototype 依然指向 Employee : Object.getPrototypeOf(Employee) === Person // true Object.getPrototypeOf(Luck) === Employee.prototype // true. 由 luck 繼承自 Employee , Employee 又繼承自 Person , 又稱為 Prototype chain (原型鏈) 到這裡應該可以清楚明白, 就算眼睛看見的是 Class ,寫下的也是 Class ,但骨子裡操作的卻還是 Prototype 。 學會在 Class 中創建 Instance 、 Inheritance 、 Super Call 後,接著來看看 Class 提供的 Static Method (靜態方法)! Static 在 Class 內的 Method 可以加上 static 前綴,使它變成 Static Method (靜態方法) 被定義為 Static Method 可以直接以 Constructor 呼叫,但創建出來的 Instance 是無法使用它的: class Person { constructor(name) { this.name = name; } static sayHello(name) { return `Hi!${name}!`; } getFrom() { const state = 'Taiwan'; return `${this.name} from ${state}.`; } } console.log(Person.sayHello('Luck')); // Hi!Luck!, Getter & Setter 前綴詞其實不只有 static ,連存取器的 get 及 set 也可以在 Class 中作定義: class Person { constructor(name) { this.name = name; } static sayHello(name) { return `Hi!${name}!`; } get age() { if (this._age !== undefined) { return `${this.name} age is ${this._age}.`; } return `Don't know ${this.name}'s age.`; } set age(age) { this._age = age; } getFrom() { const state = 'Taiwan'; return `${this.name} from ${state}.`; } } const john = new Person('John'); console.log(john.age); // Don't know John's age. john.age = 18; console.log(john.age); // John age is 18. 經常用於不想 Instance 直接存取的狀況,所以利用 Getter 和 Setter 來假裝操作 Properties , 在設定及取值時都先經過一些邏輯判斷再決定怎麼處理。 以上是對於 Class 的一些整理, 上半部主要是在比較 Class 出現前後對 Constructor 及 Inheritance 的操作有什麼差別, 結尾講解了 Static 和 存取器在 Class 中的使用方式。 參考資料 https://developer.mozilla.org/zh-TW/docs/Web/JavaScript/Reference/Classes https://developer.mozilla.org/zh-TW/docs/Web/JavaScript/Guide/Details_of_the_Object_Model https://ithelp.ithome.com.tw/articles/10185583 https://www.arthurtoday.com/2012/01/prototype-based-language.html ---------- Classes 20210905 Classes ref: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Classes#strict_mode Classes Classes are a template for creating objects. They encapsulate data with code to work on that data. Classes in JS are built on prototypes but also have some syntax and semantics that are not shared with ES5 class-like semantics. Defining classes Classes are in fact "special functions", and just as you can define function expressions and function declarations, the class syntax has two components: class expressions and class declarations. Class declarations One way to define a class is using a class declaration. To declare a class, you use the class keyword with the name of the class ("Rectangle" here). class Rectangle { constructor(height, width) { this.height = height; this.width = width; } } Hoisting An important difference between function declarations and class declarations is that function declarations are hoisted and class declarations are not. You first need to declare your class and then access it, otherwise code like the following will throw a ReferenceError: const p = new Rectangle(); // ReferenceError class Rectangle {} Class expressions A class expression is another way to define a class. Class expressions can be named or unnamed. The name given to a named class expression is local to the class's body. However, it can be accessed via the name property. // unnamed let Rectangle = class { // 不具名的 class constructor(height, width) { this.height = height; this.width = width; } }; console.log(Rectangle.name); // output: "Rectangle" // named let Rectangle = class Rectangle2 { // 具名的 class constructor(height, width) { this.height = height; this.width = width; } }; console.log(Rectangle.name); // output: "Rectangle2" Note: Class expressions are subject to the same hoisting restrictions as described in the Class declarations section. Class body and method definitions The body of a class is the part that is in curly brackets {}. This is where you define class members, such as methods or constructor. Strict mode The body of a class is executed in strict mode, i.e., code written here is subject to stricter syntax for increased performance, some otherwise silent errors will be thrown, and certain keywords are reserved for future versions of ECMAScript. 放在 class 中的程式, 會以 Strict mode 控制, 不需要依賴 'use strict' 宣告. Constructor The constructor method is a special method for creating and initializing an object created with a class. There can only be one special method with the name "constructor" in a class. A SyntaxError will be thrown if the class contains more than one occurrence of a constructor method. A constructor can use the super keyword to call the constructor of the super class. Prototype methods class Rectangle { constructor(height, width) { this.height = height; this.width = width; } // Getter get area() { return this.calcArea(); } // Method calcArea() { return this.height * this.width; } } const square = new Rectangle(10, 10); console.log(square.area); // 100 Generator methods class Polygon { constructor(...sides) { this.sides = sides; } // Generator methods *getSides() { for(const side of this.sides){ yield side; } } } const pentagon = new Polygon(1,2,3,4,5); console.log([...pentagon.getSides()]); // [1,2,3,4,5] Static methods and properties The static keyword defines a static method or property for a class. Static members (properties and methods) are called without instantiating their class and cannot be called through a class instance. Static methods are often used to create utility functions for an application, whereas static properties are useful for caches, fixed-configuration, or any other data you don't need to be replicated across instances. class Point { constructor(x, y) { this.x = x; this.y = y; } static displayName = "Point"; static distance(a, b) { const dx = a.x - b.x; const dy = a.y - b.y; return Math.hypot(dx, dy); } } const p1 = new Point(5, 5); const p2 = new Point(10, 10); p1.displayName; // undefined p1.distance; // undefined p2.displayName; // undefined p2.distance; // undefined console.log(Point.displayName); // "Point" console.log(Point.distance(p1, p2)); // 7.0710678118654755 Binding this with prototype and static methods When a static or prototype method is called without a value for this, such as by assigning the method to a variable and then calling it, the this value will be undefined inside the method. This behavior will be the same even if the "use strict" directive isn't present, because code within the class body's syntactic boundary is always executed in strict mode. class Animal { speak() { return this; } static eat() { return this; } } let obj = new Animal(); obj.speak(); // the Animal object let speak = obj.speak; speak(); // undefined Animal.eat() // class Animal let eat = Animal.eat; eat(); // undefined If we rewrite the above using traditional function-based syntax in non–strict mode, then this method calls are automatically bound to the initial this value, which by default is the global object. In strict mode, autobinding will not happen; the value of this remains as passed. function Animal() { } Animal.prototype.speak = function() { return this; } Animal.eat = function() { return this; } let obj = new Animal(); let speak = obj.speak; speak(); // global object (in non–strict mode) let eat = Animal.eat; eat(); // global object (in non-strict mode) Instance properties Instance properties must be defined inside of class methods: class Rectangle { constructor(height, width) { this.height = height; this.width = width; } } Field declarations Public field declarations With the JavaScript field declaration syntax, the above example can be written as: class Rectangle { height = 0; width; constructor(height, width) { this.height = height; this.width = width; } } By declaring fields up-front, class definitions become more self-documenting, and the fields are always present. As seen above, the fields can be declared with or without a default value. See public class fields for more information. Private field declarations Using private fields, the definition can be refined as below. class Rectangle { #height = 0; // Private field. #width; // Private field. constructor(height, width) { this.#height = height; this.#width = width; } } It's an error to reference private fields from outside of the class; they can only be read or written within the class body. By defining things that are not visible outside of the class, you ensure that your classes' users can't depend on internals, which may change from version to version. Note: Private fields can only be declared up-front in a field declaration. Private fields cannot be created later through assigning to them, the way that normal properties can. For more information, see private class features. Sub classing with extends The extends keyword is used in class declarations or class expressions to create a class as a child of another class. class Animal { constructor(name) { this.name = name; } speak() { console.log(`${this.name} makes a noise.`); } } class Dog extends Animal { constructor(name) { super(name); // call the super class constructor and pass in the name parameter } speak() { console.log(`${this.name} barks.`); } } let d = new Dog('Mitzie'); d.speak(); // Mitzie barks. If there is a constructor present in the subclass, it needs to first call super() before using "this". One may also extend traditional function-based "classes": function Animal (name) { this.name = name; } Animal.prototype.speak = function () { console.log(`${this.name} makes a noise.`); } class Dog extends Animal { speak() { console.log(`${this.name} barks.`); } } let d = new Dog('Mitzie'); d.speak(); // Mitzie barks. // For similar methods, the child's method takes precedence over parent's method Note that classes cannot extend regular (non-constructible) objects. If you want to inherit from a regular object, you can instead use Object.setPrototypeOf(): const Animal = { speak() { console.log(`${this.name} makes a noise.`); } }; class Dog { constructor(name) { this.name = name; } } // If you do not do this you will get a TypeError when you invoke speak Object.setPrototypeOf(Dog.prototype, Animal); let d = new Dog('Mitzie'); d.speak(); // Mitzie makes a noise. Species You might want to return Array objects in your derived array class MyArray. The species pattern lets you override default constructors. For example, when using methods such as map() that returns the default constructor, you want these methods to return a parent Array object, instead of the MyArray object. The Symbol.species symbol lets you do this: class MyArray extends Array { // Overwrite species to the parent Array constructor static get [Symbol.species]() { return Array; } } let a = new MyArray(1,2,3); let mapped = a.map(x => x * x); console.log(mapped instanceof MyArray); // false console.log(mapped instanceof Array); // true Super class calls with super The super keyword is used to call corresponding methods of super class. This is one advantage over prototype-based inheritance. class Cat { constructor(name) { this.name = name; } speak() { console.log(`${this.name} makes a noise.`); } } class Lion extends Cat { speak() { super.speak(); console.log(`${this.name} roars.`); } } let l = new Lion('Fuzzy'); l.speak(); // Fuzzy makes a noise. // Fuzzy roars. Mix-ins Abstract subclasses or mix-ins are templates for classes. An ECMAScript class can only have a single superclass, so multiple inheritance from tooling classes, for example, is not possible. The functionality must be provided by the superclass. A function with a superclass as input and a subclass extending that superclass as output can be used to implement mix-ins in ECMAScript: let calculatorMixin = Base => class extends Base { calc() { } }; let randomizerMixin = Base => class extends Base { randomize() { } }; A class that uses these mix-ins can then be written like this: class Foo { } class Bar extends calculatorMixin(randomizerMixin(Foo)) { } Re-running a class definition A class can't be redefined. Attempting to do so produces a SyntaxError. If you're experimenting with code in a web browser, such as the Firefox Web Console (Tools > Web Developer > Web Console) and you 'Run' a definition of a class with the same name twice, you'll get a SyntaxError: redeclaration of let ClassName;. (See further discussion of this issue in bug 1428672.) Doing something similar in Chrome Developer Tools gives you a message like Uncaught SyntaxError: Identifier 'ClassName' has already been declared at :1:1. ---------- Readonly property, getter, setter, Object.defineProperty(obj, prop, descriptor), __proto__ 20210905 懶得看後面一堆的話, 用 getter, setter 就好: function Archiver() { var temperature = null; var archive = []; Object.defineProperty(this, 'temperature', { get: function() { console.log('get!'); return temperature; }, set: function(value) { temperature = value; archive.push({ val: temperature }); } }); this.getArchive = function() { return archive; }; } var arc = new Archiver(); arc.temperature; // 'get!' arc.temperature = 11; arc.temperature = 13; arc.getArchive(); // [{ val: 11 }, { val: 13 }] Object.defineProperty(obj, prop, descriptor) obj: 物件對象 prop: 屬性名稱。 descriptor: 分為 data descriptor 和 accessor descriptor. 共同的部份: (data descriptor 和 accessor descriptor.) configurable, 可變更或刪除. 預設為 false. enumerable, 可列舉. 預設為 false. data descriptor: value, 存放值. writable, 預設為 false, 可寫入. accessor descriptor: get, getter 函數回傳值為屬性值, 預設為 undefined. set, setter 函數接收設定值為屬性值. 預設為 undefined. // using __proto__ var obj = {}; Object.defineProperty(obj, 'key', { __proto__: null, // no inherited properties value: 'static' // not enumerable // not configurable // not writable // as defaults }); // being explicit Object.defineProperty(obj, 'key', { enumerable: false, configurable: false, writable: false, value: 'static' }); // recycling same object function withValue(value) { var d = withValue.d || ( withValue.d = { enumerable: false, writable: false, configurable: false, value: null } ); d.value = value; return d; } // ... and ... Object.defineProperty(obj, 'key', withValue('static')); // if freeze is available, prevents adding or // removing the object prototype properties // (value, get, set, enumerable, writable, configurable) (Object.freeze || Object)(Object.prototype); 建立屬性 When the property specified doesn't exist in the object, Object.defineProperty() creates a new property as described. Fields may be omitted from the descriptor, and default values for those fields are imputed. All of the Boolean-valued fields default to false. The value, get, and set fields default to undefined. A property which is defined without get/set/value/writable is called “generic” and is “typed” as a data descriptor. var o = {}; // Creates a new object // Example of an object property added with defineProperty with a data property descriptor Object.defineProperty(o, 'a', { value: 37, writable: true, enumerable: true, configurable: true }); // 'a' property exists in the o object and its value is 37 // Example of an object property added with defineProperty with an accessor property descriptor var bValue = 38; Object.defineProperty(o, 'b', { get: function() { return bValue; }, set: function(newValue) { bValue = newValue; }, enumerable: true, configurable: true }); o.b; // 38 // 'b' property exists in the o object and its value is 38 // The value of o.b is now always identical to bValue, unless o.b is redefined // You cannot try to mix both: Object.defineProperty(o, 'conflict', { value: 0x9f91102, get: function() { return 0xdeadbeef; } }); // throws a TypeError: value appears only in data descriptors, get appears only in accessor descriptors 修改屬性 如果該屬性已經存在, Object.defineProperty() 將會根據描述符內的值和物件當前的 configuration 來修改屬性。 如果舊的描述符之 configurable 的特徵為 false (屬性為 “non-configurable”), 那除了 writable 之外的特徵都將無法修改。 在這個情況,也不可能在 data 和 accessor 屬性類型中來回切換。 如果有一個屬性是 non-configurable, 那它的 writable 特徵只能被改變為 false. 若嘗試改變 non-configurable property attributes,將會丟出一個 TypeError,除非當前之值與新值相同。 Writable attribute 當 writable 屬性特徵被設為 false, 此屬性為 “non-writable”. 它將無法被重新賦值。 var o = {}; // Creates a new object Object.defineProperty(o, 'a', { value: 37, writable: false }); console.log(o.a); // logs 37 o.a = 25; // No error thrown (it would throw in strict mode, even if the value had been the same) console.log(o.a); // logs 37. The assignment didn't work. As seen in the example, trying to write into the non-writable property doesn't change it but doesn't throw an error either. 可列舉 enumerable attribute The enumerable property attribute defines whether the property shows up in a for...in loop and Object.keys() or not. var o = {}; Object.defineProperty(o, 'a', { value: 1, enumerable: true }); Object.defineProperty(o, 'b', { value: 2, enumerable: false }); Object.defineProperty(o, 'c', { value: 3 }); // enumerable defaults to false o.d = 4; // enumerable defaults to true when creating a property by setting it for (var i in o) { console.log(i); } // logs 'a' and 'd' (in undefined order) Object.keys(o); // ['a', 'd'] o.propertyIsEnumerable('a'); // true o.propertyIsEnumerable('b'); // false o.propertyIsEnumerable('c'); // false 可設定 configurable attribute The configurable attribute controls at the same time whether the property can be deleted from the object and whether its attributes (other than writable) can be changed. var o = {}; Object.defineProperty(o, 'a', { get: function() { return 1; }, configurable: false }); Object.defineProperty(o, 'a', { configurable: true }); // throws a TypeError Object.defineProperty(o, 'a', { enumerable: true }); // throws a TypeError Object.defineProperty(o, 'a', { set: function() {} }); // throws a TypeError (set was undefined previously) Object.defineProperty(o, 'a', { get: function() { return 1; } }); // throws a TypeError (even though the new get does exactly the same thing) Object.defineProperty(o, 'a', { value: 12 }); // throws a TypeError console.log(o.a); // logs 1 delete o.a; // Nothing happens console.log(o.a); // logs 1 If the configurable attribute of o.a had been true, none of the errors would be thrown and the property would be deleted at the end. 新增多個屬性及賦予初始值 It's important to consider the way default values of attributes are applied. There is often a difference between simply using dot notation to assign a value and using Object.defineProperty(), as shown in the example below. var o = {}; o.a = 1; // is equivalent to: Object.defineProperty(o, 'a', { value: 1, writable: true, configurable: true, enumerable: true }); // On the other hand, Object.defineProperty(o, 'a', { value: 1 }); // is equivalent to: Object.defineProperty(o, 'a', { value: 1, writable: false, configurable: false, enumerable: false }); Custom Setters and Getters Example below shows how to implement a self-archiving object. When temperature property is set, the archive array gets a log entry. function Archiver() { var temperature = null; var archive = []; Object.defineProperty(this, 'temperature', { get: function() { console.log('get!'); return temperature; }, set: function(value) { temperature = value; archive.push({ val: temperature }); } }); this.getArchive = function() { return archive; }; } var arc = new Archiver(); arc.temperature; // 'get!' arc.temperature = 11; arc.temperature = 13; arc.getArchive(); // [{ val: 11 }, { val: 13 }] or... var pattern = { get: function () { return 'I always return this string, whatever you have assigned'; }, set: function () { this.myname = 'this is my name string'; } }; function TestDefineSetAndGet() { Object.defineProperty(this, 'myproperty', pattern); } var instance = new TestDefineSetAndGet(); instance.myproperty = 'test'; console.log(instance.myproperty); // I always return this string, whatever you have assigned console.log(instance.myname); // this is my name string ---------- Delete all rows in an HTML table 20210905 TableRowAddDelete.html TableRowMaintenance.html TableRowAddDeleteDynamicallySuggest.html TableRowAddDeleteDynamically.html 以下列出部份檔案內容, 方便查詢. TableRowMaintenance Add/Delete table rows dynamically
No. id name function
 
TableRowAddDelete
1
---------- Delete all rows in an HTML table 20210904 Keep the row in a and the other rows in a then replace the with a new, empty one. i.e. var new_tbody = document.createElement('tbody'); populate_with_new_rows(new_tbody); old_tbody.parentNode.replaceChild(new_tbody, old_tbody) ---------- Template literals 模版字符串 20210904 string1 = `var1=${var1}, \nPercentage=${varScore/var100 * 100}%.`; 以下算同一個變數, 雖然分兩行: output = `I like the song "${ song }". I gave it a score of ${ score/highestScore * 100 }%.`; ---------- throw Exception try catch finally Error Handling (例外處理) 20210904 https://www.fooish.com/javascript/error-handling-try-catch-finally.html try { // 預期可能會發生錯誤的程式碼 } catch (e) { // try 區塊有拋出錯誤時,則執行這裡的程式碼 } finally { // finally 區塊的程式碼一定會在最後被執行 // 你可以省略 finally 區塊 } JavaScript 有一個 Error 物件,所有的例外錯誤都是繼承自 Error 物件。你可以客製化一個自己的錯誤物件 - new Error(): try { throw new Error('oops'); // 所有的例外錯誤都是繼承自 Error 物件(包含 name, message 2個屬性) } catch (err) { // 輸出 "Error: oops" console.log(err.name + ': ' + err.message); } instanceof 如果預期拋出的錯誤可能會有很多種類型,我們可以用 instanceof 來判斷該錯誤是哪一類錯誤: try { foo.bar(); } catch (err) { // 如果錯誤類型是 EvalError if (err instanceof EvalError) { // 判斷該錯誤是哪一類錯誤 console.log(err.name + ': ' + err.message); // 如果錯誤類型是 RangeError } else if (err instanceof RangeError) { console.log(err.name + ': ' + err.message); } // ... } JavaScript 會有這些類型的錯誤: 錯誤類型 說明 Error throw new Error('Msg'), 所有的例外錯誤都是繼承自 Error 物件. EvalError eval() 執行錯誤 RangeError 一個數值超過允許範圍 ReferenceError 存取未宣告的變數 SyntaxError 程式語法錯誤 TypeError 型別錯誤 URIError URI handling 相關函數例如 decodeURIComponent() 執行時錯誤 try-catch-finally 用法例子: try { blah('Hello world'); } catch(err) { alert(err.name + ': ' + err.message); } finally { alert('try catch 區塊結束'); } catch 區塊會接受一個參數,代表錯誤物件 (Error Object),錯誤物件有兩個屬性: name 表示錯誤類型,例如 "ReferenceError" message 說明為什麼錯誤的文字訊息 主動拋出例外錯誤 throw 你可以用 throw 關鍵字在程式中主動拋出錯誤,拋出的例外可以是一個字串 (string)、數字 (number) 或錯誤物件 (error object)。 try { throw 'myException'; // 主動拋出錯誤 } catch (err) { // err 是字串 "myException" err; } try { throw 101; } catch (err) { // err 是數字 101 err; } ---------- throw Exception 客製化錯誤訊息 客製化錯誤訊息(message) 例如,當我們透過除法卻不小心除了分母為 0 的數值時,可以使用 throw 來拋出例外情況: let denominator = 0 // RangeError: Attempted division by zero! try { if (denominator === 0) { throw new RangeError("Attempted division by zero!"); } } catch (e) { console.log(e.name + ': ' + e.message) } 客製化錯誤名稱(name) 透過上面的方式我們可以根據原生的那 7 種錯誤類型(e.name)給予想要的錯誤訊息(e.message),但如果我們想要客製化錯誤名稱的話可以這麼做: /** * 客製化錯誤類型 **/ function DivisionByZeroError(message) { this.name = 'DivisionByZeroError'; this.message = message; } // 繼承 Error 物件 DivisionByZeroError.prototype = new Error(); DivisionByZeroError.prototype.constructor = DivisionByZeroError; // 建立 showError 的方法 DivisionByZeroError.prototype.showError = function() { return this.name + ': "' + this.message + '"'; } 使用客製化錯誤類型: let denominator = 0 try { if (denominator === 0) { throw new DivisionByZeroError("Attempted division by zero!"); } } catch (e) { console.log(e.showError()) // DivisionByZeroError: "Attempted division by zero!" } ---------- JavaScript string to number, Number(), ParseInt, ParseFloat, NaN, IsNaN 20210903 var x1 = true; // Number(true) = 1 var x2 = false; // Number(false) = 0 var x3 = new Date(); // 1630655168796 var x4 = "999"; // Number("999" = 999 var x5 = "999 888"; // Number("999 888") = NaN var n1 = Number(x1); // Number(true) = 1 var n2 = Number(x2); // Number(false) = 0 var n3 = Number(x3); // 1630655168796 var n4 = Number(x4); // Number("999" = 999 var n5 = Number(x5); // Number("999 888") = NaN parseInt(string, radix); // string to number, default radix is 10, 可用 isNan() 檢查回傳結果是否為 NaN. var a = parseInt("10"); // 10 var b = parseInt("10.00"); // 10 var c = parseInt("10.33"); // 10 var d = parseInt("34 45 66"); // 34 var e = parseInt(" 60 "); // 60 var f = parseInt("40 years"); // 40 var g = parseInt("He was 40"); // NaN var h = parseInt("10", 10); // 10 var i = parseInt("010"); // 10 var j = parseInt("10", 8); // 8 var k = parseInt("0x10"); // 16 var l = parseInt("10", 16); // 16 function roughScale(x, base) { const parsed = parseInt(x, base); if (isNaN(parsed)) { return 0; } return parsed * 100; } console.log(roughScale(' 0xF', 16)); // expected output: 1500 console.log(roughScale('321', 2)); // expected output: 0 parseFloat() var a = parseFloat("10") // 10 var b = parseFloat("10.00") // 10 var c = parseFloat("10.33") // 10.33 var d = parseFloat("34 45 66") // 34 var e = parseFloat(" 60 ") // 60 var f = parseFloat("40 years") // 40 var g = parseFloat("He was 40") // NaN ---------- 預設參數( Default parameters ) 20210903 https://developer.mozilla.org/zh-TW/docs/Web/JavaScript/Reference/Functions/Default_parameters 函式預設參數 允許沒有值傳入或是傳入值為 undefined 的情況下,參數能以指定的預設值初始化。 function [name]([param1[ = defaultValue1 ][, ..., paramN[ = defaultValueN ]]]) { ... } 說明 在 JavaScript 中,函式的參數預設值都為 undefined。 然而,指定不同的預設值可能在一些場景很有用。 這也是函式參數預設值可以幫上忙的地方。 以往設定預設值有個普遍方法:在函式的內容裡檢查傳入參數是否為 undefined ,如果是的話,爲他指定一個值。 如下列範例,若函式被呼叫時,並沒有提供 b 的值,它的值就會是 undefined,在計算 a*b 時,以及呼叫 multiply 時,就會回傳 NaN。 然而這在範例的第二行被阻止了: function multiply(a, b) { b = (typeof b !== 'undefined') ? b : 1; // 舊方法檢查 'undefined'. return a * b; // 若 a,b為 undefined, 則回傳 NaN. } multiply(5, 2); // 10 multiply(5, 1); // 5 multiply(5); // 5 有了 ES2015 的預設參數,再也不用於函式進行檢查了,現在只要簡單的在函式的起始處為 b 指定 1 的值: function multiply(a, b = 1) { // 新方法, ES2015 的預設參數. return a * b; } multiply(5, 2); // 10 multiply(5, 1); // 5 multiply(5); // 5 範例 傳入 undefined 這邊第二段函式呼叫中,僅管第二個傳入參數在呼叫時明確地指定為undefined(雖不是null),其顏色參數的值是預設值(rosybrown)。 function setBackgroundColor(element, color = 'rosybrown') { element.style.backgroundColor = color; } setBackgroundColor(someDiv); // color set to 'rosybrown' setBackgroundColor(someDiv, undefined); // color set to 'rosybrown' too, 傳入 undefined 等於使用預設參數. setBackgroundColor(someDiv, 'blue'); // color set to 'blue' 呼叫時賦予值 跟Python等語言不同的地方是,先前預設的代數值會拿來進行函式內的程序,也因此在函式呼叫的時候,會建立新物件。 function append(value, array = []) { array.push(value); return array; } append(1); //[1] append(2); //[2], 而非 [1, 2] 諸如此類的做法,也適用在函式和變量。 function callSomething(thing = something()) { return thing; } function something() { return 'sth'; } callSomething(); //sth 預設的參數中,先設定的可提供之後設定的使用 先前有碰到的參數,後來的即可使用。 function singularAutoPlural(singular, plural = singular + '們', rallyingCry = plural + ',進攻啊!!!') { return [singular, plural, rallyingCry]; } //["壁虎","壁虎們", "壁虎,進攻啊!!!"] singularAutoPlural('壁虎'); //["狐狸","火紅的狐狸們", "火紅的狐狸們,進攻啊!!!"] singularAutoPlural('狐狸', '火紅的狐狸們'); //["鹿兒", "鹿兒們", "鹿兒們 ... 有所好轉"] singularAutoPlural('鹿兒', '鹿兒們', '鹿兒們平心靜氣的 \ 向政府請願,希望事情有所好轉。'); This functionality is approximated in a straight forward fashion and demonstrates how many edge cases are handled. function go() { return ':P'; } function withDefaults(a, b = 5, c = b, d = go(), e = this, f = arguments, g = this.value) { return [a, b, c, d, e, f, g]; } function withoutDefaults(a, b, c, d, e, f, g) { switch (arguments.length) { case 0: a; case 1: b = 5; case 2: c = b; case 3: d = go(); case 4: e = this; case 5: f = arguments; case 6: g = this.value; default: } return [a, b, c, d, e, f, g]; } withDefaults.call({value: '=^_^='}); // [undefined, 5, 5, ":P", {value:"=^_^="}, arguments, "=^_^="] withoutDefaults.call({value: '=^_^='}); // [undefined, 5, 5, ":P", {value:"=^_^="}, arguments, "=^_^="] 函式內再定義函式 Introduced in Gecko 33 (Firefox 33 / Thunderbird 33 / SeaMonkey 2.30). Functions declared in the function body cannot be referred inside default parameters and throw a ReferenceError (currently a TypeError in SpiderMonkey, see bug 1022967). Default parameters are always executed first, function declarations inside the function body evaluate afterwards. // 行不通的! 最後會丟出 ReferenceError。 function f(a = go()) { function go() { return ':P'; } } Parameters without defaults after default parameters Prior to Gecko 26 (Firefox 26 / Thunderbird 26 / SeaMonkey 2.23 / Firefox OS 1.2), the following code resulted in a SyntaxError. This has been fixed in bug 777060 and works as expected in later versions. Parameters are still set left-to-right, overwriting default parameters even if there are later parameters without defaults. function f(x = 1, y) { return [x, y]; } f(); // [1, undefined] f(2); // [2, undefined] Destructured parameter with default value assignment You can use default value assignment with the destructuring assignment notation: function f([x, y] = [1, 2], {z: z} = {z: 3}) { return x + y + z; } f(); // 6 ---------- String() 與 .toString(), String() 可以將 null 和 undefined 轉換為字串. .toString()可以將所有的的資料都轉換為字串,但是要排除null 和 undefined 20210903 1、.toString()可以將所有的的資料都轉換為字串,但是要排除null 和 undefined 例如將false轉為字串型別 看看null 和 undefined能不能轉換為字串





.toString() 括號中的可以寫一個數字,代表進位制,對應進位制字串
二進位制:.toString(2);     // numObj.toString([radix])
八進位制:.toString(8);     // numObj.toString([radix])
十進位制:.toString(10);    // numObj.toString([radix])
十六進位制:.toString(16);  // numObj.toString([radix])


2、String() 可以將 null 和 undefined 轉換為字串,但是沒法轉進位制字串

	this.ZTrimArray = function (PArray) {
		var NewArray = [];
		for (var i = 0; i < PArray.length; i++) {
			NewArray.push(String(PArray[i]).trim());  
		}
		return NewArray;
	}
	
String() 函數 - 型別轉換
數字轉字串
String(123) // '123'
String(100 + 23) // '123'

var x = 123;
String(x) // '123'
布林值轉字串
String(true) // 'true'
String(false) // 'false'
字串相等
我們可以用 === 或 == 運算子來判斷兩個字串是否相等:

var str = 'hello world';
// 會輸出 'equal'
if (str === 'hello world') {
    console.log('equal');
}
字串比對會逐字元比較,看兩個字串是否完全一樣。

相對的,我們可以用 !== 或 != 運算子來判斷兩個字串是否不相等:

var str = 'hello world';
// 會輸出 'not equal'
if (str !== 'hello Mars') {
    console.log('not equal');
}	


例如將null轉換為字串

返回的結果為 null,string

將undefined轉換為字串

返回的結果為 undefined,string

---------- JavaScript Number toString() Method
JavaScript Number toString() Method
toString() 方法用來將數字轉型成字串。

語法:
numObj.toString([radix])
radix 參數是一個介於 2~36 的整數,用來指定基數,預設為 10。

用法:
var count = 10;
count.toString()  // '10'
(17).toString()   // '17'
(17.2).toString() // '17.2'

var x = 6;

x.toString(2)      // '110' 二進位表示法
(254).toString(16) // 'fe' 十六進位表示法

(-10).toString(2)   // '-1010'
(-0xff).toString(2) // '-11111111'


----------  複製 array / object 的常見方法,以及深淺拷貝的差異
20210903
https://eudora.cc/posts/210430/

方法1. ary.slice(0) 或ary.concat() (陣列)
僅限一維陣列 且 陣列值不含 obj
let ary = [1, 2, 3]
let newAry = ary.slice(0)         // 複製Array方法1,  或 let newAry = ary.concat(), array by value.
let newAry = ary.slice()          // 複製Array方法1,  或 let newAry = ary.concat(), array by value.
ary === newAry     // false
newAry.push(4)     // ary = [1, 2, 3], newAry = [1, 2, 3, 4], 原值不變.

方法2. Array.from(ary) (陣列)
陣列:pass by value 多維陣列也OK!
let ary = [[1,1], [2,2]]
let newAry = Array.from(ary)  // 複製Array方法2, array by value, 多維陣列也可以.
newAry.push([3.3])
newAry[0]=[0,0]       
// ary = [[1,1], [2,2]], newAry = [[0,0], [2,2], [3,3], 原值不變.

方法3. [...ary] / {...obj} ES6展開符 (陣列 / 物件)
展開符 ... 展開陣列再裝進 [] 空陣列 (ES6 寫法)
let ary = [1, 2, 3]
let newAry = [...ary] // 複製Array方法3, array by value, 多維陣列也可以, ES6 寫法, 只能拷貝到物件第一層
newAry.push(4)
// ary = [1, 2, 3]     newAry = [1, 2, 3, 4]

多維陣列也OK!
let ary = [[1,1], [2,2]]
let newAry = [...ary]

newAry.push([3.3])
newAry[0]=[0,0]
// ary    = [[1,1], [2,2]]     
// newAry = [[0,0], [2,2], [3,3]


{... obj} 只能拷貝到物件第一層!
let obj = {
	A: 1,
	B: {
		a: '2-1',
		b: '2-2'
	},
	C: {
		a: '3-1',
		b: '3-2'
	}
}
let newObj = {...obj}

//----
newObj.C.c = "3-3" //參照同個位址,obj也改了 
newObj.A = 2 //第一層有獨立位址, 不影響 obj

方法4. Object.assign() ES6 ( 陣列 / 物件)
Array:pass by value 多維陣列也OK!
let ary = [[1,1], [2,2]]
let newAry = Object.assign([],ary)
//----
newAry.push([3.3])
newAry[0]=[0,0]       
// ary = [[1,1], [2,2]]     newAry = [[0,0], [2,2], [3,3]


Object:obj 只有第一層時 - pass by value
let obj = {
    a: 1,
    b: 2
}
let newObj = Object.assign({},obj)  // 複製Array方法4,
//----
newObj.b = 3
// obj 維持 = { a: 1,b: 2}
// newObj   = { a: 1, b: 3 }
ps. 如果obj 裡面的value 本身已經是被淺拷貝過來的(記錄址而非值),newObj 裡存到的也是址

Object:第二層開始 pass by reference (相當於只能拷貝值至 object 第一層)
let obj = {
    A: 1,
    B: {
        a: '2-1',
        b: '2-2'
    },
    C: {
        a: '3-1',
        b: '3-2'
    }
}
let newObj = Object.assign({},obj)
//----
newObj.A = 2           //有獨立位址, 不影響 obj
newObj.C.b = "3-22222" //沒有獨立位址, 影響到 obj

方法5. JSON.stringify() / JSON.parse() ( 陣列 / 物件)
陣列值/物件值內容不能包含 function 或 RegExp ...等
JSON.stringify() 先轉成字串;再JSON.parse() 再轉回原本的 物件/ 陣列
陣列與物件都可多維/多層拷貝

let ary = [[1,1], [2,2]]
let newAry = JSON.parse(JSON.stringify(ary)) // 複製Array方法5, array by value, 多維陣列也可以, JSON.stringify() 先轉成字串;再JSON.parse() 再轉回原本的 物件/ 陣列, 不能包含 function, undefined 或 RegExp.
//----
newAry.push([3.3])     
// ary = [[1,1], [2,2]]     newAry = [[1,1], [2,2], [3,3]
不同方法4 ,obj 可拷貝至深層
let obj = {
    A: 1,
    B: {
        a: '2-1',
        b: '2-2'
    },
    C: {
        a: '3-1',
        b: '3-2'
    }
}
let newObj =  JSON.parse(JSON.stringify(obj))
//----
newObj.C.b = "3-22222" //有獨立位址, 不影響 obj
newObj.A = 2           //有獨立位址, 不影響 obj
不適用於值是 function 的或為 undefined 的(會遺失)。


----------  by reference, by value
20210903

by reference, by value
var a = { count: 1}
var b = a

1. by reference 原物件位址: 
function changValue(val){
    a.count = 2  // by reference 原物件位址.
}
changValue(a) // b也同時被改為 {count : 2}

2. by value, 新物件位址, 重新賦值整個 object:
function changValue(val){
    a = { count: 2} // by value, 新物件位址, 重新賦值整個 object
}
changValue(a) // b 依然是 {count : 1}

----------  array 與 object 的差別
20210903
array 與 object 的差別

var myObj = {'color': 'blue', 'height': 101};  // 宣告物件時,同時建立屬性 color 和 height.
var myObj = {color: 'blue', height: 101};      // 宣告物件時,同時建立屬性 color 和 height. 省略屬性名稱的引號.
[1, 2, 3]                  // 一維陣列
[[1, 1]], [2, 2], [3, 3]]  // 二維陣列
{   // ---單層物件
	"1": "Amy",
	"2": "Betty",
	"3": "Claire"
}
{  // ---多層物件
	"1": {"name": "Amy",   "age": 10 },
	"2": {"name": "Betty", "age": 12},
	"3": {"name": "Claire","age": 8}
}

宣告陣列 (Create an Array)
var arrayName = [item1, item2, ...];       
var fruits = ['Apple', 'Banana'];

Arrays in JavaScript are mutable lists with a few built-in methods. You can define arrays using the array literal:
var x = [];          // 定義 Array
var y = [ 1, 2, 3 ]; // 定義 Array

The type of an array is "object":
typeof [];          // "object", typeof 為 "object".
typeof [ 1, 2, 3 ]; // "object", typeof 為 "object"

An array, no matter if it has elements or not, never defaults to false:
![]  // false, Array 不管是否有存放元素否, 預設為 true.
!![] // true,  Array 不管是否有存放元素否, 預設為 true.







---------- Template var object.
20210902

var me = {
    firstName: 'Honda',
    lastName: 'Chen',
    age: 30,
    fullName: function() {                            // 宣告物件時,同時建立方法 fullName.
        return this.firstName + ' ' + this.lastName;  // this關鍵字可參考到物件本身.
    }
}
var name = me.fullName();  // name = 'Honda Chen'


---------- Template Protype, It's like class inheritance, and subclass pattern:
20210902
ObjMaker = function() {this.a = 'first';};  // 定義 (function Constructor 建構函數)
ObjMaker.prototype.b = 'second';    // 增加增加方法或屬性. 在 prototype 屬性增加方法或屬性. 每個建構函數都會有 prototype 屬性.
obj1 = new ObjMaker();              // 新物件 = new ObjMaker() 就會包含 b 屬性.  用 new 呼叫(建構函數). 建立(obj1 物件), 型別為 ObjMaker 包含 prototype 屬性.
obj1.a;                             // returns 'first'.  呼叫建構函數 objMaker 中的 a 屬性.
obj1.b;                             // returns 'second'. 呼叫 obj1.b 找不到, 改呼叫 obj1.prototype.b 成功.  

// subclass pattern below: 
SubObjMaker = function () {};
// subclass重點: 將 prototype 指向新上層物件, 就會繼承上層物件所有的屬性. 
// SubObjMaker.prototype = new ObjMaker();                   // 已經停用了, 改用 Object.create()如下:
SubObjMaker.prototype = Object.create(ObjMaker.prototype);   // 現在 ECMAScript 5 改用 Object.create().
SubObjMaker.prototype.c = 'third';
obj2 = new SubObjMaker();
obj2.c;  // returns 'third',  from SubObjMaker.prototype
obj2.b;  // returns 'second', from ObjMaker.prototype
obj2.a;  // returns 'first',  from SubObjMaker.prototype, because SubObjMaker.prototype 

---------- Function
20210902

JavaScript Function (函數)
函數 (function) 用來將會重複使用的程式碼封裝在一起,方便重複執行。

函數宣告 (Function declaration)
function functionName(parameter1, parameter2, ...) {
    // statements
    // return value;
}
若沒有返回值,亦即省略 return 語句,預設會返回 undefined.

變數的存在範圍 (Function scope)
在函數裡面除了可以存取到局部變數 (local variable),也可以存取到全域變數 (global variable)。
// 全域變數 - global scope
var num1 = 20;
var num2 = 3;
var name = 'Mike';
function multiply() {
    return num1 * num2; // 函數內部可以存取到全域變數
}
// 輸出 60
console.log(multiply());

function getScore () {
    // 局部變數 - function scope
    // 作用範圍只在函數內部
    var num1 = 2;
    var num3 = 4;
    // 如果沒加 var 宣告變數,這個變數則是一個全域變數
    num2 = 5; // 存取到全域變數 num2
    num4 = 6; // 宣告一個新的全域變數 num4

    // 函數也可以宣告在其他函數內部 (nested function) - function scope
    function add() {
        // 內部函數可以存取到外部函數的局部變數
        return name + ' scored ' + (num1 + num2 + num3);
    }
    return add();
}

console.log(getScore()); //  "Mike scored 11"

// 會存取到全域變數 num1,輸出 20
console.log(num1);

// 會存取到全域變數 num2,輸出 5
// 因為全域變數 num2 在函數內部被設成 5
console.log(num2);

//會存取到全域變數 num4,輸出 6
console.log(num4);

// 全域空間存取不到 function 內部的變數
// 會發生錯誤 - Uncaught ReferenceError
console.log(num3);

// 全域空間也存取不到 function 的內部函數
// 會發生錯誤 - Uncaught ReferenceError
console.log(add());


函數表達式 (Function expression)
函數在 JavaScript 是一個一級物件 (first-class object),
這意思就是一個函數可以當作別的函數的參數、函數的返回值、或做為一個變數的值。
所以你也可以用 Function expression 的方式來宣告一個函數,
將一個匿名函數 (anonymous function / function literal) 當作值指定給一個變數。
例如:
var square = function(number) {
    return number * number;
};


---------- NameSpace
20210902

JavaScript中,並沒有 Namespace 的功能!
可以透過物件的概念來達到類似namespace的效果(faking namespace)。
var Chinese = {};
var English = {};

Chinese.Hello = '嗨";
English.Hello = "Hi";
console.log(Chinese.Hello);

屬性常見錯誤:
var Chinese = {};
var English = {};
Chinese.Hello = '嗨";
English.Hello.Welcome = "Hi, Welcome.";  // 錯誤: Uncaught TypeError: Cannot set property 'Hello' of undefined.
console.log(Chinese.Hello);
錯誤原因是屬性 English.Hello 為 undefined.
因為屬性建立時, 預設值為 undefined.
應修正如下:
English.Hello = {};                      // 建立物件, 作為屬性 Hello 的值. (屬性建立時, 預設值為 undefined.)
English.Hello.Welcome = "Hi, Welcome.";  // 再以物件(名稱─值)的方式, 建立子屬性.


---------- Object.create(), ES5 Object.create(proto[, propertiesObject])
20210902

ref:
https://shubo.io/javascript-new/

ES5 中提供了Object.create() 的方法,用來創造新物件。使用方法:
Object.create(proto[, propertiesObject])
使用 Object.create() 的好處是,省去了可能會忘記用 new 呼叫建構式的風險。

這個 function 會回傳一個新物件,其 prototype 等於第一個被傳入的參數。
例如,我們想要創造很多貓物件,所以我們先創造一個物件 cat 來當作 prototype,裡面定義了speak()方法:
var cat = {
	speak: function() {
		console.log(this.name + ": meow!");
	}
};

當我們呼叫 Object.create(cat)時,回傳的新物件的 prototype 就是 cat。

// Create a new cat
var kitty = Object.create(cat);  // 建立新物件kitty, 型別為 cat. 使用 Object.create() 的好處是,省去了可能會忘記用 new 呼叫建構式的風險。
kitty.name = "Kitty";
kitty.speak(); // Kitty: meow!
kitty 物件裡找不到 speak()方法,於是接下來到他的原型物件(也就是cat物件)上面尋找。
cat物件裡定義了speak()方法,於是呼叫成功。

Object.create() 的原理
被傳進作為參數的物件,將會被當成新物件的原型物件。
所以Object.create()的內部可能會長得像這樣(示意):
if (!Object.create) {
	Object.create = function(o) {
		function F() {}
		F.prototype = o;
		return new F();
	};
}
其中 F() 是建構式,建構式上的 prototype 特性設為 o,並且由 new運 算子呼叫建構式。
所以新物件的特性查找將會委託給o。
使用 Object.create() 的好處是,省去了可能會忘記用 new 呼叫建構式的風險。

結論
JS中可以用建構式,或者是ES5的 Object.create() 來創造新物件。
使用建構式創造的新物件,將繼承自建構式上的 prototype 屬性。
使用Object.create(obj)創造的新物件,將繼承自obj。


---------- New, Prototype
20210902

New, Prototype
ref:
https://shubo.io/javascript-new/

Prototype
every function object automatically has a prototype property
每一個 function object 都會有一個 (prototype 屬性)

function Cat(name) {                 // 定義 (function Constructor 建構函數)
	this.name = name;
}
// Define 'speak' method for Cat objects
Cat.prototype.speak = function() {   // 在 prototype 屬性新增方法或屬性.
	console.log(this.name + ": meow!");
};
var kitty = new Cat("Kitty");        // 用 new 呼叫(建構函數). 建立(kitty 物件), 型別為 Cat.
kitty.speak(); // Kitty: meow!       // 呼叫 prototype 屬性中的方法.

new 運算子和 Function Constructor (建構函式) 的運作原理
prototypal inheritance (原型繼承)。
JavaScript 每個物件都有個 prototype,物件能夠繼承 prototype 上的屬性或方法;
如果物件上找不到某個屬性或方法時,就會去查詢它的 prototype 是否存在這個屬性或方法。

這個機制使我們可以在prototype物件上定義特性或方法,所有繼承同一個prototype的物件都可以透過原型委託使用這些特性或方法。

呼叫 new Cat("Kitty") 代表 JS 執行了:
1. 建立新物件,
2. 新物件的繼承自建構式的 prototype 特性,也就是 Cat.prototype。
3. 將新物件綁定到建構式的 this 物件,並呼叫建構式。
4. (在不特別寫明回傳值的情況下) 回傳剛創造的新物件。
第2步將新物件的原型設為 Cat.prototype。
所以對新物件呼叫speak()方法時,會先在物件本身尋找此方法。
然後會發現自己身上找不到此方法,於是再到自己的prototype,也就是 Cat.prototype 上尋找。
因為我們定義了 Cat.prototype.speak,所以可以順利找到此方法。

簡單地說,當你使用建構式來創造新物件,新物件的原型就是建構式上的prototype特性。
而在原型上定義方法,就等於所有物件都可以透過原型委託的方式使用原型上的方法。

常見錯誤 new :
建構式必須和new運算子搭配使用,但萬一我們忘了,直接呼叫建構式:
var kitty = Cat("kitty");
此時並不會有任何錯誤或警告,this會直接bind到全域變數,有可能會導致很難察覺的bug!

ref:
https://stackoverflow.com/questions/1646698/what-is-the-new-keyword-in-javascript
這篇圖文說明更清楚,
Constructors Considered Mildly Confusing.pdf
https://zeekat.nl/articles/constructors-considered-mildly-confusing.html 

The new keyword in javascript.
It does 5 things:

1. It creates a new object. The type of this object is simply object.
2. It sets this new object's internal, inaccessible, [[prototype]] 
   (i.e. __proto__) property to be the constructor function's external, accessible, 
   prototype object (every function object automatically has a prototype property).
3. It makes the this variable point to the newly created object.
4. It executes the constructor function, 
   using the newly created object whenever this is mentioned.
5. It returns the newly created object, unless the constructor function returns a non-null object reference. 
   In this case, that object reference is returned instead.

Note: constructor function refers to the function after the new keyword, as in 
   new ConstructorFunction(arg1, arg2)
Once this is done, if an undefined property of the new object is requested, 
the script will check the object's [[prototype]] object for the property instead. 
This is how you can get something similar to traditional class inheritance in JavaScript.

JavaScript 的 new 關鍵字, 主要完成5件事:
1. 建立一個物件. 型別為 object.
2. 設定僅能內部存取的 (__proto__ 屬性), 成為物件對外可使用的建構式 prototype 物件. 
   每一個 function物件 都會有一個 prototype 屬性.
3. 將變數指向物件.
4. 執行物件剛設定的建構式.
5. 回傳新建立的物件. 若物件建構式回傳null, 則回傳新建立的物件, 否則(non-null)回傳(指定物件的參考值).
   注意: 建構式函數會在 new 指令之後, 以 new ConstructorFunction(arg1, arg2)的形式, 參考到(指定物件的參考值).
         若 指定物件 為 undefined, 則會改參考到 指定物件的 [[prototype]].


The most difficult part about this is point number 2. 
Every object (including functions) has this internal property called [[prototype]]. 
It can only be set at object creation time, either with new, with Object.create, 
or based on the literal (functions default to Function.prototype, numbers to Number.prototype, etc.). 
It can only be read with Object.getPrototypeOf(someObject). 
There is no other way to set or read this value.

Functions, in addition to the hidden [[prototype]] property, also have a property called prototype, 
and it is this that you can access, and modify, 
to provide inherited properties and methods for the objects you make.

Here is an example:
ObjMaker = function() {this.a = 'first';};  // 定義 (function Constructor 建構函數)
// ObjMaker is just a function, there's nothing special about it that makes 
// it a constructor.

ObjMaker.prototype.b = 'second';  // 在 prototype 屬性新增方法或屬性.
// like all functions, ObjMaker has an accessible prototype property that 
// we can alter. I just added a property called 'b' to it. Like 
// all objects, ObjMaker also has an inaccessible [[prototype]] property
// that we can't do anything with

obj1 = new ObjMaker();  // 用 new 呼叫(建構函數). 建立(obj1 物件), 型別為 ObjMaker. 
// 3 things just happened.
// A new, empty object was created called obj1.  At first obj1 was the same
// as {}. The [[prototype]] property of obj1 was then set to the current
// object value of the ObjMaker.prototype (if ObjMaker.prototype is later
// assigned a new object value, obj1's [[prototype]] will not change, but you
// can alter the properties of ObjMaker.prototype to add to both the
// prototype and [[prototype]]). The ObjMaker function was executed, with
// obj1 in place of this... so obj1.a was set to 'first'.

obj1.a;
// returns 'first'
obj1.b;
// obj1 doesn't have a property called 'b', so JavaScript checks 
// its [[prototype]]. Its [[prototype]] is the same as ObjMaker.prototype
// ObjMaker.prototype has a property called 'b' with value 'second'
// returns 'second'

It's like class inheritance because now, 
any objects you make using new ObjMaker() will also appear to have inherited the 'b' property.


subclass 的建立方式
If you want something like a subclass, then you do this:
SubObjMaker = function () {};
SubObjMaker.prototype = new ObjMaker(); // note: this pattern is deprecated! 這是舊方法!
// Because we used 'new', the [[prototype]] property of SubObjMaker.prototype
// is now set to the object value of ObjMaker.prototype.
// The modern way to do this is with Object.create(), which was added in ECMAScript 5:
// SubObjMaker.prototype = Object.create(ObjMaker.prototype);
// 新方法可改用 SubObjMaker.prototype = Object.create(ObjMaker.prototype);

SubObjMaker.prototype.c = 'third';  
obj2 = new SubObjMaker();
// [[prototype]] property of obj2 is now set to SubObjMaker.prototype
// Remember that the [[prototype]] property of SubObjMaker.prototype
// is ObjMaker.prototype. So now obj2 has a prototype chain!
// obj2 ---> SubObjMaker.prototype ---> ObjMaker.prototype

obj2.c;
// returns 'third', from SubObjMaker.prototype

obj2.b;
// returns 'second', from ObjMaker.prototype

obj2.a;
// returns 'first', from SubObjMaker.prototype, because SubObjMaker.prototype 
// was created with the ObjMaker function, which assigned a for us


I read a ton of rubbish on this subject before finally finding this page, 
where this is explained very well with nice diagrams.



---------- Object
20210902

JavaScript Object (物件)
JavaScript 物件 (object) 是一個複合資料型態 (composite data type),可以儲存不定數量的鍵值對 (key-value paris),而一組鍵值對我們稱做物件的一個屬性 (property)。
一個屬性的值 (value) 可以是任何資料型態 (也可以是函數);
屬性的名稱 (key / name) 是一個字串型態。

物件宣告 (Creating Objects)
2種方式建立一個物件:
var myObj = new Object(); // 1. Object Constructor (物件建構式).
var myObj = {};           // 2. Object Literal (物件實字). 最常用也最方便的語法.

var Z = function () {...} // 將匿名函數存放在變數 Z 中.
var Z = new Z();          // 建立物件.

物件的屬性 (Object Properties)
var myObj = {};
myObj.color = 'blue';       // 建立一個叫 color 的屬性,值是 blue
var myColor = myObj.color;  // 存取物件屬性, 或用 [] 運算子來存取物件的屬性。

objectName['propertyName']
var myObj = {};
myObj['color'] = 'blue';      // 建立一個叫 color 的屬性,值是 blue
var myColor = myObj['color']; // 存取物件屬性.

var myObj = {};
var propName = 'color';
myObj[propName] = 'blue';      // 使用 object[name] 方式存取屬性, 可將屬性名稱由變數傳入. 
用 [] 運算子除了可以使用變數之外,還有當你的屬性名稱包含空白或點字元的時候。
例如 myObj['hello ...'] = 'world'。

myObj.propName = 'blue';       // 使用 object.propName 方式存取屬性, 則新增屬性名稱為 'propName'

object literal 可以在宣告物件時,同時建立屬性
語法: var obj = {property1: value1, property2: value2, ..., propertyN: valueN} 
例如:
array 與 object 的差別
var myObj = {'color': 'blue', 'height': 101};  // 宣告物件時,同時建立屬性 color 和 height.
var myObj = {color: 'blue', height: 101};      // 宣告物件時,同時建立屬性 color 和 height. 省略屬性名稱的引號.
[1, 2, 3]                  // 一維陣列
[[1, 1]], [2, 2], [3, 3]]  // 二維陣列
{   // ---單層物件
	"1": "Amy",
	"2": "Betty",
	"3": "Claire"
}
{  // ---多層物件
	"1": {"name": "Amy",   "age": 10 },
	"2": {"name": "Betty", "age": 12},
	"3": {"name": "Claire","age": 8}
}


屬性常見錯誤:
var Chinese = {};
var English = {};
Chinese.Hello = '嗨";
English.Hello.Welcome = "Hi, Welcome.";  // 錯誤: Uncaught TypeError: Cannot set property 'Hello' of undefined.
console.log(Chinese.Hello);
錯誤原因是屬性 English.Hello 為 undefined.
因為屬性建立時, 預設值為 undefined.
應修正如下:
English.Hello = {};                      // 建立物件, 作為屬性 Hello 的值. (屬性建立時, 預設值為 undefined.)
English.Hello.Welcome = "Hi, Welcome.";  // 再以物件(名稱─值)的方式, 建立子屬性.

物件的方法 (Object Methods)
物件的屬性值如果是一個函數,我們稱它是物件的方法 (method)。
objectName.methodName();
例如:
var me = {
    firstName: 'Honda',
    lastName: 'Chen',
    age: 30,
    fullName: function() {  宣告物件時,同時建立方法 fullName.
        return this.firstName + ' ' + this.lastName;  // this關鍵字可參考到物件本身.
    }
}
var name = me.fullName();  // name = 'Honda Chen'




JavaScript 內建物件 (JavaScript Native Objects)

JavaScript 有一些內建物件,也可以稱作資料型態,包含:
Number 物件: 數字型態的物件,如整數 (5, 10) 或浮點數 (3.14)
Boolean 物件: 表示邏輯真假值的物件,真就是 true,假就是 false
String 字串物件: 任何字元 (Unicode)
Array 陣列物件: 可用來容納任何其他物件
Math 物件: 提供許多常用的數學常數及數學計算函數
Date 物件: 專門處理時間和日期的物件
RegExp 物件: 即正規表示式 (regular expression) 物件
每一種物件都有各自的屬性 (attribute) 和方法 (method) 可以使用。

---------- String
20210901

String.trim()

	this.ZTrimArray = function (PArray) {
		var NewArray = [];
		for (var i = 0; i < PArray.length; i++) {
			NewArray.push(String(PArray[i]).trim());
		}
		return NewArray;
	}

const greeting = '   Hello world!   ';
console.log(greeting);
// expected output: "   Hello world!   ";
console.log(greeting.trim());
// expected output: "Hello world!";



去除字串前後的空白,此方法並不會改變原來的字串,而是傳回一個新的字串。
此方法是在ECMAScript 第五版才引進。因此有些瀏覽器並不支援。
若是不支援就自行定義: 2擇1
if (!String.prototype.trim) {
  String.prototype.trim = function () {
    return this.replace(/^\s+|\s+$/g, '');
  };
}

if (!String.prototype.trim) {
  String.prototype.trim = function () {
    return this.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g, '');
  };
}






length 字串長度
傳回字串長度「計算幾個字」空字串的 length 為 0。
JavaScript 使用 UTF-16 編碼用來表示大部分常見的字元,使用兩個代碼單元表示不常用的字元。
因此 length 返回值可能與字串中實際的字元數量不相同。

stringObject.length;
var myStr = "myString";
stringObject.length; /* 8 */
var myStr = "基本字串";
stringObject.length; /* 4 */
var myStr = "《基本(符號)字串》";
stringObject.length; /* 10 */
var myStr = "基本的な文字列";
stringObject.length; /* 7 */

substr() 提取字串中的幾個字
substr()跟substring()常混淆! 建議改用 slice(start, end), 不會混淆而且可傳入負數.
取字串中的幾個字 JavaScript 的起始位置是 0。
如果省略了 length 那麼返回從 stringObject 的開始位置到結尾的字串。
-1 指字串中最後一個字元、
-2 指倒數第二個字元,
以此類推。
stringObject.substr(start, length)
var myStr = "myString";
myStr.substr(2,3);  /* Str */
myStr.substr(-3,3); /* ing */
myStr.substr(2);    /* String */

substring() 提取字串中兩個指定索引號之間的字元
substr()跟substring()常混淆! 建議改用 slice(start, end), 不會混淆而且可傳入負數.
取字串中的幾個字,起始位置是 0 從指定的位置 start 到指定「位置 End」的字串。
與 slice() 和 substr() 方法不同的是 substring() 不接受負的參數小於 0 則為 0。
建議使用 slice() 靈活些
stringObject.substring(start, End)
var myStr = "myString";
myStr.substring(2,5); /* Str */
myStr.substring(2,25); /* String (超出 length 只取到字串的結尾) */

JavaScript 的 substr 和 substring 的分別:
String.substr(start, length) :從開始位置 start 取 「長度」length 的字串。  substr()跟substring()常混淆! 建議改用 slice(start, end), 不會混淆而且可傳入負數.
String.substring(start, End) :從開始位置 start 到 「結束位置」End 的字串。 substr()跟substring()常混淆! 建議改用 slice(start, end), 不會混淆而且可傳入負數.

charAt() 取字串中的一個字
取字串中的一個字 index 索引指標從 0 算起、如果參數 index 不在 0 與字串長度之間,將返回一個空字串。
stringObject.charAt(index)
var myStr = "myString";
myStr.charAt(0); /* m */
myStr.charAt(2); /* S */
myStr.charAt(10); /* 返回一個空字串 */

charCodeAt() 取字串中一個字的ASCII編碼
傳回字串中一個字的 ISO-Latin-1 碼 ( index 索引指標從 0 算起 ) 為十進位的 ASCII 編碼
stringObject.charCodeAt(index)
var myStr = "ABC";
myStr.charCodeAt(0); /* 65 (等於 VBScript Asc("A")) */
myStr.charCodeAt(1); /* 66 */
var myStr = "字串";
myStr.charCodeAt(0); /* 23383 */
有時候使用 charCodeAt() 來判斷中文字及字串的分割點。

concat() 混合兩個字串成一個新字串
將把它的所有參數轉換成字串,然後按順序連接到字串 stringObject 的「尾部」,並返回連接後的字串。請注意 stringObject 本身並沒有被更改。stringObject.concat() 與 Array.concat() 很相似。
stringObject.concat(stringX,stringX,...,stringX)
var myStr = "my";
myStr.concat("String"); /* myString */
var myStr = "my";
myStr.concat("Str","ing"); /* myString */

indexOf() 字串尋找
字串尋找「由左至右尋找」將從頭到尾地檢索字串 stringObject 是否包含有 searchvalue。
開始檢索的位置在字串的 fromIndex 處或字串的開頭(沒有指定 fromIndex 時)。 
如果找到一個 searchvalue 則返回 searchvalue 的第一次出現的位置。
stringObject 中的字元位置是從 0 開始的。
stringObject.indexOf(searchvalue,fromIndex)
var myStr = "myString String";
myStr.indexOf("Str",1); /* 2 */
myStr.indexOf("Str",5); /* 9 */
myStr.indexOf("Str",10); /* -1 沒有找到 */

lastIndexOf() 字串反向尋找
字串反向尋找「由右至左尋找」(反向)將從尾到頭地檢索字串 stringObject 看它是否含有子串 searchvalue。
開始檢索的位置(左)在字串的 fromIndex 處或沒有指定則為字串的結尾。
stringObject.lastIndexOf(searchvalue,fromIndex)
var myStr = "myString String";
myStr.lastIndexOf("Str",5); /* 2 */
myStr.lastIndexOf("Str"); /* 9 */
myStr.lastIndexOf("Str",1); /* -1 沒有找到 */

replace() 字串取代
字串取代符合 regexp 部份被 replaceString 部份取代,可加 /g 代表總體尋找,可加 /i 代表不分大小寫。
stringObject.replace(regexp, replaceString)
var myStr = "myString";
myStr.replace(/Str/,"xxx"); /* myxxxing */
myStr.replace(/str/,"xxx"); /* myString (大小寫不同) */
var myStr = "As As as As";
myStr.replace(/As/,"Bs"); /* Bs As as As (預設下只有一次) */
myStr.replace(/As/ig,"Bs"); /* Bs Bs Bs Bs (i 忽略大小寫, g 全部取代) */

match() 傳回尋找到的字串
傳回尋「找到的字串」regexp 為待尋找的字串,可加 /g 代表總體尋找,可加 /i 代表不分大小寫。
stringObject.match(regexp)
var myStr = "myString";
myStr.match("Str"); /* Str */
myStr.match(/Str/); /* Str */
myStr.match(/str/); /* null */
myStr.match(/str/ig); /* Str,Str (總體尋找) */

search() 傳回尋找到的字串位置
傳回尋找到的「字串位置」regexp 為待尋找的字串,可加 /g 代表總體尋找,可加 /i 代表不分大小寫。
stringObject.search(regexp)
var myStr = "myString String";
myStr.search("Str"); /* 2 */
myStr.search(/Str/); /* 2 */
myStr.search(/str/); /* -1 */
myStr.search(/str/i); /* 2 (忽略大小寫) */

slice() 取得部份字串
substr()跟substring()常混淆! 建議改用 slice(start, end), 不會混淆而且可傳入負數.
slice() 比 substring() 靈活度好一些,可以使用「負數」為參數。
另與 substr() 不同是因為它用兩個字元的位置來指定子串,而 substr() 則用字元位置和長度來指定子串。
stringObject.slice(start, end)(不包含end)
start 要取得部份字串的起始。如果是負數,則該參數規定的是從字串的尾部開始算起的位置。
也就是說 -1 指字串的最後一個字元,-2 指倒數第二個字元,以此類推。
end 接著要取得部份字串的結尾。若未指定此參數,則要提取的子串包括 start 到原字串結尾的字串。
如果該參數是負數,那麼它規定的是從字串的尾部開始算起的位置。
var myStr = "myString ABCDEF";
myStr.slice(5); /* ing ABCDEF */
myStr.slice(2,7); /* Strin (不包含end) */
myStr.slice(-6,-3); /* ABC (不包含end) */
myStr.slice(-3); /* DEF */

split() 分隔成字串陣列
用於把字串分隔成「字串陣列」(separator 為分隔字串 length 為分隔數目)。
該陣列是通過在 separator 指定的邊界處將字串 stringObject 分割成子串創建的。
返回的陣列中的字串不包括 separator 自身。
如果分隔字串 separator 為空字串 ("") 那麼 stringObject 中的每個字元之間都會被分割。
stringObject.split(separator, length);
var myStr = "What plan for Weekend?"
myStr.split("");      /* W,h,a,t, ,p,l,a,n, ,f,o,r, ,W,e,e,k,e,n,d,? */
myStr.split("",8);    /* W,h,a,t, ,p,l,a (分隔數目 前8個) */
myStr.split(" ");     /* What,plan,for,Weekend? */
myStr.split(/\s+/);   /* What,plan,for,Weekend? */
myStr.split(" ",3);   /* What,plan,for (分隔數目 前3個) */
myStr.split(/\s+/,3); /* What,plan,for (分隔數目 前3個) */
/\s+/ 相等於多次空白字元。
var myStr = "2:3:4:5"
myStr.split(":");     /* 2,3,4,5 */
var myStr = "A|B|C|D|E|FG"
myStr.split("|");     /* A,B,C,D,E,FG */


---------- Array
20210902

JavaScript Array (陣列)
陣列 (array) 是一個有序的序列,陣列中可以儲存不定數量的任何值,
陣列在 JavaScript 中屬於複合資料型態 (composite data type)。

宣告陣列 (Create an Array)
Arrays in JavaScript are mutable lists with a few built-in methods. You can define arrays using the array literal:
var Array1 = [];         
var Array2 = new Array(); 
var Array3 = new Array(NumberOfElements);
var Array4 = [item1, item2, ...];       
var Array5 = ['Apple', 'Banana'];
var Array6 = [ 1, 2, 3 ]; 
var Array7 = [ 1, 2, 3, 'a', '1a'];    // any type.
var Array8 = [  [1, 2],[3, 4],[5, 6]]; // a 2 dimensional array.
var Array9 = Array7.slice(0)           // 複製 Array 
var Arraya = Array7.slice()            // 複製 Array 
var Arrayb = Array.from(Array8)        // 複製 Array, 多維陣列也可以


console.log(Array1[0][0]); // 1
console.log(Array1[0][1]); // 2
console.log(Array1[1][0]); // 3
console.log(Array1[1][1]); // 4
console.log(Array1);

Array.isArray([1, 2, 3]);  // true
Array.isArray({foo: 123}); // false
Array.isArray('foobar');   // false
Array.isArray(undefined);  // false

From ZLib CodeHelper:
// Grid = ArrayRow[ArrayCol].
// 每一個 ArrayCol 元素個數可不固定, 因此沒有 ColsLength.
// 只提供 PushRow, PopRow 可增減最後一筆 Row, 簡化功能.
ZGridConstructor = function () { // CodeHelper Array easy operations.
	this.Rows = [];
	this.RowsLength = function () { return Rows.length; }
	this.GetRow = function (PRow) { return Rows[PRow]; }

	//不提供 SetRow(), 原因是應該這樣呼叫 this.GetRow(PRow) = NewArray;
	//this.SetRow = function (PRow, PNewArray) { Rows[PRow] = PNewArray; }

	// 這兩個自行呼叫 push 的方式, 比 PushRow() 更簡單.
	// 但是只能客製化自訂, 無法通用.
	// this.PushRow = function () { this.Rows.push(new Array(N)); }
	// this.PushRow = function () { this.Rows.push(new Array(txt1.value, txt2.value)); }
	this.PushRow = function () { var NewArray = new Array(); this.Rows.push(NewArray); return NewArray; }
	this.PushRow = function (PNewArray) { this.Rows.push(PNewArray); }

	this.PopRow = function () { this.Rows.pop() };
	this.Cell = function (PRow, PCol) { return this.GetRow(PRow)[PCol]; }
	this.Clear = function () { this.Rows = []; }
}

The type of an array is "object":
typeof [];          // "object", typeof 為 "object".
typeof [ 1, 2, 3 ]; // "object", typeof 為 "object"

An array, no matter if it has elements or not, never defaults to false:
![]  // false, Array 不管是否有存放元素否, 預設為 true.
!![] // true,  Array 不管是否有存放元素否, 預設為 true.


(Properties)
length

(Methods)
concat()       var newArray = oldArray.concat(value1[, value2[, ...[, valueN]]])
every()
filter()       forEach(callback[, thisArg]),  allows you to programatically remove elements from an Array
forEach()
indexOf()      第一個符合元素的索引位置.
join()
lastIndexOf()  最後一個符合元素的索引位置.
map()
pop()          刪除最後一個元素. Removes from the End of an Array.
push()         新增最後一個元素.
reduce()
reduceRight()
reverse()      反轉.
shift()        刪除最前面一個元素. Removes from the beginning of an Array.
slice(begin, end)  (不包含end), 從 begin 到 end (不包含end) 複製子陣列. 僅限一維陣列 且 陣列值不含 obj. 例如複製全部元素 newAry = ary.slice(0), 或 newAry = ary.slice(). 
some()
sort()         排序
var removed = array1.splice(begin, count, Element1, Element2....) 從 start 開始刪除 count 元素後, 再新增元素.
unshift()      新增最前面一個元素.


Array.prototype.toString()
toString() 方法將回傳一個可以表達該陣列及其元素的字串
const array1 = [1, 2, 'a', '1a'];
console.log(array1.toString());
// expected output: "1,2,a,1a"
Array 覆寫了 Object 中的 toString 方法。 陣列的 toString 方法會將陣列中的每個元素用逗號串接起來成為一個字串,並回傳該字串。
當你在會以文字型態表示的地方使用了陣列,或是在字串的串接中使用到了陣列,JavaScript 會自動為該陣列使用toString 方法。


存取陣列 (Access the Elements of an Array)
ary[index]
var fruits = ['Apple', 'Banana'];
// Apple
var first = fruits[0];
// Banana
var last = fruits[fruits.length - 1];
x[ 0 ] = 1; // 以 array-notation 存取陣列元素.
y[ 2 ] // 3


更改陣列中某個元素的值
var fruits = ['Apple', 'Banana'];
fruits[0] = 'Orange';
fruits[1] = 101;
// 輸出 ["Orange", 101]
console.log(fruits);

取得陣列長度 (length)
你可以由陣列的 length 屬性得到一個陣列的長度:
var fruits = ['Apple', 'Banana'];
console.log(fruits.length)

新增元素
用 push() 方法來新增元素到陣列最後面:
var fruits = ['Apple', 'Banana'];
fruits.push('Orange');
// 輸出 ["Apple", "Banana", "Orange"]
console.log(fruits);
或用 ary[aryLength] 的方式:
var fruits = ['Apple', 'Banana'];
fruits[fruits.length] = 'Orange';
// 輸出 ["Apple", "Banana", "Orange"]
console.log(fruits);
或用 unshift() 方法來新增一個元素到陣列最前面:
var fruits = ['Apple', 'Banana'];
fruits.unshift('Orange');
// 輸出 ["Orange", "Apple", "Banana"]
console.log(fruits);

刪除元素
你可以用 pop() 方法來移除陣列中的最後一個元素:
var fruits = ['Apple', 'Banana'];
// pop() 除了移除元素,還會返回移除的元素值
var last = fruits.pop(); // Banana
// 輸出 ["Apple"]
console.log(fruits);
用 shift() 方法來移除陣列中的第一個元素:
var fruits = ['Apple', 'Banana'];
// shift() 除了移除元素,還會返回移除的元素值
var first = fruits.shift(); // Apple
// 輸出 ["Banana"]
console.log(fruits);

delete 運算子可以用來刪除特定位置的元素,但它不會移除元素,只是將該位置的元素值變成 undefined:
var fruits = ['Apple', 'Banana', 'Orange'];
delete fruits[0];
fruits; // [undefined, "Banana", "Orange"]

迴圈呼叫陣列 (for loop Array Elements)
for 語法可以用來遍歷陣列中所有的元素。
var fruits = ['Apple', 'Banana', 'Orange'];
for (var i=0; i