其實es6的面向對象不少原理和機制仍是ES5的,只不過把語法改爲相似php和java老牌後端語言中的面向對象語法.javascript
1、用es6封裝一個基本的類php
class Person{ constructor( uName ){ this.userName = uName; } sayName(){ return this.userName; } }
是否是很向php和java中的類, 其實本質仍是原型鏈,咱們往下看就知道了css
首先說下語法規則:html
class Person中的Person就是類名,能夠自定義java
constructor就是構造函數,這個是關鍵字,當實例化對象的時候,這個構造函數會被自動調用es6
let oP = new Person( 'ghostwu' ); console.log( oP.sayName() ); //ghostwu console.log( oP instanceof Person ); //true console.log( oP instanceof Object ); //true console.log( typeof Person ); //function console.log( typeof Person.prototype.sayName ); //function console.log( oP.__proto__ === Person.prototype ); //true console.log( 'sayName' in oP ); //true console.log( Person.prototype );
第1行和第2行實例化和調用方法仍是跟es5同樣後端
第4行和第5行判斷對象是不是類(Person)和Object的實例, 結果跟es5同樣, 這個時候,咱們確定會想到Person的本質是否就是一個函數呢函數
第7行徹底驗證了咱們的想法,類Person本質就是一個函數this
第8行能夠看到sayName這個函數其實仍是加在Person的原型對象上es5
第9行仍是驗證了es5的原型鏈特色:對象的隱式原型指向構造函數的原型對象
第10行驗證oP對象經過原型鏈查找到sayName方法
這種類的語法,被叫作語法糖,本質仍是原型鏈
2、利用基本的類用法,封裝一個加法運算
class Operator{ constructor( n1 = 1, n2 = 2 ){ this.num1 = n1; this.num2 = n2; } add( n1 = 10, n2 = 20 ){ let num1 = n1 || this.num1, num2 = n2 || this.num2; return num1 + num2; } } var oper = new Operator(); console.log( oper.add( 100, 200 ) );
3、利用基本的類語法,封裝經典的選項卡
css代碼:
#tab div { width: 200px; height: 200px; border: 1px solid #000; display: none; } #tab div:nth-of-type(1) { display: block; } .active { background: yellow; }
html代碼:
<div id="tab"> <input type="button" value="點我1" data-target="#div1" class="active"> <input type="button" value="點我2" data-target="#div2"> <input type="button" value="點我3" data-target="#div3"> <input type="button" value="點我4" data-target="#div4"> <div id="div1">1</div> <div id="div2">2</div> <div id="div3">3</div> <div id="div4">4</div> </div>
javascript代碼:
window.onload = () => { class Tab { constructor( context ) { let cxt = context || document; this.aInput = cxt.querySelectorAll( "input" ); this.aDiv = cxt.querySelectorAll( "div" ); } bindEvent(){ let targetId = null; this.aInput.forEach(( ele, index )=>{ ele.addEventListener( "click", ()=>{ targetId = ele.dataset.target; this.switchTab( ele, targetId ); }); }); } switchTab( curBtn, curId ){ let oDiv = document.querySelector( curId ); this.aDiv.forEach(( ele, index )=>{ ele.style.display = 'none'; this.aInput[index].className = ''; }); curBtn.className = 'active'; oDiv.style.display = 'block'; } } new Tab( document.querySelector( "#tab" ) ).bindEvent(); }