Java二维数组排序



编写一个程序,提示用户输入一个双值的nxn矩阵,并显示一个新矩阵,其中初始矩阵的列已排序。你可以使用任何排序算法来解决这个问题;请在代码头中指定所用排序算法的名称。你的程序必须实现一个排序算法;不能使用Array类中提供的排序方法。排序应该在一个方法中实现,在这个方法中返回一个新数组,而原始数组是完整的:

public static double[][] sortCol(double[][] a)

程序还应该实现一个方法,将初始矩阵和结果矩阵打印给user。打印出来的东西应该格式化得很好。下面是一个示例:

What is the dimension of matrix? 3 
Enter a 3x3 matrix row by row: 
0.15 0.875 0.375
0.55 0.005 0.225
0.30 0.12 0.4
The column sorted array is: 
0.15 0.005 0.225
0.3 0.12 0.375
0.55 0.875 0.4

这是我有的。我相信它几乎是完美的。我使用的排序方法,我认为将排序列,但它也可能排序行。然而,当我运行程序时,我得到这个…

java.util.InputMismatchExceptionjava.util.Scanner.throwFor (Scanner.java: 909)java.util.Scanner.next (Scanner.java: 1530)java.util.Scanner.nextDouble (Scanner.java: 2456)Hmwk3_jrgluck.main (Hmwk3_jrgluck.java: 16)

有什么想法/帮助…

import java.util.Scanner;
public class sdfjasdf {
    public static void main(String[] args) {
        Scanner input = new Scanner(System.in);
        System.out.println("What is the dimension of your matrix?");
        int matrixdim = input.nextInt();
        double[][] matrix = new double[matrixdim][matrixdim];
        System.out.println("Enter " + matrixdim + " rows, and " + matrixdim
                + " columns.");
        Scanner input1 = new Scanner(System.in);
        for (int row = 0; row < matrix.length; row++) {
            for (int column = 0; column < matrix.length; column++)
                matrix[row][column] = input1.nextDouble();
        }
        System.out.println(sortCol(matrix));
    }
    public static double sortCol(double[][] matrix) {
        for (int i = 0; i < matrix.length; i++) {
            double currentMin = matrix[i][0];
            int currentMinIndex = i;
            for (int j = i; j < matrix.length; j++) {
                if (currentMin > matrix[j][0]
                        || (currentMin == matrix[j][0] && matrix[currentMinIndex][1] > matrix[j][1])) {
                    currentMin = matrix[j][0];
                    currentMinIndex = j;
                }
            }
            if (currentMinIndex != i) {
                double temp0 = matrix[currentMinIndex][0];
                double temp1 = matrix[currentMinIndex][1];
                matrix[currentMinIndex][0] = matrix[i][0];
                matrix[currentMinIndex][1] = matrix[i][1];
                matrix[i][0] = temp0;
                matrix[i][1] = temp1;
            }
        }
        return sortCol(matrix);
    }
}

我怀疑您的语言环境可能需要逗号代替浮点数格式的点。尝试将数据更改为

0,15 0,875 0,375
0,55 0,005 0,225
0,30 0,12 0,4

如果这是真的,但你更喜欢(或必须)使用点而不是逗号,你可以通过调用

来改变扫描仪中使用的语言环境
input.useLocale(new Locale("en", "US"));

或在使用

创建扫描仪对象之前更改全局Locale
Locale.setDefault(new Locale("en", "US"));

sortCol的返回类型也应该是ether

  • double[][],如果您想返回数组的排序副本(不改变原始数组)。在这种情况下,您需要首先创建原始数组
  • 的副本
  • void如果你想排序原始数组(你不必返回引用的对象,你已经有,因为你使用它作为方法参数)

现在您正试图通过再次调用sortCol(matrix)来返回double,因此它将再次尝试返回sortCol(matrix)(以此类推),这将导致stack overflow

相关内容

  • 没有找到相关文章

最新更新