2

我正在使用HotChocolate作为GraphQL我的ASP.NET Core Api. 请求的参数需要有一个可选参数 Guid,但是如果 Guid 为空,则模型需要生成一个随机 Guid。

public class MutationType : ObjectType<Mutation> {
  protected override void Configure(IObjectTypeDescriptor<Mutation> desc) 
  {
    desc
      .Field((f) => f.CreateAction(default))
      .Name("createAction");
  }
}

该类Mutation具有以下方法。

public ActionCommand CreateAction(ActionCommand command) {
  ...
  return command;
}

ActionCommand 类如下所示:

public class ActionCommand {
  public Guid Id { get; set; }
  public string Name { get; set; }

  public ActionCommand(string name, Guid id = null) {
    Name = name;
    Id = id ?? Guid.NewGuid()
  }
}

该命令是有问题的问题。我希望能够将此逻辑用于 GraphQL 中的 Id 属性,文档不清楚(在我看来),任何人都可以对此有所了解吗?

谢谢!

4

1 回答 1

1

这个问题的解决方案是创建一个抽象的基本命令类型,如下所示:

public abstract class CommandType<TCommand> : InputObjectType<TCommand> 
    where TCommand : Command {
  protected override void Configure(IInputObjectTypeDescriptor<TCommand> desc) {
    desc.Field(f => f.CausationId).Ignore();
    desc.Field(f => f.CorrelationId).Ignore();
  }
}

然后让自定义输入类型继承此类,如下所示:

public class SpecificCommandType : CommandType<SpecificCommand> {
   protected override void Configure(IInputObjectTypeDescriptor<SpecificCommand> desc) {
      base.Configure(desc);
      desc.Field(t => t.Website).Type<NonNullType<UrlType>>();
   }
}

或者,如果不需要进一步配置,则为简写。

public class SpecificCommandType : CommandType<SpecificCommand> { }

命令本身派生自 Command 类,该类根据需要为值生成 Guid。

public abstract class Command {
  protected Command(Guid? correlationId = null, Guid? causationId = null) {
    this.CausationId = this.CorrelationId = Guid.NewGuid();
  }

  public Guid CausationId { get; set; }
  public Guid CorrelationId { get; set; }
}
于 2019-07-18T12:34:22.770 回答