Ecosyste.ms: Awesome
An open API service indexing awesome lists of open source software.
https://github.com/graphql-kit/graphql-lodash
🛠Data manipulation for GraphQL queries with lodash syntax
https://github.com/graphql-kit/graphql-lodash
api functional-programming graphql lodash
Last synced: 10 days ago
JSON representation
🛠Data manipulation for GraphQL queries with lodash syntax
- Host: GitHub
- URL: https://github.com/graphql-kit/graphql-lodash
- Owner: graphql-kit
- License: mit
- Created: 2017-03-28T13:41:27.000Z (over 7 years ago)
- Default Branch: master
- Last Pushed: 2022-06-21T21:48:08.000Z (over 2 years ago)
- Last Synced: 2024-04-12T22:10:00.863Z (7 months ago)
- Topics: api, functional-programming, graphql, lodash
- Language: TypeScript
- Homepage: https://apis.guru/graphql-lodash/
- Size: 5.66 MB
- Stars: 1,225
- Watchers: 16
- Forks: 50
- Open Issues: 13
-
Metadata Files:
- Readme: README.md
- License: LICENSE
Awesome Lists containing this project
- awesome-ccamel - graphql-kit/graphql-lodash - 🛠Data manipulation for GraphQL queries with lodash syntax (TypeScript)
- awesome-starred - graphql-kit/graphql-lodash - 🛠Data manipulation for GraphQL queries with lodash syntax (graphql)
README
![GraphQL Lodash logo](docs/gqlodash-logo.png)
# GraphQL Lodash
[![npm](https://img.shields.io/npm/v/graphql-lodash.svg)](https://www.npmjs.com/package/graphql-lodash) [![David](https://img.shields.io/david/APIs-guru/graphql-lodash.svg)](https://david-dm.org/APIs-guru/graphql-lodash)
[![David](https://img.shields.io/david/dev/APIs-guru/graphql-lodash.svg)](https://david-dm.org/APIs-guru/graphql-lodash?type=dev)
[![npm](https://img.shields.io/npm/l/graphql-lodash.svg)](https://github.com/APIs-guru/graphql-lodash/blob/master/LICENSE)Unleash the power of [lodash](https://lodash.com/) inside your GraphQL queries
#### Table of contents
- [Why?](#why)
- [Example queries](#example-queries)
- [API](#api)
- [Usage Examples](#usage-examples)
- [`fetch`](#fetch-example)
- [Caching clients](#caching-clients)
- [**Usage with react-apollo**](#usage-with-react-apollo)
- [Usage on server-side](#usage-on-server-side) (tl;dr **don't**)## Why?
GraphQL allows to ask for what you need and get exactly that. But what about the shape?
GraphQL Lodash gives you the power of `lodash` right inside your GraphQL Query using `@_` directive.[![lodash usage gif](docs/lodash.gif)](https://apis.guru/graphql-lodash/)
**Note**: This is an **experimental** project created to explore the concept of **Query and transformation collocation**.
We encourage you to try it inside our [demo](https://apis.guru/graphql-lodash/) or check detailed [walkthrough](https://docs.google.com/presentation/d/1aBXjC98hfYrbjUKlWGFMWgAMh9FcxeW_w97uatNYXls/pub?start=false&loop=false&delayms=3000).
## Example queries
Here are a few query examples you can run against StartWars API:#### Find the planet with the biggest population
![Find the planet with the biggest population](docs/planet_with_max_population.png)
#### Get gender statistics
![Get gender statistics](docs/gender_stats.png)
#### Map characters to films they are featured in
![Map characters to films they are featured in](docs/people_to_films.png)## Install
npm install --save graphql-lodash
oryarn add graphql-lodash
## API
### `graphqlLodash(query, [operationName])`
- **query** (_required_) - query string or query AST
- **operationName** (_optional_) - required only if the query contains multiple operations### Returns
```
{
query: string|object,
transform: Function
}
```
- **query** - the original query with stripped `@_` directives
- **transform** - function that receives `response.data` as a single argument and returns
the same data in the intended shape.## Usage Examples
The simplest way to integrate `graphql-lodash` is to write wrapper function for graphql client of you choice:
```js
import { graphqlLodash } from 'graphql-lodash';function lodashQuery(queryWithLodash) {
let { query, transform } = graphqlLodash(queryWithLodash);
// Make a GraphQL call using 'query' variable as a query
// And place result in 'result' variable
...
result.data = transform(result.data);
return result;
}
```### Fetch example
An example of a simple client based on [fetch API](https://developer.mozilla.org/en/docs/Web/API/Fetch_API):
```js
function executeGraphQLQuery(url, query) {
return fetch(url, {
method: 'POST',
headers: new Headers({"content-type": 'application/json'}),
body: JSON.stringify({ query: query })
}).then(response => {
if (response.ok)
return response.json();
return response.text().then(body => {
throw Error(response.status + ' ' + response.statusText + '\n' + body);
});
});
}function lodashQuery(url, queryWithLodash) {
let { query, transform } = window.GQLLodash.graphqlLodash(queryWithLodash);
return executeGraphQLQuery(url, query).then(result => {
result.data = transform(result.data);
return result;
});
}// then use as bellow
lodashQuery('https://swapi.apis.guru', `{
planetWithMaxPopulation: allPlanets @_(get: "planets") {
planets @_(maxBy: "population") {
name
population
}
}
}`).then(result => console.log(result.data));
```### Caching clients
For caching clients like Relay and Apollo we recommend to apply the transformation after the caching layer.
Here is proposed solution for Relay:![Relay usage](docs/relay-architecture.png)
We are still figuring out how to do this and any [feedback](https://github.com/APIs-guru/graphql-lodash/issues/new) is welcome.
#### Usage with [react-apollo](https://github.com/apollographql/react-apollo)
When using with Apollo you can use `props` option to apply transformations:
```js
const rawQuery = gql`
# query with @_ directives
`;const {query, transform} = graphqlLodash(rawQuery);
export default graphql(query, {
props: (props) => ({...props, rawData: props.data, data: transform(props.data)})
})(Component);
```You can write a simple wrapper for simplicity:
```js
import { graphql } from 'react-apollo';
import { graphqlLodash } from 'graphql-lodash';export function gqlLodash(rawQuery, config) {
const {query, transform} = graphqlLodash(rawQuery);
let origProps = (config && config.props) || ((props) => props);return (comp) => graphql(query, {...config,
props: (props) => origProps({
...props,
rawData: props.data,
data: transform(props.data)
})
})(comp);
}
// then use as bellow
export default gqlLodash(query)(Component);
```Just replace `graphql` with `gqlLodash` and you are ready to use lodash in your queries.
Check out the [react-apollo-lodash-demo](https://github.com/APIs-guru/react-apollo-lodash-demo) repo.You can also do the transformation inside an [Apollo
Link](https://www.apollographql.com/docs/link/) by rewriting the
parsed GraphQL `Document`:```js
new ApolloLink((operation, forward) => {
const { query, transform } = graphqlLodash(operation.query);
operation.query = query;
return forward(operation)
.map(response => ({
...response,
data: transform(response.data),
}));
});
```Chaining this link with the other links passed to your `ApolloClient`
will apply the transformation to every query that
Apollo runs, such as those from the `` component or
subscriptions.### Introspection queries
If your application uses introspection queries (like GraphiQL does to
get documentation and autocomplete information), you will also need to
extend the introspection query result with the directives from
graphql-lodash. One way you could do this is:```js
import {
buildClientSchema,
extendSchema,
graphqlSync,
introspectionQuery,
} from 'graphql';// inside the above ApolloLink function
if (response.data && response.data.__schema) {
const schema = extendSchema(
buildClientSchema(response.data),
lodashDirectiveAST,
);
return graphqlSync(schema, introspectionQuery);
}
```See the `demo/` source in this repo for another example of modifying
the introspection query result.## Usage on server side
In theory, this tool can be used on the server. But this will break the contract and, most likely,
will break all the GraphQL tooling you use. Use it on server-side only if you know what you do.