Full Stack Camp
144 subscribers
8 photos
16 files
89 links
Fullstack Camp | Learn. Build. Launch.
Welcome to the ultimate tech adventure!
Join us for a hands-on journey through HTML, CSS, JavaScript, React, Node.js, Express & MongoDB — all in one place.
Download Telegram
🧩 Week 7 Day 2 Challenges — Routing in Express

🧠 Challenge 1: Simple Blog Router
Goal: Create a small blog route system using Express.
Requirements:
Create routes for:
➤GET /posts → return a list of blog post titles (hardcoded in an array)
➤GET /posts/:id → return a single blog post based on the ID parameter
➤POST /posts → return “New post added!” when a new post is sent
Use app.route() to chain the GET and POST routes for /posts.
Hint: You can store blog posts like this:
const posts = [ { id: 1, title: "My First Blog" }, { id: 2, title: "Learning Express Routing" }, ];

🪄 Remember: Use req.params.id to get the dynamic part of the URL.


💬 Challenge 2: Query String Search
Goal: Add a route that uses query parameters to filter users.
Requirements:
➤Create a GET /users route.
Pass query strings like ?name=John or ?age=25.
➤Return a message like:
➙“Searching for user named John”
➙“Searching for user aged 25”
➙“Searching for user named John aged 25”
Hint: Use req.query.name and req.query.age to extract the values.
Check if they exist using simple if-statements.

📁 Challenge 3: Organized Routes with Router Module

Goal: Organize your routes into a separate file using express.Router().
Requirements:
➤Create a new folder /routes and a file products.js.
➤Inside products.js, create routes for:
➙GET /products → “All products list”
➙GET /products/:id → “Product ID is ___”
➙Import and use this router in your main app.js.
Hint: Use:
const router = express.Router();
and export it with:
module.exports = router;
Then in app.js:
const productsRouter = require('./routes/products'); app.use('/products', productsRouter);

🧭 Debugging Tips
➣If routes don’t respond → check app.listen() port.
➣If a route never runs → check if you included app.use() after your router import.
➣If req.params or req.query is undefined → print them with console.log(req.params, req.query) to debug.

🎯 After You’re Done
💥share your solutions in the group,
💥invite a friend,
      and as always —

💥stay well, stay curious, and stay coding ✌️
1
Channel Automatically Added to Leaderboard!

📺 Channel: Full Stack Camp
👥 Members: 119
🏆 Current Rank: #83

Your channel is now being tracked! Use /myrank to check your position anytime.
👋 Week 7 — Day 3
Working With Request & Response in Express.js

Hello wonderful campers! 🌞💻
I hope you’re doing amazing, coding strong, and warming up to backend development! Today we’re entering one of the most important lessons in Express — understanding the req (request) and res (response) objects.
These two objects are like the two hands you use to interact with the web. Every HTTP request is a conversation, and Express gives you req and res as the tools to “listen” and “talk” back.
Let's begin! 🚀

🌐 1. What Are req and res?

Imagine a restaurant:
➤A customer (browser) enters and gives an order → This is the request (req).
➤The chef (server) reads the order and prepares the response (res).
➤The customer receives the meal → This is the response the server sends back.
In programming:
req = What the client sends to the server
(data, headers, parameters, queries, body)
res = What the server replies with
(text, JSON, HTML, files, errors, redirects)
Every Express route gets access to these two objects.

app.get('/hello', (req, res) => { res.send("Hello Camper!"); });

🔍 2. Deep Dive Into req (The Request Object)

The request is everything the browser sends to the server.
It includes:

2.1 req.params
These are parts of the URL that act like variables.
Example URL:
/products/123
Route:

app.get('/products/:id', (req, res) => {
    console.log(req.params.id); // "123"
    res.send(
Product ID is ${req.params.id}); });


Analogy:
Like someone telling you:
“Find book number 5 on the shelf.”
The number (5) is the param.
🟦 How to send req.params from the frontend?
Params must be included inside the URL itself.
Example frontend (JavaScript in browser):

fetch("http://localhost:5000/products/123")
   .then(res => res.text())
  .then(data => console.log(data));


Or using a dynamic value:

