编程语言
首页 > 编程语言> > 如何在屏幕上居中java.awt.FileDialog

如何在屏幕上居中java.awt.FileDialog

作者:互联网

我从来没有能够弄明白这个;通常的嫌疑人不起作用.

鉴于:

FileDialog                  dlg=null;

dlg=new FileDialog(owner,"Select File to Load",FileDialog.LOAD);
dlg.setFile(null);
dlg.setVisible(true);

有没有办法让对话框居中?

关键点在于setVisible(),调用线程被阻塞,直到对话框被解除;之前的任何定位似乎都被忽略了.

解决方法:

以下解决方案适用于SWT,也许它可以为AWT做诀窍……

当它显示当前shell左上角的对话框时,一个快速而肮脏的解决方案是创建一个新的,定位良好且不可见的shell并从中打开FileDialog.我用以下代码得到了一个可接受的结果:

import org.eclipse.swt.SWT;
import org.eclipse.swt.graphics.Rectangle;
import org.eclipse.swt.widgets.Dialog;
import org.eclipse.swt.widgets.FileDialog;
import org.eclipse.swt.widgets.Shell;

public class CenteredFileDialog extends Dialog {

    protected Shell shell;
    public FileDialog dialog;

    private int width = 560; // WinXP default
    private int height = 420;

    public CenteredFileDialog(Shell parent, int style) {
        super(parent, style);
        shell = new Shell(getParent(), SWT.APPLICATION_MODAL);
        dialog = new FileDialog(shell, style);
    }

    public Object open() {
        shell.setSize(width, height);

        Rectangle parentBounds = getParent().getBounds();

        shell.setLocation(
          parentBounds.x + (parentBounds.width - width) / 2,
          parentBounds.y + (parentBounds.height - height) / 2);

        Object result = dialog.open();
        shell.dispose();
        return result;
    }
}

该类可以这样使用:

CenteredFileDialog saveDialog = new CenteredFileDialog(getShell(), SWT.SAVE);
saveDialog.dialog.setFilterExtensions(new String[] { "*.txt" });
saveDialog.dialog.setFilterNames(new String[] { "Text (*.txt)" });
...
String f = (String)saveDialog.open();
if ( f != null ) {
    name = f;
    recentPath = saveDialog.dialog.getFilterPath();
} 

该类仅部分解决了Windows平台的问题(在MacOS上,对话框仍以屏幕为中心;在Linux上我没有测试) – 第一次对话框显示相对于父shell(这是我们需要的)居中,并且“记得“它在屏幕上的绝对位置.通过后续调用,它总是弹出在同一个地方,即使主应用程序窗口移动了.

尽管奇怪,但从我的角度来看,新行为肯定比对话框的默认非职业性左上对接更好.

标签:java,awt,filedialog
来源: https://codeday.me/bug/20190726/1546585.html