-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.go
97 lines (75 loc) · 2.09 KB
/
main.go
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
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
package main
import (
"fmt"
"net/http"
"strconv"
"text/template"
"database/sql"
_ "github.com/go-sql-driver/mysql"
"github.com/gorilla/mux"
)
type Post struct {
Id int
Title string
Body string
}
var db, err = sql.Open("mysql", "root:root@/go_course?charset=utf8")
func checkErr(err error) {
if err != nil {
panic(err)
}
}
func main() {
// Insert Data
// stmt, err := db.Prepare("INSERT INTO posts(title, body) VALUES(?, ?)")
// checkErr(err)
// _, err = stmt.Exec("FullCycle", "FullCycle Rocks!")
// checkErr(err)
// Definição de rotas
r := mux.NewRouter()
// http.FileServer: Onde está os arquivos estáticos
r.PathPrefix("/static/").Handler(http.StripPrefix("/static/", http.FileServer(http.Dir("static/"))))
r.HandleFunc("/", HomeHandler)
r.HandleFunc("/{id}/view", ViewHandler)
// Ler a minha porta 8080 e executar o meu servidor
// r -> rotas
fmt.Println(http.ListenAndServe(":8080", r))
}
func GetPostById(id int) Post {
row := db.QueryRow("SELECT * FROM posts WHERE id = ?", id)
post := Post{}
err := row.Scan(&post.Id, &post.Title, &post.Body)
checkErr(err)
return post
}
func ListPosts() []Post {
rows, err := db.Query("SELECT id, title, body FROM posts")
checkErr(err)
items := []Post{}
for rows.Next() {
item := Post{}
err = rows.Scan(&item.Id, &item.Title, &item.Body)
checkErr(err)
items = append(items, item)
}
return items
}
func HomeHandler(w http.ResponseWriter, r *http.Request) {
// ParseFiles: ler o arquivo e retornar um template
t := template.Must(template.ParseFiles("templates/layout.html", "templates/list.html"))
if err := t.Execute(w, ListPosts()); err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
}
}
func ViewHandler(w http.ResponseWriter, r *http.Request) {
idStr := mux.Vars(r)["id"]
id, err := strconv.Atoi(idStr)
if err != nil {
http.Error(w, err.Error(), http.StatusBadRequest)
return
}
t := template.Must(template.ParseFiles("templates/layout.html", "templates/view.html"))
if err := t.Execute(w, GetPostById(id)); err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
}
}