0

我已经声明了一个 JTable(在类扩展的 JPanel 构造函数中),例如

data_table = new JTable(info, header) {
    @Override
    public boolean isCellEditable(int row, int column) {
        //disable table editing
        return false;
    }
};

声明 info 和 column 的位置

static String[][] info = new String[row][cols];
static String[] header = {"h1", "h2", "h3"};

现在我需要在某些事件发生时通过调用静态方法来更新表格内容。我该怎么做?

4

2 回答 2

4

我没有 tableModel,我有一个字符串矩阵

所有表都使用 TableModel。当您创建表格时,TableModel 使用字符串矩阵。

要更新您的数据,您可以执行以下操作:

table.setValueAt(...);

这将导致模型被更新,并且模型将告诉表格重新绘制自己。

阅读有关如何使用表格的 Swing 教程,了解有关表格的更多信息。

此外,您不应该使用静态变量或方法。如果你是,那么你的程序设计得很糟糕。再次阅读本教程,了解如何构建代码的更好示例。

于 2013-07-17T14:51:28.657 回答
-3

如果您想通知您的 JTable 您的数据更改,请在您的 tablemodel 上调用一个方法,该方法将更新数据并调用fireTableDataChanged()

使用 JTableModel 在 JTable 中维护数据是一种很好的做法。 http://docs.oracle.com/javase/tutorial/uiswing/components/table.html

那就是您的 tablemodel 将触发fireTableDataChanged()when 值将发生变化。

class MyTableModel extends AbstractTableModel {
    private String[] columnNames = ...//same as before...
    private Object[][] data = ...//same as before...

    public int getColumnCount() {
        return columnNames.length;
    }

    public int getRowCount() {
        return data.length;
    }

    public String getColumnName(int col) {
        return columnNames[col];
    }

    public Object getValueAt(int row, int col) {
        return data[row][col];
    }

    public Class getColumnClass(int c) {
        return getValueAt(0, c).getClass();
    }

    /*
     * Don't need to implement this method unless your table's
     * editable.
     */
    public boolean isCellEditable(int row, int col) {
        //Note that the data/cell address is constant,
        //no matter where the cell appears onscreen.
        if (col < 2) {
            return false;
        } else {
            return true;
        }
    }

    /*
     * Don't need to implement this method unless your table's
     * data can change.
     */
    public void setValueAt(Object value, int row, int col) {
        data[row][col] = value;
        fireTableCellUpdated(row, col);
    }
    ...
}
于 2013-07-17T14:38:16.930 回答