View RSS feed

Basic Full Stack App

Published: Nov 28, 2024Source

Create project directory

mkdir PROJECT_NAME
cd PROJECT_NAME

FE: Create React app with Vite

npm create vite@latest fe -- --template react-ts

FE: Install Tailwindcss for styling

  1. Install
npm install -D tailwindcss postcss autoprefixer
npx tailwindcss init -p
  1. Configure template paths in tailwind.config.js
/** @type {import('tailwindcss').Config} */
export default {
content: ["./index.html", "./src/**/*.{js,ts,jsx,tsx}"],
theme: {
extend: {},
},
plugins: [],
};
  1. Add the Tailwind directives to your CSS
@tailwind base;
@tailwind components;
@tailwind utilities;

FE: Install json-server for mock data

  1. Install
npm install json-server --save-dev
  1. Create a db.json or db.json5 file
{
"posts": [
{ "id": "1", "title": "a title", "views": 100 },
{ "id": "2", "title": "another title", "views": 200 }
],
"comments": [
{ "id": "1", "text": "a comment about post 1", "postId": "1" },
{ "id": "2", "text": "another comment about post 1", "postId": "1" }
],
"profile": {
"name": "typicode"
}
}
{
posts: [
{ id: "1", title: "a title", views: 100 },
{ id: "2", title: "another title", views: 200 },
],
comments: [
{ id: "1", text: "a comment about post 1", postId: "1" },
{ id: "2", text: "another comment about post 1", postId: "1" },
],
profile: {
name: "typicode",
},
}
  1. Add server script to package.json
"server": "json-server -p3001 --watch db.json"
  1. Run server
npm run server

FE: Fetch data

  1. install axios
npm install axios
  1. Create a src/services/cards.ts file
import axios from "axios";
const baseUrl = "http://localhost:3000/cards";

const getAll = () => {
const request = axios.get(baseUrl);
return request.then((response) => response.data);
};

// ...

export default { getAll, create, update };

BE: Create node app

  1. Create app
npm init
{
"name": "be",
"version": "0.0.1",
"main": "index.js",
"scripts": {
"test": "echo \"Error: no test specified\" && exit 1"
},
"author": "MY NAME",
"license": "UNLICENSED",
"description": ""
}
  1. Update start script in package.json
"start": "node index.js",
  1. Create index.js

BE: Create Express web server

  1. Install Express
npm install express
const express = require("express");
const app = express();

app.use(express.json());

let cards = [];

app.get("/", (request, response) => {
response.send("<h1>Hello World!</h1>");
});

app.get("/api/cards", (request, response) => {
response.json(cards);
});

app.get("/api/cards/:id", (request, response) => {
const id = request.params.id;
const card = cards.find((card) => card.id === id);
if (card) {
response.json(card);
} else {
response.status(404).end();
}
});

app.delete("/api/cards/:id", (request, response) => {
const id = request.params.id;
cards = cards.filter((card) => card.id !== id);
response.status(204).end();
});

function generateId() {
const maxId =
cards.length > 0 ? Math.max(...cards.map((card) => +card.id)) : 0;
return String(maxId + 1);
}

app.post("/api/cards", (request, response) => {
const body = request.body;
if (!body.front || !body.back) {
return response.status(400).json({ error: "front or back missing" });
}
const card = {
front: body.front,
back: body.back,
id: generateId(),
};
cards = cards.concat(card);
response.json(card);
});

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

BE: Use nodemon to autodetect changes

  1. Install dev dependency
npm install --save-dev nodemon
  1. Add dev script to package.json
"dev": "nodemon index.js",

BE: Use REST client to test endpoints

Create api.rest

### GET cards
GET http://localhost:3001/api/cards

### GET card
GET http://localhost:3001/api/cards/1

### DELETE card
DELETE http://localhost:3001/api/cards/1

### POST card
POST http://localhost:3001/api/cards/ HTTP/1.1
content-type: application/json
{
"front": "what is 1 + 1",
"back": "2"
}

BE: Use Morgan middleware for request logging

  1. Install
npm install morgan
  1. Add to index.js
const morgan = require("morgan");

app.use(morgan("tiny"));

BE: Setup CORS

  1. Install
npm install cors
  1. Add middleware to index.js
const cors = require("cors");

app.use(cors());

FE: Connect FE to BE

update baseURL in /src/services/cards.ts

const baseUrl = "http://localhost:3001/api/cards";

BE: Deploy to internet

  1. Login to fly.io
fly auth login
  1. Setup project
fly launch --no-deploy
  1. Update fly.toml
[build]

[env]
PORT = "3000" # add this
  1. Deploy
fly deploy
  1. Open
fly apps open

Setup static file service for FE

  1. BE: add middleware
app.use(express.static("dist"));
  1. FE: Update baseUrl
const baseUrl = "/api/notes";
  1. BE: add scripts to package.json
"build:ui": "rm -rf dist && cd ../fe && npm run build && cp -r dist ../be",
"deploy": "fly deploy",
"deploy:full": "npm run build:ui && npm run deploy",
"logs:prod": "fly logs"
  1. FE: Add a proxy in vite.config.js so local dev still works
import { defineConfig } from "vite";
import react from "@vitejs/plugin-react";

// https://vitejs.dev/config/
export default defineConfig({
plugins: [react()],
server: {
proxy: {
"/api": {
target: "http://localhost:3001",
changeOrigin: true,
},
},
},
});