我有一个从父shell创建的自定义swt shell。
我需要设置外壳相对于其父组合的位置。但是,由于我在外壳上调用setLocation(x,y),因此setLocation(x,y)现在相对于clientArea起作用。
有没有一种方法可以使shell.setLocation(x,y)相对于PARENT复合NOT ClientArea工作? 。即,即使在屏幕上调整父组合的大小/移动自定义外壳,它也应始终保留在其父组合中。

示例代码段:

 class CustOmShellTest {
    customShell = new Shell(parent.getShell(), SWT.TOOL | SWT.CLOSE);
        customShell.setLayout(new GridLayout());
        customShell.setBackgroundMode(SWT.INHERIT_FORCE);
        customShell.setSize(300, 400);
        customShell.setLocation(parent.getBounds().x, parent.getBounds().y );

}

new CustOmShellTest(parentOfThisInstanceComposite);


//此实例相对于disPlay定位。我希望它相对于parentOfThisInstanceComposite //

任何帮助表示赞赏!
谢谢。

最佳答案

我创建了一个片段,您的自定义外壳固定在主外壳中的组件上。我称该组件为“锚”。用您的控件替换它。

魔术方法是Control.toDisplay(),要保持该位置,您必须添加调整大小和移动侦听器。

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

    final Label label = new Label(shell, SWT.NONE);
    label.setText("anchor");
    label.setLayoutData(new GridData(SWT.CENTER, SWT.CENTER, true, true));

    final Shell customShell = new Shell(shell, SWT.TOOL | SWT.CLOSE);
    customShell.setLayout(new GridLayout());
    customShell.setBackgroundMode(SWT.INHERIT_FORCE);
    customShell.setSize(300, 400);
    customShell.setVisible(true);

    final Listener listener = new Listener() {
        @Override
        public void handleEvent(Event event) {
            final Rectangle bounds = label.getBounds();
            final Point absoluteLocation = label.toDisplay(bounds.width, bounds.height);
            customShell.setLocation(absoluteLocation);
            if (shell.getMaximized()) {
                display.asyncExec(new Runnable() {
                    @Override
                    public void run() {
                        handleEvent(null);
                    }
                });
            }
        }
    };
    shell.addListener(SWT.Resize, listener);
    shell.addListener(SWT.Deiconify, listener);
    shell.addListener(SWT.Move, listener);
    customShell.addListener(SWT.Move, listener);

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


请注意,我还在自定义外壳程序上添加了侦听器,以确保它永远不会移动。当父外壳移动时,自定义外壳也随之移动。

09-12 23:19