如何将.text文件中每行字符串中的单个字符扫描到2D数组中?

时间:2014-11-22 16:23:18

标签: java text multidimensional-array java.util.scanner conways-game-of-life

首先,感谢您的到来,并花时间帮助解决问题。

我花了无数个小时来搜索所有问题仍未找到解决问题的方法:如何使用扫描仪将.txt文件中每行字符串中的单个字符扫描为未知维度的2D数组?

问题1:如何确定未知.txt文件的列数?或者有更好的方法用.nextInt()方法确定未知的2d数组的大小以及如何?

问题2:如何在控制台上没有奇怪的[@#$ ^ @ ^^错误的情况下打印出2d数组?

问题3:如何让扫描程序将从.txt文件中读取的任何字符打印到控制台上(使用2d数组(是的,我知道,数组数组))?

这是我不完整的代码,让您了解问题:

import java.util.Scanner;
import java.io.File;

public class LifeGrid {

public static void main(String[] args) throws Exception {

    Scanner scanner = new Scanner(new File("seed.txt"));

    int numberOfRows = 0, columns = 0;


    while (scanner.hasNextLine()) {
        scanner.nextLine();
        numberOfRows++;

    }

    char[][] cells = new char[numberOfRows][columns];

    String line = scanner.nextLine(); // Error here
    for (int i = 0; i < numberOfRows; i++) {
        for(int j = 0; j < columns; j++) {
            if (line.charAt(i) == '*') {
            cells[i][j] = 1;
            System.out.println(cells[i][j]);
            }
        }
    }
    System.out.println(numberOfRows);
    System.out.println(columns);
  }
}

1 个答案:

答案 0 :(得分:0)

一旦使用过的扫描仪无法重置到起始位置。您必须再次创建一个新实例。我修改了您的代码,以便可能实现您的目标 -

import java.util.Scanner;
import java.io.File;

public class LifeGrid {

public static void main(String[] args) throws Exception {

    Scanner scanner = new Scanner(new File("seed.txt"));

    int numberOfRows = 0, columns = 0;

    while (scanner.hasNextLine()) {
        String s = scanner.nextLine();
        if( s.length() > columns ) columns = s.length();
        numberOfRows++;

    }

    System.out.println(numberOfRows);
    System.out.println(columns);
    char[][] cells = new char[numberOfRows][columns+1];

    scanner = new Scanner(new File("seed.txt"));
    for (int i = 0; i < numberOfRows; i++) {
        String line = scanner.nextLine();
        System.out.println("Line="+line+", length="+line.length());
        for(int j = 0; j <= line.length(); j++) {
            if( j == line.length() ) {
                cells[i][j] = (char)-1;
                break;
            }
            cells[i][j] = line.charAt(j);
        }
    }
    System.out.println(numberOfRows);
    System.out.println(columns);
    for (int i = 0; i < numberOfRows; i++) {
        for(int j = 0; j <= columns; j++) {
                if( cells[i][j] == (char)-1 ) break;
                System.out.println("cells["+i+"]["+j+"] = "+cells[i][j]);
        }
    }
  }
}