2

使用命令式代码在未排序的数组中查找最大值非常简单

例如在Java中(我相信它可以写得更好,仅用于说明目的)

public class Main {
    public static void main(String[] args) {
        int[] array = {1,3,5,4,2};
        int max = findMax(array);
        System.out.println(max);
    }

    public static int findMax(int[] array){
        int max = Integer.MIN_VALUE; //or array[0], but it requires a null check and I want to keep it simple :)
        for (int i = 0, size = array.length; i < size ; i++) {
            int current = array[i];
            if(current > max) max = current;
        }
        return max;
    }
}

这样做的功能性方式是什么?例如

  • 没有可变变量(例如val,在 Scala / finalJava 中使 max 成为 a)
  • 没有循环(例如使用递归,尾部首选)

在 Scala 的资料中,我看到它是使用 recudeLeft 完成的,这看起来很聪明

  def max[B >: A](implicit cmp: Ordering[B]): A = {
    if (isEmpty)
      throw new UnsupportedOperationException("empty.max")

    reduceLeft((x, y) => if (cmp.gteq(x, y)) x else y)
  }

但是假设我(由于某种原因)没有可用/实现的 reduce/reduceLeft(并且由于某种原因我不想/不能实现它,即我正在使用纯 Java)

什么是在不依赖其他函数方法的情况下完成 max 的“惯用”函数方式(例如,我将如何在基本 Java 中实现它,但要考虑函数范式)

答案可以使用任何语言(不过首选 Java / Scala)

4

3 回答 3

4

这是一个带有最大值的累加器的尾调用递归实现。

public class Main {

    public static void main(String[] args) {
        System.out.println(max(new int[]{6, 3, 9, 4}));
    }

    public static int max(int[] ints) {
        return max(ints, Integer.MIN_VALUE);
    }

    public static int max(int[] ints, int max) {
        if (ints.length == 0) {
            return max;
        } else {
            return max(Arrays.copyOfRange(ints, 1, ints.length), ints[0] > max ? ints[0] : max);
        }
    }

}
于 2013-04-22T21:43:48.513 回答
1

你可以用一个普通的递归来做到这一点,但 maba 的尾递归版本应该有更好的性能。

import java.util.Arrays;
public class TestMax {
public static int findMax(int[] array) {
    if(array.length == 1)
        return array[0];
    int[] newArray = Arrays.copyOfRange(array, 1, array.length);
    if(array[0] > findMax(newArray))
        return array[0];
    else
        return findMax(newArray);
}
/**
 * @param args
 */
public static void main(String[] args) {
    // TODO Auto-generated method stub
    int[] array = {1,3,5,4,2, 9};
    int max = findMax(array);
    System.out.println(max);
}
}
于 2013-04-22T21:53:32.393 回答
1

基于 maba 的出色回答,如果有人感兴趣,这里是 Scala 版本

  def max(list: List[Int]) = {
    maxAcc(list, Int.MinValue)
  }                                               

  def maxAcc(list: List[Int], curMax:Int):Int = {
    list match {
        case Nil => curMax
        case head :: tail => maxAcc(tail, if (head > curMax ) head else curMax )
    }
  }

编辑:感谢 maba 对 @tailrec 的评论 - 这是修改后的版本

 def max(list: List[Int]) = {
    @tailrec def maxAcc(list: List[Int], curMax: Int): Int = {
      list match {
        case Nil => curMax
        case head :: tail => maxAcc(tail, if (head > curMax) head else curMax)
      }
    }
    maxAcc(list, Int.MinValue)
  }                                               
于 2013-04-22T22:21:41.560 回答