1

如何使用 GraphQL Yoga 进行多个嵌套查询?

这是我的数据

{
  "user": [{
      "id": 1,
      "name": "Thomas",
      "comment_id": [1, 2, 3]
    },
    {
      "id": 2,
      "name": "Riza",
      "comment_id": [4, 5, 6]
    }
  ],
  "comment": [{
      "id": 1,
      "body": "comment 1"
    },
    {
      "id": 2,
      "body": "comment 2"
    },
    {
      "id": 3,
      "body": "comment 3"
    }
  ]
}

场景是我想查询特定用户的所有评论,但用户只存储commentid。

这是我的代码

const { GraphQLServer } = require('graphql-yoga');
const axios = require('axios');

const typeDefs = `
  type Query {
    user(id: Int!): User
    comment(id: Int!): Comment
  }

  type User {
    id: Int
    name: String
    comment: [Comment]
  }

  type Comment {
    id: Int
    body: String
  }
`;

const resolvers = {
  Query: {
    user(parent, args) {
      return axios
        .get(`http://localhost:3000/user/${args.id}`)
        .then(res => res.data)
        .catch(err => console.log(err));
    },
    comment(parent, args) {
      return axios
        .get(`http://localhost:3000/comment/${args.id}`)
        .then(res => res.data)
        .catch(err => console.log(err));
    },
  },
  User: {
    comment: parent =>
      axios
        .get(`http://localhost:3000/comment/${parent.comment_id}`)
        .then(res => res.data)
        .catch(err => console.log(err)),
  },
};

const server = new GraphQLServer({ typeDefs, resolvers });
server.start(() => console.log('Server is running on localhost:4000'));

所需查询

{
  user(id: 1) {
    id
    name
    comment {
      id
      body
    }
  }
}

但它返回未找到,因为axios命中的端点是http://localhost:3000/comment/1,2,3'

我怎样才能让它返回所有用户的评论?多谢你们!

4

2 回答 2

1

假设评论 API/comment/:id只接受单个 id,您需要对每个评论 ID 进行一次 API 调用(除非有一个 API 接受多个 ID 并返回它们的数据),然后从类型的comment字段解析器返回响应User

在这种情况下,这就是comment字段解析器的样子:

User: {
    comment: parent => {
        let results = await Promise.all(parent.comment_id.map((id) => axios.get(`http://localhost:3000/comment/${id}`))) 
        return results.map((result) => result.data)
     }
  }

于 2019-04-01T05:27:21.007 回答
0

显然我也找到了这个其他的解决方案

User: {
    comment: parent =>
      parent.comment_id.map(id =>
        axios.get(`http://localhost:3000/comment/${id}`).then(res => res.data)
      ),
  },

性能方面,你认为哪个更好?

于 2019-04-02T02:17:39.160 回答