const id = 99; fetch(http://localhost:5000/products/${id}) .then(res => res.text());


2.2 req.query
These come after a ? in the URL.
URL:
/search?name=phone&price=200
Server:

app.get('/search', (req, res) => { console.log(req.query); // { name: 'phone', price: '200' } });


Analogy:
Queries are like optional instructions:
“Find me a laptop, preferably under 300$.”
🟦 How does frontend send req.query?

fetch("http://localhost:5000/search?name=phone&price=200") .then(res => res.json());


Or dynamic:

const name = "shoes";
const max = 50; fetch(
http://localhost:5000/search?name=${name}&max=${max}) .then(res => res.json());


2.3 req.body
This contains the data sent from forms or JSON.
BUT: Express does NOT read req.body by default.
We must enable body parsing:

app.use(express.json()); app.use(express.urlencoded({ extended: true }));


Now server route:

app.post('/login', (req, res) => {
console.log(req.body);
res.send("Received!"); });


🟦 How does frontend send req.body?
There are 2 common ways:
A. Using HTML form (application/x-www-form-urlencoded)
HTML:

<form action="http://localhost:5000/login" method="POST">
   <input name="email" />
   <input name="password" />
   <button type="submit">Login</button>
</form>


Server:

app.use(express.urlencoded({ extended: true }));


B. Using fetch with JSON (application/json)

fetch("http://localhost:5000/login", {
   method: "POST",
   headers: { "Content-Type": "application/json" },
  body: JSON.stringify({ email: "test@example.com", password: "1234" }) })
   .then(res => res.text())
   .then(console.log);


Server:

app.use(express.json());
📨 3. Deep Dive Into res (Response Object)

This is how your server “talks back”.
3.1 res.send()
Sends text, HTML, buffer, object, etc.
res.send("Hello!");

3.2 res.json()
Sends JSON response.
res.json({ success: true, message: "Done" });

Analogy
res.send → speaking
res.json → speaking in structured data language

3.3 res.status()
Set status code (200, 404, 500, etc.)
res.status(404).send("Not Found");
💥
HTTP Status Codes

Success:
☑️ 200 OK: Request completed successfully
☑️ 201 Created: New resource has been created
☑️ 204 No Content: Successful, but nothing to return

🔁 Redirects:
☑️301 Moved Permanently: Resource moved to a new URL
☑️302 Found: Temporary redirect
☑️ 304 Not Modified: Use cached response

⚠️ Client Errors:
☑️ 400 Bad Request: Invalid input
☑️ 401 Unauthorized: Missing or invalid auth
☑️403 Forbidden: Authenticated but not allowed
☑️ 404 Not Found: Resource doesn’t exist
☑️ 408 Request Timeout: Client took too long
☑️ 409 Conflict: Version/state conflict

🔥 Server Errors:
☑️ 500 Internal Server Error: Server crashed
☑️ 502 Bad Gateway: Upstream server failed
☑️ 503 Service Unavailable: Server overloaded / maintenance
☑️ 504 Gateway Timeout: Upstream took too long


3.4 res.sendFile()
Send files from your server.
res.sendFile(__dirname + "/public/home.html");

Analogy:
“Here, take this document from my folder.”

3.5 res.redirect()
Send user to another URL.
res.redirect("/login");

3.6 res.download()
Force browser to download a file.
res.download(__dirname + "/files/report.pdf");

🔁 4. Understanding the Full Request/Response Cycle

🌍 1) Client sends a request
Could be a browser, fetch() call, HTML form, mobile app.
💡 2) Express receives it
And gives you access to req object.
🔥 3) You process the request
Read the body, params, query
→ Do logic
→ Access database
→ Validate inputs
📤 4) You respond using res
Send back JSON, HTML, status codes, files, redirects, etc.

Analogy:
Customer → gives you an order →
You prepare →
You serve them their meal.

🧠 5. Complete Example (Simple + Understanding-Focused)
Frontend:

fetch("http://localhost:5000/user/55?showDetails=true", {
    method: "POST",
    headers: { "Content-Type": "application/json" },
    body: JSON.stringify({ name: "Megersa", age: 21 }) });


Backend:

app.use(express.json());
app.post('/user/:id', (req, res) => {
    console.log("Params:", req.params);
    console.log("Query:", req.query);
    console.log("Body:", req.body);
    res.json({ message: "Data received!", params: req.params, query: req.query, body: req.body }); });


📝 6. When to Use What?

Use req.params when:
Identifying a SPECIFIC resource
Example: /user/10
Use req.query when:
Searching, sorting, filtering
Example: /search?name=phone
Use req.body when:
➙Form submissions
➙Login/signup
➙Sending large structured data
Example:
POST /register

