前端面试手写题

JavaScript原理

实现 bind() ★★

Function.prototype.bindNew = function (context, ...args) {
  return (...newArgs) => this.apply(context, [...args, ...newArgs]);
};
// test
const test = {
  name: "fy",
  showName: function (last) {
    console.log(this.name + " is " + last);
  },
};
test.showName("handsome"); // fy is handsome
test.showName.bind({ name: "Ms.yun" })("beauty") //Ms.yun is beauty
test.showName.bindNew({ name: "Mr.wei" })("dirty") //Mr.wei is dirty

实现 apply() ★★

Function.prototype.newApply = function (context, args) {
  context.fn = this;
  let result = args ? context.fn(...args) : context.fn();
  delete context.fn;
  return result
}
// test
const obj = {
  name: 'William'
}
function test(arg1, arg2, arg3) {
  console.log(this.name)   // William
  console.log(arg1, arg2, arg3);  // 9 6 5
}
test.newApply(obj, [9,6,5]);

实现 call() ★★

Function.prototype.newCall = function (context, ...args) {
  context.fn = this;
  let result = args ? context.fn(...args) : context.fn();
  delete context.fn;
  return result;
}
// test
let obj = {
  name: 'Mary'
}
function test(arg1, arg2, arg3) {
  console.log(this.name)   // Mary
  console.log(arg1, arg2, arg3);  // 9 6 5
}
test.newCall(obj, 9,6,5);

实现 instanceof ★

function myInstanceOf(left, right) {
  let prototype = right.prototype;
  left = left.__proto__;
  while(true) {
    if (!left) { return false }
    else if (left == prototype) { return true }
    else { left = left.__proto__ }
  }
}
console.log(myInstanceOf([], Array));  // true

实现 new ★

function myNew (fun, ...args) {
  let obj = {};
  obj.__proto__ = fun.prototype;
  let res = fun.apply(obj, args);
  return res instanceof Object ? res : obj;
}
function Animal(name) {
  this.name = name;
}
let animal = myNew(Animal, 'dog');
console.log(animal.name)  // dog

实现 jsonp ★★★

var newscript = document.createElement('script');
newscript.src = 'https://www.adb.com?callback=fn'
document.body.appendChild(newscript);
function fn(data) {
  console.log(data);
}

实现 Promise ★★★

const PENDING = Symbol();
const REJECTED = Symbol();
const FULLFILLED = Symbol();
const MyPromise = function(fn) {
  this.state = PENDING;
  this.value = '';
  const resolve = (value) => {
    this.state = FULLFILLED;
    this.value = value;
  }
  const reject = (error) => {
    this.state = REJECTED;
    this.value = error;
  }
  this.then = (onFullFill, onReject) => {
    if (this.state == FULLFILLED) {
      onFullFill(this.value);
    } else {
      onReject(this.value);
    }
  }
  try {
    fn(resolve, reject);
  } catch(error) {
    reject(error);
  }
}
// test
let p = new MyPromise((resolve, reject) => {
  resolve('hello');
})
p.then(res => {
  console.log(res);  // hello
})

实现 Promise.all() ★★★

function isPromise(obj) {
  return !!obj && (typeof obj === 'function' || typeof obj === 'object') && typeof obj.then == 'function';
}
function myPromiseAll(arr) {
  let res = []
  return new Promise((resolve, reject) => {
    for (let i = 0; i < arr.length; i++) {
      if (isPromise(arr[i])) {
        arr[i].then(data => {
          res[i] = data;
          if (res.length === arr.length) {
            resolve(res)
          }
        }).catch(error => {
          reject(error)
        })
      } else {
        res[i] = arr[i];
      }
    }
  })
}

实现 Promise.race() ★

function myPromiseRace(arr) {
  return new Promise((resolve, reject) => {
    for (let i = 0; i < arr.length; i++) {
      return arr[i].then(resolve, reject)
    }
  })
}

实现 EventEmitter 订阅监听模式 ★★

