如何在Lodash中创建(可选)可链接函数?

时间:2016-04-14 01:46:24

标签: javascript lodash

在Lodash中发现的一种常见且非常易读的模式是“链接”。使用链接,前一个函数调用的结果将作为下一个函数的第一个参数传递。

例如来自Lodash docs的这个例子:

var users = [
  { 'user': 'barney', 'age': 36 },
  { 'user': 'fred',   'age': 40 }
];

// A sequence with chaining.
_(users)
  .head()
  .pick('user')
  .value();

headpick也可以在链外使用。

通过源代码,链中调用的实际方法没有什么特别之处 - 因此它必须与初始_调用和/或value调用相关联。

负责人:https://github.com/lodash/lodash/blob/4.11.0/lodash.js#L6443 选择:https://github.com/lodash/lodash/blob/4.11.0/lodash.js#L12598

如何使用自己的方法实现此模式?它有一个术语吗?

一个例子可能是:

const house = 
    this
        .addFoundation("concrete")
        .addWalls(4)
        .addRoof(true)
        .build();

// Functions being (each can be called by manually as well)

addFoundation(house, materialType) { ... }
addWalls(house, wallCount) { ... }
addRoof(house, includeChimney) { ... }

// And..
build() // The unwrapped method to commit the above

2 个答案:

答案 0 :(得分:2)

关于如何做的一个例子

function foo(arr) {
  if (!(this instanceof foo)) {
    return new foo(arr);
  }

  this.arr = arr;
  return this;
}


foo.prototype.add = function(p) {
  this.arr.push(p);
  return this;
}

foo.prototype.print = function() {
  console.log(this.arr);
  return this;
}

foo([1, 2]).add(3).print();

假设您也想这样做

foo.add(3).print();

您需要在foo(而非原型)

上创建方法
foo.add = function(p) {
  return foo([p]);
}

foo.add(3).print() // [3]

答案 1 :(得分:1)

它被称为方法链。这是关于它的两篇文章。它的基本要点是在函数末尾返回当前对象。

http://schier.co/blog/2013/11/14/method-chaining-in-javascript.html

http://javascriptissexy.com/beautiful-javascript-easily-create-chainable-cascading-methods-for-expressiveness/