0

我有 3 个 ToolItem : text , item1 , item2

我希望该文本项目将与左侧对齐,项目 1 和项目 2 将与右侧对齐

例如

 text                         item1,item2

这是代码

工具栏 treeToolBar = new ToolBar(treeComposite, SWT.NONE);

    filterText = new Text(treeToolBar, SWT.BORDER);

    ToolItem textItem = new ToolItem(treeToolBar, SWT.SEPARATOR);
    textItem.setControl(filterText);
    textItem.setWidth(filterText.computeSize(SWT.DEFAULT, SWT.DEFAULT, true).x);

    Item1 = new ToolItem(treeToolBar, SWT.PUSH | SWT.RIGHT);

    item2 = new ToolItem(treeToolBar, SWT.PUSH | SWT.RIGHT);
4

1 回答 1

2

如果您只希望 item1 和 item2 在中间的某个位置,请添加一个具有样式的新项目SWT.SEPARATOR并设置所需的宽度以偏移这两个项目。

如果您真的希望这两个项目位于工具栏的右侧,则必须动态计算该分隔符的大小。基本上,您从工具栏的大小中减去三个项目(一个文本和两个推送项目)的大小。

这是一个完整的片段,其中文本向左对齐,按钮向右对齐。该toolbar.pack()调用对于计算项目和修剪之间使用的空间也是必要的。我们也必须考虑到这一点。

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

    final Composite treeComposite = new Composite(shell, SWT.NONE);
    treeComposite.setLayout(new GridLayout());

    final ToolBar treeToolBar = new ToolBar(treeComposite, SWT.NONE);
    treeToolBar.setLayoutData(new GridData(SWT.FILL, SWT.FILL, true, false));

    final Text filterText = new Text(treeToolBar, SWT.BORDER);

    final ToolItem textItem = new ToolItem(treeToolBar, SWT.SEPARATOR);
    textItem.setControl(filterText);
    textItem.setWidth(filterText.computeSize(SWT.DEFAULT, SWT.DEFAULT, true).x);

    final ToolItem separator = new ToolItem(treeToolBar, SWT.SEPARATOR);
    separator.setWidth(0);

    final ToolItem item1 = new ToolItem(treeToolBar, SWT.PUSH | SWT.RIGHT);
    item1.setImage(display.getSystemImage(SWT.ICON_WORKING));

    final ToolItem item2 = new ToolItem(treeToolBar, SWT.PUSH | SWT.RIGHT);
    item2.setImage(display.getSystemImage(SWT.ICON_QUESTION));

    treeToolBar.pack();
    final int trimSize = treeToolBar.getSize().x - textItem.getWidth() - item1.getWidth() - item2.getWidth();

    treeToolBar.addListener(SWT.Resize, new Listener() {
        @Override
        public void handleEvent(Event event) {
            final int toolbarWidth = treeToolBar.getSize().x;
            final int itemsWidth = textItem.getWidth() + item1.getWidth() + item2.getWidth();
            final int separatorWidth = toolbarWidth - itemsWidth - trimSize;
            separator.setWidth(separatorWidth);
        }
    });

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

在此处输入图像描述

于 2013-11-12T21:38:05.260 回答