插件开发:视图插件中按钮的组合

Plugin development: composite of button in a view plugin

我正在使用 zest 创建显示图表的插件。我正在尝试创建刷新插件的按钮。该按钮正在工作,我也在视图中看到了图表。但是,该按钮在视图中占据了很多 space,并且限制了 graph.I 的位置想要按钮想要限制图形位置。我该如何解决?谢谢]

public void createPartControl(Composite parent) {

   //create refresh button

   Composite container = new Composite(parent, SWT.NONE);

   container.setLayout(new GridLayout(1, false));
   Button btnMybutton = new Button(container, SWT.PUSH);
   btnMybutton.setBounds(0, 10, 75, 25);
   btnMybutton.setText("Refresh Graph");
   btnMybutton.addSelectionListener(new SelectionListener() {

      @Override
      public void widgetSelected(SelectionEvent e) {
         init();
      }

      @Override
      public void widgetDefaultSelected(SelectionEvent e) {
         // TODO Auto-generated method stub
      }
   });

   // Graph will hold all other objects
   graph = new Graph(parent, SWT.NONE);
}

如果您想在图表顶部显示按钮,您应该使用 FormLayout 而不是 GridLayout:

public void createPartControl(Composite parent) {

   //create refresh button

   Composite container = new Composite(parent, SWT.NONE);
   container.setLayout(new FormLayout()); // Use FormLayout instead of GridLayout

   Button btnMybutton = new Button(container, SWT.PUSH);
   // btnMybutton.setBounds(0, 10, 75, 25); This line is unnecessary

   // Assign the right FormData to the button
   FormData formData = new FormData();
   formData.left = new FormAttachment(0, 5);
   formData.top = new FormAttachment(0, 5);
   btnMybutton.setLayoutData(formData);

   btnMybutton.setText("Refresh Graph");
   // Use SelectionAdapter instead of SelectionListener
   // (it's not necessary but saves a few lines of code)
   btnMybutton.addSelectionListener(new SelectionAdapter() {
      @Override
      public void widgetSelected(SelectionEvent e) {
         init();
      }
   });

   // Graph will hold all other objects
   graph = new Graph(container, SWT.NONE); // Note parent changed to container

   // Assignt the right FormData to the graph
   FormData formData2 = new FormData();
   formData2.left = new FormAttachment(0, 0);
   formData2.top = new FormAttachment(0, 0);
   formData2.right = new FormAttachment(100, 0);
   formData2.bottom = new FormAttachment(100, 0);
   graph.setLayoutData(formData2);
}