1

我的代码出错,但我不知道如何纠正它:

public class Cenas {
public static void main(String[] args) {
    //gera matrizes de tamanho aleatório com uns e zeros
    int a = 2;//(int)(Math.random() *3) + 1;
    int b  = 2;//(int)(Math.random() *3) + 1;
    int[][]matriz = new int [a][b];
    do{
        for (int i=0; i<a; i++) {
            for (int j=0; j<b; j++) {
                matriz[i][j] = (int) Math.round(Math.random());
                System.out.print(matriz[i][j] + " ");
            }
            System.out.println("");
        }
    }while(matrizIdentidade(matriz)==true); //the error is in here!!! the ";"


public static boolean matrizIdentidade (int[][]m){
    boolean diagonal = false;
    if (m.length==m[0].length) //matriz.Testada[0] é o comprimento da matriz
        for (int i = 0; i < m.length; i++)
            for (int j = 0; j < m[0].length; j++)
                if(i==j && m[i][j]==1)
                    if(i!=j && m[i][j]==0)
                        diagonal = true;
    return diagonal;
}
}

它生成随机矩阵并告诉我它们是否是单位矩阵。我将 System.out.print 和维度 2 x 2 仅用于测试。该错误使我的循环无限...

“;” 在注释行上出现红色下划线(在 Eclipse 中)给我一个错误。

我谦虚地认为你错过了我的问题。我不知道我的方法中的陈述是否正确(我正在研究它),但让我来到这里的是“;” 给我一个错误:“语法错误,插入“}”以完成 MethodBody”。如果那是由于我的错误编码逻辑我道歉。但我认为,相反,这表明我在 do-while 循环中出现了一些语法错误。

4

2 回答 2

4

您仅由最后一个成员定义返回值

  diagonal = true;

应该相反,你开始假设矩阵是恒等式,当你检查它不是真的时返回假。

if((i==j && m[i][j]!=1) || (i!=j && m[i][j]!=0)) {
   // this is not an identity matrix, so you can stop
   return false;
}

如果循环结束,矩阵就是恒等式,所以 return true

于 2013-01-05T14:53:23.757 回答
0

循环 do-while 是无限的,因为它永远不会得到matrizIdentidade(matriz)==true.

尝试浏览矩阵的元素两次以检查对角矩阵的两个属性。请试试这个:

public static boolean matrizIdentidade (int[][]m){

    boolean diagonal1 = false, diagonal2 = false  ;

    if (m.length==m[0].length) //matriz.Testada[0] é o comprimento da matriz
        for (int i = 0; i < m.length; i++)
            for (int j = 0; j < m[0].length; j++)
                    if(i!=j && m[i][j]==0)
                        diagonal1 = true;

        for (int i = 0; i < m.length; i++)
            for (int j = 0; j < m[0].length; j++)
                    if(i==j && m[i][j]==1)
                        diagonal2 = true;

        if(diagonal1 == true && diagonal2 == true ) return true
        else return false; 
}

如果问题与do-while检查此文档 片段的语法有关:

       do {
            System.out.println("Count is: "
                               + count);
            count++;
        } while (count < 11);
于 2013-01-05T14:53:47.457 回答