Coder Social home page Coder Social logo

marcelosperalta / app_fullstack_todolist Goto Github PK

View Code? Open in Web Editor NEW
4.0 2.0 1.0 4.23 MB

A To-do App with React, TypeScript, NodeJ.js and MongoDB

PowerShell 0.70% TypeScript 70.76% HTML 11.87% CSS 16.67%
todolist todo todoapp todoapp-react react typescript nodejs mongodb freecodecamp ibrahima92 ibrahima-ndaw express javascript mongodb-atlas to-do-list to-do-app to-do fullstack full-stack

app_fullstack_todolist's Introduction

    

✅ To-do App

A To-do App with MongoDB, Express, React, Node.js, and TypeScript.

Gitpod ready-to-code

App

to-do list

MongoDB Compass Community

to-do app db

MongoDB Atlas

to-do app db

⭐ Source

How to Build a Todo App with React, TypeScript, NodeJS, and MongoDB by Ibrahima Ndaw on freeCodeCamp.org

☁️ Getting Started Server-side

📀 Generate the tsconfig.json

yarn init -y

➖ Structure of the project

├── server
    ├── dist
    ├── node_modules
    ├── src
        ├── controllers
        |  └── todos
        |     └── index.ts
        ├── models
        |  └── todo.ts
        ├── routes
        |  └── index.ts
        └── types
           └── todo.ts
        ├── app.ts
    ├── nodemon.json
    ├── package.json
    ├── tsconfig.json

server structure

⚙ Configuring TypeScript with tsconfig using tsc

tsc --init

Delete the tsconfig.json original settings and paste the text below:

{
  "compilerOptions": {
    "target": "es6",
    "module": "commonjs",
    "outDir": "dist/js",
    "rootDir": "src",
    "strict": true,
    "esModuleInterop": true,
    "forceConsistentCasingInFileNames": true
  },
  "include": ["src/**/*"],
  "exclude": ["src/types/*.ts", "node_modules", ".vscode"]
}

▪️ outDir: tells the compiler to put the compiled code into the dist/js folder.
▪️ rootDir: informs TypeScript to compile every .ts file located in the src folder.

▪️ include: tells the compiler to include files that are in the src directory and sub-directory.
▪️ exclude: will exclude the files or folders passed in the array during compile-time.

tsconfig.json

📀 Install the dependencies to enable TypeScript

yarn add typescript -g

📀 Install the dependencies Express, CORS, and Mongoose to use Express and MongoDB

yarn add express cors mongoose

❗ install their types as development dependencies to help the TypeScript compiler understand the packages.

📢 see type declarations

yarn add -D @types/node @types/express @types/mongoose @types/cors

package.json

📀 Install the dependencies Concurrently, and nodemon

Concurrently will help compile the TypeScript code, keep watching for changes, and also start the server simultaneously.

yarn add -D concurrently nodemon

❗ update the package.json

"scripts": {
  "build": "tsc",
  "start": "concurrently \"tsc -w\" \"nodemon dist/js/app.js\""
}

package.json

#️⃣0️⃣1️⃣ Create a Todo Type

📂 server/src/types/todo.ts

#️⃣0️⃣2️⃣ Create a Todo Model

📂 server/src/models/todo.ts

#️⃣0️⃣3️⃣ Create API controllers

Get, Add, Update and Delete Todos

📂 server/src/controllers/todos/index.ts

#️⃣0️⃣4️⃣ Create API routes

📂 server/src/routes/index.ts

#️⃣0️⃣5️⃣ Create a Server

📃 Create a nodemon.json file to hold the MongoDB credentials.

{
    "env": {
        "MONGO_USER": "your-username",
        "MONGO_PASSWORD": "your-password",
        "MONGO_DB": "your-db-name"
    }
}

🚨 add the nodemon.json to your .gitignore file to protect your DB access data.

nodemon.json

📢 you can get the credentials by MongoDB Atlas

#️⃣0️⃣6️⃣ Create a app.ts file.

📂 server/src/app.ts

import express, { Express } from 'express'
import mongoose from 'mongoose'
import cors from 'cors'
import todoRoutes from './routes'
import bodyParser from 'body-parser'

const app: Express = express()

const PORT: string | number = process.env.PORT || 4000