class EventEmitter {
  constructor() {
    this.events = {};
  }
  on (eventName, callback) {
    if(!this.events[eventName]) {
      this.events[eventName] = [callback];
    } else {
      this.events[eventName].push(callback);
    }
  }
  emit(eventName, ...args) {
    this.events[eventName].forEach(fn => fn.apply(this, args));
  }
  once(eventName, callback) {
    const fn = () => {
      callback();
      this.remove(eventName, fn);
    }
    this.on(eventName, fn)
  }
  remove(eventName, callback) {
    this.events[eventName] = this.events[eventName].filter(fn => fn != callback);
  }
}

setTimout 实现 setInterval ★

function myInterval(fn, time) {
  let context = this;
  setTimeout(() => {
    fn.call(context);
    myInterval(fn, time);
  }, time);
}

深拷贝 ★★★

function deepClone(obj) {
  // 先判断是对象还是数组
  let copy = obj instanceof Array ? [] : {};
  for (let key in obj) {
    // 判断是否是对象上的属性,而不是原型上的属性
    if (obj.hasOwnProperty(key)) {
      // obj[key] 是否是对象,如果是对象,递归遍历
      copy[key] = typeof obj[key] === 'object' ? deepClone(obj[key]) : obj[key];
    }
  }
  return copy;
}
// test
console.log(deepClone({name: 'jack', birth: {year: '1997', month: '10'}})) // {name: 'jack', birth: {…}}

实现proxy ★★

const deepClone = require('./deepclone');

function MyProxy(obj, handler) {
  console.log(handler);
  let _target = deepClone(obj);
  Object.keys(_target).forEach(key => {
    Object.defineProperty(_target, key, {
      get: () => handler.get && handler.get(obj, key),
      set: newVal => handler.set && handler.set(obj, key, newVal),
    });
  });
  return _target;
}

let person = {
  name: 'jack',
  city: 'Beijing',
};

let proxy = new MyProxy(person, {
  get: (target, propKey) => target[propKey],
  set: (target, propKey, value) => {
    target[propKey] = value;
  },
});

// test
console.log(proxy.name); // jack
proxy.city = 'Nanjing'; 
console.log(proxy.city);  // Nanjing
console.log(person); // { name: 'jack', city: 'Nanjing' }

函数

函数防抖 ★★★

function debounce(fn, wait) {
  let timeout = null;
  return function() {
    let context = this;
    let args = arguments;
    if (timeout) clearTimeout(timeout);
    timeout = setTimeout(() => {
      fn.apply(context, args);
    }, wait);
  }
}

函数节流 ★★★

function throttle(fn, wait) {
  let  pre = new Date();
  return function() {
    let context = this;
    let args = arguments;
    let now = new  Date();
    if (now - pre >= wait) {
      fn.apply(context, args);
      pre = now;
    }
  }
}

函数柯里化(实现 sum(1,2)(3)()) ★★★

function sum(...args1) {
  let x = args1.reduce((prev, next) => {return prev+next;})
  return function(...args2) {
    if (args2.length == 0) return x;
    let y = args2.reduce((prev, next) => {return prev+next;})
    return sum(x+y)
  }
}
console.log(sum(1,2,2,5)(7)()) // 17

compose函数 ★★

/**
 * 接收若干个函数作为参数,每个函数执行后的输出作为下一个函数的输入。
 * 执行方向是自右向左的,初始函数的参数在最右边。
 * @param  {...any} fns 
 * @returns 
 */
function compose(...fns) {
  return function(x) {
    return fns.reverse().reduce((arg, fn) => {
      return fn(arg);
    }, x);
  }
}

const add = x => x + 1;
const multiply = x => x * 2;
const minus = x => x - 1;

console.log(compose(minus, multiply, add)(1)) // 3

before函数 ★

/**
 * 传入任意一个函数,只能调用指定的次数
 * @param {*} count 调用次数
 * @param {*} func 传入函数
 * @returns 
 */
 function before(count, func) {
  var temp = count;
  return function() {
    if (temp > 1) {
      temp--;
      const args = [...arguments];
      func.apply(this, args);
    }
  }
}

const log = a => console.log(a);

const log3 = before(3, log);

log3(2) //2;
log3(1) //1;
log3(3) //此时temp不大于1,因此func不再被调用。

数组

数组拍平(扁平化) ★★★

