sql >> Base de Datos >  >> RDS >> Mysql

GraphQL:devuelve el tipo calculado según el argumento

Respuesta de Joe (agregar {"name":"ratio" , value:data.active/data.total} al resultado una vez que el resultado se obtenga de la base de datos) lo haría sin realizar ningún cambio en el esquema.

Como método alternativo o como una forma más elegante de hacerlo en GraphQL, los nombres de los campos se pueden especificar en el propio tipo en lugar de pasarlos como argumentos. Y calcular ratio escribiendo un resolver.

Entonces, el esquema de GraphQL sería:

Item {
  total: Int,
  active: Int,
  ratio: Float
}

type Query {
  items: [Item]
}

El cliente especifica los campos:

{
  items {
    total 
    active 
    ratio
  }
}

Y ratio se puede calcular dentro del resolver.

Aquí está el código:

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)))