1

我正在尝试使用 SWT 创建一个简单的显示。到目前为止,我成功地显示了我的数据库中的信息并使用 RowLayout 显示它,每一行都包含一个 GridLayout。它看起来像这样:

在此处输入图像描述

我真正想要的是让行扩展以占据窗口的整个宽度。我如何实现这一目标?

谢谢你的帮助!

4

1 回答 1

7

实现这一点的常用方法是使用GridData. 这GridData告诉组件如何在其父级中表现,例如如何在父级中传播。

通过使用:

component.setLayoutData(new GridData(SWT.FILL, SWT.BEGINNING, true, false));

你告诉组件在水平方向上占据尽可能多的空间,但在垂直方向上只占据必要的空间。

这是一个小例子,它应该按照您期望的方式运行:

public class StackOverflow
{
    public static void main(String[] args)
    {
        Display display = Display.getDefault();
        Shell shell = new Shell(display);

        /* GridLayout for the Shell to make things easier */
        shell.setLayout(new GridLayout(1, false));

        for(int i = 0; i < 5; i++)
        {
            createRow(shell, i);
        }

        shell.pack();
        shell.open();

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

    private static void createRow(Shell shell, int i)
    {
        /* GridLayout for the rows, two columns, equal column width */
        Composite row = new Composite(shell, SWT.NONE);
        row.setLayout(new GridLayout(2, true));

        /* Make each row expand horizontally but not vertically */
        row.setLayoutData(new GridData(SWT.FILL, SWT.BEGINNING, true, false));

        /* Create the content of the row, expand horizontally as well */
        Button first = new Button(row, SWT.PUSH);
        first.setText("FIRST " + i);
        first.setLayoutData(new GridData(SWT.FILL, SWT.BEGINNING, true, false));
        Button second = new Button(row, SWT.PUSH);
        second.setText("SECOND " + i);
        second.setLayoutData(new GridData(SWT.FILL, SWT.BEGINNING, true, false));
    }
}

这是启动后的样子:

在此处输入图像描述

调整大小后:

在此处输入图像描述


附带说明:如果您还没有阅读过,我建议您阅读Eclipse 中关于 Layouts 的本教程。每个 SWT 开发人员都应该读过它。

于 2013-03-28T21:42:23.983 回答