2

ファイルから数値のグリッド (n*n) を読み取り、一度に 1 つの int で多次元配列にコピーしたいと考えています。ファイルを読み取って出力するコードがありますが、各 int の取得方法がわかりません。すべての文字を取得するには、分割文字列メソッドと空白区切り文字 "" が必要だと思いますが、その後はわかりません。また、空白文字を 0 に変更したいのですが、それは待ってください。

これは私がこれまでに得たものですが、うまくいきません。

        while (count <81  && (s = br.readLine()) != null)
        {
        count++;

        String[] splitStr = s.split("");
        String first = splitStr[number];
        System.out.println(s);
        number++;

        }
    fr.close();
    } 

サンプル ファイルは次のようになります (スペースが必要です)。

26     84
 897 426 
  4   7  
   492   
4       5
   158   
  6   5  
 325 169 
95     31

基本的に、ファイルを読み取って印刷する方法は知っていますが、リーダーからデータを取得して多次元配列に入れる方法はわかりません。

これを試してみましたが、「文字列[]から文字列に変換できません」と表示されます

        while (count <81  && (s = br.readLine()) != null)
    {       
    for (int i = 0; i<9; i++){
        for (int j = 0; j<9; j++)
            grid[i][j] = s.split("");

    }
4

3 に答える 3

0
private static int[][] readMatrix(BufferedReader br) throws IOException {
    List<int[]> rows = new ArrayList<int[]>();
    for (String s = br.readLine(); s != null; s = br.readLine()) {
        String items[] = s.split(" ");
        int[] row = new int[items.length];
        for (int i = 0; i < items.length; ++i) {
            row[i] = Integer.parseInt(items[i]);
        }
        rows.add(row);
    }
    return rows.toArray(new int[rows.size()][]);
}
于 2010-10-19T13:48:49.050 に答える
0

編集:サンプル入力ファイルを含めるように投稿を更新したので、次の場合はそのままでは機能しません。ただし、原則は同じです。必要な区切り文字 (この場合はスペース) に基づいて読み取った行をトークン化し、各トークンを行の列に追加します。

サンプルの入力ファイルが含まれていないため、いくつかの基本的な仮定を行います。

入力ファイルの最初の行が「n」で、残りが読み取りたい nxn 整数であると仮定すると、次のようにする必要があります。

public static int[][] parseInput(final String fileName) throws Exception {
 BufferedReader reader = new BufferedReader(new FileReader(fileName));

 int n = Integer.parseInt(reader.readLine());
 int[][] result = new int[n][n];

 String line;
 int i = 0;
 while ((line = reader.readLine()) != null) {
  String[] tokens = line.split("\\s");

  for (int j = 0; j < n; j++) {
   result[i][j] = Integer.parseInt(tokens[j]);
  }

  i++;
 }

 return result;
}

この場合、入力ファイルの例は次のようになります。

3
1 2 3
4 5 6
7 8 9

これにより、次のような 3 x 3 配列が得られます。

row 1 = { 1, 2, 3 }
row 2 = { 4, 5, 6 }
row 3 = { 7, 8, 9 }

入力ファイルの最初の行に「n」がない場合は、最初の行のトークンをカウントするまで、最終的な配列を初期化するのを待つことができます。

于 2010-10-19T13:35:04.073 に答える
0

あなたのファイルに基づいて、これは私がそれを行う方法です:

Lint<int[]> ret = new ArrayList<int[]>();

Scanner fIn = new Scanner(new File("pathToFile"));
while (fIn.hasNextLine()) {
    // read a line, and turn it into the characters
    String[] oneLine = fIn.nextLine().split("");
    int[] intLine = new int[oneLine.length()];
    // we turn the characters into ints
    for(int i =0; i < intLine.length; i++){
        if (oneLine[i].trim().equals(""))
            intLine[i] = 0;
        else
            intLine[i] = Integer.parseInt(oneLine[i].trim());
    }
    // and then add the int[] to our output
    ret.add(intLine):
}

このコードの最後に、int[]簡単に変換できるリストがありますint[][]

于 2010-10-19T13:51:40.323 に答える