3

我想为复合添加一个关键侦听器。我的代码如下:

@Override
protected Control createDialogArea(Composite parent) {
    //add swt text box , combo etc to parent
}

复合是:org.eclipse.swt.widgets.Composite
现在我想向复合父级添加一个关键侦听器。
就像用户按下 ctrl 或退出时一样,用户应该得到通知。
即使焦点在文本或组合字段之一上,也应通知父侦听器。谢谢您的帮助。

4

1 回答 1

3

好的,给你:添加一个Filter到你的Display. 在Listener您检查当前焦点控件的父级是否是Shell您的Composite. 如果是这样,请检查密钥代码。

总之,如果您的焦点在您的“内部”,您将处理关键事件,如果Composite它在您的“外部”,则忽略它Composite

public static void main(String[] args)
{
    Display display = new Display();
    final Shell shell = new Shell(display);
    shell.setLayout(new GridLayout(1, false));

    final Composite content = new Composite(shell, SWT.NONE);
    content.setLayout(new GridLayout(2, false));

    Text text = new Text(content, SWT.BORDER);
    Button button = new Button(content, SWT.PUSH);
    button.setText("Button");

    display.addFilter(SWT.KeyUp, new Listener()
    {
        @Override
        public void handleEvent(Event e)
        {
            if (e.widget instanceof Control && isChild(content, (Control) e.widget))
            {
                if ((e.stateMask & SWT.CTRL) == SWT.CTRL)
                {
                    System.out.println("Ctrl pressed");
                }
                else if(e.keyCode == SWT.ESC)
                {
                    System.out.println("Esc pressed");
                }
            }
        }
    });

    Text outsideText = new Text(shell, SWT.BORDER);

    shell.pack();
    shell.open();
    while (!shell.isDisposed())
    {
        if (!display.readAndDispatch())
        {
            display.sleep();
        }
    }
    display.dispose();
}

private static boolean isChild(Control parent, Control child)
{
    if (child.equals(parent))
        return true;

    Composite p = child.getParent();

    if (p != null)
        return isChild(parent, p);
    else
        return false;
}
于 2013-10-07T08:24:31.990 回答