对于这个程序,我的目标是...
通过使用findKth查找最高,最低,中位数和平均分数
用户必须输入数字(输入-1以停止扫描仪),他们不知道有多少,以及是否对它们进行了排序
但是,我在尝试执行此操作时遇到了一些问题。

我提供的findKth方法仅采用int [] arr,而我找不到一种将数组初始化为该项目所需的特定大小的方法。

有人可以建议一种方法吗?

以下是我的测试方法和我的findKth

import java.util.*;
 public class Statistics
  {
public static void main(String[]args)
{
    System.out.print("Enter Scores, -1 to end: ");

    Scanner keyboard= new Scanner(System.in);
    String numbers = null;

    while(keyboard.nextInt()!=-1)
    {
        numbers= keyboard.next();
    }


    String[] parts = numbers.split(" ");
    int[] n1 = new int[parts.length];
    for(int n = 0; n < parts.length; n++)
    {
        n1[n] = Integer.parseInt(parts[n]);
    }

    int highest= n1.length-1;
    int lowest=0;
    int median= n1.length/2;

    QuickSort.findKth(n1, highest);
    System.out.println("High: "+n1[highest]);
    QuickSort.findKth(n1, lowest);
    System.out.println("Low: "+n1[lowest]);
    QuickSort.findKth(n1, median);
    System.out.println("Median: "+n1[median]);

}
}

public static void findKth(int[] arr, int k)
{
            findKth(arr, 0, arr.length, k);
}
//Pre:  arr[first]..arr[last-1] contain integers
//  k must be in [first..last-1]
//Post: The elements in arr has been rearranged in such a way that arr[k] now contains the kth
//   largest element
public static void findKth(int[] arr, int first, int last, int k)
{
    int pivotLoc = rearrange(arr, first, last);
        if (pivotLoc==k) return;
        else if (pivotLoc>k) findKth(arr, first, pivotLoc, k);
        else findKth (arr, pivotLoc +1, last, k);
}


我尝试了其他方法,例如尝试解析数字的字符串,但是由于用户输入-1时无法找到正确停止扫描仪的方法,因此无法执行此操作。

我也尝试过使用ArrayList,但是findKth只带有一个int [] arr。因此,这将不起作用。

有什么建议吗?我很沮丧

最佳答案

使用列表来收集输入:

List<Integer> input = new ArrayList<>();

input.add(n); // add each number


然后在所有输入后转换为数组:

int[] array = input.stream().mapToInt(Integer::intValue).toArray();




您的输入循环有问题。尽管超出了问题的范围,但是请尝试使用更简单的循环,例如:

while (true) {
    int n = keyboard.nextInt();
    if (n == -1)
        break;
    input.add(n);
}

09-05 15:22