Skip to content

Commit 05effd3

Browse files
committed
work on:
- Create GraphQL resolvers - Util function to handle input validation - Create local graphql server for testing
1 parent 0f0a538 commit 05effd3

File tree

7 files changed

+7969
-684
lines changed

7 files changed

+7969
-684
lines changed

package-lock.json

+7,829-674
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

package.json

+6-2
Original file line numberDiff line numberDiff line change
@@ -6,20 +6,24 @@
66
"scripts": {
77
"test": "echo \"Error: no test specified\" && exit 1",
88
"build": "npx tsc",
9-
"start": "tsc src/index.ts"
9+
"start": "npx tsc && node dist/index.js"
1010
},
1111
"keywords": [],
1212
"author": "",
1313
"license": "ISC",
1414
"devDependencies": {
1515
"@types/node": "^20.12.11",
16+
"serverless-dotenv-plugin": "^6.0.0",
1617
"ts-node": "^10.9.2",
1718
"typescript": "^5.4.5"
1819
},
1920
"dependencies": {
21+
"apollo-server": "^3.13.0",
22+
"apollo-server-core": "^3.13.0",
2023
"apollo-server-lambda": "^3.13.0",
2124
"dotenv": "^16.4.5",
2225
"graphql": "^16.8.1",
23-
"mongoose": "^8.3.4"
26+
"mongoose": "^8.3.4",
27+
"node-input-validator": "^4.5.1"
2428
}
2529
}

src/database/mongo.ts

+9-6
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,10 @@
11
import mongoose from 'mongoose';
22
import { ITodo, TodoSchema } from '../models/todo';
3+
import dotenv from 'dotenv';
34

4-
const uri = process.env.MONGO_URI ?? '';
5+
dotenv.config();
6+
7+
const uri = process.env.MONGODB_URI || '';
58

