GraphqlQuery (graphql_query v0.3.9)
View SourceGraphQL Query provides a library for validating, parsing, and formatting GraphQL queries and schemas
⚠️ Disclaimer: This library is still in early development. APIs may change as it evolves.
Table of Contents
- Why This Library?
- Features
- Quick Start
- Usage
- Use the documents in HTTP Requests
- Fragment support
- Schema Support
- Formatter Integration
- Manual API
- Roadmap
- License
- Links
Why This Library?
- Developer tool: Focused on validation, formatting, compile-time and runtime safety.
- External APIs integration: Build and validate queries against external GraphQL APIs. Never miss a deprecated field, a type error in the arguments or a typo in the fields you are fetching.
- Best match for your tests: Use in your tests to build and validate queries against any GraphQL schema (external APIs, you own Absinthe schema, ...), catch issues early on development.
- Not a GraphQL server: Absinthe is for building GraphQL servers.
GraphqlQueryis for validating and formatting queries against schemas (including external APIs). They complement each other perfectly - you can extract your Absinthe schema and use it to validate client queries on tests.
Features
- ✅ GraphQL queries and mutations validation (syntax, unused vars, fragments, spec compliance)
- ✅ Schema parsing and validation (from strings or files)
- ✅ Fragment support with composition, reusability, and validation
- ✅ Schema-aware query, mutation and fragments validation (detect invalid fields/types)
- ✅ Compile-time macros:
~GQLsigil for static queriesgql_from_filefor file-based queriesgqlmacro for dynamic queriesdocument_with_optionsfor applying options to multiple macros
- ✅ Query formatting with consistent indentation and automatic formatting option
- ✅ Mix format integration for
~GQLsigil,.graphqland.gqlfiles - ✅ Schema modules with automatic recompilation on schema changes
- ✅ Absinthe schema integration for validating queries against existing Absinthe schemas
- ✅ Flexible validation modes: compile-time, runtime, or ignore
- ✅ JSON encoding support for Document structs (JSON/Jason protocols)
- ⚡ Backed by Rust for fast parsing and validation
Quick Start
Installation
Add graphql_query to your dependencies in mix.exs:
def deps do
[
{:graphql_query, "~> 0.3"}
]
endFetch deps:
mix deps.get
No Rust installation required — precompiled binaries are used.
Examples
You can find more examples in the Cheatsheet, here is a little compilation.
Example: Compile-time Document Validation
import GraphqlQuery
# Valid query
~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
name
}
}
"""
# Invalid query → compile-time warning
~GQL"""
query GetUser($unused: String!) {
user {
name
}
}
"""
# warning: GraphQL validation errors:
# Error: unused variable: `$unused` at file.ex:10:1 - variable is never usedExample: Schema Validation
defmodule MyApp.Schema do
use GraphqlQuery.Schema, schema_path: "priv/graphql/schema.graphql"
end
defmodule MyApp.Queries do
use GraphqlQuery, schema: MyApp.Schema
def get_user_query do
~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
id
name
email
}
}
"""
end
endExample: Usage in requests
query = gql [fragments: [@user_fragment]], """
query { ... }
"""
user = "1"
user_query = GraphqlQuery.Document.add_variable(query, :id, user)
Req.post!("/api", json: user_query)Usage
~GQL Sigil
- For static queries only (no interpolation).
- Validates at compile time.
- Optional formatter plugin.
- Supports modifiers, the modifiers are applied at the end of the string:
~GQL""rf:i→ Ignore warningsr-> Validate on runtimes→ Parse as schemaq→ Parse as query (this is the default behaviour)f→ Parse as fragment
import GraphqlQuery
# Valid query
~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
name
}
}
"""
# Ignore warnings
~GQL"""
query GetUser($id: ID!, $unused: String) {
user(id: $id) { name }
}
"""i
# Parse schema
~GQL"""
type User {
id: ID!
name: String!
}
"""s
# Parse fragment
~GQL"""
fragment UserData on User {
id
name
}
"""f
# Delegate validation to runtime
# Try not to use it, but if you need it you have the option
~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
...UserData
}
}
"""r |> GraphqlQuery.Document.add_fragment(user_data)
gql_from_file Macro
- Load queries or schemas from
.graphqlor.gqlfiles. - Validates at compile time.
- Tracks file changes for recompilation.
- Options:
ignore: true→ skip validationtype: :query | :schema | :fragment→ Specify if the content shall be validated as query, schema or fragmentschema: SchemaModule→ Specify the schema module to validate the query or fragment withfragments: [GraphqlQuery.Fragment.t()]→ Add reusable fragments to queriesformat: true→ Apply automatic formatting when converting to string
Example project structure:
priv/
├── graphql/
| ├── schema.graphql
| ├── get_user.graphql
| └── create_user.gql
| └── user_fragment.gqldefmodule MyApp.Schema do
use GraphqlQuery.Schema, schema_path: "priv/graphql/schema.graphql"
end
defmodule MyApp.Queries do
use GraphqlQuery, schema: MyApp.Schema
@user_fragment gql_from_file "priv/graphql/user_fragment.gql", type: :fragment
def get_user_query do
gql_from_file "priv/graphql/get_user.graphql", fragments: [@user_fragment]
end
def create_user_mutation do
gql_from_file "priv/graphql/create_user.gql", schema: MyApp.Schema
end
endgql Macro
- Supports dynamic queries with interpolation.
- Options:
evaluate: true→ expand module calls at compile timeruntime: true→ validate at runtime instead of compile timeignore: true→ skip validationtype: :query | :schema | :fragment→ Specify if the content shall be validated as query, schema or fragmentschema: SchemaModule→ Specify the schema module to validate the query or fragment withfragments: [GraphqlQuery.Fragment.t()]→ Add reusable fragments to queriesformat: true→ Apply automatic formatting when converting to string
defmodule Example do
use GraphqlQuery
@fields "name email"
# Expand module attributes
def query do
gql """
query {
user { #{@fields} }
}
"""
end
# Expand other module calls
def query_with_eval do
gql [evaluate: true], """
query {
...#{OtherModule.fragment_name()}
#{OtherModule.more_fields()}
}
#{OtherModule.fragment()}
"""
end
# Specify fragments for the query
def query_with_fragments do
gql [fragments: [OtherModule.fragment()]], """
query {
users {
...UserFragment
}
}
"""
end
# Runtime validation for local variables
def query_runtime(user_id) do
gql [runtime: true], """
query {
user(id: #{user_id}) { name }
}
"""
end
# Automatic formatting when converting to string
def formatted_query do
gql [format: true], """
query{user{id name}}
"""
# When converted to string, will be properly formatted:
# query {
# user {
# id
# name
# }
# }
end
enddocument_with_options Macro
- Apply common options to all GraphqlQuery macros and sigils within a block
- Key feature: Enables the
~GQLsigil to work with complex options like:schemaand:fragments - Supports all the same options as individual macros
Options are merged with precedence ((explicit macro options | sigil modifiers) >
document_with_options> module defaults)
The main use case for the macro document_with_options is to use fragments and schema validation with sigils.
The ~GQL sigil doesn't support schema or fragments options directly, but document_with_options enables it:
# This won't work - sigils don't support schema options
~GQL"""
query GetUser { user { id name } }
"""[schema: MySchema] # ❌ Invalid syntax
# This works perfectly
document_with_options schema: MySchema do
~GQL"""
query GetUser { user { ...UserFragment } }
""" # ✅ Schema validation applied
enddefmodule MyApp.Schema do
use GraphqlQuery.Schema, schema_path: "priv/schema.graphql"
end
defmodule MyApp.Queries do
use GraphqlQuery, schema: MyApp.Schema
@user_fragment ~GQL"""
fragment UserFragment on User {
id
name
}
"""f
def user_query do
document_with_options fragments: [@user_fragment] do
~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
...UserFragment
}
}
"""
end
end
endUse the documents in HTTP requests
At the end, we want to build GraphQL queries to do requests to the GraphQL server.
To make it easy, the GraphQL.Document struct returned by ~GQL, gql_from_file and gql implement the protocol for the standard library JSON and for Jason.
To use queries in requests, you can directly put the query document in the body if the library supports JSON encoding, or manually call JSON.encode!(query) or Jason.encode!(query) to get the request body as a string.
The encoding build a json such as {"query": "document", "variables": {}}. The document is the query or mutation with the fragments (if any) at the end.
Example with Req and GraphQLZero mock server:
base_query = ~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
id
username
email
address {
geo {
lat
lng
}
}
}
}
"""
# base_query is a %GraphqlQuery.Document{} struct
# We add variables to create a new document with that information
user_query = GraphqlQuery.Document.add_variable(base_query, :id, "1")
Req.post!("https://graphqlzero.almansi.me/api", json: user_query).body
# %{
# "data" => %{
# "user" => %{
# "address" => %{"geo" => %{"lat" => -37.3159, "lng" => 81.1496}},
# "email" => "Sincere@april.biz",
# "id" => "1",
# "username" => "Bret"
# }
# }
# }
Fragment support
You can define your fragments and use them with the macros.
Define fragments
# With sigil
fragment = ~GQL"""
fragment UserFragment on User { id name }
"""f
# With macro
fragment = gql [type: :fragment], """
fragment UserFragment on User { id name }
"""f
# From file
fragment = gql_from_file "fragment.graphql", type: :fragmentUse fragments
# With sigils you have to use the global module registration, or manually set them and validate on runtime:
defmodule UserQuery do
use GraphqlQuery, fragments: [MyFragments.user_fragment()], schema: UserSchema
# Use the fragments registered for the module.
def query do
~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
...UserFragment
}
}
"""
end
# Evaluate at runtime, and add the fragments later instead of using the global ones
def runtime_query do
query = ~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
...UserFragment
}
}
"""r
GraphqlQuery.Document.add_fragment(query, MyFragments.user_fragment())
end
end
# With the gql and gql_from_file macros, you can use the module fragments, or per-query fragments:
gql [fragments: [MyFragments.user_fragment()]], """
query GetUser($id: ID!) {
user(id: $id) {
...UserFragment
}
}
"""
gql_from_file "query.graphql", fragments: [MyFragments.user_fragment()]Schema Support
Parsing and Validating Schemas
With macros:
schema = gql [type: :schema], """
type User { id: ID! name: String! }
type Query { user(id: ID!): User }
"""
schema = gql_from_file "path/to/schema.graphql", type: :schemaOr with sigil:
~GQL"""
type User { id: ID! name: String! }
type Query { user(id: ID!): User }
"""sSchema Modules
- Parses and validates schema at compile time
- Provides
schema/0andschema_path/0 - Recompiles when schema file changes
From GraphQL Files
Automatically implement the behaviour with a schema file:
defmodule MyApp.Schema do
use GraphqlQuery.Schema, schema_path: "priv/graphql/schema.graphql"
endFrom Absinthe Schemas
Automatically extract schema from existing Absinthe schema modules, really useful specially for testing:
defmodule MyApp.Schema do
use GraphqlQuery.Schema, absinthe_schema: MyAppWeb.Graphql.Schema
endManual Implementation
Or manually implement the behaviour:
defmodule MyApp.Schema do
use GraphqlQuery.Schema
@impl GraphqlQuery.Schema
def schema do
~GQL"""
type User { id: ID! name: String! }
type Query { user(id: ID!): User }
"""s
end
@impl GraphqlQuery.Schema
def schema_path, do: nil
endDocument Validation Against Schema
You can validate against the schema any document (queries, mutations or fragments)
Per-document validation:
gql [schema: MyApp.Schema], """
query GetUser($id: ID!) {
user(id: $id) { name email }
}
"""
gql_from_file "path.graphql", [schema: MyApp.Schema]Module-level schema:
defmodule MyApp.Queries do
use GraphqlQuery, schema: MyApp.Schema
def get_users do
~GQL"""
query { users { id name } }
"""
end
def get_user(user_id) do
# It is recommended to use GraphQL variables, this is just an example to showcase runtime validation with schema
gql [runtime: true], """
query GetUserById { user(id: "#{user_id}") { name } }
"""
end
endFormatter Integration
Add to .formatter.exs:
[
inputs: ["{lib,test,priv}/**/*.{ex,exs,graphql,gql}"],
plugins: [GraphqlQuery.Formatter],
import_deps: [:graphql_query]
]Now mix format will:
- Format
.graphqland.gqlfiles - Format
~GQLsigils in Elixir code
Manual API
You shouldn't need to use the manual API, but if you need to, you can do everything yourself.
Check the documentation of these modules if you want to know more about the manual API:
Roadmap
Planned
- [ ] When validation error, try to detect if it's in a fragment, and if it's an "imported" fragment, print the error in the fragment's location
- [ ] Configure schemas with remote URLs to fetch, and have a mix task to check if the content differs
- [ ] Optional compile-time validation via Mix task
- [ ] Fix line reporting on validation errors on gql on expanded code
Done
- [x] Validate queries with sigil
- [x] Format queries with formatter plugin
- [x]
gqlmacro for dynamic queries - [x]
gql_from_filemacro for file-based queries - [x] Schema parsing and validation
- [x] Custom Document and Fragment representation, with implementation for to_string and json with JSON and Jason
- [x] Allow to set fragments in individual queries or per-module (
document_with_optionsmacro) - [x] Extract document info, and calculate if possible name and signature
- [x] Improve non-compile time options detection and fallback to runtime/ignore
- [x] GraphqlQuery.Schema with Absinthe schema
License
Beerware 🍺 — do whatever you want with it, but if we meet, buy me a beer. (This is essentially MIT-like. Use it freely, but if we meet, buy me a beer)
Summary
Functions
Sets up the module to use GraphQL query macros and validation.
Applies GraphQL macro options to all GraphQL macros within a block.
Creates GraphQL documents with dynamic content and validation.
Loads and validates GraphQL queries from external files.
GraphQL sigil for static queries with compile-time validation.
Functions
Sets up the module to use GraphQL query macros and validation.
Options
:schema- Schema module implementing GraphqlQuery.Schema behaviour:runtime- Whether to validate queries at runtime (default: false):ignore- Whether to ignore validation errors (default: false):evaluate- Whether to try evaluating dynamic parts at compile time (default: false):fragments- List of fragments to include in queries (default: []):format- Whether to apply formatting when converting to string (default: false)
Examples
defmodule MyApp.Queries do
use GraphqlQuery, schema: MyApp.Schema
def get_user do
~GQL"query { user { id name } }"
end
end
@spec add_fragment(GraphqlQuery.Document.t(), GraphqlQuery.Fragment.t() | any()) :: GraphqlQuery.Document.t()
@spec add_fragments(GraphqlQuery.Document.t(), [GraphqlQuery.Fragment.t() | any()]) :: GraphqlQuery.Document.t()
@spec add_variable(GraphqlQuery.Document.t(), atom(), any()) :: GraphqlQuery.Document.t()
@spec add_variables(GraphqlQuery.Document.t(), map() | keyword()) :: GraphqlQuery.Document.t()
Applies GraphQL macro options to all GraphQL macros within a block.
This macro provides a convenient way to apply common options to multiple GraphQL
macros (~GQL, gql, gql_from_file) within a do block, but it's recommended to
apply it only for one.
The most important use case is enabling the ~GQL sigil to work with complex
options like :schema and :fragments, which are not directly available through
sigil modifiers.
If the options can't be expanded on compile time, a warning is printed and the validation are applied at runtime instead.
Options
:type- Document type (:query, :schema, :fragment) (default: :query):ignore- Skip validation (default: false):runtime- Validate at runtime instead of compile-time (default: false):evaluate- Try to expand function calls at compile time (default: false):schema- Schema module for validation (default: module schema if set):fragments- List of fragments to include (default: []):format- Apply formatting when converting to string (default: false)
Option Precedence
Options are merged with the following precedence (highest to lowest):
- Explicit options on individual macros (e.g.,
gql [ignore: false], "...") - Sigil modifiers (e.g.,
~GQL"..."ffor fragment type) - Options from
document_with_options - Module-level defaults from
use GraphqlQuery
Examples
Basic Usage with Schema Validation
document_with_options schema: MySchema do
~GQL"""
query GetUser { user { ...UserFragment } }
""" # ✅ Schema validation applied
endUsing Fragments
user_fragment = ~GQL"""
fragment UserFields on User {
id
name
email
}
"""f
document_with_options fragments: [user_fragment] do
~GQL"""
query GetUserWithFragment {
user {
...UserFields
}
}
"""
endSchema Validation for Multiple Documents (but set it in use GraphqlQuery, schema: Schema is prefered)
document_with_options schema: MyApp.Schema do
@user_query ~GQL"""
query GetUser($id: ID!) {
user(id: $id) { id name }
}
"""
@users_query ~GQL"""
query GetUsers {
users { id name }
}
"""
endFragment Management
@user_fields ~GQL"""
fragment UserFields on User {
id name email
}
"""f
document_with_options fragments: [@user_fields] do
@get_user ~GQL"""
query GetUser { user { ...UserFields } }
"""
@get_users ~GQL"""
query GetUsers { users { ...UserFields } }
"""
endIntegration Notes
This macro works by walking the AST of the provided block and transforming all GraphqlQuery macro calls to include the specified options. It supports:
~GQLsigil (adds options as third parameter)gql/1andgql/2macro callsgql_from_file/1andgql_from_file/2macro calls
The transformation happens at compile time, so there's no runtime overhead.
Creates GraphQL documents with dynamic content and validation.
Supports both static and dynamic queries with compile-time validation.
Can expand module attributes and function calls when evaluate: true is set.
Options
:type- Document type (:query, :schema, :fragment) (default: :query):ignore- Skip validation (default: false):runtime- Validate at runtime instead of compile-time (default: false):evaluate- Try to expand function calls at compile time (default: false):schema- Schema module for validation (default: module schema if set):fragments- List of fragments to include (default: []):format- Apply formatting when converting to string (default: false)
Examples
# Static query with module attribute
@fields "id name email"
query = gql "query { user { #{@fields} } }"
# Dynamic query with fragments
query = gql [fragments: [@user_fragment]], "query { user { ...UserFragment } }"
# Runtime validation for fully dynamic content
def build_query(field_list) do
gql [runtime: true], "query { user { #{field_list} } }"
end
# Schema validation
query = gql [schema: MyApp.Schema], "query { user { id name } }"
Loads and validates GraphQL queries from external files.
Automatically tracks file dependencies for recompilation and validates the loaded content at compile time.
Options
:type- Document type (:query, :schema, :fragment) (default: :query):ignore- Skip validation (default: false):schema- Schema module for validation (default: module schema if set):fragments- List of fragments to include (default: [])
Examples
# Load a query file
query = gql_from_file("priv/queries/get_user.graphql")
# Load a fragment with schema validation
fragment = gql_from_file("priv/fragments/user.gql",
type: :fragment,
schema: MyApp.Schema)
# Load schema
schema = gql_from_file("priv/schema.graphql", type: :schema)
GraphQL sigil for static queries with compile-time validation.
Validates GraphQL queries, mutations, schemas, and fragments at compile time, providing immediate feedback on syntax errors, unused variables, and schema violations. Best suited for static GraphQL content without dynamic interpolation.
Modifiers
The sigil supports several modifiers that can be combined:
i- Ignore validation warningsr- Validate at runtime instead of compile-times- Parse as schema documentq- Parse as query document (default)f- Parse as fragment document
Examples
Basic Query
import GraphqlQuery
~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
id
name
email
}
}
"""Schema Definition
~GQL"""
type User {
id: ID!
name: String!
email: String!
}
type Query {
user(id: ID!): User
}
"""sFragment Definition
~GQL"""
fragment UserData on User {
id
name
email
}
"""fIgnoring Validation Warnings
# For queries with intentional unused variables
~GQL"""
query GetUser($id: ID!, $unused: String) {
user(id: $id) { name }
}
"""iRuntime Validation
# When fragments will be added later
~GQL"""
query GetUser($id: ID!) {
user(id: $id) {
...UserFragment
}
}
"""r |> GraphqlQuery.Document.add_fragment(user_fragment)Integration with Mix Format
The sigil integrates with mix format when the formatter plugin is configured:
# .formatter.exs
[
plugins: [GraphqlQuery.Formatter]
]