Node - GraphQL - Ad.user field type must be Output Type but got: undefined

后端 未结 1 529
时光说笑
时光说笑 2021-01-24 15:27

I seem to be having circular dependency problems with using UserType inside AdType.

This is my UserType file: UserType

This is my AdType file: AdType

If

1条回答
  •  别那么骄傲
    2021-01-24 16:07

    I am already using fields: () => ( { } ) to lazily load fields to avoid problems with circular dependencies, so this problem is really banging against my head.

    But you are not doing it correctly. Javascript does not have lazy evaluation. This means that the value of user is not determined when the function is called but at the point in time when the const variable definition is evaluated. At this point the variable UserType holds no value and thus is undefined. Your object definition needs to happen when the function is called. If it is still not clear I can offer to go into detail how your types are resolved.

    Try defining the user type inline or make it a function:

    const user = () => ({ type: UserType, /* ... */ })
    
    export const AdType = new GraphQLObjectType({
      name: 'Ad',
      fields: () => ({
        id,
        user: user(),
        title,
        views,
        availability,
    

    I am not sure why you pull your fields into seperate constants, your code does not seem that big that it improves readability but of course I can be wrong.

    Okay, let's see how modules are resolved. To make this easier I use CJS because you most likely transpile the code down anyways and ES modules are just slowly coming to node.

    // user.graphql.model.js
    const adModule = require('ad.graphql.model.js');
    
    // Node tries to resolve ad.graphql.model.js
    const userModule = require('user.graphql.model.js');
    // Ups, this one has been resolved already and required this as dependency.
    // We have no other choice than to assign an empty object here
    // userModule is {}
    const user =  {
      type: userModule.UserType, // undefined
      resolve(parentValue, args) {
        return UserSchema.findById(parentValue.user);
      }
    };
    // finish this module and return to user.graphql.model.js
    // adModule now contains the resolved module
    const adModule = require('ad.graphql.model.js');
    // finish module and replace {} with actual module content in ad.graphql.model.js
    // userModule contains UserType
    const userModule = require('user.graphql.model.js');
    
    const ads = {
      type: new GraphQLList(asModule.AdType), // GraphQLObjectType
    }
    
    // Now your Schema does build/inits itself after the config has been specified
    // (and all modules have been resolved)
    // imagine user being a function now taht is called on Schema init
    const user = () => ({
      type: userModule.UserType, // GraphQLObjectType
      /* ... */
    })
    

    0 讨论(0)
提交回复
热议问题