有没有办法用JList获取垂直索引?

时间:2019-05-07 03:11:44

标签: java jlist

我正在尝试从JList获取垂直索引。我的程序将网站,用户名和密码以列表形式保存到这样的文本文件中:

website
username
password

当我使用for循环创建我的usernamesAndPasswords类的新实例时,它会这样读取:

website website website
username username username
password password password. 

我认为导致问题的代码是这样的:

        save.addActionListener(new ActionListener() {
        @Override
        public void actionPerformed(ActionEvent e) {
            String outFileName;
            String website, username, password;
            ArrayList<UsernamesAndPasswords> upInfo = new
                    ArrayList<UsernamesAndPasswords>();
            try{
                for (int i = 0; i < list1.getSize(); i++){
                    website = list1.getElementAt(i);
                    username = list1.getElementAt(i);
                    password = list1.getElementAt(i);
                    upInfo.add(new UsernamesAndPasswords(website, username, password));
                }

                Scanner sc = new Scanner(System.in);
                System.out.println("Enter the name of the file to write to: ");
                outFileName = sc.nextLine();
                upc.saveToTextFile(upInfo, outFileName);
            } catch (Exception ex){
                JOptionPane.showMessageDialog(null, "There was" +
                        "an error saving the file");
            }
        }});

如果这没有任何意义,请告诉我该如何解决。谢谢。

1 个答案:

答案 0 :(得分:1)

看看你的循环:

for (int i = 0; i < list1.getSize(); i++){
    website = list1.getElementAt(i);
    username = list1.getElementAt(i);
    password = list1.getElementAt(i);
    upInfo.add(new UsernamesAndPasswords(website, username, password));
}

当您遇到这样的索引问题时,请尝试通过替换值来将您的大脑用作调试器:

// Loop iteration 1 (index = 0)

website = list1.getElementAt(0);
username = list1.getElementAt(0);
password = list1.getElementAt(0);

列表中的第一个元素是网站名称,但在尝试设置相应的用户名或密码之前不会增加索引。您想要:

website = list1.getElementAt(0);
username = list1.getElementAt(1);
password = list1.getElementAt(2);

根据文件的结构,您显然需要在循环中增加该索引。

website = list1.getElementAt(i);
i++;
username = list1.getElementAt(i);
i++;
password = list1.getElementAt(i);

您的i++循环中的for将负责将索引增加到元素4,并且您必须将getSize()作为循环的退出条件从getSize() - 2更改为避免索引超出范围。

您还可以切换到将每个网站的列表和相应数据保存在自己的行上,并根据某些分隔符(制表符,逗号等)进行拆分,这可能会使您或其他人在概念上更简单您的代码,但这种更改不仅实现起来微不足道,而且价值也微不足道。