我已经声明了一个JTable(在类扩展的JPanel构造函数中),例如
data_table = new JTable(info, header) {
@Override
public boolean isCellEditable(int row, int column) {
//disable table editing
return false;
}
};
声明信息和列
static String[][] info = new String[row][cols];
static String[] header = {"h1", "h2", "h3"};
现在我需要通过调用静态方法更新某些事件时的表内容。我该怎么办?
答案 0 :(得分:4)
我没有tableModel,我有一个字符串矩阵
所有表都使用TableModel。创建表时,TableModel使用字符串矩阵。
要更新数据,请执行以下操作:
table.setValueAt(...);
这将导致模型更新,模型将告诉表重新绘制。
阅读How to Use Tables上的Swing教程,了解有关表格的更多信息。
此外,您不应该使用静态变量或方法。如果你是那么你的程序设计很差。再次阅读本教程,以获得有关如何构建代码的更好示例。
答案 1 :(得分:-3)
如果您想通知您的JTable有关数据的更改,请在您的tablemodel上调用一个方法,该方法将更新数据并调用fireTableDataChanged()
使用JTableModel将数据保存在JTable中是一种很好的做法。 http://docs.oracle.com/javase/tutorial/uiswing/components/table.html
这是你的tablemodel,它会在值发生变化时触发fireTableDataChanged()
。
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);
}
...
}