Joes svar (lägg till {"name":"ratio" , value:data.active/data.total}
till resultatet när resultatet har hämtats från databasen) skulle göra det utan att göra några schemaändringar.
Som en alternativ metod eller som ett mer elegant sätt att göra det i GraphQL, kan fältnamnen anges i själva typen istället för att skicka dem som argument. Och beräkna ratio
genom att skriva en resolver.
Så, GraphQL-schemat skulle vara:
Item {
total: Int,
active: Int,
ratio: Float
}
type Query {
items: [Item]
}
Klienten anger fälten:
{
items {
total
active
ratio
}
}
Och ratio
kan beräknas inuti resolvern.
Här är koden:
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)))