苦艾酒结果全部为空值

Absinthe result has all null values

我对 Elixir、Phoenix 和 Absinthe 是全新的...所以请放轻松。 :)

我正在试验一个名为 Dgraph using a library called Dlex 的图形数据库。我编写了一个简单的查询,旨在查找 return 用户列表(目前我只有两个用户):

def list_users() do
  query = """
    {
      users(func: type(User)) {
        uid
        email
        name
      }
    }
  """

  {:ok, %{"users" => result}} = Dlex.query(:dlex, query)

  IO.inspect(result)

  {:ok, result}
end

IO.inspect(result) 的输出正是我所期望和想要的——我的两个用户的列表:

[
  %{"email" => "rob@example.com", "name" => "Rob", "uid" => "0x1"},
  %{"email" => "bridget@example.com", "name" => "Bridget", "uid" => "0x2"}
]

但是,当我 运行 使用 GraphiQL 查询时,由于某种原因,结果中的所有值都是 null

{
  "data": {
    "users": [
      {
        "email": null,
        "name": null,
        "uid": null
      },
      {
        "email": null,
        "name": null,
        "uid": null
      }
    ]
  }
}

知道我做错了什么吗?

在我看来,您可能会在用户解析器中返回适当的数据,但有一个例外:当 Absinthe 去解析每个用户的字段时,default resolver 只查找作为 atom 的字段键。当它在父映射中找不到 :uid:email:name 时,它会 returns nil.

您可以将结果转换为以原子作为键。如果您想走那条路,一个选择就是映射每个用户并明确复制您想要的内容。

users = Enum.map(users, &%{uid: &1["uid"], email: &1["email"], name: &1["name"]})

不过,添加密钥后,您还需要更新一个地方。许多更动态解决方案的尝试并没有遵循最佳实践(他们打开应用程序以在运行时创建新原子,这是一个坏主意,或者当他们看到无法识别的键时抛出错误)。

我过去使用的一个解决方案是创建我自己的默认 MapGet 中间件来检查原子键和字符串键。

defmodule MyAppWeb.GraphQL.Middleware.MapGet do
  @moduledoc """
  Default resolver that checks for both atom and string keys.
  """
  @behaviour Absinthe.Middleware

  @impl Absinthe.Middleware
  def call(%{source: source} = info, key) do
    value =
      with :error <- Map.fetch(source, key),
           :error <- Map.fetch(source, to_string(key)) do
        nil
      else
        {:ok, value} ->
          value
      end

    %{info | state: :resolved, value: value}
  end
end

Absinthe docs 描述了换出默认中间件。在我的应用程序中,它非常简单。

defmodule MyAppWeb.GraphQL.Schema do
  use Absinthe.Schema
  # ...

  def middleware(middleware, field, object) do
    map_get = {{MyAppWeb.GraphQL.Middleware.MapGet, :call}, field.identifier}
    Absinthe.Schema.replace_default(middleware, map_get, field, object)
  end

  # ...
end