JTable 复选框(布尔值)列不可编辑



我制作了一个JTable并实现了自定义表模型,以便它呈现布尔值的复选框。我遇到的问题是复选框不可编辑。

public class JTableBooleanAsCheckbox extends JPanel {
public JTableBooleanAsCheckbox() {
initializeUI();
}
private void initializeUI() {
setLayout(new BorderLayout());
setPreferredSize(new Dimension(450, 150));
JTable table = new JTable(new BooleanTableModel());
table.setFillsViewportHeight(true);
JScrollPane pane = new JScrollPane(table);
add(pane, BorderLayout.CENTER);
}
public static void showFrame() {
JPanel panel = new JTableBooleanAsCheckbox();
panel.setOpaque(true);
JFrame frame = new JFrame("JTable Boolean as Checkbox");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setContentPane(panel);
frame.pack();
frame.setVisible(true);
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
JTableBooleanAsCheckbox.showFrame();
}
});
}

表模型如下。

class BooleanTableModel extends AbstractTableModel {
String[] columns = {"STUDENT ID", "NAME", "SCORE", "PASSED"};
Object[][] data = {
{"S001", "ALICE", 90.00, Boolean.TRUE},
{"S002", "BOB", 45.50, Boolean.FALSE},
{"S003", "CAROL", 60.00, Boolean.FALSE},
{"S004", "MALLORY", 75.80, Boolean.TRUE}
};
public int getRowCount() {
return data.length;
}
public int getColumnCount() {
return columns.length;
}
public Object getValueAt(int rowIndex, int columnIndex) {
return data[rowIndex][columnIndex];
}
@Override
public String getColumnName(int column) {
return columns[column];
}
//
// This method is used by the JTable to define the default
// renderer or editor for each cell. For example if you have
// a boolean data it will be rendered as a check box. A
// number value is right aligned.
//
@Override
public Class<?> getColumnClass(int columnIndex) {
return data[0][columnIndex].getClass();
}
@Override
public boolean isCellEditable(int rowIndex,int columnIndex) {
if(rowIndex == 3)
return true;
return false;
}
}

这是怎么回事?我为包含复选框的单元格设置了可编辑的单元格。仍然无法更改复选框的状态(选中或取消选中(。

您的BooleanTableModelisCellEditable方法中存在错误。 而不是rowIndex == 3您需要检查columnIndex == 3。 它应该是:

@Override
public boolean isCellEditable(int rowIndex, int columnIndex) {
if(columnIndex == 3)
return true;
return false;
}

此外,您需要覆盖其setValueAt方法, 因为AbstractTableModelsetValueAt方法什么都不做:

@Override
public void setValueAt(Object aValue, int rowIndex, int columnIndex) {
data[rowIndex][columnIndex] = aValue;
}

最新更新