0

我有这个具有以下格式和内容的 .txt 文件(注意空格):

Apples   00:00:34
Jessica  00:01:34
Cassadee 00:00:20

我想将它们存储到 2D 数组 ( holder[5][2]) 中,同时将它们输出到JTable. 我已经知道如何在 java 中写入和读取文件并将读取的文件放入数组中。但是,当我使用此代码时:

   try {

        FileInputStream fi = new FileInputStream(file);
        DataInputStream in = new DataInputStream(fi);
        BufferedReader br = new BufferedReader(new InputStreamReader(in));

        String line = null;
        while((line = br.readLine()) != null){
            for(int i = 0; i < holder.length; i++){
                for(int j = 0; j < holder[i].length; j++){
                    holder[i][j] = line;
                }  
            }
        }

        in.close();


        } catch(Exception ex) {
            ex.printStackTrace();
        }

我的holder[][]数组输出不如 JTable 好:| 请帮忙?感谢任何可以帮助我的人!

编辑:也可以用Scanner? 我更了解扫描仪。

4

1 回答 1

2

你需要的是这样的:

int lineCount = 0;
int wordCount = 0;
String line = null;
        while((line = br.readLine()) != null){
            String[] word = line.split("\\s+");
            for(String segment : word)
            {
                holder[lineCount][wordCount++] = segment;                    
            }
            lineCount++;
            wordCount = 0; //I think now it should work, before I forgot to reset the count.
        }

请注意,此代码未经测试,但它应该为您提供总体思路。

编辑: The\\s+是一个正则表达式,用于表示一个或多个空格字符,无论是空格还是制表符。从技术上讲,正则表达式很简单\s+,但我们需要添加一个额外的空格,因为\是 Java 的转义字符,所以你需要转义它,因此额外的\. 加号只是表示 on 或 more of 的运算符。

第二次编辑:是的,您也可以这样Scanner做:

Scanner input = new Scanner(new File(...));
while ((line = input.next()) != null) {...}
于 2012-04-06T13:59:07.420 回答