Java:Array只打印最后一个元素

时间:2017-09-16 03:44:11

标签: java arrays

我已经被困在这个任务上好几个小时了,我无法弄清楚这一点。我创建了一个艺术家阵列,其大小由变量定义,随着更多艺术家的添加,我会增加。如果我设置了artist[] artistList = new artist[totalArtist];,我会得到一个数组输出或只是一个空白输出,所以到目前为止,artist[] artistList = new artist[1+totalArtist];对我有用,至少给了我一个输出。任何改进都会很好

以下是我的代码片段:

public static void main(String[] args) {
        //initialize total artists and id
        int totalArtist = 0;
        int newID = 0;

        //create an array for artists
        artist[] artistList = new artist[1+totalArtist];

        //open the original file
        try {
            File file = new File("p1artists.txt");
            Scanner input = new Scanner(file);

            while (input.hasNextLine()) {
                int id = input.nextInt();
                String name = input.next();

                //create a new artist and put it in the array
                for (int i = 0; i < artistList.length; i++) {
                    artistList[i] = new artist(id, name);
                    totalArtist++;
                }
                //increment to a newID
                newID = id + 1;
            }
        } catch (IOException e) {
            e.printStackTrace();
        }

       for(artist e : artistList)
           System.out.println(e);

我的主要问题是:在for循环中,我能够创建一个新的艺术家并将其放在artistList数组中。我也能打印每一个元素。但是,在try-catch之外,它只打印一次最后一个元素。我不明白我做错了什么。

请不要建议数组列表,因为如果我能够完成这项任务,我显然会。

3 个答案:

答案 0 :(得分:1)

尝试这样的事情:

public static void main(String[] args)
{
    // create an array for artists
    artist[] artistList = new artist[0];

    // open the original file
    try {
        final File file = new File("p1artists.txt");
        final Scanner input = new Scanner(file);

        while (input.hasNextLine())
        {
            final int id = input.nextInt();
            final String name = input.next();
            // Skip to next line...
            input.netxLine();

            // Create a ne array, with one more element
            final artist[] newList = new artist[artistList.length + 1];
            // Copy the element references to the new array
            System.arraycopy(artistList, 0, newList, 0, artistList.length);
            // create a new artist and put it in the array
            newList[artistList.length] = new artist(id, name);
            // Replace old array with new one
            artistList = newList;
        }
    }
    catch (IOException e)
    {
        e.printStackTrace();
    }

   for(artist e : artistList)
        System.out.println(e);
}

答案 1 :(得分:0)

您的数组只打印一个元素,因为您通过尝试写入位置2+来获取异常,该位置退出try块,然后跳转到foreach循环。

数组中只有一个元素

int totalArtist = 0;
artist[] artistList = new artist[1+totalArtist]; // = new artist[1];

由于您无法使用列表,您可以

  1. 读取文件的行数,然后创建数组。 Number of lines in a file in Java
  2. 提示从文件中读取的艺术家人数
  3. 通过自己创建一个包含较大尺寸阵列的新数组并通过
  4. 复制元素来模拟列表

答案 2 :(得分:0)

您的artistList.length始终为1.因此您始终在更新第一个也是唯一一个元素。数组无法动态扩展。要实现您想要的,请考虑ArrayList或LinkedList,具体取决于您如何预测结果列表中的项目使用方式。