🧭 7. Quick Developer Checklist
Did you enable body parsing?
app.use(express.json()); app.use(express.urlencoded({ extended: true }));
Did you create correct route types (GET/POST)?
Did you test your frontend fetch with correct Content-Type header?
Did you console.log everything to understand flow?
Did you check for typos in param names?

📚 Documentation for Further Learning
🔗 Express req documentation
🔗 Express res documentation
🔗 MDN Fetch API
🔗 Postman for API testing
🧩🧩Week 7 Day 3 Challenges

Challenge 1 — Student Profile Lookup (Using params + query + JSON response)
Goal: Practice req.params, req.query, and res.json() with proper status codes.
Task
Create an Express route:
GET /students/:id
It must:
➙Read the student ID from req.params.id.
➙Read an optional query: ?details=full
Respond with JSON:
➣If student exists → return full profile.
➣If not found → return 404 with an error JSON.
➣If ?details=full is not provided → return only basic info.


Challenge 2 — Save Feedback (req.body + POST + status codes)
Goal: Practice sending JSON from frontend → backend using POST.
Task
Create a route:
POST /feedback
It must:
➙Read the user’s message from req.body.message
If message is missing → respond with ➙400 status
➙If message exists → respond with: { "status": "success", "received": "<message>" }
Hints
➙don't forget to use app.use(express.json())


Challenge 3 — File Sender API (res.sendFile + headers + downloads)
Goal: Practice sending static files manually, setting headers, using responses.
Task
Create route:
GET /download
It must:
➣Use res.sendFile() to send a sample PDF or text file
➣Set a header: res.setHeader("Content-Disposition", "attachment; filename=sample.pdf");
➣Add error handling:
If file not found → respond with 500 and JSON error message.
Hint
➣Use absolute path:
const path = require("path"); res.sendFile(path.join(__dirname, "files", "sample.pdf"));


🎯 After You’re Done
💥share your solutions in the group,
💥invite a friend,
      and as always —

💥stay well, stay curious, and stay coding ✌️
Full Stack Camp pinned «How far along are you?»
Forwarded from Edemy
If someone asked me for advice, here are the 3 things that helped me in my journey:

In life, what has helped me the most is this mindset: “I have a lot to learn, and I don’t know enough yet.” It keeps you curious and motivated. Even when you come across something you don’t fully understand, focus on taking small steps, learning as you go, and doing your best to get the work done. Growth, in tech or any field, comes from being persistent and willing to learn along the way.

Another lesson is this, don’t compare your beginning to someone else’s middle. It’s easy to look at people who are ahead and feel behind, but everyone has their own pace. Progress comes from consistent effort. Look at others’ success for inspiration, not comparison.

And finally, don’t limit yourself. If you love something, if you’re passionate about it, don’t tell yourself, “I can’t do this.” Don’t let fear of the unknown hold you back. Passion, curiosity, and willingness to try will carry you further than talent alone. The limits are often just in our minds.

The journey isn’t always easy, and the feeling of “not enough” never fully disappears. But the more you embrace it, the more it pushes you forward. One day, when you look back, you’ll realize everything you once thought was impossible was just waiting for you to try.

@edemy251
🌟 Week 7 — Day 4:  Middleware

Good morning  campers! 👋🔥

Today we step into one of the MOST IMPORTANT concepts in Express: middleware.
If Express was a restaurant, middleware is EVERYTHING that happens between a customer entering the door and receiving their food.

🧱 1. What is Middleware?

Middleware = “In-Between Processing”
In Express, middleware is:
A function that sits between the request and the response.
It can examine, modify, stop, or continue the flow.

🔍 The Formula:
(req, res, next) => { ... }

req → incoming request
res → outgoing response
next() → lets the request move to the next middleware or route

🍔 Restaurant Analogy
Imagine Express as a restaurant:
Customer enters → This is the ➤incoming request (req)
Security checks bag → Middleware
Waiter takes order → Middleware
Kitchen cooks food → Route handler
Waiter serves food → Response (res)
Each “step” is middleware.
Some steps check things, others prepare things, others add data, some reject requests.

🧠 2. Why Do We Need Middleware?

