16

假设我希望能够通过指定用户 ID指定其他标识符(如电子邮件地址)来查询用户。

你如何构造根 Query 对象来接受它?

鉴于这种

public class MyQuery : ObjectGraphType
{
    public MyQuery(IUserService userService)
    {
        Name = "Query";

        Field<UserType>(
            "user",
            arguments: new QueryArguments(
                new QueryArgument<IntGraphType>() { Name = "id" },
                new QueryArgument<StringGraphType>() { Name = "email" }
            ),
            resolve: context =>
            {
                int? id = context.GetArgument<int>("id");
                if (id != null)
                {
                    return userService.GetUserById(id);
                }
                string email = context.GetArgument<string>("email");
                if (email != null)
                {
                    return userService.GetUserByEmail(email);
                }
                return null;
            }
        );
    }
}

这是正确的方法吗?如果在查询中没有找到参数,会context.GetArgument()返回吗?null或者提供两个参数是否QueryArguments意味着查询需要两个参数?

4

1 回答 1

22
arguments: new QueryArguments(
  new QueryArgument<IntGraphType>() { Name = "id" },
  new QueryArgument<StringGraphType>() { Name = "email" }
)

这意味着这些参数是可以为空的,这将使它们成为可选的。

arguments: new QueryArguments(
  new QueryArgument<NonNullGraphType<IntGraphType>>() { Name = "id" },
  new QueryArgument<NonNullGraphType<StringGraphType>>() { Name = "email" }
)

包装GraphTypeinNonNullGraphType指定该值应为非空值,因此需要提供非空值。

如果参数不存在,默认情况下GetArgument<TType>将返回。default(TType)您还可以使用:

context.GetArgument<string>("email", defaultValue: "my default value");
于 2018-06-20T14:00:45.337 回答