index.js 1.5 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576
  1. 'use strict';
  2. const express = require('express');
  3. const graphqlHTTP = require('express-graphql');
  4. const {
  5. GraphQLBoolean,
  6. GraphQLID,
  7. GraphQLInt,
  8. GraphQLNonNull,
  9. GraphQLObjectType,
  10. GraphQLSchema,
  11. GraphQLString,
  12. } = require('graphql');
  13. const { getVideoById } = require('./src/data/index');
  14. const PORT = process.env.PORT || 3000;
  15. const server = express();
  16. const videoType = new GraphQLObjectType({
  17. name: 'Video',
  18. description: 'A video on egghead.io',
  19. fields: {
  20. id: {
  21. type: GraphQLID,
  22. description: 'The ID of the video'
  23. },
  24. title: {
  25. type: GraphQLString,
  26. description: 'The title of the video'
  27. },
  28. duration: {
  29. type: GraphQLInt,
  30. description: 'The duration of the video, in seconds',
  31. },
  32. watched: {
  33. type: GraphQLBoolean,
  34. description: 'Whether or not the viewer has watched the video'
  35. }
  36. }
  37. });
  38. const queryType = new GraphQLObjectType({
  39. name: 'QueryType',
  40. description: 'The root query type',
  41. fields: {
  42. video: {
  43. type: videoType,
  44. args: {
  45. id: {
  46. type: new GraphQLNonNull(GraphQLID),
  47. description: 'The ID of the video'
  48. }
  49. },
  50. resolve: (_, args) => {
  51. return getVideoById(args.id);
  52. }
  53. }
  54. }
  55. });
  56. const schema = new GraphQLSchema({
  57. query: queryType
  58. // Also available:
  59. // mutation: ...
  60. // subscription: ...
  61. });
  62. server.use('/graphql', graphqlHTTP({
  63. schema,
  64. graphiql: true
  65. }));
  66. server.listen(PORT, () => {
  67. console.log(`Listening on http://localhost:${PORT}`);
  68. });