3

有没有办法默认忽略 GraphQL 类型上的所有字段,只添加想要的字段?

Hot Chocolate 从 C# 类型中自动推断出 GraphQL 类型成员。

这意味着以下代码...

public class Foo
{
    public string Bar { get; set; }

    public string? Baz { get; set; }
}
public class FooType : ObjectType<Foo>
{
}

将产生以下 GraphQL 类型:

type Foo {
  bar: String!
  baz: String
}

在我的用例中,我想更改此行为并明确定义我的 C# 类型的哪个类型成员在 GraphQL 类型中使用。

4

1 回答 1

9

Hot Chocolate 允许您反转每种类型或整个模式的行为。

要声明一种特定类型的所有字段,请显式执行以下操作:

public class FooType : ObjectType<Foo>
{
    protected override void Configure(IObjectTypeDescriptor<Person> descriptor)
    {
         // this defines that fields shall only be defined explicitly
         descriptor.BindFieldsExplicitly();

         // now declare the fields that you want to define.
         descriptor.Field(t => t.Bar);    
    }
}
type Foo {
  bar: String!
  baz: String
}

如果要在架构中的所有类型上显式声明字段,可以设置以下选项:

services
    .AddGraphQLServer()
    .AddQueryType<Query>()
    // this option will, by default, define that you want to declare everything explicitly.
    .ModifyOptions(c => c.DefaultBindingBehavior = BindingBehavior.Explicit);

如果您全局设置它,您可以始终按类型覆盖它,这意味着您可以在这种情况下定义以按类型隐式绑定成员。

于 2021-01-18T11:17:28.947 回答