2

在热巧克力研讨会之后和第四步之后,运行查询时

query GetSpecificSpeakerById {
  a: speakerById(id: 1) {
    name
  }
  b: speakerById(id: 1) {
    name
  }
}

我收到以下错误。

The ID `1` has an invalid format.

此外,对于所有将 ID 作为参数的查询,都会引发相同的错误,也许这可能是一个提示,对我来说,要检查什么,对于一个刚刚运行研讨会的人来说,目前还不清楚。

基于(不接受)在查询 HotChocolate 时出现类似问题 Error "The ID `1` has an invalid format" 的回答,我检查了 Relay 及其配置,看起来不错。

DI

public void ConfigureServices(IServiceCollection services)
{
    services.AddSingleton(CreateAutomapper());
    services.AddPooledDbContextFactory<ApplicationDbContext>(options => 
        options.UseSqlite(CONNECTION_STRING).UseLoggerFactory(ApplicationDbContext.DbContextLoggerFactory));
    services
        .AddGraphQLServer()
        .AddQueryType(d => d.Name(Consts.QUERY))
            .AddTypeExtension<SpeakerQueries>()
            .AddTypeExtension<SessionQueries>()
            .AddTypeExtension<TrackQueries>()
        .AddMutationType(d => d.Name(Consts.MUTATION))
            .AddTypeExtension<SpeakerMutations>()
            .AddTypeExtension<SessionMutations>()
            .AddTypeExtension<TrackMutations>()
        .AddType<AttendeeType>()
        .AddType<SessionType>()
        .AddType<SpeakerType>()
        .AddType<TrackType>()
        .EnableRelaySupport()
        .AddDataLoader<SpeakerByIdDataLoader>()
        .AddDataLoader<SessionByIdDataLoader>();
}

扬声器类型

public class SpeakerType : ObjectType<Speaker>
{
    protected override void Configure(IObjectTypeDescriptor<Speaker> descriptor)
    {
        descriptor
            .ImplementsNode()
            .IdField(p => p.Id)
            .ResolveNode(WithDataLoader);
    }

    // implementation
}

并查询自己

[ExtendObjectType(Name = Consts.QUERY)]
public class SpeakerQueries
{
    public Task<Speaker> GetSpeakerByIdAsync(
        [ID(nameof(Speaker))] int id, 
        SpeakerByIdDataLoader dataLoader,
        CancellationToken cancellationToken) => dataLoader.LoadAsync(id, cancellationToken);
}

但没有一点运气。还有什么,我可以检查什么?完整的项目可以在我的 GitHub 上找到

4

1 回答 1

3

我看到你在这个项目上启用了中继支持。端点执行有效的中继 ID。

Relay 向客户端公开不透明的 ID。您可以在此处阅读更多相关信息: https ://graphql.org/learn/global-object-identification/

简而言之,Relay ID 是 typename 和 id 的 base64 编码组合。

要在浏览器中编码或解码,您可以简单地在控制台上使用atob和。btoa

所以 id"U3BlYWtlcgppMQ=="包含值

"Speaker
i1"

您可以在浏览器中解码此值btoa("U3BlYWtlcgppMQ==")并使用编码字符串

atob("Speaker
i1")

所以这个查询将起作用:

query GetSpecificSpeakerById {
  a: speakerById(id: "U3BlYWtlcgppMQ==") {
    id
    name
  } 
}
于 2021-01-17T17:38:44.457 回答