我使用Django和Graphene构建API,但是我想在一个查询中合并两个模型,所有模型字段都相同。
示例 schema.py
import graphene
from graphene_django import DjangoObjectType
from .models import Post, Post2
class PostType(DjangoObjectType):
class Meta:
model = Post
class Post2Type(DjangoObjectType):
class Meta:
model = Post2
class Query(graphene.ObjectType):
post = graphene.List(PostType)
post2 = graphene.List(Post2Type)
def resolve_post(self, info):
return Post.objects.all()
def resolve_post2(self, info):
return Post2.objects.all()
我收到以下答复:
{
"data": {
"post": [
{
"title": "post 1"
}
],
"post2": [
{
"title": "post test"
}
]
}
}
我想得到的是:
{
"data": {
"allPost": [
{
"title": "post 1"
},
{
"title": "post test"
}
}
}
答案 0 :(得分:1)
您可以创建一个联合体类型(https://docs.graphene-python.org/en/latest/types/unions/#unions)的列表,该列表应为您提供所需的内容:
class PostUnion(graphene.Union):
class Meta:
types = (PostType, Post2Type)
@classmethod
def resolve_type(cls, instance, info):
# This function tells Graphene what Graphene type the instance is
if isinstance(instance, Post):
return PostType
if isinstance(instance, Post2):
return Post2Type
return PostUnion.resolve_type(instance, info)
class Query(graphene.ObjectType):
all_posts = graphene.List(PostUnion)
def resolve_all_posts(self, info):
return list(Post.objects.all()) + list(Post2.objects.all())