Functional Programming With Java 简明教程

Functional Programming - Pure Function

如果函数满足以下两个条件,则该函数被视为纯函数:

  1. 对于给定的输入,它始终返回相同的结果,并且其结果完全取决于传递的输入。

  2. 它没有副作用,这意味着它不修改调用方实体的任何状态。

Example- Pure Function

public class FunctionTester {
   public static void main(String[] args) {
      int result = sum(2,3);
      System.out.println(result);

      result = sum(2,3);
      System.out.println(result);
   }
   static int sum(int a, int b){
      return a + b;
   }
}

Output

5
5

这里 sum() 是一个纯函数,因为它在以不同时间传递 2 和 3 作为参数时始终返回 5,并且没有副作用。

Example- Impure Function

public class FunctionTester {
   private static double valueUsed = 0.0;
   public static void main(String[] args) {
      double result = randomSum(2.0,3.0);
      System.out.println(result);
      result = randomSum(2.0,3.0);
      System.out.println(result);
   }

   static double randomSum(double a, double b){
      valueUsed = Math.random();
      return valueUsed + a + b;
   }
}

Output

5.919716721877799
5.4830887819586795

这里 randomSum() 是一个不纯函数,因为它在以不同时间传递 2 和 3 作为参数时返回不同的结果,并修改实例变量的状态。