There are three selection modes available in the JTable
component. The selection mode can be a single selection, a single interval selection or a multiple interval selection. To set the selection mode we call the JTable.setSelectionMode()
method and pass one of the following value as the parameter:
ListSelectionModel.SINGLE_SELECTION
ListSelectionModel.SINGLE_INTERVAL_SELECTION
ListSelectionModel.MULTIPLE_INTERVAL_SELECTION
package org.kodejava.swing;
import javax.swing.*;
import javax.swing.table.AbstractTableModel;
import javax.swing.table.TableColumnModel;
import java.awt.*;
public class TableSelectionModeDemo extends JPanel {
public TableSelectionModeDemo() {
initializePanel();
}
public static void showFrame() {
JPanel panel = new TableSelectionModeDemo();
panel.setOpaque(true);
JFrame frame = new JFrame("JTable Single Selection");
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setContentPane(panel);
frame.pack();
frame.setVisible(true);
}
public static void main(String[] args) {
SwingUtilities.invokeLater(TableSelectionModeDemo::showFrame);
}
private void initializePanel() {
this.setLayout(new BorderLayout());
JTable table = new JTable(new PremiereLeagueTableModel());
TableColumnModel columnModel = table.getColumnModel();
columnModel.getColumn(0).setPreferredWidth(200);
// Settings table selection mode. We can use the following
// three constants to define the selection mode.
//
// - ListSelectionModel.SINGLE_SELECTION
// - ListSelectionModel.SINGLE_INTERVAL_SELECTION
// - ListSelectionModel.MULTIPLE_INTERVAL_SELECTION
table.setSelectionMode(ListSelectionModel.MULTIPLE_INTERVAL_SELECTION);
JScrollPane pane = new JScrollPane(table);
this.add(pane, BorderLayout.CENTER);
this.setPreferredSize(new Dimension(500, 500));
}
static class PremiereLeagueTableModel extends AbstractTableModel {
// TableModel's column names
private final String[] columnNames = {
"CLUB", "MP", "W", "D", "L", "GF", "GA", "GD", "PTS"
};
// TableModel's data
private final Object[][] data = {
{"Chelsea", 8, 6, 1, 1, 16, 3, 13, 19},
{"Liverpool", 8, 5, 3, 0, 22, 6, 16, 18},
{"Manchester City", 8, 5, 2, 1, 16, 3, 13, 17},
{"Brighton", 8, 4, 3, 1, 8, 5, 3, 15},
{"Tottenham", 8, 5, 0, 3, 9, 12, -3, 15}
};
public int getRowCount() {
return data.length;
}
public int getColumnCount() {
return columnNames.length;
}
public Object getValueAt(int rowIndex, int columnIndex) {
return data[rowIndex][columnIndex];
}
}
}
Latest posts by Wayan (see all)
- How do I create a string of repeated characters? - September 1, 2023
- How do I convert datetime string with optional part to a date object? - August 28, 2023
- How do I split large excel file into multiple smaller files? - April 15, 2023