2021-10-27 Javascript悟道

reduce

当你传入一个初始值的时候,reduce函数会为你遍历数组中的每一个元素;而当你不传初始值的时候,reduce则会拿第零个元素作为初始值,从第一个元素开始遍历

sort

  • 方法的默认比较函数会将所有比较对象都转成字符串,即便里面的元素都是数字

  • 在比较大小的时候,如果认为第一个参数应当排在第二个参数前面,则自定义比较函数需要返回一个负数;如果第二个参数应当排在前面,则需要返回正数;如果自定义比较函数返回0,则表示比较函数无法判断孰大孰小。

function refine(collection, path) {
  return path.reduce(function (refinement, element) {
    try {
      return refinement[element];
    } catch (error) {}
  }, collection);
}

const by = (...keys) => {
  const paths = keys.map((item) => item.toString().split("."));

  return (first, second) => {
    let first_value, second_value;

    if (
      paths.every(function (path) {
        first_value = refine(first, path);
        second_value = refine(second, path);
        return first_value === second_value;
      })
    ) {
      return 0;
    }

    return (
      typeof first_value === typeof second_value
        ? first_value < second_value
        : typeof first_value < typeof second_value
    )
      ? -1
      : 1;
  };
};

let people = [
  { first: "Frank", last: "Farkel" },
  { first: "Fanny", last: "Farkel" },
  { first: "Sparkle", last: "Farkel" },
  { first: "Charcoal", last: "Farkel" },
  { first: "Mark", last: "Farkel" },
  { first: "Simon", last: "Farkel" },
  { first: "Gar", last: "Farkel" },
  { first: "Ferd", last: "Berfel" },
];

people.sort(by("first", "second"));

console.log(people);

WeakMap

function factory() {
    const map = new WeakMap()
    return {
        seal: (object) => {
            const box = Object.freeze(Object.create(null))

            map.set(box, object)
            return map
        },
        unseal: (box) => {
            return map.get(box)
        }
    }
}

Object.freeze && const

Object.freeze是作用于值的,而const则作用于变量

函数对象

  • 函数对象中包含一个Function.prototype的委托连接。函数对象通过该连接集成了两个不是特别重要的方法,分别是apply和call。

  • 当前函数可执行代码的引用。

  • 当函数对象被创建的时候,这个函数对应的活跃对象就被激活了,从而为闭包提供了可能性。函数可以通过这个隐藏属性去访问函数中创建它的变量。

  • 函数是可嵌套的。当嵌套的函数对象被创建时,它会包含一个外层函数对象所对应的活跃对象引用。

generate

  • 生成器用function*函数体创建函数对象,而该函数对象则会产生包含next方法的对象。
  • 生成器介于纯函数和非纯函数之间。之前的constant生成器是纯的,而大多数生成器则是非纯的。

尾调用函数

当一个函数返回另一个函数的返回值时,我们就称其是一个尾调用。

function continuize(any) {
    return function hero(fn2, ...args) {
        return fn2(any(...args)); // 尾调用函数
    }
}

promise && async / await

那就是将逻辑与控制流强耦合在了一起。这就必然导致低内聚。

你可能感兴趣的:(2021-10-27 Javascript悟道)