我正在从文件中读取行,总数约为150,000行。每次读取一行

-i修改对象城市,

-然后将其添加到链接列表

-然后在最后一个位置打印出链接列表的内容,我发现它是正确的。

-在filereader循环结束之后,我发现链表上的所有对象都具有相同的城市值,这是输入的最后一个值(读取文件的最后一行)->这是问题所在

public static void lala() throws IOException{

    String FileLine;



    BufferedReader R = new BufferedReader(new FileReader(
            "list_of_1000_cities with coords.txt"));


    city x = new city() ;


    while ((FileLine = R.readLine()) != null) {
        String[] Tokens = FileLine.split(",");


        if (Preprocessor.get_double(Tokens[1])!=0 && Preprocessor.get_double(Tokens[2])!=0) {



        x.latitude= Double.parseDouble(Tokens[1]);


        x.longitude= Double.parseDouble(Tokens[2]);

        x.name= Tokens[0];
        citylist.add(x );

        System.out.println(citylist.get(citylist.size() - 1).name);
         //prints the correct name

        }
    }

        System.out.println(citylist.get(1115).name);

    // always prints the last name on the file read no matter how much i change the index printed

}

最佳答案

Java通过引用引用对象。因此,在while循环内,您正在修改在循环外分配的对X的相同引用的值。

在while循环中为每个坐标实例化X的新值,然后将其添加到列表中-您的问题将得到解决。

具体来说,您的代码:

字符串FileLine;

BufferedReader R = new BufferedReader(new FileReader(
        "list_of_1000_cities with coords.txt"));





while ((FileLine = R.readLine()) != null) {
    String[] Tokens = FileLine.split(",");


    if (Preprocessor.get_double(Tokens[1])!=0 && Preprocessor.get_double(Tokens[2])!=0) {

    city x = new city() ;

    x.latitude= Double.parseDouble(Tokens[1]);


    x.longitude= Double.parseDouble(Tokens[2]);

    x.name= Tokens[0];
    citylist.add(x );

    System.out.println(citylist.get(citylist.size() - 1).name);
     //prints the correct name

    }
}

    System.out.println(citylist.get(1115).name);

07-26 03:15