app.use(bodyParser())
app.use(cors())
app.use(todoRoutes)

// replace the host "cluster0.xo006.mongodb.net" with the address of your host generated in MongoDB Atlas.
// https://docs.mongodb.com/manual/reference/connection-string/
const uri: string = `mongodb+srv://${process.env.MONGO_USER}:${process.env.MONGO_PASSWORD}@cluster0.xo006.mongodb.net/${process.env.MONGO_DB}?retryWrites=true&w=majority`

const options = { useNewUrlParser: true, useUnifiedTopology: true }
mongoose.set('useFindAndModify', false)

mongoose
.connect(uri, options)
.then(() =>
    app.listen(PORT, () =>
        console.log(`Server running on http://localhost:${PORT}`)
    )
)
.catch((error) => {
    throw error
})

🚨 about the const uri above, you need to change the cluster url cluster0-shard-00-01.xo006.mongodb.net using your own cluster url generated by MongoDB Atlas.

💻 Client-side with React and TypeScript

⚙ Setting up

▪️ Create a new React App adding TypeScript

🚨 the client folder needs to be at the same level of the server folder.

client folder

npx create-react-app client --template typescript

▪️ open the client folder.

cd client

▪️ Install the Axios library to be able to fetch remote data.

yarn add axios

➖ Structure of the project

├── client
    ├── node_modules
    ├── public
    ├── src
    |   ├── components
    |   |  ├── AddTodo.tsx
    |   |  └── TodoItem.tsx
    |   ├── API.ts
    |   ├── App.tsx
    |   ├── App.test.tsx
    |   ├── index.css
    |   ├── index.tsx
    |   ├── react-app-env.d.ts
    |   ├── setupTests.ts
    |   └── type.d.ts
    ├── tsconfig.json
    ├── package.json
    └── yarn.lock
├── server

client structure

#️⃣0️⃣1️⃣ Create a Todo Type

📂 client/src/type.d.ts

#️⃣0️⃣2️⃣ Fetch data from the API

📂 client/src/API.ts

#️⃣0️⃣3️⃣ Add Todo Form

📂 client/src/components/AddTodo.tsx

#️⃣0️⃣4️⃣ Display a Todo

📂 client/src/components/TodoItem.tsx

#️⃣0️⃣5️⃣ Fetch and Display data

📂 client/src/App.tsx

🚀 Run the Project

:octocat: Git clone

git clone https://github.com/marcelosperalta/todoApp_react

client

☁️ Server-side

▪️ Open server folder

cd server

▪️ Create nodemon.json file (e.g. using PowerShell)

New-Item nodemon.json

▪️ Fill the nodemon.json file with MongoDB credentials

{
    "env": {
        "MONGO_USER": "your-username",
        "MONGO_PASSWORD": "your-password",
        "MONGO_DB": "your-db-name"
    }
}

client

▪️ Install the project dependencies based on the package.json

yarn install

client

▪️ Run the project based on the package.json start script

yarn start

🚨 If you found some error during the first start, stop the app (ctrl + c) and try to run again.

client

💻 Client-side

▪️ Open client folder

cd client

▪️ Install the project dependencies based on the package.json

yarn install

client

▪️ Run the project based on the package.json start script

yarn start

client

🏃 Run ☁️ Server-side and 💻 Client-side simultaneously

▪️ Open server folder

cd server

▪️ Create nodemon.json file (e.g. using PowerShell)

New-Item nodemon.json

▪️ Fill the nodemon.json file with MongoDB credentials

{
    "env": {
        "MONGO_USER": "your-username",
        "MONGO_PASSWORD": "your-password",
        "MONGO_DB": "your-db-name"
    }
}

client

▪️ Install the project dependencies based on the package.json

yarn install

▪️ Open client folder

cd client

▪️ Install the project dependencies based on the package.json

yarn install

client

▪️ Return to the root folder of the project and install the dependencies based on the package.json

yarn install

▪️ Run the project based on the package.json start script

yarn start

app_fullstack_todolist's People

Contributors

dependabot[bot] avatar marcelosperalta avatar

Stargazers

 avatar  avatar  avatar  avatar

Watchers

 avatar  avatar

Forkers

chieftain8005

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.