title | category | layout | tags | updated | intro | |
---|---|---|---|---|---|---|
Absinthe |
Hidden |
2017/sheet |
|
2017-10-10 |
[Absinthe](http://absinthe-graphql.org/) allows you to write GraphQL servers in Elixir.
|
Schema
- The root. Defines what queries you can do, and what types they return.Resolver
- Functions that return data.Type
- A type definition describing the shape of the data you'll return.
defmodule Blog.Web.Router do
use Phoenix.Router
forward "/", Absinthe.Plug,
schema: Blog.Schema
end
{: data-line="4,5"}
Absinthe is a Plug, and you pass it one Schema.
See: Our first query
{: .-three-column}
defmodule Blog.Schema do
use Absinthe.Schema
import_types Blog.Schema.Types
query do
@desc "Get a list of blog posts"
field :posts, list_of(:post) do
resolve &Blog.PostResolver.all/2
end
end
end
{: data-line="5,6,7,8,9,10"}
This schema will account for { posts { ··· } }
. It returns a Type of :post
, and delegates to a Resolver.
defmodule Blog.PostResolver do
def all(_args, _info) do
{:ok, Blog.Repo.all(Blog.Post)}
end
end
{: data-line="3"}
This is the function that the schema delegated the posts
query to.
defmodule Blog.Schema.Types do
use Absinthe.Schema.Notation
@desc "A blog post"
object :post do
field :id, :id
field :title, :string
field :body, :string
end
end
{: data-line="4,5,6,7,8,9"}
This defines a type :post
, which is used by the resolver.
{ user(id: "1") { ··· } }
query do
field :user, type: :user do
arg :id, non_null(:id)
resolve &Blog.UserResolver.find/2
end
end
{: data-line="3"}
def find(%{id: id} = args, _info) do
···
end
{: data-line="1"}
See: Query arguments
{
mutation CreatePost {
post(title: "Hello") { id }
}
}
mutation do
@desc "Create a post"
field :post, type: :post do
arg :title, non_null(:string)
resolve &Blog.PostResolver.create/2
end
end
{: data-line="1"}
See: Mutations
- Absinthe website (absinthe-graphql.org)
- GraphQL cheatsheet (devhints.io)