我有一个JTable
,它的一列单元格是JComboBox
。
但是当尝试单击表JComboBox
单元格时获取行数时,我发现行索引始终返回错误值(总是最后单击的行索引)。
public class TableComboBoxTest extends JFrame {
private JTable table;
private DefaultTableModel tableModel;
private Object[][] tableCells;
private final String[] TABLE_COLUMNS = {"No.1"};
private final String[] YES_NO_SELECTION = {"Yes", "No"};
public TableComboBoxTest() {
Container pane = getContentPane();
pane.setLayout(new BorderLayout());
tableModel = new DefaultTableModel(tableCells, TABLE_COLUMNS);
table = new JTable(tableModel);
DefaultCellEditor cellEditor = null;
JComboBox selA = new JComboBox(YES_NO_SELECTION);
cellEditor = new DefaultCellEditor(selA);
cellEditor.setClickCountToStart(1);
table.getColumn(TABLE_COLUMNS[0]).setCellEditor(cellEditor);
JScrollPane jsp = new JScrollPane();
jsp.getViewport().add(table, null);
pane.add(jsp, BorderLayout.CENTER);
TableCellEditor tce = null;
addRow("Yes");
outputDefaultSelection(0, 0);
addRow("No");
outputDefaultSelection(1, 0);
System.out.println("");
selA.addItemListener(new ItemListener() {
public void itemStateChanged(ItemEvent e) {
if (e.getStateChange() == ItemEvent.SELECTED) {
JComboBox cb = (JComboBox) e.getSource();
String sel = (String) cb.getSelectedItem();
int rowIndex = table.getSelectedRow();
rowIndex = table.convertRowIndexToModel(rowIndex);
if (rowIndex == -1) {
return;
}
outputDefaultSelection(rowIndex, 0);
System.out.println("Select: " + sel + " at " + rowIndex);
}
}
});
}
private void addRow(String v1) {
Vector<String> vec = new Vector<String>();
vec.add(v1);
tableModel.addRow(vec);
tableModel.fireTableDataChanged();
}
private void outputDefaultSelection(int row, int col) {
TableCellEditor tce = table.getCellEditor(row, col);
System.out.println("Default " + row + "-" + col + " Selection: " + tce.getCellEditorValue());
System.out.println("Default " + row + "-" + col + " Value: " + table.getModel().getValueAt(row, col));
}
public static void main(String[] args) {
TableComboBoxTest stt = new TableComboBoxTest();
stt.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
stt.setSize(200, 100);
stt.setVisible(true);
}
}
默认0-0选择:是
默认0-0值:是
默认1-0选择:是
默认1-0值:否*
单击第一行并选择“是”时,不会触发更改事件。
单击第二行时,更改事件触发器!行号错误:0
默认0-0选择:否
默认0-0值:是
选择:0 *否
当继续单击第一行时,更改事件触发器!行号错误:1
默认1-0选择:是
默认1-0值:否
选择:是,是1
如何获得正确的点击单元格编号?
对于itemStateChanged流程,我还发现单元格设置值是否与默认列值相同(“是”),单击时不会触发事件。但是如果单元格设置值为“否”,则单击它会导致更改事件。这意味着模型数据与默认选择的数据不同。如何使它们一致?
谢谢〜
最佳答案
这意味着模型数据与默认选择的数据不同。如何使它们一致?
这仅表示该模型尚未使用组合框中的新选择值进行更新。
这可以通过使用以下示例进行演示:
final String sel = (String) cb.getSelectedItem();
final int rowIndex = table.convertRowIndexToModel(table.getSelectedRow());
if (rowIndex == -1) {
return;
}
SwingUtilities.invokeLater(new Runnable()
{
public void run()
{
outputDefaultSelection(rowIndex, 0);
System.out.println("Select: " + sel + " at " + rowIndex);
}
});
现在,显示代码将添加到“事件调度线程”的末尾,这意味着它将在所有其他事件完成执行之后执行,因此现在将更新TableModel。
但是,这不是最佳解决方案。如果您想知道何时更改了单元格中的数据,则将
TableModelListener
添加到TableModel。不要使用ItemListener。