RELATEED CONSULTING
相关咨询
选择下列产品马上在线沟通
服务时间:8:30-17:00
你可能遇到了下面的问题
关闭右侧工具栏

新闻中心

这里有您想知道的互联网营销解决方案
死磕36个JS手写题,搞懂后提升真的大

为什么要写这类文章

作为一个程序员,代码能力毋庸置疑是非常非常重要的,就像现在为什么大厂面试基本都问什么 API 怎么实现可见其重要性。我想说的是居然手写这么重要,那我们就必须掌握它,所以文章标题用了死磕,一点也不过分,也希望不被认为是标题党。

成都创新互联服务项目包括广陵网站建设、广陵网站制作、广陵网页制作以及广陵网络营销策划等。多年来,我们专注于互联网行业,利用自身积累的技术优势、行业经验、深度合作伙伴关系等,向广大中小型企业、政府机构等提供互联网行业的解决方案,广陵网站推广取得了明显的社会效益与经济效益。目前,我们服务的客户以成都为中心已经辐射到广陵省份的部分城市,未来相信会继续扩大服务区域并继续获得客户的支持与信任!

作为一个普通前端,我是真的写不出 Promise A+ 规范,但是没关系,我们可以站在巨人的肩膀上,要相信我们现在要走的路,前人都走过,所以可以找找现在社区已经存在的那些优秀的文章,比如工业聚大佬写的 100 行代码实现 Promises/A+ 规范,找到这些文章后不是收藏夹吃灰,得找个时间踏踏实实的学,一行一行的磨,直到搞懂为止。我现在就是这么干的。

能收获什么

这篇文章总体上分为 2 类手写题,前半部分可以归纳为是常见需求,后半部分则是对现有技术的实现;

  • 对常用的需求进行手写实现,比如数据类型判断函数、深拷贝等可以直接用于往后的项目中,提高了项目开发效率;
  • 对现有关键字和 API 的实现,可能需要用到别的知识或 API,比如在写 forEach 的时候用到了无符号位右移的操作,平时都不怎么能够接触到这玩意,现在遇到了就可以顺手把它掌握了。所以手写这些实现能够潜移默化的扩展并巩固自己的 JS 基础;
  • 通过写各种测试用例,你会知道各种 API 的边界情况,比如 Promise.all, 你得考虑到传入参数的各种情况,从而加深了对它们的理解及使用;

阅读的时候需要做什么

阅读的时候,你需要把每行代码都看懂,知道它在干什么,为什么要这么写,能写得更好嘛?比如在写图片懒加载的时候,一般我们都是根据当前元素的位置和视口进行判断是否要加载这张图片,普通程序员写到这就差不多完成了。而大佬程序员则是会多考虑一些细节的东西,比如性能如何更优?代码如何更精简?比如 yeyan1996 写的图片懒加载就多考虑了 2 点:比如图片全部加载完成的时候得把事件监听给移除;比如加载完一张图片的时候,得把当前 img 从 imgList 里移除,起到优化内存的作用。

除了读通代码之外,还可以打开 Chrome 的 Script snippet 去写测试用例跑跑代码,做到更好的理解以及使用。

在看了几篇以及写了很多测试用例的前提下,尝试自己手写实现,看看自己到底掌握了多少。条条大路通罗马,你还能有别的方式实现嘛?或者你能写得比别人更好嘛?

好了,还楞着干啥,开始干活。

数据类型判断

