这是我在这里的第一篇文章,我对Java非常环保。这是我正在努力提高我的java知识。
我有一个按钮,当点击时会生成一个洗牌的卡片作为Jlist。 再次按下时,我非常希望刷新JList,或以某种方式重新创建它。相反,它只是 创建一个新列表,所以我现在有2个JLists。
button1.addActionListener(new ActionListener()
{
public void actionPerformed(ActionEvent e)
{
cards.choseCards(); //Creates an ArrayList with the suffled cards
JList<String> displayList = new JList<>(cards.deck.toArray(new String[0]));
frame.add(displayList);
frame.pack();
cards.cleanUpDeck(); //Removes all the cards from the ArrayList
}
});
答案 0 :(得分:2)
这里的关键是Swing使用模型视图类型的结构类似到模型 - 视图 - 控制器(但有差异),其中模型保存视图(组件)显示的数据
您正在做的是创建一个全新的JList,但您要做的是更新现有和显示的JList的模型,或者为现有的JList创建一个新模型JList的。 JLists使用ListModel作为其模式,通常实现为DefaultListModel对象,因此您需要更新或替换此模型,例如通过创建新的DefaultListModel对象,然后通过调用其setModel(ListModel model)
将其插入到现有的JList中方法
例如,您的代码可能看起来像这样(使用很多猜测,因为我们不知道您的真实代码是什么样的):
button1.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
// create new model for the JList
DefaultListModel<String> listModel = new DefaultListModel<>();
cards.choseCards(); //Creates an ArrayList with the suffled cards
// add the cards to the model. I have no idea what your deck field looks like
// so this is a wild guess.
for (Card card : cards.deck) {
listModel.addElement(card.toString()); // do you override toString() for Card? Hope so
}
// Guessing that your JList is in a field called displayList.
displayList.setModel(listModel); // pass the model in
cards.cleanUpDeck(); //Removes all the cards from the ArrayList
}
});