詳解ES6實現類的私有變數的幾種寫法
阿新 • • 發佈:2021-02-19
閉包實現類的私有變數方式
私有變數不共享
通過 new 關鍵字 person 的建構函式內部的 this 將會指向 Tom,開闢新空間,再次全部執行一遍,
class Person{ constructor(name){ let _num = 100; this.name = name; this.getNum = function(){ return _num; } this.addNum = function(){ return ++_num } } } const tom = new Person('tom') const jack = new Person('jack') tom.addNum() console.log(tom.getNum()) //101 console.log(jack.getNum()) //100
私有變數可共享
為避免每個實力都生成了一個新的私有變數,造成是有變數不可共享的問題,我們可以將這個私有變數放在類的建構函式到外面,繼續通過閉包來返回這個變數。
const Person = (function () { let _num = 100; return class _Person { constructor(name) { this.name = name; } addNum() { return ++_num } getNum() { return _num } } })() const tom = new Person('tom') const jack = new Person('jack') tom.addNum() console.log(tom.getNum()) //101 console.log(jack.getNum()) //101
那這樣的話,如果兩種方法混合使用,那就可以擁有可共享和不可共享的兩種私有變數。
缺點:例項化時會增加很多副本,比較耗記憶體。
Symbol實現類的私有變數方式
symbol 簡介:
建立一個獨一無二的值,所有 Symbol 兩兩都不相等,建立時可以為其新增描述Symble("desc"),目前物件的健也支援 Symbol 了。
const name = Symbol('名字') const person = { // 類名 [name]:'www',say(){ console.log(`name is ${this[name]} `) } } person.say() console.log(name)
使用Symbol為物件建立的健無法迭代和Json序列化,所以其最主要的作用就是為物件新增一個獨一無二的值。
但可以使用getOwnProporitySymbols()獲取Symbol.
缺點:新語法瀏覽器相容不是很廣泛。
symbol 實現類的私有變數
推薦使用閉包的方式建立 Symbol 的的引用,這樣就可以在類的方法區獲得此引用,避免方法都寫在建構函式,每次建立新例項都要重新開闢空間賦值方法,造成記憶體浪費。
const Person = (function () { let _num = Symbol('_num:私有變數'); return class _Person { constructor(name) { this.name = name; this[_num] = 100 } addNum() { return ++this[_num] } getNum() { return this[_num] } } })() const tom = new Person('tom') const jack = new Person('jack') console.log(tom.addNum()) //101 console.log(jack.getNum()) //100
通過 weakmap 建立私有變數
MDN 簡介
實現:
const Parent = (function () { const privates = new WeakMap(); return class Parent { constructor() { const me = { data: "Private data goes here" }; privates.set(this,me); } getP() { const me = privates.get(this); return me } } })() let p = new Parent() console.log(p) console.log(p.getP())
總結
綜上 weakmap 的方式來實現類似私有變數省記憶體,易回收,又能夠被更多的瀏覽器相容,也是最推薦的實現方法。
到此這篇關於詳解ES6實現類的私有變數的幾種寫法的文章就介紹到這了,更多相關ES6 類的私有變數內容請搜尋我們以前的文章或繼續瀏覽下面的相關文章希望大家以後多多支援我們!