如何中断组合或管道并返回所有当前数据?

时间:2018-10-28 03:19:16

标签: javascript functional-programming

我正在使用管道对登录进行输入验证,如果可能的话,我想破坏并返回当前数据。甚至有可能破坏和返回reduce中的数据吗?

我当前的代码示例:

const pipe = (...fns) => fns.reduce((f, g) => (obj) => g(f(obj)))

pipe(
  (obj) => {
    console.log('fn1', obj)
    return { ...obj, ...(!!obj.name || { error: ['NAME_IS_FALSEY'] })} 
  },
  (obj) => {
    // if ((obj || {}).error ) return obj
    console.log('[fn2]', obj)
    return { 
      ...obj,
      ...(
        !!obj.password ||
    obj.error ?
      { error: [...obj.error, 'PASSWORD_IS_FALSEY'] } :
          { error: 'PASSWORD_IS_FALSEY' }
      )
    }   
  },
  (obj) => console.log('[fn3 etc...]', obj)
)({
  name: '',
  password: '',
})

也许我可以将所有内容包装在new Promise中,并在减速器中途解决?

2 个答案:

答案 0 :(得分:1)

这是一个递归管道的示例,一旦当前值不符合谓词,该管道就会中断调用链:

const pipeWhile = pred => (f, ...fs) => x =>
  pred(x) && f 
    ? pipeWhile (pred) (...fs) (f(x))
    : x;

以常规whilefor循环编写时,读取维护可能更容易。

以下与您提供的示例一起使用:

const pipeWhile = pred => (f, ...fs) => x =>
  pred(x) && f 
    ? pipeWhile (pred) (...fs) (f(x))
    : x;
    

const noError = x => !x.hasOwnProperty("error");
const rule = (error, pred) => x => pred(x) 
  ? x : { ...x, error: [error] }

const validation = pipeWhile(noError)(
  rule("NAME_IS_FALSEY", obj => !!obj.name),
  rule("PASSWORD_IS_FALSEY", obj => !!obj.password)
);

console.log(
  validation({
    name: '',
    password: '',
  }),
  validation({
    name: 'Jane',
    password: '',
  }),
    validation({
    name: 'Jane',
    password: 'PA$$W0RD',
  })
)

答案 1 :(得分:0)

如果管道中的每个步骤都返回Maybe对象,则可以使用Ramda中的pipeK函数创建基于Kleisli组成的管道,该管道将一直运行,直到其中一个步骤返回Nothing。您可以从sanctuary-maybe包中获得也许的实现。