最近在面試,面試官動不動就讓寫一個原生方法的實現,那我們就在這裏寫一下常見的一些實現:
Function.prototype.bind2 = function (context) { var self = this; return function () { self.apply(context); } }
class Promise { result: any; callbacks = []; failbacks = []; constructor(fn) { fn(this.resolve.bind(this), this.reject.bind(this)); } resolve(res) { if (this.callbacks.length > 0) this.callbacks.shift()(res, this.resolve.bind(this), this.reject.bind(this)); } reject(res) { this.callbacks = []; if (this.failbacks.length > 0) this.failbacks.shift()(res, this.resolve.bind(this), this.reject.bind(this)); } catch(fn) { this.failbacks.push(fn); } then(fn) { this.callbacks.push(fn); return this; } }
function create() { // 建立一個空的對象 let obj = new Object() // 得到構造函數 let Con = [].shift.call(arguments) // 連接到原型 obj.__proto__ = Con.prototype // 綁定 this,執行構造函數 let result = Con.apply(obj, arguments) // 確保 new 出來的是個對象 return typeof result === 'object' ? result : obj }
// func是用戶傳入須要防抖的函數 // wait是等待時間 const debounce = (func, wait = 50) => { // 緩存一個定時器id let timer = 0 // 這裏返回的函數是每次用戶實際調用的防抖函數 // 若是已經設定過定時器了就清空上一次的定時器 // 開始一個新的定時器,延遲執行用戶傳入的方法 return function(...args) { if (timer) clearTimeout(timer) timer = setTimeout(() => { func.apply(this, args) }, wait) } }
function throttle(method,delay){ var timer=null; return function(){ var context=this, args=arguments; clearTimeout(timer); timer=setTimeout(function(){ method.apply(context,args); },delay); } }
function deepClone(obj) { let result = typeof obj.splice === "function" ? [] : {}; if (obj && typeof obj === 'object') { for (let key in obj) { if (obj[key] && typeof obj[key] === 'object') { result[key] = deepClone(obj[key]);//若是對象的屬性值爲object的時候,遞歸調用deepClone,即在吧某個值對象複製一份到新的對象的對應值中。 } else { result[key] = obj[key];//若是對象的屬性值不爲object的時候,直接複製參數對象的每個鍵值到新的對象對應的鍵值對中。 } } return result; } return obj; }
//子類 extends 父類 Function.prototype.extends = function(func, options){ for(var key in func.prototype){ this.prototype[key] = func.prototype[key]; } for(var name in options){ this.prototype[name] = options[name]; } }
function A(name){ // 若是已存在對應的實例 if(typeof A.instance === 'object'){ return A.instance } //不然正常建立實例 this.name = name // 緩存 A.instance =this return this }
// 事件類 class EventEmitter { constructor () { this.events = { } // 事件隊列,保存着每一種事件的處理程序 } on (type, callback) { // type 要綁定的事件名字, callback 處理程序 if (this.events[type]) {// 若是事件隊列中有這個事件 // 將這次綁定的處理程序放入進去 this.events[type].push(callback.bind(this)) return false } // 若是沒有這個事件,新建 this.events[type] = [callback.bind(this)] } emit (type, ...args) { // 觸發事件的時候若是沒有事件,報錯 if (!this.events[type]) { console.error('type event is not found') }else { // 挨個執行隊列中的處理程序 this.events[type].forEach(callback => { callback(...args) }); } } } let bus = new EventEmitter() bus.on('play', (num1, num2) => { alert(123) }) bus.on('play', (num1, num2) => { alert(456) alert(num1 + num2) }) bus.emit('play', 1, 2)
以上是面試過程當中常見的方法實現,只是簡單的實現,面試的各位能夠看下準備下。
若是您以爲文章還不錯,請隨手點個贊,您的認同是個人動力!javascript