69
async function connectDB() {
710
try {
@@ -12,7 +15,7 @@ async function connectDB() {
1215
}
1316
}
1417

15-
async function getTodos() {
18+
async function getTodos(): Promise<ITodo[]> {
1619
try {
1720
const todos = await TodoSchema.find();
1821
return todos;
@@ -22,7 +25,7 @@ async function getTodos() {
2225
}
2326
}
2427

25-
async function getTodo(id: string) {
28+
async function getTodo(id: string): Promise<ITodo>{
2629
try {
2730
const todo = await TodoSchema.findById(id);
2831
if (!todo) {
@@ -35,7 +38,7 @@ async function getTodo(id: string) {
3538
}
3639
}
3740

38-
async function addTodo(todo: ITodo) {
41+
async function addTodo(todo: ITodo): Promise<ITodo> {
3942
try {
4043
const newTodo = new TodoSchema(todo);
4144
await newTodo.save();
@@ -46,7 +49,7 @@ async function addTodo(todo: ITodo) {
4649
}
4750
}
4851

49-
async function updateTodo(id: string, updateData: Partial<ITodo>) {
52+
async function updateTodo(id: string, updateData: Partial<ITodo>): Promise<ITodo>{
5053
try {
5154
const updatedTodo = await TodoSchema.findByIdAndUpdate(id, updateData, { new: true });
5255
if (!updatedTodo) {
@@ -59,7 +62,7 @@ async function updateTodo(id: string, updateData: Partial<ITodo>) {
5962
}
6063
}
6164

62-
async function deleteTodo(id: string) {
65+
async function deleteTodo(id: string): Promise<string>{
6366
try {
6467
const deletedTodo = await TodoSchema.findByIdAndDelete(id);
6568
if (!deletedTodo) {

src/graphql/resolvers.ts

+87
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,87 @@
1+
2+
import { ITodo } from '../models/todo';
3+
import { addTodo, connectDB, deleteTodo, getTodo, getTodos, updateTodo } from '../database/mongo';
4+
import validateInput from '../utils/validation';
5+
6+
const resolvers = {
7+
Query: {
8+
todos: async (): Promise<ITodo[]> => {
9+
await connectDB();
10+
try {
11+
const todos = await getTodos();
12+
return todos;
13+
} catch (error) {
14+
console.error('Error fetching todos:', error);
15+
throw new Error('Error fetching todos');
16+
}
17+
},
18+
todo: async (_: any, { id }: { id: string }): Promise<ITodo | null> => {
19+
await connectDB();
20+
try {
21+
const validationRules = {
22+
id: 'required|string'
23+
};
24+
await validateInput({id}, validationRules);
25+
26+
return await getTodo(id);
27+
} catch (error) {
28+
console.error('Error fetching todo:', error);
29+
throw new Error('Error fetching todo');
30+
}
31+
},
32+
},
33+
Mutation: {
34+
createTodo: async (_: any, { title, description, completed }: { title: string, description?: string, completed: boolean }): Promise<ITodo> => {
35+
await connectDB();
36+
try {
37+
const validationRules = {
38+
title: 'required|string|minLength:3',
39+
description: 'string',
40+
completed: 'required|boolean',
41+
};
42+
const newTodo = { title, description, completed } as ITodo;
43+
44+
await validateInput(newTodo, validationRules);
45+
46+
return await addTodo(newTodo);
47+
} catch (error) {
48+
console.error('Error creating todo:', error);
49+
throw error;
50+
}
51+
},
52+
updateTodo: async (_: any, { id, title, description, completed }: { id: string, title?: string, description?: string, completed?: boolean }): Promise<ITodo | null> => {
53+
await connectDB();
54+
try {
55+
const validationRules = {
56+
id: 'required|string',
57+
title: 'string|minLength:3',
58+
description: 'string',
59+
completed: 'boolean',
60+
};
61+
const updateData = { title, description, completed };
62+
await validateInput(updateData, validationRules);
63+
64+
return await updateTodo(id, updateData);
65+
} catch (error) {
66+
console.error('Error updating todo:', error);
67+
throw error;
68+
}
69+
},
70+
deleteTodo: async (_: any, { id }: { id: string }): Promise<string> => {
71+
await connectDB();
72+
try {
73+
const validationRules = {
74+
id: 'required|string'
75+
};
76+
await validateInput({id}, validationRules);
77+
78+
return await deleteTodo(id);
79+
} catch (error) {
80+
console.error('Error deleting todo:', error);
81+
throw error;
82+
}
83+
},
84+
},
85+
};
86+
87+
export default resolvers;

src/index.ts

+14
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,14 @@
1+
import resolvers from "./graphql/resolvers";
2+
import typeDefs from "./graphql/schema";
3+
4+
const { ApolloServer } = require('apollo-server');
5+
6+
const server = new ApolloServer({
7+
typeDefs,
8+
resolvers,
9+
});
10+
11+
server.listen().then(({ url }: { url: string }) => {
12+
13+
console.log(`Server ready at ${url}`);
14+
});

src/utils/validation.ts

+22
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
import { Validator } from 'node-input-validator';
2+
3+
interface ValidationRules {
4+
[key: string]: string;
5+
}
6+
7+
interface InputData {
8+
[key: string]: any;
9+
}
10+
11+
async function validateInput(data: InputData, rules: ValidationRules): Promise<any> {
12+
const validator = new Validator(data, rules);
13+
const matched = await validator.check();
14+
15+
if (!matched) {
16+
throw new Error(JSON.stringify(validator.errors));
17+
}
18+
19+
return data;
20+
}
21+
22+
export default validateInput;

tsconfig.json

+2-2
Original file line numberDiff line numberDiff line change
@@ -26,7 +26,7 @@
2626

2727
/* Modules */
2828
"module": "commonjs", /* Specify what module code is generated. */
29-
// "rootDir": "./src", /* Specify the root folder within your source files. */
29+
// "rootDir": "./", /* Specify the root folder within your source files. */
3030
// "moduleResolution": "node10", /* Specify how TypeScript looks up a file from a given module specifier. */
3131
// "baseUrl": "./", /* Specify the base directory to resolve non-relative module names. */
3232
// "paths": {}, /* Specify a set of entries that re-map imports to additional lookup locations. */
@@ -55,7 +55,7 @@
5555
// "sourceMap": true, /* Create source map files for emitted JavaScript files. */
5656
// "inlineSourceMap": true, /* Include sourcemap files inside the emitted JavaScript. */
5757
// "outFile": "./", /* Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output. */
58-
"outDir": "./dist", /* Specify an output folder for all emitted files. */
58+
"outDir": "./dist", /* Specify an output folder for all emitted files. */
5959
// "removeComments": true, /* Disable emitting comments. */
6060
// "noEmit": true, /* Disable emitting files from a compilation. */
6161
// "importHelpers": true, /* Allow importing helper functions from tslib once per project, instead of including them per-file. */

0 commit comments

Comments
 (0)