Middleware helps you:
➙Check if the user is logged in
➙Parse JSON sent from frontend
➙Log incoming requests
➙Serve static files
➙Handle errors
➙Validate data
➙Limit access (rate limiting)
➙Clean or modify requests
Without middleware, Express is basically a blank application that does… nothing.

⚙️ 3. Built-In Middleware in Express

Express gives you ready-made middleware out of the box.

💡 3.1 express.json()
This middleware reads JSON sent in the request body and makes it available at req.body.
Without express.json()
You can’t read JSON!
With express.json()

app.use(express.json());


Now when you do:

POST /login { "username": "megersa", "password": "1234" }
You can access it:

req.body.username
req.body.password


🎯 Analogy
This is like having a translator in a restaurant who takes what the customer says and converts it into your language.

💡 3.2 express.static()
Allows you to serve static files (images, CSS, HTML, JS).
app.use(express.static("public"));

This means:
➣/public/index.html → available at http://localhost:3000/index.html
➣/public/style.css → served automatically
🎯 Analogy:
Think of this as the restaurant’s self-service shelf.
Customers help themselves to menus, napkins, water… without the waiter.

🖌️ 4. Custom Middleware

You can make your own middleware functions.
Basic template:

function myMiddleware(req, res, next) {
    console.log("Middleware ran!");
    next();
}
app.use(myMiddleware);


Steps:
➙It runs on EVERY request
➙It prints something
➙It calls next() to let the request continue
🎯 Analogy
Custom middleware = a custom security guard or waiter procedure that you invent for your restaurant.

🧪 5. Real Examples of Custom Middleware

Example 1 — Logging Middleware

app.use((req, res, next) => {
  console.log(
${req.method} ${req.url});
  next(); });


What it does:
➤Logs the method (GET, POST)
➤Logs the path
➤Allows request to continue

Example 2 — Add Timestamp

app.use((req, res, next) => {
   req.requestTime = new Date().toISOString(); next(); });


Later in a route:

app.get("/", (req, res) => {
   res.send("Requested at: " + req.requestTime); });


🎉 Middleware can add new data to req!
Example 3 — Restrict Access (Simple Auth Check)

app.use((req, res, next) => {
   const token = req.headers["authorization"];
   if (!token){ return res.status(403).send("Access denied");}
next(); });


Middleware can ALLOW or BLOCK requests.
🚦 6. Application-level vs Router-level Middleware

Application-level (app.use)
Runs for EVERY route.
app.use(loggerMiddleware);
Perfect for:
➙logging
➙JSON parsing
➙authentication
➙rate limiting

Router-level Middleware
Middleware for a specific group of routes.

const router = express.Router();
router.use((req, res, next) => {
   console.log("Router-specific middleware");
  next(); });

router.get("/products", (req, res) => { ... });
app.use("/api", router);


