石墨烯graphql字典作为一种类型

时间:2017-09-25 09:46:38

标签: python graphql graphene-python

我是石墨烯的新手,我正在尝试将以下结构映射到对象类型并且根本没有成功

    {
  "details": {
    "12345": {
      "txt1": "9",
      "txt2": "0"
    },
    "76788": {
      "txt1": "6",
      "txt2": "7"
    }
  }
}

任何指导都非常感谢 感谢

2 个答案:

答案 0 :(得分:6)

目前尚不清楚您要完成什么,但是(据我所知)在定义GraphQL模式时,您不应有任何任意的键/值名称。如果要定义字典,则必须明确。这意味着“ 12345”和“ 76788”应具有为其定义的密钥。例如:

class CustomDictionary(graphene.ObjectType):
    key = graphene.String()
    value = graphene.String()

现在,要完成与您所要求的相似的架构,您首先需要使用以下方法定义适当的类:

# Our inner dictionary defined as an object
class InnerItem(graphene.ObjectType):
    txt1 = graphene.Int()
    txt2 = graphene.Int()

# Our outer dictionary as an object
class Dictionary(graphene.ObjectType):
    key = graphene.Int()
    value = graphene.Field(InnerItem)

现在,我们需要一种将字典解析为这些对象的方法。以下是使用字典的示例:

class Query(graphene.ObjectType):

    details = graphene.List(Dictionary)  
    def resolve_details(self, info):
        example_dict = {
            "12345": {"txt1": "9", "txt2": "0"},
            "76788": {"txt1": "6", "txt2": "7"},
        }

        results = []        # Create a list of Dictionary objects to return

        # Now iterate through your dictionary to create objects for each item
        for key, value in example_dict.items():
            inner_item = InnerItem(value['txt1'], value['txt2'])
            dictionary = Dictionary(key, inner_item)
            results.append(dictionary)

        return results

如果我们用以下查询:

query {
  details {
    key
    value {
      txt1
      txt2
    }
  }
}

我们得到:

{
  "data": {
    "details": [
      {
        "key": 76788,
        "value": {
          "txt1": 6,
          "txt2": 7
        }
      },
      {
        "key": 12345,
        "value": {
          "txt1": 9,
          "txt2": 0
        }
      }
    ]
  }
}

答案 1 :(得分:1)

您可以使用graphene.types.generic.GenericScalar

Ref:https://github.com/graphql-python/graphene/issues/384