我有一个小的Java swingui应用程序,我在其中显示JList,用户可以剪切,复制,粘贴和排序列表。
我使用自定义TransferHandler来允许拖放此Jlist。这是构建JList的代码,它基本上是从ArrayList构建的。 “lstScripts”是JList。
ListTransferHandler lh = new ListTransferHandler();
...
DefaultListModel listModelScripts = new DefaultListModel();
for(Script s : scripts) {
listModelScripts.addElement(s.getName());
}
this.lstScripts = new JList(listModelScripts);
this.lstScripts.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
this.lstScripts.addListSelectionListener(this);
JScrollPane sp = new JScrollPane(this.lstScripts);
sp.setPreferredSize(new Dimension(400,100));
this.lstScripts.setDragEnabled(true);
this.lstScripts.setTransferHandler(lh);
this.lstScripts.setDropMode(DropMode.ON_OR_INSERT);
setMappings(this.lstScripts);
...
在我自定义的TransferHandler类中,我使用了importData例程,以便它处理复制/粘贴/剪切/排序。
public boolean importData(TransferHandler.TransferSupport info) {
String scriptname = null; // The script name on the list
//If we can't handle the import, bail now.
if (!canImport(info)) {
return false;
}
JList list = (JList)info.getComponent();
DefaultListModel model = (DefaultListModel)list.getModel();
//Fetch the scriptname -- bail if this fails
try {
scriptname = (String)info.getTransferable().getTransferData(DataFlavor.stringFlavor);
} catch (UnsupportedFlavorException ufe) {
System.out.println("importData: unsupported data flavor");
return false;
} catch (IOException ioe) {
System.out.println("importData: I/O exception");
return false;
}
if (info.isDrop()) { //This is a drop
JList.DropLocation dl = (JList.DropLocation)info.getDropLocation();
int index = dl.getIndex();
model.add(index, scriptname);
return true;
} else { //This is a paste
int index = list.getSelectedIndex();
// if there is a valid selection,
// insert scriptname after the selection
if (index >= 0) {
model.add(list.getSelectedIndex()+1, scriptname);
// else append to the end of the list
} else {
model.addElement(scriptname);
}
return true;
}
}
到目前为止,就GUI而言,一切正常。但我的问题是我需要使用用户GUI更改自动更新原始JList“lstScripts”。例如,如果用户剪切或重新排序列表,我希望它显示在“lstScripts”中。
我没有看到如何在TransferHandler与“lstScripts”所在的原始GUI控制器之间建立此连接。
答案 0 :(得分:1)
@kleopatra - 你帮帮我了!抱歉,我不明白该模型是如何工作的。
所以在控制器中,我创建了“lstScripts”JList并将其添加到我的面板(这是我上面代码的第一个块)。
pnlScripts.add(lstScripts, BorderLayout.WEST);
正如我上面的代码所示,listScripts JList有一个自定义transferhandler设置如下:
this.lstScripts.setTransferHandler(lh);
所以transferhandler会完成所有用户dnd(拖放)操作。在控制器中,我可以通过执行以下操作获取更新列表:
DefaultListModel model = (DefaultListModel)lstScripts.getModel();
for (int i = 0; i < model.getSize(); i++){
scriptnames += model.getElementAt(i).toString() + ",";
}
scriptnames String变量现在包含更新的列表。
谢谢!