5

全部,

我正在创建一个无调色板的 Eclipse 插件,在该插件中通过上下文菜单将图形添加到自定义编辑器,但没有找到方法。谁能指导我如何通过上下文菜单向编辑器动态添加图形,即添加操作/命令。


由于 Eclipse GEF 插件开发发现的示例太少,因此我添加了我的解决方案,以便其他人发现它很有用。此代码有助于将节点呈现给编辑器。

用于将图形呈现给编辑器的 Action 类的源代码:

public class AddNodeAction extends EditorPartAction
{
 public static final String ADD_NODE = "ADDNODE";

 public AddNodeAction(IEditorPart editor) {
  super(editor);
            setText("Add a Node");
            setId(ADD_NODE);     // Important to set ID
 }

 public void run()
 {
  <ParentModelClass> parent=  (<ParentModelClass>)getEditorPart().getAdapter(<ParentModelClass>.class);

  if (parent== null)
   return;
  CommandStack command = (CommandStack)getEditorPart().getAdapter(CommandStack.class);

  if (command != null)
  {
   CompoundCommand totalCmd = new CompoundCommand();
   <ChildModelToRenderFigureCommand>cmd = new <ChildModelToRenderFigureCommand>(parent);
   cmd.setParent(parent);
   <ChildModelClass> newNode = new <ChildModelClass>();
   cmd.setNode(newNode);
   cmd.setLocation(getLocation()); // Any location you wish to set to
   totalCmd.add(cmd);
   command.execute(totalCmd);
  }
 }

 @Override
 protected boolean calculateEnabled() 
 {
  return true;
 }
}
4

1 回答 1

7

我认为您在这里需要多种不同的东西。请记住,GEF 希望您拥有适当的 MVC 模式,其中您有自己的模型,图形作为视图,EditParts 作为控制器。

从我的脑海中,我会说你至少需要这些东西:

  • 创建命令
    • 包含将新数据添加到数据模型所需执行的所有模型级别修改(可撤销和事务性)
  • 创建动作
    • 创建该 CreateCommand 实例,使用当前选择对其进行初始化并在 editdomain 中执行该命令
  • 上下文菜单提供者
    • 将 CreateAction 提供给上下文菜单

如果您碰巧使用 GMF,规范机制将在您在命令中进行模型修改时自动为您生成编辑部分,但如果您不使用 GMF,则必须确保您自己的模型和编辑部分正在处理和刷新新项目添加正确。

编辑:好的,这里有一些关于请求的代码建议。

public void run() {
   // Fetch viewer from editor part (might not work, if not, try some other way)
   EditPartViewer viewer = (EditPartViewer) part.getAdapter(EditPartViewer.class);
   // get Target EditPart that is under the mouse
   EditPart targetEditPart = viewer.findObjectAt(getLocation());
   // If nothing under mouse, set root item as target (just playing safe)
   if(targetEditPart == null)
       targetEditPart = viewer.getContents();

   // Make and initialize create request with proper information
   CreateRequest createReq = new CreateRequest();
   createReq.setLocation(getLocation());
   createReq.setFactory(new OwnFactoryImplementation());

   // Ask from target editpart command for this request
   Command command = targetEditPart.getCommand(createReq);

   // If command is ok, and it can be executed, go and execute it on commandstack
  if(command != null && command.canExecute()) {
      viewer.getEditDomain().getCommandStack().execute(command);
  }
}

现在发生的情况是,将请求创建 editpart,因此操作本身不知道命令是如何工作的,是什么使它客观地反对命令。

因此,为了使事情顺利进行,您需要将新的 EditPolicy 安装到您的 EditPart。EditPolicies 可以安装在 EditParts createDefaultEditPolicies() 函数上。此 EditPolicy 必须在有 CreateRequest 时做出反应并返回命令。这样,任何孩子都可以提供自己的命令来为自己创建孩子。

这是一个很好的图像它是如何工作的(控制器是 EditPart): 图表

请询问我是否可以帮助您更多。我知道这看起来有点复杂,但这会让你自己的生活更轻松,在你这样做之后,你实际上已经很好地理解了命令请求模式,并且可以在许多不同的地方重用它。

于 2011-01-13T23:07:52.620 回答