仿函数或单子的名称和存在以链接和终止操作序列

Name and existence of functor or monad to chain and terminate sequence of operations

请原谅我,我会尽力描述我要找的东西。我没有它的名字,所以它变得更加困难。

查看诸如 Folktale and monet.js 之类的库,我喜欢能够使用 map 链接操作而无需空检查或 if 语句,例如使用Maybe, Either, Task.

我想知道是否存在类似的构造来解决以下问题:

换句话说,我正在寻找类似于 Maybe 的东西,它包含一个值并将函数映射到 Just 但忽略映射到 Nothing 的函数,而你可以提取值。我正在寻找包含输入和初始 null 结果的东西。当您 map 一个函数时,它仅在 result 为空时才对输入运行该函数。如果函数 return 是一个值,则该值成为结果,并且忽略映射的任何其他函数。最后,您可以提取结果。

在命令式编程中,这可能看起来像:

var result1 = function1(input);
if (result1) {
  return result1;
}
var result2 = function2(input);
if (result2) {
  return result2;
}
// and so on.

相反,我想按照

的方式构建一些东西
Something(input).map(function1).map(function2).result()

compose(result, map(compose(function2, function1))(Something(input))

这样的结构存在吗?它有名字吗?即使这不存在并且我可以自己编写,我也不知道该怎么称呼它。欢迎提出建议。

感谢您的帮助!

更新

按照@Bergi 的解决方案,我使用了Maybe.orElse。我写了一个名为 ShortCircuit 的小帮手,我将其发布在下面以防有人发现它有用。

import Maybe from "data.maybe";

const ShortCircuit = function(input, result) {
  this.input = input;
  this.result = result;
};

ShortCircuit.of = function(input, f) {
  return new ShortCircuit(input, Maybe.fromNullable(f(input)));
};

ShortCircuit.prototype.orElseMaybe = function(f) {
  return new ShortCircuit(this.input, this.result.orElse(() => Maybe.fromNullable(f(this.input))));
};

ShortCircuit.prototype.get = function() {
  return this.result.get();
};

export default ShortCircuit;

下面是你如何使用它:

const result = ShortCircuit.of(input, f1).orElseMaybe(f2).orElseMaybe(f3).get();

欢迎提出改进建议。

您正在寻找的是Alternative type class in Haskell. I have not yet found1 a JS library implementing it, though there is support for it in PureScript and a discussion about specifying it in FantasyLand

无论如何,我在 Folktale 中找到了一个功能,它完全符合您的要求:Maybe's orElse。你会像这样使用它:

Something(input).orElse(function1).orElse(function2).get() // `get` throws when all failed

更好的是,orElse 不仅适用于 Maybe,而且适用于 EitherValidationTask

getOrElse method, known as orElse in Monet.js 并没有真正的帮助,因为它不会仅在失败的情况下执行您的 "handlers"。您可以使用 cata 方法实现自己的 Alternative

1:谷歌搜索 "JS alternative" 也不是很有帮助,即使您知道名字 :-)


哦,以防万一您使用 promises,总有 .catch(…) method 具有广泛的(支持 ES6 的)支持。