有没有办法用Swing的JList实现延迟加载?
答案 0 :(得分:11)
在某种程度上,是的。您可以创建一个自定义ListModel
,如果尚未加载,则使用getElementAt(int index)
方法加载正确的值。请参阅Javadocs中JList
的示例:
// This list model has about 2^16 elements. Enjoy scrolling.
ListModel bigData = new AbstractListModel() {
public int getSize() { return Short.MAX_VALUE; }
public Object getElementAt(int index) { return "Index " + index; }
};
答案 1 :(得分:5)
我解决了。我错过了JList API文档顶部讨论的解决方案。
在我在该主题的另一个答案中发布的示例源代码中,在创建JList后添加此行(和注释):
// Tell JList to test rendered size using this one value rather
// than every item in ListModel. (Much faster initialization)
myList.setPrototypeCellValue("Index " + Short.MAX_VALUE);
问题是,默认情况下,JList正在访问整个ListModel中的每个项目,以在运行时确定必要的显示大小。上面添加的行会覆盖默认值,并告诉JList只检查传递的一个值。这个值充当模板(原型),用于调整JList的显示大小。
请参阅:
http://java.sun.com/javase/6/docs/api/javax/swing/JList.html#prototype_example
答案 2 :(得分:2)
只需添加其他答案,当您创建自己的ListModel
实现时,在加载要调用的数据时:
fireIntervalAdded(Object source,int index0, int index1)
假设您正在逐步将数据加载到列表中。这将导致将JList
用作模型进行更新。
答案 3 :(得分:1)
不正确的。上面的JList没有延迟加载。
Swing坚持访问整个ListModel中的每个项目,同时将其显示在屏幕上。此外,在访问所有项目后,Swing会重新访问屏幕上可见的前n个项目(在视口中,而不是在屏幕下方)。
运行这个简单的“TestJList”类来证明它。每次执行'getElementAt'时我都会调用println。您可以清楚地看到Swing为ListModel中的每个项调用该方法。
对于运行Mac OS X 10.6.2 with Java:
的MacBook一体机,我会发生这种情况“1.6.0_17”Java(TM)SE运行时 环境(建立1.6.0_17-b04-248-10M3025) Java HotSpot(TM)64位服务器VM(构建 14.3-b01-101,混合模式)
import javax.swing.*;
/**
* This example proves that a JList is NOT lazily-loaded.
*/
public class TestJList {
private static void createAndShowGUI() {
//Create and set up the window.
JFrame frame = new JFrame("HelloWorldSwing");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
//Create an artificial ListModel.
ListModel bigData =
new AbstractListModel() {
public int getSize() {
// return Short.MAX_VALUE; // Try this if you have a long while to waste.
return 10;
}
public Object getElementAt(int index) {
System.out.println("Executing 'getElementAt' # " + index);
return "Index " + index;
}
};
// Create a JList.
JList myList = new JList(bigData);
// Add the JList to the frame.
frame.getContentPane().add(myList);
//Display the window.
frame.pack();
frame.setVisible(true);
}
public static void main(String[] args) {
//Schedule a job for the event-dispatching thread:
//creating and showing this application's GUI.
javax.swing.SwingUtilities.invokeLater(
new Runnable() {
public void run() {
createAndShowGUI();
}
});
}
}
运行该代码,您将看到:
Executing 'getElementAt' # 0
Executing 'getElementAt' # 1
Executing 'getElementAt' # 2
Executing 'getElementAt' # 3
Executing 'getElementAt' # 4
Executing 'getElementAt' # 5
Executing 'getElementAt' # 6
Executing 'getElementAt' # 7
Executing 'getElementAt' # 8
Executing 'getElementAt' # 9
Executing 'getElementAt' # 0
Executing 'getElementAt' # 1
Executing 'getElementAt' # 2
Executing 'getElementAt' # 3
Executing 'getElementAt' # 4
Executing 'getElementAt' # 5
Executing 'getElementAt' # 6
Executing 'getElementAt' # 7
Executing 'getElementAt' # 8
Executing 'getElementAt' # 9
-fin -