chengaofeng
发布于 2024-08-15 / 13 阅读
0
0

常用的函数式编程设计模式

函数式编程(Functional Programming, FP)是一种编程范式,它强调使用纯函数和不可变数据。以下是软件开发中常用的一些函数式编程设计模式:

1. 纯函数(Pure Functions)

纯函数是指在相同的输入下总是返回相同的输出,并且没有任何副作用(如修改全局状态或变量)。

const add = (a, b) => a + b;

2. 高阶函数(Higher-Order Functions)

高阶函数是指接受一个或多个函数作为参数,或返回一个函数作为结果的函数。

const map = (fn, arr) => arr.map(fn);

const double = x => x * 2;

console.log(map(double, [1, 2, 3])); // [2, 4, 6]

3. 函数组合(Function Composition)

函数组合是将多个函数组合成一个函数,其中每个函数的输出作为下一个函数的输入。

const compose = (f, g) => x => f(g(x));

const add1 = x => x + 1;

const double = x => x * 2;

const add1ThenDouble = compose(double, add1);

console.log(add1ThenDouble(2)); // 6

4. 柯里化(Currying)

柯里化是将一个接受多个参数的函数转换为一系列接受单个参数的函数。

const curry = (fn) => {

  return function curried(...args) {

    if (args.length >= fn.length) {

      return fn(...args);

    } else {

      return function(...nextArgs) {

        return curried(...args, ...nextArgs);

      };

    }

  };

};

const add = (a, b) => a + b;

const curriedAdd = curry(add);

console.log(curriedAdd(1)(2)); // 3

5. 惰性求值(Lazy Evaluation)

惰性求值是指在需要时才计算表达式的值,而不是立即计算。

const lazyValue = (fn) => {

  let computed = false;

  let value;

  return () => {

    if (!computed) {

      value = fn();

      computed = true;

    }

    return value;

  };

};

const expensiveComputation = () => {

  console.log('Computing...');

  return 42;

};

const lazyExpensiveComputation = lazyValue(expensiveComputation);

console.log(lazyExpensiveComputation()); // Computing... 42

console.log(lazyExpensiveComputation()); // 42

6. 不可变数据(Immutable Data)

不可变数据是指数据一旦创建就不能被修改,所有的修改都会返回新的数据。

const updateObject = (obj, key, value) => {

  return { ...obj, [key]: value };

};

const original = { a: 1, b: 2 };

const updated = updateObject(original, 'b', 3);

console.log(original); // { a: 1, b: 2 }

console.log(updated); // { a: 1, b: 3 }

7. 递归(Recursion)

递归是指函数调用自身来解决问题。

const factorial = (n) => {

  if (n === 0) {

    return 1;

  }

  return n * factorial(n - 1);

};

console.log(factorial(5)); // 120

8. 管道(Pipelines)

管道是将数据通过一系列函数进行处理,每个函数的输出作为下一个函数的输入。

const pipe = (...fns) => (x) => fns.reduce((v, f) => f(v), x);

const add1 = x => x + 1;

const double = x => x * 2;

const add1ThenDouble = pipe(add1, double);

console.log(add1ThenDouble(2)); // 6

这些设计模式在函数式编程中非常常见,它们帮助开发者编写更简洁、可读和可维护的代码。


评论