我正在尝试用数据库中的数据填充表,但是我遇到了一些问题。有人可以给我一个例子吗? (因此,该表接受数据的Object [] []参数)。我有以下基本代码来显示表格;

class table extends JFrame
{
    JTable table;

    public table()
    {
        setLayout(new FlowLayout());
        String[] columnNames = {"test","test","test"};
        Object[][] data= {{"test","test","test"},{"test","test","test"}};

        table = new JTable(data,columnNames);
        table.setPreferredScrollableViewportSize(new Dimension(500,100));
        table.setFillsViewportHeight(true);

       JScrollPane scrollPane = new JScrollPane(table);
       add(scrollPane);
    }
}

最佳答案

两年前,在我上技术学校的时候,我写了一个图书馆帮助解决了练习中提出的一些问题,其中包括一个DatabaseTableModel

该类从AbstractTableModelwhich means you can set it扩展为您的JTable数据源。

这是从ResultSet构造模型的算法:

public final void constructModel(ResultSet rs) throws SQLException {
    ResultSetMetaData rsmd = rs.getMetaData();
    rs.last();
    rowCount = rs.getRow();
    int columnCount = rsmd.getColumnCount();
    // DatabaseColumn simply holds a name and a Class<?>.
    columns = new DatabaseColumn[columnCount];
    // This is the Object[][] array that you were talking about.
    // It holds all the data from the ResultSet.
    data = new Object[columnCount][rowCount];
    for (int i = 0; i < columnCount; ++i) {
        // Figure out the column name and type.
        int j = i + 1;
        String colName = rsmd.getColumnLabel(j);
        Class<?> colClass = String.class;
        try {
            colClass = Class.forName(rsmd.getColumnClassName(j));
        } catch (ClassNotFoundException ex) {
            colClass = String.class;
        }
        columns[i] = new DatabaseColumn(colName, colClass);
        // Get the data in the current column as an Object.
        rs.beforeFirst();
        for (int k = 0; rs.next(); ++k) {
            data[i][k] = rs.getObject(j);
        }
    }
    // Notify listeners about the changes so they can update themselves.
    fireTableStructureChanged();
}


当我在学校使用该课程时,该课程便已生效,但它并非完全是生产代码。今天看的时候,我开始发现问题。

一个问题是它将ResultSet的全部内容加载到内存中。很快就会变得丑陋。

另外,该算法也不是最佳选择。它遍历数据库游标,好像什么都没有。我想如果数据库先检索了当前行中的所有对象并将它们分配给相应的列,然后再继续进行下一行操作,则数据库的成本将降低。

不过,我认为这是一个足够好的起点。

07-26 07:10
查看更多