typeof 可以正确识别:Undefined、Boolean、Number、String、Symbol、Function 等类型的数据,但是对于其他的都会认为是 object,比如 Null、Date 等,所以通过 typeof 来判断数据类型会不准确。但是可以使用 Object.prototype.toString 实现。

 
 
 
 
  1. function typeOf(obj) { 
  2.     let res = Object.prototype.toString.call(obj).split(' ')[1] 
  3.     res = res.substring(0, res.length - 1).toLowerCase() 
  4.     return res 
  5. typeOf([])        // 'array' 
  6. typeOf({})        // 'object' 
  7. typeOf(new Date)  // 'date' 

继承

原型链继承

 
 
 
 
  1. function Animal() { 
  2.     this.colors = ['black', 'white'] 
  3. Animal.prototype.getColor = function() { 
  4.     return this.colors 
  5. function Dog() {} 
  6. Dog.prototype =  new Animal() 
  7.  
  8. let dog1 = new Dog() 
  9. dog1.colors.push('brown') 
  10. let dog2 = new Dog() 
  11. console.log(dog2.colors)  // ['black', 'white', 'brown'] 

原型链继承存在的问题:

  • 问题1:原型中包含的引用类型属性将被所有实例共享;
  • 问题2:子类在实例化的时候不能给父类构造函数传参;

借用构造函数实现继承

 
 
 
 
  1. function Animal(name) { 
  2.     this.name = name 
  3.     this.getName = function() { 
  4.         return this.name 
  5.     } 
  6. function Dog(name) { 
  7.     Animal.call(this, name) 
  8. Dog.prototype =  new Animal() 

借用构造函数实现继承解决了原型链继承的 2 个问题:引用类型共享问题以及传参问题。但是由于方法必须定义在构造函数中,所以会导致每次创建子类实例都会创建一遍方法。

组合继承

组合继承结合了原型链和盗用构造函数,将两者的优点集中了起来。基本的思路是使用原型链继承原型上的属性和方法,而通过盗用构造函数继承实例属性。这样既可以把方法定义在原型上以实现重用,又可以让每个实例都有自己的属性。

 
 
 
 
  1. function Animal(name) { 
  2.     this.name = name 
  3.     this.colors = ['black', 'white'] 
  4. Animal.prototype.getName = function() { 
  5.     return this.name 
  6. function Dog(name, age) { 
  7.     Animal.call(this, name) 
  8.     this.age = age 
  9. Dog.prototype =  new Animal() 
  10. Dog.prototype.constructor = Dog 
  11.  
  12. let dog1 = new Dog('奶昔', 2) 
  13. dog1.colors.push('brown') 
  14. let dog2 = new Dog('哈赤', 1) 
  15. console.log(dog2)  
  16. // { name: "哈赤", colors: ["black", "white"], age: 1 } 

寄生式组合继承

组合继承已经相对完善了,但还是存在问题,它的问题就是调用了 2 次父类构造函数,第一次是在 new Animal(),第二次是在 Animal.call() 这里。

所以解决方案就是不直接调用父类构造函数给子类原型赋值,而是通过创建空函数 F 获取父类原型的副本。

寄生式组合继承写法上和组合继承基本类似,区别是如下这里:

 
 
 
 
  1. - Dog.prototype =  new Animal() 
  2. - Dog.prototype.constructor = Dog 
  3.  
  4. + function F() {} 
  5. + F.prototype = Animal.prototype 
  6. + let f = new F() 
  7. + f.constructor = Dog 
  8. + Dog.prototype = f 

稍微封装下上面添加的代码后:

 
 
 
 
  1. function object(o) { 
  2.     function F() {} 
  3.     F.prototype = o 
  4.     return new F() 
  5. function inheritPrototype(child, parent) { 
  6.     let prototype = object(parent.prototype) 
  7.     prototype.constructor = child 
  8.     child.prototype = prototype 
  9. inheritPrototype(Dog, Animal) 

如果你嫌弃上面的代码太多了,还可以基于组合继承的代码改成最简单的寄生式组合继承:

 
 
 
 
  1. - Dog.prototype =  new Animal() 
  2. - Dog.prototype.constructor = Dog 
  3.  
  4. + Dog.prototype =  Object.create(Animal.prototype) 
  5. + Dog.prototype.constructor = Dog 

class 实现继承

 
 
 
 
  1. class Animal { 
  2.     constructor(name) { 
  3.         this.name = name 
  4.     }  
  5.     getName() { 
  6.         return this.name 
  7.     } 
  8. class Dog extends Animal { 
  9.     constructor(name, age) { 
  10.         super(name) 
  11.         this.age = age 
  12.     } 

数组去重

ES5 实现:

 
 
 
 
  1. function unique(arr) { 
  2.     var res = arr.filter(function(item, index, array) { 
  3.         return array.indexOf(item) === index 
  4.     }) 
  5.     return res 

ES6 实现:

 
 
 
 
  1. var unique = arr => [...new Set(arr)] 

数组扁平化

数组扁平化就是将 [1, [2, [3]]] 这种多层的数组拍平成一层 [1, 2, 3]。使用 Array.prototype.flat 可以直接将多层数组拍平成一层:

 
 
 
 
  1. [1, [2, [3]]].flat(2)  // [1, 2, 3] 

现在就是要实现 flat 这种效果。

ES5 实现:递归。

 
 
 
 
  1. function flatten(arr) { 
  2.     var result = []; 
  3.     for (var i = 0, len = arr.length; i < len; i++) { 
  4.         if (Array.isArray(arr[i])) { 
  5.             result = result.concat(flatten(arr[i])) 
  6.         } else { 
  7.             result.push(arr[i]) 
  8.         } 
  9.     } 
  10.     return result; 

ES6 实现:

 
 
 
 
  1. function flatten(arr) { 
  2.     while (arr.some(item => Array.isArray(item))) { 
  3.         arr = [].concat(...arr); 
  4.     } 
  5.     return arr; 

深浅拷贝

浅拷贝:只考虑对象类型。

 
 
 
 
  1. function shallowCopy(obj) { 
  2.     if (typeof obj !== 'object') return 
  3.      
  4.     let newObj = obj instanceof Array ? [] : {} 
  5.     for (let key in obj) { 
  6.         if (obj.hasOwnProperty(key)) { 
  7.             newObj[key] = obj[key] 
  8.         } 
  9.     } 
  10.     return newObj 

简单版深拷贝:只考虑普通对象属性,不考虑内置对象和函数。

 
 
 
 
  1. function deepClone(obj) { 
  2.     if (typeof obj !== 'object') return; 
  3.     var newObj = obj instanceof Array ? [] : {}; 
  4.     for (var key in obj) { 
  5.         if (obj.hasOwnProperty(key)) { 
  6.             newObj[key] = typeof obj[key] === 'object' ? deepClone(obj[key]) : obj[key]; 
  7.         } 
  8.     } 
  9.     return newObj; 

复杂版深克隆:基于简单版的基础上,还考虑了内置对象比如 Date、RegExp 等对象和函数以及解决了循环引用的问题。

 
 
 
 
  1. const isObject = (target) => (typeof target === "object" || typeof target === "function") && target !== null; 
  2.  
  3. function deepClone(target, map = new WeakMap()) { 
  4.     if (map.get(target)) { 
  5.         return target; 
  6.     } 
  7.     // 获取当前值的构造函数:获取它的类型 
  8.     let constructor = target.constructor; 
  9.     // 检测当前对象target是否与正则、日期格式对象匹配 
  10.     if (/^(RegExp|Date)$/i.test(constructor.name)) { 
  11.         // 创建一个新的特殊对象(正则类/日期类)的实例 
  12.         return new constructor(target);   
  13.     } 
  14.     if (isObject(target)) { 
  15.         map.set(target, true);  // 为循环引用的对象做标记 
  16.         const cloneTarget = Array.isArray(target) ? [] : {}; 
  17.         for (let prop in target) { 
  18.             if (target.hasOwnProperty(prop)) { 
  19.                 cloneTarget[prop] = deepClone(target[prop], map); 
  20.             } 
  21.         } 
  22.         return cloneTarget; 
  23.     } else { 
  24.         return target; 
  25.     } 

事件总线(发布订阅模式)

 
 
 
 
  1. class EventEmitter { 
  2.     constructor() { 
  3.         this.cache = {} 
  4.     } 
  5.     on(name, fn) { 
  6.         if (this.cache[name]) { 
  7.             this.cache[name].push(fn) 
  8.         } else { 
  9.             this.cache[name] = [fn] 
  10.         } 
  11.     } 
  12.     off(name, fn) { 
  13.         let tasks = this.cache[name] 
  14.         if (tasks) { 
  15.             const index = tasks.findIndex(f => f === fn || f.callback === fn) 
  16.             if (index >= 0) { 
  17.                 tasks.splice(index, 1) 
  18.             } 
  19.         } 
  20.     } 
  21.     emit(name, once = false, ...args) { 
  22.         if (this.cache[name]) { 
  23.             // 创建副本,如果回调函数内继续注册相同事件,会造成死循环 
  24.             let tasks = this.cache[name].slice() 
  25.             for (let fn of tasks) { 
  26.                 fn(...args) 
  27.             } 
  28.             if (once) { 
  29.                 delete this.cache[name] 
  30.             } 
  31.         } 
  32.     } 
  33.  
  34. // 测试 
  35. let eventBus = new EventEmitter() 
  36. let fn1 = function(name, age) { 
  37.     console.log(`${name} ${age}`) 
  38. let fn2 = function(name, age) { 
  39.     console.log(`hello, ${name} ${age}`) 
  40. eventBus.on('aaa', fn1) 
  41. eventBus.on('aaa', fn2) 
  42. eventBus.emit('aaa', false, '布兰', 12) 
  43. // '布兰 12' 
  44. // 'hello, 布兰 12' 

解析 URL 参数为对象

 
 
 
 
  1. function parseParam(url) { 
  2.     const paramsStr = /.+\?(.+)$/.exec(url)[1]; // 将 ? 后面的字符串取出来 
  3.     const paramsArr = paramsStr.split('&'); // 将字符串以 & 分割后存到数组中 
  4.     let paramsObj = {}; 
  5.     // 将 params 存到对象中 
  6.     paramsArr.forEach(param => { 
  7.         if (/=/.test(param)) { // 处理有 value 的参数 
  8.             let [key, val] = param.split('='); // 分割 key 和 value 
  9.             val = decodeURIComponent(val); // 解码 
  10.             val = /^\d+$/.test(val) ? parseFloat(val) : val; // 判断是否转为数字 
  11.      
  12.             if (paramsObj.hasOwnProperty(key)) { // 如果对象有 key,则添加一个值 
  13.                 paramsObj[key] = [].concat(paramsObj[key], val); 
  14.             } else { // 如果对象没有这个 key,创建 key 并设置值 
  15.                 paramsObj[key] = val; 
  16.             } 
  17.         } else { // 处理没有 value 的参数 
  18.             paramsObj[param] = true; 
  19.         } 
  20.     }) 
  21.      
  22.     return paramsObj; 

字符串模板

 
 
 
 
  1. function render(template, data) { 
  2.     const reg = /\{\{(\w+)\}\}/; // 模板字符串正则 
  3.     if (reg.test(template)) { // 判断模板里是否有模板字符串 
  4.         const name = reg.exec(template)[1]; // 查找当前模板里第一个模板字符串的字段 
  5.         template = template.replace(reg, data[name]); // 将第一个模板字符串渲染 
  6.         return render(template, data); // 递归的渲染并返回渲染后的结构 
  7.     } 
  8.     return template; // 如果模板没有模板字符串直接返回 

测试:

 
 
 
 
  1. let template = '我是{{name}},年龄{{age}},性别{{sex}}'; 
  2. let person = { 
  3.     name: '布兰', 
  4.     age: 12 
  5. render(template, person); // 我是布兰,年龄12,性别undefined 

图片懒加载

与普通的图片懒加载不同,如下这个多做了 2 个精心处理:

  • 图片全部加载完成后移除事件监听;
  • 加载完的图片,从 imgList 移除;
 
 
 
 
  1. let imgList = [...document.querySelectorAll('img')] 
  2. let length = imgList.length 
  3.  
  4. const imgLazyLoad = function() { 
  5.     let count = 0 
  6.     return function() { 
  7.         let deleteIndexList = [] 
  8.         imgList.forEach((img, index) => { 
  9.             let rect = img.getBoundingClientRect() 
  10.             if (rect.top < window.innerHeight) { 
  11.                 img.src = img.dataset.src 
  12.                 deleteIndexList.push(index) 
  13.                 count++ 
  14.                 if (count === length) { 
  15.                     document.removeEventListener('scroll', imgLazyLoad) 
  16.                 } 
  17.             } 
  18.         }) 
  19.         imgList = imgList.filter((img, index) => !deleteIndexList.includes(index)) 
  20.     } 
  21.  
  22. // 这里最好加上防抖处理 
  23. document.addEventListener('scroll', imgLazyLoad) 

函数防抖

触发高频事件 N 秒后只会执行一次,如果 N 秒内事件再次触发,则会重新计时。

简单版:函数内部支持使用 this 和 event 对象;

 
 
 
 
  1. function debounce(func, wait) { 
  2.     var timeout; 
  3.     return function () { 
  4.         var context = this; 
  5.         var args = arguments; 
  6.         clearTimeout(timeout) 
  7.         timeout = setTimeout(function(){ 
  8.             func.apply(context, args) 
  9.         }, wait); 
  10.     } 

 使用:

 
 
 
 
  1. var node = document.getElementById('layout') 
  2. function getUserAction(e) { 
  3.     console.log(this, e)  // 分别打印:node 这个节点 和 MouseEvent 
  4.     node.innerHTML = count++; 
  5. }; 
  6. node.onmousemove = debounce(getUserAction, 1000) 

最终版:除了支持 this 和 event 外,还支持以下功能:

  • 支持立即执行;
  • 函数可能有返回值;
  • 支持取消功能;
 
 
 
 
  1. function debounce(func, wait, immediate) { 
  2.     var timeout, result; 
  3.      
  4.     var debounced = function () { 
  5.         var context = this; 
  6.         var args = arguments; 
  7.          
  8.         if (timeout) clearTimeout(timeout); 
  9.         if (immediate) { 
  10.             // 如果已经执行过,不再执行 
  11.             var callNow = !timeout; 
  12.             timeout = setTimeout(function(){ 
  13.                 timeout = null; 
  14.             }, wait) 
  15.             if (callNow) result = func.apply(context, args) 
  16.         } else { 
  17.             timeout = setTimeout(function(){ 
  18.                 func.apply(context, args) 
  19.             }, wait); 
  20.         } 
  21.         return result; 
  22.     }; 
  23.  
  24.     debounced.cancel = function() { 
  25.         clearTimeout(timeout); 
  26.         timeout = null; 
  27.     }; 
  28.  
  29.     return debounced; 

使用:

 
 
 
 
  1. var setUseAction = debounce(getUserAction, 10000, true); 
  2. // 使用防抖 
  3. node.onmousemove = setUseAction 
  4.  
  5. // 取消防抖 
  6. setUseAction.cancel() 

参考:JavaScript专题之跟着underscore学防抖

函数节流

触发高频事件,且 N 秒内只执行一次。

简单版:使用时间戳来实现,立即执行一次,然后每 N 秒执行一次。

 
 
 
 
  1. function throttle(func, wait) { 
  2.     var context, args; 
  3.     var previous = 0; 
  4.  
  5.     return function() { 
  6.         var now = +new Date(); 
  7.         context = this; 
  8.         args = arguments; 
  9.         if (now - previous > wait) { 
  10.             func.apply(context, args); 
  11.             previous = now; 
  12.         } 
  13.     } 

最终版:支持取消节流;另外通过传入第三个参数,options.leading 来表示是否可以立即执行一次,opitons.trailing 表示结束调用的时候是否还要执行一次,默认都是 true。注意设置的时候不能同时将 leading 或 trailing 设置为 false。

 
 
 
 
  1. function throttle(func, wait, options) { 
  2.     var timeout, context, args, result; 
  3.     var previous = 0; 
  4.     if (!options) options = {}; 
  5.  
  6.     var later = function() { 
  7.         previous = options.leading === false ? 0 : new Date().getTime(); 
  8.         timeout = null; 
  9.         func.apply(context, args); 
  10.         if (!timeout) context = args = null; 
  11.     }; 
  12.  
  13.     var throttled = function() { 
  14.         var now = new Date().getTime(); 
  15.         if (!previous && options.leading === false) previous = now; 
  16.         var remaining = wait - (now - previous); 
  17.         context = this; 
  18.         args = arguments; 
  19.         if (remaining <= 0 || remaining > wait) { 
  20.             if (timeout) { 
  21.                 clearTimeout(timeout); 
  22.                 timeout = null; 
  23.             } 
  24.             previous = now; 
  25.             func.apply(context, args); 
  26.             if (!timeout) context = args = null; 
  27.         } else if (!timeout && options.trailing !== false) { 
  28.             timeout = setTimeout(later, remaining); 
  29.         } 
  30.     }; 
  31.      
  32.     throttled.cancel = function() { 
  33.         clearTimeout(timeout); 
  34.         previous = 0; 
  35.         timeout = null; 
  36.     } 
  37.     return throttled; 

节流的使用就不拿代码举例了,参考防抖的写就行。

函数柯里化

什么叫函数柯里化?其实就是将使用多个参数的函数转换成一系列使用一个参数的函数的技术。还不懂?来举个例子。

 
 
 
 
  1. function add(a, b, c) { 
  2.     return a + b + c 
  3. add(1, 2, 3) 
  4. let addCurry = curry(add) 
  5. addCurry(1)(2)(3) 

现在就是要实现 curry 这个函数,使函数从一次调用传入多个参数变成多次调用每次传一个参数。

 
 
 
 
  1. function curry(fn) { 
  2.     let judge = (...args) => { 
  3.         if (args.length == fn.length) return fn(...args) 
  4.         return (...arg) => judge(...args, ...arg) 
  5.     } 
  6.     return judge 

偏函数

什么是偏函数?偏函数就是将一个 n 参的函数转换成固定 x 参的函数,剩余参数(n - x)将在下次调用全部传入。举个例子:

 
 
 
 
  1. function add(a, b, c) { 
  2.     return a + b + c 
  3. let partialAdd = partial(add, 1) 
  4. partialAdd(2, 3) 

发现没有,其实偏函数和函数柯里化有点像,所以根据函数柯里化的实现,能够能很快写出偏函数的实现:

 
 
 
 
  1. function partial(fn, ...args) { 
  2.     return (...arg) => { 
  3.         return fn(...args, ...arg) 
  4.     } 

如上这个功能比较简单,现在我们希望偏函数能和柯里化一样能实现占位功能,比如:

 
 
 
 
  1. function clg(a, b, c) { 
  2.     console.log(a, b, c) 
  3. let partialClg = partial(clg, '_', 2) 
  4. partialClg(1, 3)  // 依次打印:1, 2, 3 

_ 占的位其实就是 1 的位置。相当于:partial(clg, 1, 2),然后 partialClg(3)。明白了原理,我们就来写实现:

 
 
 
 
  1. function partial(fn, ...args) { 
  2.     return (...arg) => { 
  3.         args[index] =  
  4.         return fn(...args, ...arg) 
  5.     } 

JSONP

JSONP 核心原理:script 标签不受同源策略约束,所以可以用来进行跨域请求,优点是兼容性好,但是只能用于 GET 请求;

 
 
 
 
  1. const jsonp = ({ url, params, callbackName }) => { 
  2.     const generateUrl = () => { 
  3.         let dataSrc = '' 
  4.         for (let key in params) { 
  5.             if (params.hasOwnProperty(key)) { 
  6.                 dataSrc += `${key}=${params[key]}&` 
  7.             } 
  8.         } 
  9.         dataSrc += `callback=${callbackName}` 
  10.         return `${url}?${dataSrc}` 
  11.     } 
  12.     return new Promise((resolve, reject) => { 
  13.         const scriptEle = document.createElement('script') 
  14.         scriptEle.src = generateUrl() 
  15.         document.body.appendChild(scriptEle) 
  16.         window[callbackName] = data => { 
  17.             resolve(data) 
  18.             document.removeChild(scriptEle) 
  19.         } 
  20.     }) 

AJAX

 
 
 
 
  1. const getJSON = function(url) { 
  2.     return new Promise((resolve, reject) => { 
  3.         const xhr = XMLHttpRequest ? new XMLHttpRequest() : new ActiveXObject('Mscrosoft.XMLHttp'); 
  4.         xhr.open('GET', url, false); 
  5.         xhr.setRequestHeader('Accept', 'application/json'); 
  6.         xhr.onreadystatechange = function() { 
  7.             if (xhr.readyState !== 4) return; 
  8.             if (xhr.status === 200 || xhr.status === 304) { 
  9.                 resolve(xhr.responseText); 
  10.             } else { 
  11.                 reject(new Error(xhr.responseText)); 
  12.             } 
  13.         } 
  14.         xhr.send(); 
  15.     }) 

实现数组原型方法

forEach

 
 
 
 
  1. Array.prototype.forEach2 = function(callback, thisArg) { 
  2.     if (this == null) { 
  3.         throw new TypeError('this is null or not defined') 
  4.     } 
  5.     if (typeof callback !== "function") { 
  6.         throw new TypeError(callback + ' is not a function') 
  7.     } 
  8.     const O = Object(this)  // this 就是当前的数组 
  9.     const len = O.length >>> 0  // 后面有解释 
  10.     let k = 0 
  11.     while (k < len) { 
  12.         if (k in O) { 
  13.             callback.call(thisArg, O[k], k, O); 
  14.         } 
  15.         k++; 
  16.     } 

O.length >>> 0 是什么操作?就是无符号右移 0 位,那有什么意义嘛?就是为了保证转换后的值为正整数。其实底层做了 2 层转换,第一是非 number 转成 number 类型,第二是将 number 转成 Uint32 类型。感兴趣可以阅读 something >>> 0是什么意思?[3]

map

基于 forEach 的实现能够很容易写出 map 的实现:

 
 
 
 
  1. - Array.prototype.forEach2 = function(callback,
    网页名称:死磕36个JS手写题,搞懂后提升真的大
    网站地址:http://www.jxjierui.cn/article/cdjcjog.html