let flatten = function(arr) {
  let res = [];
  for (let i = 0; i < arr.length; i++) {
    if (Array.isArray(arr[i])) {
      res = res.concat(flatten(arr[i]))
    } else {
      res.push(arr[i])
    }
  }
  return res;
}
console.log(flatten([1,[1,2,[2,4]],3,5]));  // [1, 1, 2, 2, 4, 3, 5]

数组去重 ★★★

function unique(array) {
  for (let i = 0; i < array.length - 1; i++) {
    for (let j = i + 1; j < array.length; j++) {
      if (array[j] === array[i]) {
        array.splice(j, 1);
        j--;
      }
    }
  }
  return array;
}

数组转对象 ★

const data = [
  {
    id: 1,
    parent: 2,
  },
  {
    id: 2,
    parent: null,
  },
  {
    id: 3,
    parent: 2,
  },
  {
    id: 4,
    parent: 1,
  },
  {
    id: 5,
    parent: 2,
  },
  {
    id: 6,
    parent: 4,
  },
  {
    id: 7,
    parent: 3,
  },
  {
    id: 8,
    parent: 3,
  },
];

/**
 * 将上面的数组转换为对象
 * @param {*} arr
 * @returns Object
 */
const array2Object = arr => {
  const findParent = node => {
    const [parent] = arr.filter(item => item.id === node.parent);
    return parent;
  };
  const [root] = arr.filter(item => item.parent == null);
  const childNodes = arr.filter(item => item.parent != null);
  for (let item of childNodes) {
    const parent = findParent(item);
    if (!parent.children) {
      parent.children = [item];
    } else {
      parent.children.push(item);
    }
  }
  return root;
};

/**
 * 用 Map 优化事件复杂度
 * @param {*} arr
 */
const array2Object2 = arr => {
  const map = arr.reduce((prev, next) => Object.assign(prev, { [next.id]: next }), {});
  const [root] = arr.filter(item => item.parent == null);
  const childNodes = arr.filter(item => item.parent != null);

  for (let item of childNodes) {
    const parent = map[item.parent];
    if (!parent.children) {
      parent.children = [item];
    } else {
      parent.children.push(item);
    }
  }
  return root;
};

console.log(array2Object2(data));

字符串

去除字符串首尾空格 ★

//正则表达式
function myTrim1(str){
    return str.replace(/^\s+|\s+$/g,'')
}
//不使用正则表达式
function myTrim2(str){
    let head = 0
        foot = str.length
    for(let i =0;i<str.length;i++){
        if(str[i]===' ')head++
        else break
    }
    for(let j =str.length-1;j>0;j--){
        if(str[j]===' ')foot--
        else break
    }
    return str.substr(head,foot-head)
} 

下划线驼峰互转 ★

const underline2Camel = str => str.replace(/_(\w)/g, (p1, p2) => p2.toUpperCase());

const camel2Underline = str => str.replace(/([A-Z])/g, p1 => `_${p1.toLowerCase()}`);

console.log(underline2Camel('hello_world'));
console.log(camel2Underline('HelloWorld'));

算法

快速排序 ★★★

function quicksort(arr) {
  if (arr.length <= 1) return arr;
  let pivotIndex = arr.length >> 1;
  let pivot = arr.splice(pivotIndex, 1)[0];
  let left = [];
  let right = [];
  for (let i = 0; i < arr.length; i++) {
    if (arr[i] <= pivot)  {
      left.push(arr[i]);
    } else {
      right.push(arr[i]);
    }
  }
  return quicksort(left).concat(pivot, quicksort(right));
}
console.log(quicksort([4,3,5,2,1,6]));   //  [1, 2, 3, 4, 5, 6]

归并排序 ★★

function merge(left, right) {
  let res = [];
  while(left.length > 0 && right.length > 0) {
    if (left[0] < right[0]) {
      res.push(left.shift());
    } else {
      res.push(right.shift());
    }
  }
  return res.concat(left).concat(right);
}
function mergeSort(arr) {
  if (arr.length == 1) return arr;
  var middle = Math.floor(arr.length / 2);
  var left = arr.slice(0, middle);
  var right = arr.slice(middle);
  return merge(mergeSort(left), mergeSort(right));
}
console.log(mergeSort([3,2,4,5,1,6]));  // [1, 2, 3, 4, 5, 6]

