我找到了in the Internet这样的信息:
“当JDialog(或JFrame)可见时,默认情况下焦点放在第一个可聚焦组件上。”
让我们考虑一下这样的代码:
public class MyDialog extends JDialog{
// Dialog's components:
private JLabel dialogLabel1 = new JLabel("Hello");
private JLabel dialogLabel2 = new JLabel("Message");
private JButton dialogBtn = new JButton("Sample Btn text");
public MyDialog(JFrame parent, String title, ModalityType modality){
super(parent, title, modality);
dialogBtn.setName("Button"); //
dialogLabel1.setName("Label1"); // - setting names
dialogLabel2.setName("Label2"); //
setTitle(title);
setModalityType(modality);
setSize(300, 100);
setLocation(200, 200);
// adding comps to contentPane
getContentPane().add(dialogLabel1, BorderLayout.PAGE_START);
getContentPane().add(dialogBtn, BorderLayout.CENTER);
getContentPane().add(dialogLabel2, BorderLayout.PAGE_END);
pack();
}
public void showDialog(){
setVisible(true);
listComps(rootPane.getComponents());
setDefaultCloseOperation(DISPOSE_ON_CLOSE);
}
/*
* Itereates through all subcomps recursively and displays some relevant info
* OUTPUT FORM: ComponentName | isFocusable | hasFocus
*/
private void listComps(Component[] comps){
if(comps.length == 0) return;
for(Component c : comps){
JComponent jC = (JComponent)c;
System.out.println(jC.getName() + " | " + jC.isFocusable() +" | " + jC.hasFocus());
listComps(jC.getComponents());
}
}
public static void main(String[] args) {
final JFrame frame = new JFrame();
frame.setPreferredSize(new Dimension(300, 400));
frame.setVisible(true);
JButton btn = new JButton("Show dialog");
btn.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
MyDialog dialog = new MyDialog(frame, "Sample title", ModalityType.APPLICATION_MODAL);
dialog.showDialog();
}
});
frame.add(btn, BorderLayout.CENTER);
frame.pack();
}
}
输出是: 运行:
null.glassPane | true | false
null.layeredPane | true | false
null.contentPane | true | false
Label1 | true | false
Button | true | true
Label2 | true | false
为什么将焦点设置为JButton?它不是第一个可集中的组件! 当我删除JButton时,没有获得任何组件的焦点。为什么?默认情况下,所有复合都是可聚焦的......
答案 0 :(得分:5)
它不是第一个可聚焦的组件!当我删除JButton时,没有获得任何组件的焦点。为什么?默认情况下,所有复合都是可聚焦的。
回答原因:这是FocusTraversalPolicy的决定,尤其是DefaultFocusTraversalPolicy中的accept(..),它最终会回落到虚拟NullComponentPeer(默认情况下不可聚焦,因为它实际上并不存在:-)
从你的评论中看,真正的问题可能是“如果rootPane没有可聚焦的孩子,如何实现keyBinding” - 如果是这样,选项是
答案 1 :(得分:2)