Ps. It's Hasura friendly.
I've tried to run a few GraphQL clients with Hasura, all of them required conversion of the data into
the appropriate structures, causing issues with non-existing types ( thanks to Hasura ), for example, bigint which was difficult to export.
Therefore, I present you the simple client to which you can copy & paste your graphQL query, variables and you are good to go.
- Executing GraphQL queries as they are, without types declaration
- HTTP/2 support for HTTPS endpoints (automatic)
- HTTP/1.1 for HTTP endpoints (compatible with all servers)
- Automatic retry with configurable error patterns
- Support for additional headers
- Query cache with compression
GRAPHQL_ENDPOINT- Your GraphQL endpoint. Default:http://127.0.0.1:9090/v1/graphqlGRAPHQL_CACHE_ENABLED- Should the query cache be enabled? Default:falseGRAPHQL_CACHE_TTL- Cache TTL in seconds for SELECT type of queries. Default:5GRAPHQL_OUTPUT- Output format. Default:string, available:byte,string,mapstringLOG_LEVEL- Logging level. Default:infoavailable:debug,info,warn,errorGRAPHQL_RETRIES_ENABLE- Should retries be enabled? Default:falseGRAPHQL_RETRIES_NUMBER- Number of retries: Default:3GRAPHQL_RETRIES_DELAY- Delay in retries in milliseconds. Default:250GRAPHQL_RETRIES_PATTERNS- Comma-separated error patterns that trigger retries. Default:postgres,connection,timeout,transaction,could not,temporarily unavailable,deadlockGRAPHQL_POOL_WARMUP_ENABLED- Enable intelligent connection pool warmup. Default:falseGRAPHQL_POOL_SIZE- Number of connections to pre-create and maintain. Default:5GRAPHQL_POOL_WARMUP_QUERY- Query used for warming up connections. Default:query{__typename}GRAPHQL_POOL_HEALTH_INTERVAL- Interval in seconds for pool health checks. Default:30
gql.SetEndpoint('your-endpoint-url')- modifies endpoint, without the need to set the environment variablegql.SetOutput('byte')- modifies output format, without the need to set the environment variable
The library supports automatic retries for both HTTP-level errors and GraphQL errors that match configurable patterns.
Retry behavior:
- HTTP errors (status codes outside 200-299): Always retried if retries are enabled
- GraphQL errors: Only retried if the error message contains one of the configured patterns
- Non-matching errors: Fail immediately without retrying (e.g., validation errors, field not found)
Configuring retryable patterns:
By default, errors containing these patterns will trigger retries:
postgres- Database connection/transaction errorsconnection- Network connection issuestimeout- Request timeout errorstransaction- Database transaction conflictscould not- Generic transient failurestemporarily unavailable- Service unavailabilitydeadlock- Database deadlocks
You can customize these patterns using the GRAPHQL_RETRIES_PATTERNS environment variable:
export GRAPHQL_RETRIES_PATTERNS="postgres,connection,timeout,custom-error-pattern"Example: To handle flaky Hasura database connections, enable retries:
export GRAPHQL_RETRIES_ENABLE=true
export GRAPHQL_RETRIES_NUMBER=3
export GRAPHQL_RETRIES_DELAY=250This will retry GraphQL queries up to 3 times when postgres transaction errors occur, with exponential backoff starting at 250ms.
The library supports intelligent connection pooling with pre-warmed connections and automatic health monitoring. This significantly improves performance during traffic spikes by keeping hot standby connections ready.
How it works:
- Pre-warming: Connections are created and warmed up during initialization
- Health monitoring: Background process periodically checks connection health
- Auto-refresh: Automatically replaces stale or broken connections
- Hot standbys: Ready connections eliminate cold-start latency
Configuration:
Enable connection pool warmup for production environments with variable traffic:
export GRAPHQL_POOL_WARMUP_ENABLED=true
export GRAPHQL_POOL_SIZE=5 # Number of hot standby connections
export GRAPHQL_POOL_HEALTH_INTERVAL=30 # Health check every 30 seconds
export GRAPHQL_POOL_WARMUP_QUERY="query{__typename}" # Lightweight health check queryBenefits:
- ⚡ Instant response - Connections already established during traffic spikes
- 🔄 Auto-healing - Detects and replaces broken connections automatically
- 📊 Predictable performance - Eliminates connection establishment latency
- 🛡️ Resilience - Maintains pool health even during network instability
Recommended settings by use case:
# High-traffic API (e.g., production web app)
GRAPHQL_POOL_WARMUP_ENABLED=true
GRAPHQL_POOL_SIZE=10
GRAPHQL_POOL_HEALTH_INTERVAL=15
# Medium-traffic service (e.g., background jobs)
GRAPHQL_POOL_WARMUP_ENABLED=true
GRAPHQL_POOL_SIZE=5
GRAPHQL_POOL_HEALTH_INTERVAL=30
# Low-traffic/development
GRAPHQL_POOL_WARMUP_ENABLED=false # Default: on-demand connectionsGraceful shutdown:
When shutting down your application, stop the pool monitor gracefully:
func main() {
gql := graphql.NewConnection()
defer gql.StopPoolMonitor() // Ensure clean shutdown
// Your application logic
}You have two options to enable the cache:
- Use
GRAPHQL_CACHE_ENABLEDenvironment variable which will enable the cache globally. It may be desired if you want to use the cache for all queries. - Add
gqlcache: trueheader for your query which will enable the cache for this query only withGRAPHQL_CACHE_TTLTTL. - You can check the list of supported per-query modifiers below
Example:
// following values passed as headers will modify behaviour of the query
// and disregard settings provided via environment variables
headers := map[string]interface{}{
...
"gqlcache": true, // sets the cache as on for this query only
"gqlretries": false, // disables retries for this query only
}import (
fmt
graphql "github.com/lukaszraczylo/go-simple-graphql"
)
func main() {
headers := map[string]interface{}{
"x-hasura-user-id": 37,
"x-hasura-user-uuid": "bde1962e-b42e-1212-ac10-d43fa27f44a5",
}
variables := map[string]interface{}{
"fileHash": "123deadc0w321",
}
query := `query searchFileKnown($fileHash: String) {
tbl_file_scans(where: {file_hash: {_eq: $fileHash}}) {
racy
violence
virus
}
}`
gql := graphql.NewConnection()
result, err := gql.Query(query, variables, headers)
if err != nil {
fmt.Println("Query error", err)
return
}
fmt.Println(result)
}- Connection handler (
gql := graphql.NewConnection()) should be created once and reused in the application especially if you run dozens of queries per second. It will allow you also to use cache and http2 to its full potential.
Result
{"tbl_user_group_admins":[{"id":109,"is_admin":1}]}Currently attempting to switch to the fork of the ask library
Before, I used an amazing library tidwall/gjson to parse the results and extract the information required in further steps and I strongly recommend this approach as the easiest and close to painless, for example:
result := gjson.Get(result, "tbl_user_group_admins.0.is_admin").Bool()
if result {
fmt.Println("User is an admin")
}