1

为了测试,我在一个文本文件中有三个名字。

Joe       ,Smith
Jim       ,Jones
Bob       ,Johnson

s=reader.readLine();我通过在循环末尾添加一秒来修复永恒循环while,但是当我运行下面的代码时,我得到以下输出:

JoeSmith
JoeSmith
JimJones
JimJones
BobJohnson
BobJohnson

如何防止重复名称?我的第二个s=reader.readLine();位置不正确吗? *废话。没关系。我正在打印源数据和从中创建的数组字段。哦。

import java.nio.file.*;
import java.io.*;
import java.nio.channels.FileChannel;
import java.nio.ByteBuffer;
import static java.nio.file.StandardOpenOption.*;
import java.util.Scanner;
import java.text.*;
import javax.swing.JOptionPane;
//
public class VPass
{
    public static void main(String[] args)
    {
        final String FIRST_FORMAT = "          ";
        final String LAST_FORMAT = "          ";
        String delimiter = ",";
        String s = FIRST_FORMAT + delimiter + LAST_FORMAT ;
        String[] array = new String[2];
        Scanner kb = new Scanner(System.in);
        Path file = Paths.get("NameLIst.txt");
        try
        {    
            InputStream iStream=new BufferedInputStream(Files.newInputStream(file));
            BufferedReader reader=new BufferedReader(new InputStreamReader(iStream));
            s=reader.readLine();
            while(s != null)
            {
                array = s.split(delimiter);
                String firstName = array[0];
                String lastName = array[1];
                System.out.println(array[0]+array[1]+"\n"+firstName+lastName);
                s=reader.readLine();
            }
    }
    catch(Exception e)
    {
        System.out.println("Message: " + e);
    }
   }
  }
4

2 回答 2

2

再次放在s=reader.readLine();您的 while 循环的末尾。最终它将变为 null 并且您的循环将退出。

于 2012-04-27T01:42:55.370 回答
2

s在第一次循环迭代后您永远不会更新。

您的代码需要更符合以下方面:

while ((s = reader.readLine()) != null)
{
  array = s.split(delimiter);
  String firstName = array[0].trim();
  String lastName = array[1].trim();
  System.out.println(array[0]+array[1]+"\n"+userName+password);
}

编辑:trim()根据 Sanchit 的评论添加了建议。


问题更改后的后续编辑:

我通过添加第二个 s=reader.readLine(); 来修复永恒循环。在我的while循环结束时,但是当我运行下面的代码时,我得到以下输出:

乔史密斯

乔史密斯

吉姆琼斯

吉姆琼斯

鲍勃约翰逊

鲍勃约翰逊

如果我们查看您的代码:

while(s != null)
{
  array = s.split(delimiter);
  String firstName = array[0];
  String lastName = array[1];
  System.out.println(array[0]+array[1]+"\n"+firstName+lastName);   // <-- this prints 2 lines of output
  s=reader.readLine();
}

...您会看到每次循环迭代都输出 2 行输出。

于 2012-04-27T01:42:58.007 回答