1

我在我的一个项目中使用了这个不错的apollo-universal-starter-kit。我的任务是向此页面添加过滤选项,以过滤评论超过 2 条的帖子。

入门套件使用 Apollo graphql-server作为后端。帖子的架构描述如下所示:

# Post
type Post {
  id: Int!
  title: String!
  content: String!
  comments: [Comment]
}

# Comment
type Comment {
  id: Int!
  content: String!
}

# Edges for PostsQuery
type PostEdges {
  node: Post
  cursor: Int
}

# PageInfo for PostsQuery
type PostPageInfo {
  endCursor: Int
  hasNextPage: Boolean
}

# Posts relay-style pagination query
type PostsQuery {
  totalCount: Int
  edges: [PostEdges]
  pageInfo: PostPageInfo
}

extend type Query {
  # Posts pagination query
  postsQuery(limit: Int, after: Int): PostsQuery
  # Post
  post(id: Int!): Post
}

postsQuery用于生成帖子的分页结果

这是如何postsQuery解决的(完整的代码在这里

async postsQuery(obj, { limit, after }, context) {
      let edgesArray = [];
      let posts = await context.Post.getPostsPagination(limit, after);

      posts.map(post => {
        edgesArray.push({
          cursor: post.id,
          node: {
            id: post.id,
            title: post.title,
            content: post.content,
          }
        });
      });

      let endCursor = edgesArray.length > 0 ? edgesArray[edgesArray.length - 1].cursor : 0;

      let values = await Promise.all([context.Post.getTotal(), context.Post.getNextPageFlag(endCursor)]);

      return {
        totalCount: values[0].count,
        edges: edgesArray,
        pageInfo: {
          endCursor: endCursor,
          hasNextPage: values[1].count > 0
        }
      };
    }

而且,这是一个在前端与 Reactpost_list组件一起使用的 graphql 查询(组件的完整代码在这里

query getPosts($limit: Int!, $after: ID) {
    postsQuery(limit: $limit, after: $after) {
        totalCount
        edges {
            cursor
            node {
                ... PostInfo
            }
        }
        pageInfo {
            endCursor
            hasNextPage
        }
    }
}

这是一个很长的介绍:-),对不起

问题:

如何向post_list组件/页面添加过滤选项?我有点理解问题的 React 方面,但我不了解 graphql 方面。postsQuery(limit: $limit, after: $after)我应该向它添加一个新变量postsQuery(limit: $limit, after: $after, numberOfComments: $numberOfComments)吗?然后以某种方式在后端解决它?或者,我走错了路,应该换个方向思考?如果是这样,你能指出我正确的方向吗?:-)

先感谢您!

4

1 回答 1

0

IMO 我肯定会在后端解决这个问题。至于它是否应该是一个新变量,我个人会说是的,并且您的 Post.getPostsPagination 可以更新以支持对评论计数的过滤,理想情况下您希望将其作为数据库请求的一部分,以便您知道自己是获得 N 种您想要的帖子类型,否则它将为您的分页中的边缘案例打开大门。

另一个选项是对 CuratedPosts 或 FilteredPosts 的新查询,或者您想要调用的任何已经知道根据评论数量进行过滤的查询。

于 2017-06-28T17:09:28.210 回答