40 lines
2.2 KiB
JavaScript
40 lines
2.2 KiB
JavaScript
import mongoose from 'mongoose'; // MongoDB (database)
|
|
import express from 'express'; // Backend App (server)
|
|
import dotenv from 'dotenv'; // Secures content
|
|
import cors from 'cors'; // HTTP headers
|
|
// import IMPORTED_ROUTES from './routes/route.js';
|
|
// ^ ^ ^ un-comment this to use imported route(s)
|
|
// doing this will link the following files: index.js -> route.js -> controller.js -> model.js
|
|
|
|
// initialize app
|
|
const app = express();
|
|
dotenv.config(); // what is dotenv ---> https://github.com/motdotla/dotenv#readme
|
|
|
|
// middlewares
|
|
app.use(express.json()); // body parser
|
|
app.use(express.urlencoded({ extended: false })); // url parser
|
|
app.use(cors()); // enables http requests
|
|
|
|
// configure db ---> if you want to connect to cloud server: edit "CONNECTION_URL" in -> .env file
|
|
const DB_NAME = 'exampleDB'; // if you want to use local server: edit this "DB_NAME" (and remove the "CONNECTION_URL" from -> .env file)
|
|
const CONNECTION_URL = process.env.CONNECTION_URL || `mongodb://localhost:27017/${DB_NAME}`;
|
|
const PORT = process.env.PORT || 8080; // 8080 === development port
|
|
const DEPRECATED_FIX = { useNewUrlParser: true, useUnifiedTopology: true }; // change this with (possible) warnings on first connection
|
|
|
|
// mongoose connections ---> https://mongoosejs.com/docs/connections.html
|
|
// connect to db
|
|
mongoose.connect(CONNECTION_URL, DEPRECATED_FIX).catch((error) => console.log('❌ MongoDB:', error)); // listen for errors on initial connection
|
|
mongoose.connection.on('connected', () => console.log('✅ MongoDB connected'));
|
|
mongoose.connection.on('error', (error) => console.log('❌ MongoDB:', error)); // listen for errors after the connection is established (errors during the session)
|
|
mongoose.connection.on('disconnected', () => console.log('❌ MongoDB disconnected'));
|
|
// mongoose.set('useCreateIndex', true);
|
|
// ^ ^ ^ uncomment this if you use the "unique: true" property in a Schema
|
|
|
|
// routes
|
|
app.get('/example', (req, res) => res.send('Hello World - Express.js'));
|
|
// app.use('/', IMPORTED_ROUTES);
|
|
// ^ ^ ^ un-comment this to use imported route(s)
|
|
|
|
// server is listening for requests
|
|
app.listen(PORT, () => console.log(`✅ Server is listening on port: ${PORT}`));
|