美文网首页
js小算法

js小算法

作者: 泪滴在琴上 | 来源:发表于2020-10-09 09:03 被阅读0次

    1、数组扁平化

    数组扁平化是指将一个多维数组变为一个一维数组

    const arr = [1, [2, [3, [4, 5]]], 6];
    // => [1, 2, 3, 4, 5, 6]
    

    方法1:使用flat()

    const res1 = arr.flat(Infinity);
    

    方法2:利用正则,但数据类型都会变为字符串

    const res2 = JSON.stringify(arr).replace(/\[|\]/g, '').split(',');
    

    方法3:正则改良版本

    const res3 = JSON.parse('[' + JSON.stringify(arr).replace(/\[|\]/g, '') + ']');
    

    方法4:使用reduce

    const flatten = arr => {
      return arr.reduce((pre, cur) => {
        return pre.concat(Array.isArray(cur) ? flatten(cur) : cur);
      }, [])
    }
    const res4 = flatten(arr);
    

    方法5:函数递归

    const res5 = [];
    const fn = arr => {
      for (let i = 0; i < arr.length; i++) {
        if (Array.isArray(arr[i])) {
          fn(arr[i]);
        } else {
          res5.push(arr[i]);
        }
      }
    }
    fn(arr);
    

    2、数组去重

    const arr = [1, 1, '1', 17, true, true, false, false, 'true', 'a', {}, {}];
    // => [1, '1', 17, true, false, 'true', 'a', {}, {}]
    

    方法1:利用Set

    const res1 = Array.from(new Set(arr));
    

    方法2:两层for循环+splice

    const unique1 = arr => {
      let len = arr.length;
      for (let i = 0; i < len; i++) {
        for (let j = i + 1; j < len; j++) {
          if (arr[i] === arr[j]) {
            arr.splice(j, 1);
            // 每删除一个树,j--保证j的值经过自加后不变。同时,len--,减少循环次数提升性能
            len--;
            j--;
          }
        }
      }
      return arr;
    }
    

    方法3:利用indexOf,当然也可以用include、filter,思路大同小异。

    const unique2 = arr => {
      const res = [];
      for (let i = 0; i < arr.length; i++) {
        if (res.indexOf(arr[i]) === -1) res.push(arr[i]);
      }
      return res;
    }
    

    方法4:利用include

    const unique3 = arr => {
      const res = [];
      for (let i = 0; i < arr.length; i++) {
        if (!res.includes(arr[i])) res.push(arr[i]);
      }
      return res;
    }
    

    方法5:利用filter

    const unique4 = arr => {
      return arr.filter((item, index) => {
        return arr.indexOf(item) === index;
      });
    }
    

    方法6:利用Map

    const unique5 = arr => {
      const map = new Map();
      const res = [];
      for (let i = 0; i < arr.length; i++) {
        if (!map.has(arr[i])) {
          map.set(arr[i], true)
          res.push(arr[i]);
        }
      }
      return res;
    }
    

    3、类数组转化为数组

    类数组是具有length属性,但不具有数组原型上的方法。常见的类数组有arguments、DOM操作方法返回的结果。
    方法一:Array.from

    Array.from(document.querySelectorAll('div'))
    

    复制代码
    方法二:Array.prototype.slice.call()

    Array.prototype.slice.call(document.querySelectorAll('div'))
    

    方法三:扩展运算符

    [...document.querySelectorAll('div')]
    

    方法四:利用concat

    Array.prototype.concat.apply([], document.querySelectorAll('div'));
    

    4、Array.prototype.filter()

    微信截图_20201008202558.png
    Array.prototype.filter = function(callback, thisArg) {
      if (this == undefined) {
        throw new TypeError('this is null or not undefined');
      }
      if (typeof callback !== 'function') {
        throw new TypeError(callback + 'is not a function');
      }
      const res = [];
      // 让O成为回调函数的对象传递(强制转换对象)
      const O = Object(this);
      // >>>0 保证len为number,且为正整数
      const len = O.length >>> 0;
      for (let i = 0; i < len; i++) {
        // 检查i是否在O的属性(会检查原型链)
        if (i in O) {
          // 回调函数调用传参
          if (callback.call(thisArg, O[i], i, O)) {
            res.push(O[i]);
          }
        }
      }
      return res;
    }
    

    5、Array.prototype.map()

    微信截图_20201008205044.png
    Array.prototype.map = function(callback, thisArg) {
      if (this == undefined) {
        throw new TypeError('this is null or not defined');
      }
      if (typeof callback !== 'function') {
        throw new TypeError(callback + ' is not a function');
      }
      const res = [];
      // 同理
      const O = Object(this);
      const len = O.length >>> 0;
      for (let i = 0; i < len; i++) {
        if (i in O) {
          // 调用回调函数并传入新数组
          res[i] = callback.call(thisArg, O[i], i, this);
        }
      }
      return res;
    }
    

    6、Array.prototype.forEach()

    微信截图_20201008205417.png
    // forEach跟map类似,唯一不同的是forEach是没有返回值的。
    Array.prototype.forEach = function(callback, thisArg) {
      if (this == null) {
        throw new TypeError('this is null or not defined');
      }
      if (typeof callback !== "function") {
        throw new TypeError(callback + ' is not a function');
      }
      const O = Object(this);
      const len = O.length >>> 0;
      let k = 0;
      while (k < len) {
        if (k in O) {
          callback.call(thisArg, O[k], k, O);
        }
        k++;
      }
    }
    

    7、Array.prototype.reduce()

    微信截图_20201008205544.png
    Array.prototype.reduce = function(callback, initialValue) {
      if (this == undefined) {
        throw new TypeError('this is null or not defined');
      }
      if (typeof callback !== 'function') {
        throw new TypeError(callbackfn + ' is not a function');
      }
      const O = Object(this);
      const len = this.length >>> 0;
      let accumulator = initialValue;
      let k = 0;
      // 如果第二个参数为undefined的情况下
      // 则数组的第一个有效值作为累加器的初始值
      if (accumulator === undefined) {
        while (k < len && !(k in O)) {
          k++;
        }
        // 如果超出数组界限还没有找到累加器的初始值,则TypeError
        if (k >= len) {
          throw new TypeError('Reduce of empty array with no initial value');
        }
        accumulator = O[k++];
      }
      while (k < len) {
        if (k in O) {
          accumulator = callback.call(undefined, accumulator, O[k], k, O);
        }
        k++;
      }
      return accumulator;
    }
    

    8、Function.prototype.apply()

    第一个参数是绑定的this,默认为window,第二个参数是数组或类数组

    第一个参数是绑定的this,默认为window,第二个参数是数组或类数组
    Function.prototype.apply = function(context = window, args) {
      if (typeof this !== 'function') {
        throw new TypeError('Type Error');
      }
      const fn = Symbol('fn');
      context[fn] = this;
    
      const res = context[fn](...args);
      delete context[fn];
      return res;
    }
    

    9、Function.prototype.call

    与apply唯一不同的是,call()方法接受的是一个参数列表

    Function.prototype.call = function(context = window, ...args) {
      if (typeof this !== 'function') {
        throw new TypeError('Type Error');
      }
      const fn = Symbol('fn');
      context[fn] = this;
    
      const res = context[fn](...args);
      delete context[fn];
      return res;
    }
    

    10、Function.prototype.bind

    Function.prototype.bind = function(context, ...args) {
      if (typeof this !== 'function') {
        throw new Error("Type Error");
      }
      // 保存this的值
      var self = this;
    
      return function F() {
        // 考虑new的情况
        if(this instanceof F) {
          return new self(...args, ...arguments)
        }
        return self.apply(context, [...args, ...arguments])
      }
    }
    

    11、debounce(防抖)

    触发高频时间后n秒内函数只会执行一次,如果n秒内高频时间再次触发,则重新计算时间。

    const debounce = (fn, time) => {
      let timeout = null;
      return function() {
        clearTimeout(timeout)
        timeout = setTimeout(() => {
          fn.apply(this, arguments);
        }, time);
      }
    };
    

    12、throttle(节流)

    高频时间触发,但n秒内只会执行一次,所以节流会稀释函数的执行频率。

    const throttle = (fn, time) => {
      let flag = true;
      return function() {
        if (!flag) return;
        flag = false;
        setTimeout(() => {
          fn.apply(this, arguments);
          flag = true;
        }, time);
      }
    }
    

    13、函数珂里化

    指的是将一个接受多个参数的函数 变为 接受一个参数返回一个函数的固定形式,这样便于再次调用,例如f(1)(2)
    经典面试题:实现add(1)(2)(3)(4)=10; 、 add(1)(1,2,3)(2)=9;

    function add() {
      const _args = [...arguments];
      function fn() {
        _args.push(...arguments);
        return fn;
      }
      fn.toString = function() {
        return _args.reduce((sum, cur) => sum + cur);
      }
      return fn;
    }
    

    14、instanceof

    instanceof运算符用于检测构造函数的prototype属性是否出现在某个实例对象的原型链上。

    const myInstanceof = (left, right) => {
      // 基本数据类型都返回false
      if (typeof left !== 'object' || left === null) return false;
      let proto = Object.getPrototypeOf(left);
      while (true) {
        if (proto === null) return false;
        if (proto === right.prototype) return true;
        proto = Object.getPrototypeOf(proto);
      }
    }
    

    15、原型继承

    这里只写寄生组合继承了,中间还有几个演变过来的继承但都有一些缺陷

    function Parent() {
      this.name = 'parent';
    }
    function Child() {
      Parent.call(this);
      this.type = 'children';
    }
    Child.prototype = Object.create(Parent.prototype);
    Child.prototype.constructor = Child;
    

    16、Object.assign

    Object.assign()方法用于将所有可枚举属性的值从一个或多个源对象复制到目标对象。它将返回目标对象(请注意这个操作是浅拷贝)

    Object.defineProperty(Object, 'assign', {
      value: function(target, ...args) {
        if (target == null) {
          return new TypeError('Cannot convert undefined or null to object');
        }
        
        // 目标对象需要统一是引用数据类型,若不是会自动转换
        const to = Object(target);
    
        for (let i = 0; i < args.length; i++) {
          // 每一个源对象
          const nextSource = args[i];
          if (nextSource !== null) {
            // 使用for...in和hasOwnProperty双重判断,确保只拿到本身的属性、方法(不包含继承的)
            for (const nextKey in nextSource) {
              if (Object.prototype.hasOwnProperty.call(nextSource, nextKey)) {
                to[nextKey] = nextSource[nextKey];
              }
            }
          }
        }
        return to;
      },
      // 不可枚举
      enumerable: false,
      writable: true,
      configurable: true,
    })
    

    16、深拷贝

    const cloneDeep1 = (target, hash = new WeakMap()) => {
      // 对于传入参数处理
      if (typeof target !== 'object' || target === null) {
        return target;
      }
      // 哈希表中存在直接返回
      if (hash.has(target)) return hash.get(target);
    
      const cloneTarget = Array.isArray(target) ? [] : {};
      hash.set(target, cloneTarget);
    
      // 针对Symbol属性
      const symKeys = Object.getOwnPropertySymbols(target);
      if (symKeys.length) {
        symKeys.forEach(symKey => {
          if (typeof target[symKey] === 'object' && target[symKey] !== null) {
            cloneTarget[symKey] = cloneDeep1(target[symKey]);
          } else {
            cloneTarget[symKey] = target[symKey];
          }
        })
      }
    
      for (const i in target) {
        if (Object.prototype.hasOwnProperty.call(target, i)) {
          cloneTarget[i] =
            typeof target[i] === 'object' && target[i] !== null
            ? cloneDeep1(target[i], hash)
            : target[i];
        }
      }
      return cloneTarget;
    }
    

    17、Promise

    源码实现

    const PENDING = 'PENDING';      // 进行中
    const FULFILLED = 'FULFILLED';  // 已成功
    const REJECTED = 'REJECTED';    // 已失败
    
    class Promise {
      constructor(exector) {
        // 初始化状态
        this.status = PENDING;
        // 将成功、失败结果放在this上,便于then、catch访问
        this.value = undefined;
        this.reason = undefined;
        // 成功态回调函数队列
        this.onFulfilledCallbacks = [];
        // 失败态回调函数队列
        this.onRejectedCallbacks = [];
    
        const resolve = value => {
          // 只有进行中状态才能更改状态
          if (this.status === PENDING) {
            this.status = FULFILLED;
            this.value = value;
            // 成功态函数依次执行
            this.onFulfilledCallbacks.forEach(fn => fn(this.value));
          }
        }
        const reject = reason => {
          // 只有进行中状态才能更改状态
          if (this.status === PENDING) {
            this.status = REJECTED;
            this.reason = reason;
            // 失败态函数依次执行
            this.onRejectedCallbacks.forEach(fn => fn(this.reason))
          }
        }
        try {
          // 立即执行executor
          // 把内部的resolve和reject传入executor,用户可调用resolve和reject
          exector(resolve, reject);
        } catch(e) {
          // executor执行出错,将错误内容reject抛出去
          reject(e);
        }
      }
      then(onFulfilled, onRejected) {
        onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : value => value;
        onRejected = typeof onRejected === 'function'? onRejected:
          reason => { throw new Error(reason instanceof Error ? reason.message:reason) }
        // 保存this
        const self = this;
        return new Promise((resolve, reject) => {
          if (self.status === PENDING) {
            self.onFulfilledCallbacks.push(() => {
              // try捕获错误
              try {
                // 模拟微任务
                setTimeout(() => {
                  const result = onFulfilled(self.value);
                  // 分两种情况:
                  // 1. 回调函数返回值是Promise,执行then操作
                  // 2. 如果不是Promise,调用新Promise的resolve函数
                  result instanceof Promise ? result.then(resolve, reject) : resolve(result);
                })
              } catch(e) {
                reject(e);
              }
            });
            self.onRejectedCallbacks.push(() => {
              // 以下同理
              try {
                setTimeout(() => {
                  const result = onRejected(self.reason);
                  // 不同点:此时是reject
                  result instanceof Promise ? result.then(resolve, reject) : reject(result);
                })
              } catch(e) {
                reject(e);
              }
            })
          } else if (self.status === FULFILLED) {
            try {
              setTimeout(() => {
                const result = onFulfilled(self.value);
                result instanceof Promise ? result.then(resolve, reject) : resolve(result);
              });
            } catch(e) {
              reject(e);
            }
          } else if (self.status === REJECTED){
            try {
              setTimeout(() => {
                const result = onRejected(self.reason);
                result instanceof Promise ? result.then(resolve, reject) : reject(result);
              })
            } catch(e) {
              reject(e);
            }
          }
        });
      }
      catch(onRejected) {
        return this.then(null, onRejected);
      }
      static resolve(value) {
        if (value instanceof Promise) {
          // 如果是Promise实例,直接返回
          return value;
        } else {
          // 如果不是Promise实例,返回一个新的Promise对象,状态为FULFILLED
          return new Promise((resolve, reject) => resolve(value));
        }
      }
      static reject(reason) {
        return new Promise((resolve, reject) => {
          reject(reason);
        })
      }
    }
    

    18、Promise.all

    Promise.all是支持链式调用的,本质上就是返回了一个Promise实例,通过resolve和reject来改变实例状态。

    Promise.myAll = function(promiseArr) {
      return new Promise((resolve, reject) => {
        const ans = [];
        let index = 0;
        for (let i = 0; i < promiseArr.length; i++) {
          promiseArr[i]
          .then(res => {
            ans[i] = res;
            index++;
            if (index === promiseArr.length) {
              resolve(ans);
            }
          })
          .catch(err => reject(err));
        }
      })
    }
    
    

    19、Promise.race

    Promise.race = function(promiseArr) {
      return new Promise((resolve, reject) => {
        promiseArr.forEach(p => {
          // 如果不是Promise实例需要转化为Promise实例
          Promise.resolve(p).then(
            val => resolve(val),
            err => reject(err),
          )
        })
      })
    }
    
    

    20、Promise并行限制

    就是实现有并行限制的Promise调度器问题。

    class Scheduler {
      constructor() {
        this.queue = [];
        this.maxCount = 2;
        this.runCounts = 0;
      }
      add(promiseCreator) {
        this.queue.push(promiseCreator);
      }
      taskStart() {
        for (let i = 0; i < this.maxCount; i++) {
          this.request();
        }
      }
      request() {
        if (!this.queue || !this.queue.length || this.runCounts >= this.maxCount) {
          return;
        }
        this.runCounts++;
    
        this.queue.shift()().then(() => {
          this.runCounts--;
          this.request();
        });
      }
    }
       
    const timeout = time => new Promise(resolve => {
      setTimeout(resolve, time);
    })
      
    const scheduler = new Scheduler();
      
    const addTask = (time,order) => {
      scheduler.add(() => timeout(time).then(()=>console.log(order)))
    }
      
      
    addTask(1000, '1');
    addTask(500, '2');
    addTask(300, '3');
    addTask(400, '4');
    scheduler.taskStart()
    // 2
    // 3
    // 1
    // 4
    
    

    21、JSONP

    script标签不遵循同源协议,可以用来进行跨域请求,优点就是兼容性好但仅限于GET请求

    const jsonp = ({ url, params, callbackName }) => {
      const generateUrl = () => {
        let dataSrc = '';
        for (let key in params) {
          if (Object.prototype.hasOwnProperty.call(params, key)) {
            dataSrc += `${key}=${params[key]}&`;
          }
        }
        dataSrc += `callback=${callbackName}`;
        return `${url}?${dataSrc}`;
      }
      return new Promise((resolve, reject) => {
        const scriptEle = document.createElement('script');
        scriptEle.src = generateUrl();
        document.body.appendChild(scriptEle);
        window[callbackName] = data => {
          resolve(data);
          document.removeChild(scriptEle);
        }
      })
    }
    
    

    22、AJAX

    const getJSON = function(url) {
      return new Promise((resolve, reject) => {
        const xhr = XMLHttpRequest ? new XMLHttpRequest() : new ActiveXObject('Mscrosoft.XMLHttp');
        xhr.open('GET', url, false);
        xhr.setRequestHeader('Accept', 'application/json');
        xhr.onreadystatechange = function() {
          if (xhr.readyState !== 4) return;
          if (xhr.status === 200 || xhr.status === 304) {
            resolve(xhr.responseText);
          } else {
            reject(new Error(xhr.responseText));
          }
        }
        xhr.send();
      })
    }
    
    

    23、图片懒加载

    可以给img标签统一自定义属性data-src='default.png',当检测到图片出现在窗口之后再补充src属性,此时才会进行图片资源加载。

    function lazyload() {
      const imgs = document.getElementsByTagName('img');
      const len = imgs.length;
      // 视口的高度
      const viewHeight = document.documentElement.clientHeight;
      // 滚动条高度
      const scrollHeight = document.documentElement.scrollTop || document.body.scrollTop;
      for (let i = 0; i < len; i++) {
        const offsetHeight = imgs[i].offsetTop;
        if (offsetHeight < viewHeight + scrollHeight) {
          const src = imgs[i].dataset.src;
          imgs[i].src = src;
        }
      }
    }
    
    // 可以使用节流优化一下
    window.addEventListener('scroll', lazyload);
    
    

    24、滚动加载

    原理就是监听页面滚动事件,分析clientHeight、scrollTop、scrollHeight三者的属性关系。

    window.addEventListener('scroll', function() {
      const clientHeight = document.documentElement.clientHeight;
      const scrollTop = document.documentElement.scrollTop;
      const scrollHeight = document.documentElement.scrollHeight;
      if (clientHeight + scrollTop >= scrollHeight) {
        // 检测到滚动至页面底部,进行后续操作
        // ...
      }
    }, false);
    
    

    25、渲染几万条数据不卡住页面

    渲染大数据时,合理使用createDocumentFragment和requestAnimationFrame,将操作切分为一小段一小段执行。

    setTimeout(() => {
      // 插入十万条数据
      const total = 100000;
      // 一次插入的数据
      const once = 20;
      // 插入数据需要的次数
      const loopCount = Math.ceil(total / once);
      let countOfRender = 0;
      const ul = document.querySelector('ul');
      // 添加数据的方法
      function add() {
        const fragment = document.createDocumentFragment();
        for(let i = 0; i < once; i++) {
          const li = document.createElement('li');
          li.innerText = Math.floor(Math.random() * total);
          fragment.appendChild(li);
        }
        ul.appendChild(fragment);
        countOfRender += 1;
        loop();
      }
      function loop() {
        if(countOfRender < loopCount) {
          window.requestAnimationFrame(add);
        }
      }
      loop();
    }, 0)
    
    

    26、打印出当前网页使用了多少种HTML元素

    const fn = () => {
      return [...new Set([...document.querySelectorAll('*')].map(el => el.tagName))].length;
    }
    
    

    作者:洛霞
    链接:https://juejin.im/post/6875152247714480136
    来源:掘金
    著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

    相关文章

      网友评论

          本文标题:js小算法

          本文链接:https://www.haomeiwen.com/subject/ryihpktx.html