-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathserver.js
60 lines (47 loc) · 1.62 KB
/
server.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
//web framework
const express = require("express");
//create basic app
const app = express();
//setting ejs as view engine
app.set("view engine", "ejs");
// tell express, app is using url parameters
app.use(express.urlencoded({ extended: false }));
// to connect to database
const mongoose = require("mongoose");
//App deploy or localhost mode connection to MongoDB
mongoose.connect(process.env.MONGO_URL || "mongodb://localhost/db", {
useNewUrlParser: true,
useUnifiedTopology: true,
});
// import data model/ schema
const ShortUrl = require("./models/shortUrl");
//get
// index page with request and response parameters
// show all url from table "ShortUrl" in index page
app.get("/", async (req, res) => {
const shortUrls = await ShortUrl.find();
res.render("index", { shortUrls: shortUrls });
});
//post
app.post("/shortUrls", async (req, res) => {
ShortUrl.create({ full: req.body.fullUrl });
res.redirect("/");
});
//for clicking on short url after slash
//parameter ":shortUrl"
app.get("/:shortUrl", async (req, res) => {
//find the one where in "short", a "shortUrl" is found
const shortUrl = await ShortUrl.findOne({ short: req.params.shortUrl });
//if user sends empty shorturl,send 404
if (shortUrl == null) return res.sendStatus(404);
//otherwise increase the click
shortUrl.clicks++;
//save the changes in table
//can use `await` here but speed of redirect is more important
await shortUrl.save();
//redirect the full link corresponding the short url we found
res.redirect(shortUrl.full);
});
// start listening on specified port 4567
//can set as environment var
app.listen(process.env.PORT || 4567);