通过按Tab键,焦点将移至下一个单元格。我想更改此行为,以便某些列从Tab键导航中排除。假设一个表由5列组成,那么只有第1列和第3列应被考虑进行导航。根据我的阅读,FocusTraversalPolicy
用于此目的。但是,由于未提供列和行指示,因此实现此行为似乎相当复杂。那么如何返回正确的组件?
public class Table extends JTable{
int columnCount = 5;
int[] tab = { 1, 3 };
public Table(){
...
this.setFocusTraversalPolicy(new FocusTraversalPolicy() {
@Override
public Component getLastComponent(Container arg0) {
return null;
}
@Override
public Component getFirstComponent(Container arg0) {
return null;
}
@Override
public Component getDefaultComponent(Container arg0) {
return null;
}
@Override
public Component getComponentBefore(Container arg0, Component arg1) {
return null;
}
@Override
public Component getComponentAfter(Container arg0, Component arg1) {
return null;
}
});
}
}
最佳答案
根据我的阅读,FocusTraversalPolicy用于此目的
表格列不是真正的组成部分,因此一旦表格获得焦点,FocusTraversalPolicy就没有任何意义。 JTable提供了在单元格之间移动的动作。
您也许可以使用Table Tabbing中的概念。例如:
public class SkipColumnAction extends WrappedAction
{
private JTable table;
private Set columnsToSkip;
/*
* Specify the component and KeyStroke for the Action we want to wrap
*/
public SkipColumnAction(JTable table, KeyStroke keyStroke, Set columnsToSkip)
{
super(table, keyStroke);
this.table = table;
this.columnsToSkip = columnsToSkip;
}
/*
* Provide the custom behaviour of the Action
*/
public void actionPerformed(ActionEvent e)
{
TableColumnModel tcm = table.getColumnModel();
String header;
do
{
invokeOriginalAction( e );
int column = table.getSelectedColumn();
header = tcm.getColumn( column ).getHeaderValue().toString();
}
while (columnsToSkip.contains( header ));
}
}
要使用该类,您可以执行以下操作:
Set<String> columnsToSkip = new HashSet<String>();
columnsToSkip.add("Column Name ?");
columnsToSkip.add("Column Name ?");
new SkipColumnAction(table, KeyStroke.getKeyStroke("TAB"), columnsToSkip);
new SkipColumnAction(table, KeyStroke.getKeyStroke("shift TAB"), columnsToSkip);
关键点是您必须用自己的一个替换表的默认制表符操作。