插入排序 ★

function insertionSort(array) {
  for (let i = 1; i < array.length; i++) {
    let j = i - 1;
    const temp = array[i];
    while (j >= 0 && array[j] > temp) {
      array[j + 1] = array[j];
      j--;
    }
    array[j + 1] = temp;
  }
  return array;
}

选择排序 ★

function selectionSort(array) {
  for (let i = 0; i < array.length; i++) {
    let minIndex = i;
    for (let j = i + 1; j < array.length; j++) {
      if (array[j] < array[minIndex]) {
        minIndex = j;
      }
    }
    const temp = array[i];
    array[i] = array[minIndex];
    array[minIndex] = temp;
  }
  return array;
}

希尔排序 ★

function shellSort(array) {
  const len = array.length;
  let gap = Math.floor(len / 2);
  for (gap; gap > 0; gap = Math.floor(gap / 2)) {
    for (let i = gap; i < len; i++) {
      let j = i - gap;
      const temp = array[i];
      while (j >= 0 && array[j] > temp) {
        array[j + gap] = array[j];
        j -= gap;
      }
      array[j + gap] = temp;
    }
  }
  return array;
}

堆排序 ★

function heapSort(array) {
  for (let i = Math.floor(array.length / 2 - 1); i >= 0; i--) {
    adjustHeap(array, i, array.length);
  }
  for (let j = array.length - 1; j > 0; j--) {
    const temp = array[0];
    array[0] = array[j];
    array[j] = temp;
    adjustHeap(array, 0, j);
  }
  return array;
}
function adjustHeap(array, i, length) {
  for (let j = 2 * i + 1; j < length; j = 2 * j + 1) {
    const temp = array[i];
    if (j + 1 < length && array[j] < array[j + 1]) {
      j++;
    }
    if (temp < array[j]) {
      array[i] = array[j];
      array[j] = temp;
      i = j;
    } else break;
  }
}

二分查找 ★

function binarySearch(array, target) {
  let low = 0;
  let height = array.length - 1;
  while (low <= height) {
    const middle = Math.floor((low + height) / 2);
    if (target === array[middle]) return middle;
    else if (target > array[middle]) low = middle + 1;
    else height = middle - 1;
  }
  return -1;
}

最长递增子序列 ★★★

function lis(array) {
  if (array.length === 0) return 0;
  const arr = new Array(array.length).fill(1);
  for (let i = 1; i < array.length; i++) {
    for (let j = 0; j < i; j++) {
      if (array[i] > array[j]) {
        arr[i] = Math.max(arr[i], arr[j] + 1);
      }
    }
  }
  let result = 1;
  for (let i = 0; i < arr.length; i++) {
    result = Math.max(result, arr[i]);
  }
  return result;
}

最长公共子串 ★★

function longestPrefix(arr) {
  if (arr.length === 0) {
    return '';
  }
  let prefix = arr[0];
  for (let i = 1; i < arr.length; i++) {
    while (arr[i].indexOf(prefix) !== 0) {
      prefix = prefix.substring(0, prefix.length - 1);
      if (prefix.length === 0) {
        return '';
      }
    }
  }
  return prefix;
}

// test
let strs = ['helly', 'hellow', 'hell'];

console.log(longestPrefix(strs)); // hell

查找缺失的数 ★

const missingNumber = (arr) => {
  console.log('原数组:', arr);
  let index = 1;
  let ans = [];
  for (let i = 0; i < arr.length; i++) {
    if (index !== arr[i]) {
      ans.push(index);
      arr.splice(i, 0, 0);
    }
    index++;
  }
  return ans;
};


const generateArray = limit => {
  let arr = [];
  for (let i = 1; i <= limit; i++) {
    arr.push(i);
  }
  // 随机删除两个数
  for (let i = 1; i <= 2; i++) {
    const rand = Math.round(Math.random() * limit);
    arr.splice(rand, 1);
  }
  return arr;
};

const arr = generateArray(10);
console.log('缺失的数:', missingNumber(arr))
posted @ 2021-10-20 23:47  咩咩咩咯  阅读(77)  评论(0)    收藏  举报