我试过到处找,但不知道如何在 olingo V4 java 中实现有界动作。
无处不在的无界动作教程。
我试着调整这段代码。
final CsdlAction action = new CsdlAction();
action.setName("testAction");
action.setBound(true);
当我尝试访问 $metadata API 时,这给了我错误。
如果有人可以为我提供一个关于如何去做的好教程,那就太好了。
我查看了 olingo 的源代码并调试了他们的代码。经过大量的研究工作,我能够在 Olingo 中实现有界动作。
假设我们要实现一个绑定到实体类型 X 并返回实体 Y 的有界操作。
需要做出的改变是:
元数据文档: 在扩展 CsdlAbstractEdmProvider 或实现 CsdlEdmProvider 的 java 类(自定义类)中,
实现 getActions(...) 函数
// Action Names
public static final String ACTION_EXECUTE_NAME = "Execute";
// FullyQualified Action Names
public static final FullQualifiedName ACTION_EXECUTE_FQN = new FullQualifiedName("StackOverflow", ACTION_EXECUTE_NAME);
@Override
public List<CsdlAction> getActions(FullQualifiedName actionName) throws ODataException {
if (actionName.equals(ACTION_EXECUTE_FQN)) {
// It is allowed to overload actions, so we have to provide a list
// of Actions for each action name
final List<CsdlAction> actions = new ArrayList<CsdlAction>();
// Create the Csdl Action
final CsdlAction action = new CsdlAction();
action.setName(ACTION_EXECUTE_FQN.getName());
action.setBound(true);
// Creating Parameter the first one being binding parameter
final List<CsdlParameter> parameters = new ArrayList<CsdlParameter>();
final CsdlParameter parameter = new CsdlParameter();
parameter.setName("Parameter1");
parameter.setType(X);
parameter.setNullable(true);
parameter.setCollection(false);
parameters.add(parameter);
action.setParameters(parameters);
action.setReturnType(new CsdlReturnType().setCollection(false).setType(Y));
actions.add(action);
return actions;
}
return null;
}
并在同一元数据提供程序类的 getSchemas(...) 中调用 getActions(...) 方法。
@Override
public List<CsdlSchema> getSchemas() throws ODataException {
// create Schema
CsdlSchema schema = new CsdlSchema();
schema.setNamespace("Stackoverflow");
// add EntityTypes
List<CsdlEntityType> entityTypes = new ArrayList<CsdlEntityType>();
entityTypes.add(getEntityType(X));
entityTypes.add(getEntityType(Y));
schema.setEntityTypes(entityTypes);
// add EntityContainer
schema.setEntityContainer(getEntityContainer());
// add bounded actions
List<CsdlAction> actions = new ArrayList<CsdlAction>();
schema.setActions(actions);
actions.addAll(getActions(ACTION_EXECUTE_FQN));
List<CsdlSchema> schemas = new ArrayList<CsdlSchema>();
schemas.add(schema);
return schemas;
}
我们所做的是,创建了一个名为 ACTION_EXECUTE_FQN 的有界动作,其参数作为动作的第一个参数,在我们的例子中是实体 X,返回类型是实体 Y。
服务实现: 现在,还需要服务实现。根据已经采用的用例,我们需要创建一个实现ActionEntityProcessor的类。
在此之后,一切都一样了。我希望这将有所帮助。根据动作的返回类型和动作绑定的参数类型,还有其他 ActionProcessor。