加载中...

函数是一等公民


一个需求

  • 假设我们需要检查许多的数字是否符合某一范围
  • 范围存储在外部系统中,并且可能随时更改
  • 数字范围像这样存储着”>= 3,< 7”

一个java版本

  1. List<String> params = new LinkedList<>();
  2. List<Integer> nums = new LinkedList<>();
  3. List<String> marks = new LinkedList<>();
  4. public JavaRangeMatcher(List<String> params) {
  5. this.params = params;
  6. for (String param : params) {
  7. String[] markNum = param.split(" ");
  8. marks.add(markNum[0]);
  9. nums.add(Integer.parseInt(markNum[1]));
  10. }
  11. }
  12. public boolean check(int input) {
  13. for (int i = 0; i < marks.size(); i++) {
  14. int num = nums.get(i);
  15. String mark = marks.get(i);
  16. if (mark.equals(">") && input <= num) return false;
  17. if (mark.equals(">=") && input < num) return false;
  18. if (mark.equals("<") && input >= num) return false;
  19. if (mark.equals("<=") && input > num) return false;
  20. }
  21. return true;
  22. }
  23. List<String> paramsList = new LinkedList<String>() {{
  24. add(“>= 3”);
  25. add(“< 7”);
  26. }};
  27. JavaRangeMatcher matcher = new JavaRangeMatcher(paramsList);
  28. int[] inputs = new int[]{1, 3, 5, 7, 9};
  29. for (int input : inputs) {
  30. System.out.println(matcher.check(input));
  31. }
  32. //给自己有限的时间,想想又没有性能优化的余地
  33. //我们一起来跑跑看

一个 scala 版本

  1. def exprToInt(expr: String): Int => Boolean = {
  2. val Array(mark, num, _*) = expr.split(" ")
  3. val numInt = num.toInt
  4. mark match {
  5. case "<" => numInt.>
  6. case ">" => numInt.<
  7. case ">=" => numInt.<=
  8. case "<=" => numInt.>=
  9. } //返回函数的函数
  10. }
  11. case class RangeMatcher(range: Seq[String]) {
  12. val rangeFunc: Seq[(Int) => Boolean] = range.map(exprToInt)
  13. def check(input: Int) = rangeFunc.forall(_(input))
  14. }
  15. def main(args: Array[String]) {
  16. val requirements = Seq(">= 3", "< 7")
  17. val rangeMatcher = RangeMatcher(requirements)
  18. val results = Seq(1, 3, 5, 7, 9).map(rangeMatcher.check)
  19. println(results.mkString(","))
  20. //false,true,true,false,false
  21. }

还没有评论.