-
Notifications
You must be signed in to change notification settings - Fork 2
/
server.js
110 lines (95 loc) · 2.78 KB
/
server.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
/* eslint-env node */
/* eslint-disable no-console */
import { ApolloServer } from 'apollo-server-koa';
import { readFileSync } from 'fs';
let TODOS;
const INITIAL_TODOS = [
{ id: '0', name: 'Get Milk', complete: false },
{ id: '1', name: 'Get Bread', complete: false },
{ id: '2', name: 'Try to Take Over the World', complete: false },
];
function initTodos() {
TODOS = [...INITIAL_TODOS];
}
function byId(id) {
return x => x.id === id;
}
function getNextId() {
const last = TODOS.map(x => x.id).sort().pop();
return (parseInt(last ?? '-1') + 1).toString();
}
async function randomSleep(max = 800) {
await new Promise(r => setTimeout(r, Math.random() * max));
}
initTodos();
const server = new ApolloServer({
typeDefs: readFileSync(new URL('schema.graphql', import.meta.url), 'utf-8'),
context: {
getTodo(id) {
const todo = TODOS.find(byId(id));
if (!todo)
throw new Error(`TODO ${id} not found`);
return todo;
},
async getTodos() {
await randomSleep();
return TODOS;
},
async addTodo({ name, complete }) {
await randomSleep();
const todo = { id: getNextId(), name, complete };
TODOS.push(todo);
return todo;
},
async updateTodo({ id, name, complete }) {
await randomSleep();
const todo = server.context.getTodo(id);
todo.name = name ?? todo.name;
todo.complete = complete ?? todo.complete;
return todo;
},
async deleteTodo(id) {
await randomSleep();
server.context.getTodo(id);
TODOS = TODOS.filter(x => x.id !== id);
return TODOS;
},
},
resolvers: {
Query: {
async todo(_, { todoId }, context) {
await randomSleep();
return todoId ? context.getTodo(todoId) : null;
},
async todos(_, __, context) {
return context.getTodos();
},
},
Mutation: {
async createTodo(_, { input: { name, complete = false } }, context) {
return context.addTodo({ name, complete });
},
async updateTodo(_, { input: { todoId, name, complete } }, context) {
return context.updateTodo({ id: todoId, name, complete });
},
async toggleTodo(_, { todoId }, context) {
const todo = await context.getTodo(todoId)
return context.updateTodo({ ...todo, complete: !todo.complete });
},
async deleteTodo(_, { input: { todoId } }, context) {
await context.deleteTodo(todoId);
return context.getTodos();
},
},
},
});
export function graphqlTodoPlugin() {
return {
name: 'graphql-todo-plugin',
async serverStart({ app, config }) {
await server.start();
server.applyMiddleware({ app });
console.log(`🚀 GraphQL Dev Server ready at http://localhost:${config.port}${server.graphqlPath}`);
},
};
}