1

モードの数とモードを出力として取得しようとしていますが、いくつかの問題があります。手伝ってくれませんか?

public class Main{
    public static void main(String[] args){

        int modes;
        int terval = -1;
        int[]a;

        while(a != terval){                     //problem is in this line and after.
            a = IO.readInt[];              

            for(int i = 0; i < a.length; i++){
                int count = 0;
                for(int j = 0;j < a.length; j++){
                    if(a[j] == a[i])
                        count++;        
                }
                modes = a[i];
            }
        }
        System.out.println(count);
        System.out.println(modes);
    }
}
4

1 に答える 1

2

この行:while(a != terval)コンパイル エラーが含まれています。

  1. int[] a初期化されていないためnull、ループの開始時に値が設定されています。

  2. int[] aは整数配列でint tervalあり、整数です。a != tervalint 配列を int と比較できないため、条件は未定義です。

未定義の比較: int[] != int

整数配列内の単一の整数を別の単一の整数と比較できます

定義された比較: int[x] != int

これはうまくいくでしょう:チェックしたい配列インデックスはa[x] != tervalどこですかx

このリビジョンを検討してください:

public class Main{
public static void main(String[] args){

boolean go = true; //controls master loop
int modes;
int terval = -1;
int[]a;

while(go) { //master loop
    a = IO.readInt[];              
    for(int i = 0; i < a.length; i++){
      go &= !(a[i] == -1); //sets go to false whenever a -1 is found in array
                           //but the for loops do not stop until 
                           //the array is iterated over twice
      int count = 0;
      for(int j = 0;j < a.length; j++){
        if(a[j] == a[i])
            count++;        
      }
      modes = a[i];         
    }
}
System.out.println(count);
System.out.println(modes);

}

コンソールからユーザー入力を取得するには:

import java.util.Scanner;
public class Main{

  public static void main(String[] args){

    Scanner in = new Scanner(System.in);
    boolean go = true;
    int modes;
    int count;
    int size = 32; //max array size of 32
    int terval = -1;
    int t=0;
    int i=0;
    int[] a = new int[size]; 

    while(go && i < size) { //master loop
      t = in.nextInt();
      go &= !(t == terval);
      if (go) { a[i++] = t; }  
    }
    // "a" is now filled with values the user entered from the console
    // do something with "modes" and "count" down here
    // note that "i" conveniently equals the number of items in the partially filled array "a"
  }
}
于 2012-11-18T21:35:17.770 に答える