Risposta di Joe (append {"name":"ratio" , value:data.active/data.total}
al risultato una volta che il risultato è stato recuperato dal database) lo farebbe senza apportare modifiche allo schema.
Come metodo alternativo o come modo più elegante per farlo in GraphQL, i nomi dei campi possono essere specificati nel tipo stesso invece di passarli come argomenti. E calcola ratio
scrivendo un risolutore.
Quindi, lo schema GraphQL sarebbe:
Item {
total: Int,
active: Int,
ratio: Float
}
type Query {
items: [Item]
}
Il client specifica i campi:
{
items {
total
active
ratio
}
}
E ratio
può essere calcolato all'interno del resolver.
Ecco il codice:
const express = require('express');
const graphqlHTTP = require('express-graphql');
const { graphql } = require('graphql');
const { makeExecutableSchema } = require('graphql-tools');
const getFieldNames = require('graphql-list-fields');
const typeDefs = `
type Item {
total: Int,
active: Int,
ratio: Float
}
type Query {
items: [Item]
}
`;
const resolvers = {
Query: {
items(obj, args, context, info) {
const fields = getFieldNames(info) // get the array of field names specified by the client
return context.db.getItems(fields)
}
},
Item: {
ratio: (obj) => obj.active / obj.total // resolver for finding ratio
}
};
const schema = makeExecutableSchema({ typeDefs, resolvers });
const db = {
getItems: (fields) => // table.select(fields)
[{total: 10, active: 5},{total: 5, active: 5},{total: 15, active: 5}] // dummy data
}
graphql(
schema,
`query{
items{
total,
active,
ratio
}
}`,
{}, // rootValue
{ db } // context
).then(data => console.log(JSON.stringify(data)))