Now this middleware runs only for /api/*
🎯 Analogy
Router-level middleware is like rules for a specific department in the restaurant (only for the VIP room).

🔁 7. What Does next() Do?

next() tells Express:
➡️ “I’m done. Move to the next middleware or route.”
If you forget next(), the request hangs forever.
Example of wrong code (missing next):

app.use((req, res) => { console.log("hi"); // no next(), no response → app freezes });


🎯 Analogy
If the security guard at the door forgets to allow the customer to enter the restaurant…
The customer stays stuck outside forever 😅

⚠️ 8. Common Middleware Mistakes
1. Forgetting next()
The app “freezes” and never responds.
2. Sending multiple responses
Example:
res.send("Done"); next(); // WRONG
Once you send a response, you CANNOT call next() anymore.
3. Not ordering middleware correctly
Order matters in Express:

app.use(logger); app.use(express.json()); app.post("/signup", handler);


If you place middleware after the route, it won’t run.
🧩 9. Putting It All Together (Mini Flow Example)

app.use(express.json()); // built-in app.use(logger); // custom app.use(authCheck); // custom app.get("/", (req, res) => { res.send("Home page"); });

Order of execution:
1️⃣ JSON parsed
2️⃣ Logger prints
3️⃣ Auth middleware checks
4️⃣ Route runs
🎯 Analogy
Like going through:
Entrance → Security → Reception → Restaurant table

📘 10. Learn More (Documentation)
Check out this for more on middlewares:
https://expressjs.com/en/guide/using-middleware.html
🧩🧩 Week 7 Day 4 Challenges- Middleware

🧩 Challenge 1 — Create a Full Request Logger Middleware

Create a middleware that logs:
➙HTTP method
➙URL
➙Timestamp
➙Response status code
➙How long the request took (in milliseconds)
Requirements:
➤The middleware should run for every request.
➤Store the start time at the beginning.
➤After the response finishes, log how long it took.
Hint: use res.on("finish", ...)
Goal:
Understand middleware flow and how to work with the response lifecycle.

🧩 Challenge 2 — Build an IP Blocker Middleware

➙Create a middleware called blockIP that:
➙Blocks one specific IP (your choice) Sends a message: "Access denied for IP: <ip>"
➙Allows all other requests to continue normally
Requirements:
➤Use req.ip
➤Use return res.status(403).send("message") to stop the chain
➤Everyone else passes with next()
Goal:
Learn to stop middleware flow intentionally.

🧩 Challenge 3 — Route-Level Middleware for Checking Query Password

➙Create a route:
GET /secret
➙The route should only respond if the user provides a query:
?password=camp2025
➙If correct → respond:
"Welcome to the secret page 😎"
➙If wrong →
"Invalid password!" with status 401
Requirements:
➤Create a middleware function checkPassword
➤Apply it only to the /secret route (router-level middleware)
➤Use req.query.password
Goal:
Master route-level middleware and securing routes.

🎯 After You’re Done
💥share your solutions in the group,
💥invite a friend,
      and as always —

💥stay well, stay curious, and stay coding ✌️
🚀 Want to Learn Python or Web Development?

Hey everyone 👋
I’m starting beginner-friendly PAID lessons for anyone who wants to learn Python basics or Web Development (HTML, CSS, JavaScript) from zero.

You can learn online or in person, whichever is comfortable for you.

If you're interested, just message:
“Python” or “Web Dev” to @Tarikey6

I’ll send you the full details and schedule.
Let’s level up your skills! 💻🔥
4
Forwarded from Edemy
We all wait for the “right moment” to start something a project, a skill, a change in life.

We tell ourselves: “I’ll begin when things are easier,” or “I’ll start when I feel ready.”

But waiting for the perfect moment only keeps you stuck.

Progress doesn’t wait for readiness it comes from taking the first step, even if it’s small and imperfect.

Momentum comes from action. You can figure things out along the way.

Every skill, every achievement, every opportunity comes from movement not perfect preparation.

Your journey will never feel perfectly organized.
Your schedule will never be completely free.
Your doubts will never fully disappear.

But if you start now, you evolve.
You learn.
You adjust.
You get better step by step.

So here’s the message for today:

Start while you’re uncertain.
Start while you’re busy.
Start while things feel messy.
Start with the small step you can take today.

Because the “perfect time” you’re waiting for?
It’s not coming.

But progress will as soon as you begin.

Have a productive week!

@edemy251
Week 7 Day 5 — Serving Static Files + File System (fs) APIs

👋 Hey Campers!
Hope you're doing amazing and still coding strong 💻🔥.
Today we’re diving into one of the most practical parts of Express:

This lesson is extra important because:
➤Every real web app needs static assets
➤Every backend eventually reads/writes data
➤Today you connect frontend + backend properly
It's the foundation for building your own mini-APIs
Let’s go deep! 🚀

🧱 Part 1 — Serving Static Files in Express

What Are Static Files?
These are files that don’t change automatically on the server.
They are sent “as they are” directly to the client.
Examples:
☑️HTML files
☑️CSS files
☑️JavaScript (frontend) files
☑️Images (png, jpg)
☑️Fonts
☑️Videos / audio
☑️PDFs
📌 Analogy:
Think of static files like food items already packaged on a supermarket shelf.
You don't cook them after the customer asks — you simply hand them over.

🗂️ What is the “public” folder?
Express uses a special folder (commonly named public) for all static assets.
Anything inside this folder becomes instantly accessible in the browser.

project/
├── server.js
└── public/
     ├── index.html
     ├── style.css
     └── script.js

This folder is like a “display window” of your app.

express.static() — The Magic Function
To let Express send static files, you use:
app.use(express.static('public'));

This tells Express:
“Hey, anything inside the public folder — give it to the user directly.”

🧪 Example: Serve an HTML Page
1️⃣ Create public/index.html

<!DOCTYPE html>
<html>
<head>
   <title>My App</title>
   <link rel="stylesheet" href="style.css">
</head>
<body>
<h1>Hello Campers!</h1>
<script src="script.js"></script>
</body>
</html>


2️⃣ Create public/style.css

body { background: #fafafa; font-family: Arial; }


3️⃣ Create public/script.js

console.log("Frontend JS is working!");


4️⃣ Server (server.js)

const express = require('express');
const app = express();
app.use(express.static('public'));
app.listen(3000, () => console.log("Server running on port 3000"));


Now visit:
http://localhost:3000
Your HTML loads → CSS loads → JS loads → everything is connected 🎉
💡 Deep Understanding:
Frontend = runs in the browser
Backend = runs on your computer/server
Static files are your frontend, and Express gives them to the browser.

🔗 Part 2 — Connecting Frontend + Backend
Now that Express can serve a frontend, let’s connect it to backend routes.
Example folder:

public/ index.html
server.js


index.html

<button id="btn">Get Message</button>
<p id="msg"></p>
<script> document.getElementById("btn").onclick = async () => {
    const res = await fetch("/hello");
    const data = await res.json(); document.getElementById("msg").innerText = data.message; };
</script>


server.js

app.get("/hello", (req, res) => {
    res.json({ message: "Hello from the backend!" }); });


Click button → browser calls backend → backend sends data → page updates.
Congratulations — you just connected fullstack 🎉

🧾 Part 3 — File System (fs) in Express

You already learned about Node’s fs module in previous lessons,
but now we mix fs + Express to build real APIs.

Why Does Backend Use fs?
Because storing data in files is the simplest form of a “database”.
Before databases like MongoDB or MySQL, developers stored everything in files:
➙notes.json
➙books.json
➙users.json
This is PERFECT for beginners.

🧊 Analogy: fs as a Notebook
Think of fs as adding, editing, or erasing text in a physical notebook.
➤fs.readFile() → you open the notebook and read
➤fs.writeFile() → you erase a page and rewrite the content
➤fs.appendFile() → you add new notes
➤fs.unlink() → you tear out a page

Express will act as the “waiter” that responds to customers (frontend),
and fs acts as the “kitchen” where data is stored.
🍪 Part 4 — Building a Small JSON-based API
Let’s build a simple Notes API:

notes.json: [
  { "id": 1, "text": "Learn Express" },
  { "id": 2, "text": "Practice fs module" }
]


📘 1️⃣ Setup folder

project/
├── server.js
├── notes.json
└── public/

Make sure notes.json starts as:
[]

📥 2️⃣ Get All Notes (GET /notes)

const fs = require('fs');
app.get("/notes", (req, res) => {
    const data = JSON.parse(fs.readFileSync("notes.json", "utf8")); res.json(data); });

3️⃣ Add a Note (POST /notes)

Enable JSON body first:

app.use(express.json());
app.post("/notes", (req, res) => {
    const notes = JSON.parse(fs.readFileSync("notes.json"));
const newNote = { id: Date.now(), text: req.body.text };
notes.push(newNote);
fs.writeFileSync("notes.json", JSON.stringify(notes, null, 2));
res.json({ message: "Note added!", note: newNote }); });


🗑️ 4️⃣ Delete a Note (DELETE /notes/:id)

app.delete("/notes/:id", (req, res) => {
   const notes = JSON.parse(fs.readFileSync("notes.json"));
   const filtered = notes.filter(n => n.id != req.params.id);
  fs.writeFileSync("notes.json", JSON.stringify(filtered, null, 2));
   res.json({ message: "Note deleted" }); });

Boom 🔥 — You built a small backend API without databases.


🧪 Checkpoints — Are You Following?
Can you serve HTML, CSS, and JS from the public folder?
Can your frontend call your backend with fetch()?
Can you read a JSON file?
Can you add data and save it?
Can you delete data?
If yes → You're ready for the next level (Express CRUD apps!) 🚀

📘 Documentation for Further Study

☑️Express static → https://expressjs.com/en/starter/static-files.html
☑️fs → https://nodejs.org/api/fs.html
☑️Path → https://nodejs.org/api/path.html
Week 7 Day 5 challenges— Serving Static Files + fs module.

🔧 Challenge 1 — Make Your Own Mini Website With Express

Goal: Serve a small multi-page static website
Requirements:
Create a public/ folder with:
➙index.html
➙about.html
➙contact.html
➙A CSS file (styles.css)
Use express.static() to serve everything.
Add links between pages.
In index.html include a simple JavaScript file (main.js) that logs something to console.

What you must learn while solving:
➤How a server serves HTML/CSS/JS
➤Folder structure matters
➤Paths inside HTML (href, src)
➤That Express does NOT “touch” your HTML; it simply delivers files

📘 Challenge 2 — Build a “Notes API” with File Storage

Goal: Build an API that saves notes in a JSON file.
Requirements:
➙Create data/notes.json
➙Use fs.readFileSync and fs.writeFileSync
API Endpoints:
➙GET /notes → return all notes
➙POST /notes → add a new note Body contains { "title": "...", "content": "..." }
➙DELETE /notes/:id → delete a note by id
On server start:
➙If file does NOT exist, create it with [].

What you must learn:
➤How to read/write JSON files
➤How Express handles JSON bodies
➤How frontend (or Postman) interacts with an API
➤Error handling when reading broken JSON

📸 Challenge 3 — Create an Image Gallery (Static + Dynamic API)

Goal: Mix both static files AND APIs
Requirements:
➙Use a public/gallery/ folder that contains several images.
➙Serve them using express.static().
Make an API:
➙GET /api/images
→ return an array of image file names found in /public/gallery/
(Use fs.readdirSync to list files).
➙Create a frontend page (gallery.html) that:
➙Fetches /api/images
➙Displays all images dynamically using JavaScript

What you learn here:
➤How Express serves static assets
➤How to dynamically list files with fs
➤How frontend uses fetch() to get data from backend
➤Combining static HTML with dynamic API data

💥share your solutions in the group,
💥invite a friend,
      and as always —

💥stay well, stay curious, and stay coding ✌️
Week 7 Day 6: Error Handling in Express
and
Environment Variables & Configurations

🌞 Good Afternoon Devs
Today we enter a very important part of backend development:
These two topics make your apps safe, predictable, and professional.
Without them, everything becomes chaos — like a city with no emergency system and no addresses.
Let’s start!

🚑 PART 1 — Error Handling in Express
When you build a server, errors WILL happen. Not maybe — absolutely, definitely, surely.
Your API might crash because:
➤File not found
➤JSON is broken
➤Database down
➤User sent invalid data
➤Logic error in your code
But Express gives us a structured way of dealing with errors.

🧨 1. What is an Error in Express?
Think of your Express app like a restaurant kitchen.
➙If everything is fine → Meals go out
➙If something burns, falls, spills → Errors happen
Errors must be:
Detected (you notice something is wrong)
Passed to the right handler
Handled cleanly (customer gets a nice explanation, not a disaster)
In code, this is the same:

throw new Error("Something went wrong!");
or
next(new Error("File missing!"));


🧩 2. Common Error Types
🔴 Type 1 — Syntax Errors
Mistakes in code.
console.log("Hello"
🟡 Type 2 — Runtime Errors
Something wrong during execution.
JSON.parse("broken json");
🔵 Type 3 — HTTP Errors
User sends wrong data:
➤Missing ID
➤Invalid query
➤Empty body
➤Unauthorized request
🟠 Type 4 — File System / Database Errors
Example:
fs.readFileSync("./data/missing.json");
File does not exist → Crash if unhandled.

🛠️ 3. How Express Normally Handles Errors
If you throw an error inside a route:
app.get("/test", (req, res) => { throw new Error("Boom!"); });
Express will crash your server unless you have special error middleware.

📣 4. Using next(err) to Pass Errors
This is like calling the restaurant manager when something goes wrong.

app.get("/user", (req, res, next) => { try { let user = JSON.parse("broken-json"); res.send(user); } catch (err) { next(err); // Pass it to error handler } });

Calling next(err) tells Express:
“Hey, something broke. Skip all remaining middlewares and send this error to the official error handler.”

🧯 5. Custom Error-Handling Middleware
This is the firefighter of your app.
🧠 Rule:
An error handler MUST have 4 arguments:

app.use((err, req, res, next) => { console.error(err.stack); res.status(500).json({ success: false, message: err.message, }); });

Why?
Express identifies error-handlers by (err, req, res, next) shape.

⚠️ 6. Sending Clean Error Responses
Instead of giving users ugly, confusing errors…
Bad response:
TypeError: Cannot read properties of undefined
Good response:
{ "success": false, "message": "User ID is required." }
This makes your API professional.
Example:

app.get("/item/:id", (req, res, next) => {
  if (!req.params.id) {
   return next(new Error("ID is missing.")); }
res.json({ id: req.params.id }); });

🧱 7. Common Mistakes
Forgetting return before next(err)
This can cause multiple responses.
Throwing error after sending res.send()
If you already sent a response, stop.
Writing error handler before routes
Order matters in Express!

☑️Error handling helps you:
➤Prevent server crashes
➤Send helpful messages
➤Track issues
➤Debug easily
➤Keep users happy
🌍 PART 2 — Environment Variables & Configurations
Now imagine you have:
A development environment (your laptop)
A production environment (the real server)
They need different settings:
Setting    Development  Production  
port                   3000                   80
database          local                cloud
debuglogs        ON                  OFF  
API keys             fake                real   

This is why we use environment variables.

🔐 1. What Are Environment Variables?
Think of them like secret notes your app reads.
Example env variables:
PORT=3000 ➙DB_URL=mongodb://localhost:27017 ➙JWT_SECRET=super_secret_key
We keep them outside the code to protect secrets.

📦 2. Using dotenv in Express
➣Install:
npm install dotenv
➣Create .env file:
PORT=4000
MODE=development


Load dotenv inside server.js:

require("dotenv").config();
const port = process.env.PORT; console.log("App running on port:", port);


🧪 3. Why This Is Important
🔒 Security
You never want API keys inside GitHub.
💼 Different Machines = Different Settings
Your code runs everywhere without changes.
🛠️ Configurable Behavior
Turn features ON/OFF easily.

🏭 4. Dev vs Production Configurations
development:
➙console.log allowed
➙local database
➙detailed error messages
production:
➙no console logs
➙cloud database
➙clean error messages
We can do:

if (process.env.MODE === "development") { console.log("DEBUG MODE ON"); }

🚪 5. Setting Up the Server Port

const port = process.env.PORT || 3000; app.listen(port, () => { console.log(Server running on port ${port}); });


If .env has PORT=5000, it uses that.
If not, fallback to 3000.

🧭 6. Folder Setup Example
project/
         │ server.js
         │ .env
         │ package.json
         └── data/
         └── routes/
         └── public/


🟥 7. Common Mistakes
Forgetting require("dotenv").config()
Variables will be undefined.
Pushing .env to GitHub
NEVER do this.
Using invalid names
Good:
API_KEY JWT_SECRET PORT
Bad:
my secret key
Week 7 Day 6 Challenges: (Error Handling + Environment Variables).

Challenge 1 — Build an Error-Safe GET Endpoint
➤Create a route:
GET /user/:id
Requirements:
➙If id is not a valid number → send an error using next(err)
➙If id is less than 1 → send a custom error "Invalid ID"
➙If everything is valid → return { "message": "User found", "id": ... }
➤Add a global error-handling middleware to catch all errors
➤The error response must be clean, like: { "success": false, "message": "Invalid ID" }
Hint: Use isNaN(Number(id)) to check validity.

Challenge 2 — Use dotenv to Configure Your App
Steps:
➤Create a .env file containing: ➙PORT=4000
➙MODE=development

➤Load environment variables using: require("dotenv").config();
➤Start your server using the port from .env
➤Print the mode: App running in development mode
➤Add a rule:
If MODE = "development" → console.log all requests
If MODE = "production" → no logs allowed
Hint: Use app.use() to create a simple logger middleware.

Challenge 3 — Build an API That Reads a File Safely

➤Create a route:
GET /notes
➤Requirements:
Read notes.json using fs
➙If the file is missing → trigger an error using next(err)
➙If JSON is broken → catch the error and forward it to the error handler
➙If everything is fine → return the notes
➤Your global error middleware should send clean output: { "success": false, "message": "Could not read notes file" }
Hint: Use:
try { ... } catch(err) { next(err); }


💥share your solutions in the group,
💥invite a friend,
      and as always —

💥stay well, stay curious, and stay coding ✌️
🚀 Want to Learn Python or Web Development?

Hey everyone 👋
I’m starting beginner-friendly PAID lessons for anyone who wants to learn Python basics or Web Development (HTML, CSS, JavaScript) from zero.

You can learn online or in person, whichever is comfortable for you.

If you're interested, just message:
“Python” or “Web Dev” to @Tarikey6

I’ll send you the full details and schedule.
Let’s level up your skills! 💻🔥