Add create post endpoint and check target to the makefile
This commit is contained in:
parent
08ab312f92
commit
3067beb96c
12 changed files with 280 additions and 5 deletions
4
Makefile
4
Makefile
|
@ -7,6 +7,10 @@ mod:
|
||||||
cd server && go mod vendor
|
cd server && go mod vendor
|
||||||
cd server && go mod tidy
|
cd server && go mod tidy
|
||||||
|
|
||||||
|
.PHONY: check
|
||||||
|
check:
|
||||||
|
cd server && golangci-lint run ./...
|
||||||
|
|
||||||
.PHONY: test
|
.PHONY: test
|
||||||
test:
|
test:
|
||||||
cd server && go test -v -race -count 1 ./...
|
cd server && go test -v -race -count 1 ./...
|
||||||
|
|
48
server/api/post.go
Normal file
48
server/api/post.go
Normal file
|
@ -0,0 +1,48 @@
|
||||||
|
package api
|
||||||
|
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
"net/http"
|
||||||
|
"strconv"
|
||||||
|
"time"
|
||||||
|
|
||||||
|
"git.ctrlz.es/mgdelacroix/craban/model"
|
||||||
|
"git.ctrlz.es/mgdelacroix/craban/utils"
|
||||||
|
|
||||||
|
"github.com/gorilla/mux"
|
||||||
|
"github.com/rs/zerolog/log"
|
||||||
|
)
|
||||||
|
|
||||||
|
func (a *API) CreatePostForGame(w http.ResponseWriter, r *http.Request) {
|
||||||
|
gameID, _ := strconv.Atoi(mux.Vars(r)["id"])
|
||||||
|
user, _ := UserFromRequest(r)
|
||||||
|
|
||||||
|
body := ParseBody(r)
|
||||||
|
message := body.String("message")
|
||||||
|
|
||||||
|
if message == "" {
|
||||||
|
http.Error(w, fmt.Sprintf("%s: message should not be empty", http.StatusText(http.StatusBadRequest)), http.StatusBadRequest)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
if !a.App.HasPermissionToGame(user.ID, gameID) {
|
||||||
|
http.Error(w, fmt.Sprintf("%s: user cannot post in this game", http.StatusText(http.StatusForbidden)), http.StatusForbidden)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
post := &model.Post{
|
||||||
|
UserID: user.ID,
|
||||||
|
GameID: gameID,
|
||||||
|
CreatedAt: utils.Millis(time.Now()),
|
||||||
|
Body: message,
|
||||||
|
}
|
||||||
|
|
||||||
|
newPost, err := a.App.CreatePost(post)
|
||||||
|
if err != nil {
|
||||||
|
log.Error().Err(err).Msg("post couldn't be saved")
|
||||||
|
http.Error(w, http.StatusText(http.StatusInternalServerError), http.StatusInternalServerError)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
JSON(w, newPost, 201)
|
||||||
|
}
|
6
server/app/permissions.go
Normal file
6
server/app/permissions.go
Normal file
|
@ -0,0 +1,6 @@
|
||||||
|
package app
|
||||||
|
|
||||||
|
// ToDo: implement
|
||||||
|
func (a *App) HasPermissionToGame(userID, gameID int) bool {
|
||||||
|
return true
|
||||||
|
}
|
15
server/app/post.go
Normal file
15
server/app/post.go
Normal file
|
@ -0,0 +1,15 @@
|
||||||
|
package app
|
||||||
|
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
|
||||||
|
"git.ctrlz.es/mgdelacroix/craban/model"
|
||||||
|
)
|
||||||
|
|
||||||
|
func (a *App) CreatePost(post *model.Post) (*model.Post, error) {
|
||||||
|
if err := post.IsValid(); err != nil {
|
||||||
|
return nil, fmt.Errorf("invalid post for creation: %w", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return a.Store.Post().Create(post)
|
||||||
|
}
|
|
@ -1,5 +1,9 @@
|
||||||
package model
|
package model
|
||||||
|
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
)
|
||||||
|
|
||||||
type Post struct {
|
type Post struct {
|
||||||
ID int `json:"id"`
|
ID int `json:"id"`
|
||||||
UserID int `json:"user_id"`
|
UserID int `json:"user_id"`
|
||||||
|
@ -7,3 +11,23 @@ type Post struct {
|
||||||
CreatedAt int `json:"createdat"`
|
CreatedAt int `json:"createdat"`
|
||||||
Body string `json:"body"`
|
Body string `json:"body"`
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (p *Post) IsValid() error {
|
||||||
|
if p.UserID == 0 {
|
||||||
|
return fmt.Errorf("user id must not be empty")
|
||||||
|
}
|
||||||
|
|
||||||
|
if p.GameID == 0 {
|
||||||
|
return fmt.Errorf("game id must not be empty")
|
||||||
|
}
|
||||||
|
|
||||||
|
if p.CreatedAt == 0 {
|
||||||
|
return fmt.Errorf("created at must not be empty")
|
||||||
|
}
|
||||||
|
|
||||||
|
if p.Body == "" {
|
||||||
|
return fmt.Errorf("body must not be empty")
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
|
@ -2,9 +2,14 @@ package store
|
||||||
|
|
||||||
import (
|
import (
|
||||||
"database/sql"
|
"database/sql"
|
||||||
|
"fmt"
|
||||||
|
|
||||||
|
sq "github.com/Masterminds/squirrel"
|
||||||
|
|
||||||
|
"git.ctrlz.es/mgdelacroix/craban/model"
|
||||||
)
|
)
|
||||||
|
|
||||||
var postColums = []string{"id", "user_id", "game_id", "createdat", "body"}
|
var postColumns = []string{"id", "user_id", "game_id", "createdat", "body"}
|
||||||
|
|
||||||
type PostStore struct {
|
type PostStore struct {
|
||||||
Conn *sql.DB
|
Conn *sql.DB
|
||||||
|
@ -13,3 +18,84 @@ type PostStore struct {
|
||||||
func NewPostStore(s *Store) *PostStore {
|
func NewPostStore(s *Store) *PostStore {
|
||||||
return &PostStore{Conn: s.Conn}
|
return &PostStore{Conn: s.Conn}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (ps *PostStore) Q() sq.StatementBuilderType {
|
||||||
|
return sq.StatementBuilder.RunWith(ps.Conn)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (ps *PostStore) postsFromRows(rows *sql.Rows) ([]*model.Post, error) {
|
||||||
|
posts := []*model.Post{}
|
||||||
|
|
||||||
|
for rows.Next() {
|
||||||
|
var post model.Post
|
||||||
|
|
||||||
|
err := rows.Scan(
|
||||||
|
&post.ID,
|
||||||
|
&post.UserID,
|
||||||
|
&post.GameID,
|
||||||
|
&post.CreatedAt,
|
||||||
|
&post.Body,
|
||||||
|
)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
|
||||||
|
posts = append(posts, &post)
|
||||||
|
}
|
||||||
|
|
||||||
|
return posts, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (ps *PostStore) GetByID(id int) (*model.Post, error) {
|
||||||
|
return ps.getPostByCondition(sq.Eq{"id": id})
|
||||||
|
}
|
||||||
|
|
||||||
|
func (ps *PostStore) getPostByCondition(condition sq.Eq) (*model.Post, error) {
|
||||||
|
posts, err := ps.getPostsByCondition(condition)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
|
||||||
|
return posts[0], nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (ps *PostStore) getPostsByCondition(condition sq.Eq) ([]*model.Post, error) {
|
||||||
|
rows, err := ps.Q().Select(postColumns...).
|
||||||
|
From("posts").
|
||||||
|
Where(condition).
|
||||||
|
Query()
|
||||||
|
if err != nil {
|
||||||
|
return nil, fmt.Errorf("cannot get posts: %w", err)
|
||||||
|
}
|
||||||
|
defer rows.Close()
|
||||||
|
|
||||||
|
posts, err := ps.postsFromRows(rows)
|
||||||
|
if err != nil {
|
||||||
|
return nil, fmt.Errorf("cannot get posts from rows: %w", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
if len(posts) == 0 {
|
||||||
|
return nil, sql.ErrNoRows
|
||||||
|
}
|
||||||
|
|
||||||
|
return posts, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (ps *PostStore) Create(post *model.Post) (*model.Post, error) {
|
||||||
|
query := ps.Q().Insert("posts").
|
||||||
|
Columns(postColumns[1:]...).
|
||||||
|
Values(post.UserID, post.GameID, post.CreatedAt, post.Body)
|
||||||
|
|
||||||
|
res, err := query.Exec()
|
||||||
|
if err != nil {
|
||||||
|
return nil, fmt.Errorf("cannot insert post: %w", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
id, err := res.LastInsertId()
|
||||||
|
if err != nil {
|
||||||
|
return nil, fmt.Errorf("cannot get last insert id for created post: %w", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return ps.GetByID(int(id))
|
||||||
|
|
||||||
|
}
|
||||||
|
|
|
@ -58,6 +58,10 @@ func (s *Store) Game() *GameStore {
|
||||||
return s.gameStore
|
return s.gameStore
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (s *Store) Post() *PostStore {
|
||||||
|
return s.postStore
|
||||||
|
}
|
||||||
|
|
||||||
func (s *Store) EnsureSchema() error {
|
func (s *Store) EnsureSchema() error {
|
||||||
schema := `
|
schema := `
|
||||||
CREATE TABLE IF NOT EXISTS users (
|
CREATE TABLE IF NOT EXISTS users (
|
||||||
|
|
|
@ -42,6 +42,7 @@ func (w *WebServer) RegisterRoutes(api *api.API) {
|
||||||
apiRouter.HandleFunc("/games", api.Secured(api.CreateGame)).Methods("POST")
|
apiRouter.HandleFunc("/games", api.Secured(api.CreateGame)).Methods("POST")
|
||||||
apiRouter.HandleFunc("/games", api.Secured(api.ListGames)).Methods("GET")
|
apiRouter.HandleFunc("/games", api.Secured(api.ListGames)).Methods("GET")
|
||||||
apiRouter.HandleFunc("/games/{id:[0-9]+}", api.Secured(api.GetGame)).Methods("GET")
|
apiRouter.HandleFunc("/games/{id:[0-9]+}", api.Secured(api.GetGame)).Methods("GET")
|
||||||
|
apiRouter.HandleFunc("/games/{id:[0-9]+}/post", api.Secured(api.CreatePostForGame)).Methods("POST")
|
||||||
|
|
||||||
staticFSSub, _ := fs.Sub(staticFS, "static")
|
staticFSSub, _ := fs.Sub(staticFS, "static")
|
||||||
staticFSHandler := StaticFSHandler{http.FileServer(http.FS(staticFSSub))}
|
staticFSHandler := StaticFSHandler{http.FileServer(http.FS(staticFSSub))}
|
||||||
|
|
|
@ -53,6 +53,20 @@ export class Client {
|
||||||
throw new Error(`${r.status} invalid response`)
|
throw new Error(`${r.status} invalid response`)
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
|
createPostForGame(gameId, message) {
|
||||||
|
return fetch(`/api/games/${gameId}/post`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: tokenHeaders(),
|
||||||
|
body: JSON.stringify({ message })
|
||||||
|
}).then(r => {
|
||||||
|
if (r.status === 201) {
|
||||||
|
return r.json()
|
||||||
|
}
|
||||||
|
log.error(`Got invalid response when trying to create a post for game ${id}`)
|
||||||
|
throw new Error(`${r.status} invalid response`)
|
||||||
|
})
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const client = new Client()
|
const client = new Client()
|
||||||
|
|
|
@ -14,6 +14,7 @@ import { TokenContext } from './context'
|
||||||
import Login from './pages/login'
|
import Login from './pages/login'
|
||||||
import Home from './pages/home'
|
import Home from './pages/home'
|
||||||
import Game from './pages/game'
|
import Game from './pages/game'
|
||||||
|
import Chat from './pages/chat'
|
||||||
|
|
||||||
|
|
||||||
const Secure = ({children}) => {
|
const Secure = ({children}) => {
|
||||||
|
@ -33,11 +34,17 @@ const App = () => {
|
||||||
<CssBaseline />
|
<CssBaseline />
|
||||||
<Switch>
|
<Switch>
|
||||||
<TokenContext.Provider value={{ token, setToken }}>
|
<TokenContext.Provider value={{ token, setToken }}>
|
||||||
<Route path="/login">
|
<Route exact path="/login">
|
||||||
<Login />
|
<Login />
|
||||||
</Route>
|
</Route>
|
||||||
|
|
||||||
<Route path="/game/:gameId">
|
<Route exact path="/game/:gameId/chat">
|
||||||
|
<Secure>
|
||||||
|
<Chat />
|
||||||
|
</Secure>
|
||||||
|
</Route>
|
||||||
|
|
||||||
|
<Route exact path="/game/:gameId">
|
||||||
<Secure>
|
<Secure>
|
||||||
<Game />
|
<Game />
|
||||||
</Secure>
|
</Secure>
|
||||||
|
|
64
webapp/src/pages/chat.js
Normal file
64
webapp/src/pages/chat.js
Normal file
|
@ -0,0 +1,64 @@
|
||||||
|
import { useState, useEffect } from 'react'
|
||||||
|
import { useParams } from 'react-router-dom'
|
||||||
|
import {
|
||||||
|
Box,
|
||||||
|
TextField,
|
||||||
|
Button
|
||||||
|
} from '@material-ui/core';
|
||||||
|
|
||||||
|
import client from '../client'
|
||||||
|
|
||||||
|
|
||||||
|
const Chat = () => {
|
||||||
|
const [posts, setPosts] = useState([])
|
||||||
|
const [game, setGame] = useState({})
|
||||||
|
const [message, setMessage] = useState("")
|
||||||
|
const { gameId } = useParams()
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
client.getGame(gameId).then(game => setGame(game))
|
||||||
|
}, [gameId])
|
||||||
|
|
||||||
|
const handleChange = (e) => {
|
||||||
|
setMessage(e.target.value)
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleSubmit = (e) => {
|
||||||
|
e.preventDefault()
|
||||||
|
|
||||||
|
client
|
||||||
|
.createPostForGameId(gameId, message)
|
||||||
|
.then(r => {
|
||||||
|
log.debug(`Message posted`)
|
||||||
|
})
|
||||||
|
|
||||||
|
// maybe disable sending and show a spinner instead
|
||||||
|
setMessage("")
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="game-chat">
|
||||||
|
<h1>{game.name}</h1>
|
||||||
|
<h2>Chat</h2>
|
||||||
|
|
||||||
|
<form onSubmit={handleSubmit}>
|
||||||
|
<input
|
||||||
|
id="message"
|
||||||
|
type="text"
|
||||||
|
name="message"
|
||||||
|
placeholder="Message..."
|
||||||
|
value={message}
|
||||||
|
onChange={handleChange}
|
||||||
|
/>
|
||||||
|
<Button
|
||||||
|
type="submit"
|
||||||
|
variant="contained"
|
||||||
|
color="primary"
|
||||||
|
onClick={handleSubmit}
|
||||||
|
>Send</Button>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export default Chat
|
|
@ -1,5 +1,5 @@
|
||||||
import { useState, useEffect } from 'react'
|
import { useState, useEffect } from 'react'
|
||||||
import { useParams } from 'react-router-dom'
|
import { useParams, Link } from 'react-router-dom'
|
||||||
|
|
||||||
import client from '../client'
|
import client from '../client'
|
||||||
|
|
||||||
|
@ -13,8 +13,10 @@ const Game = () => {
|
||||||
}, [gameId])
|
}, [gameId])
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div class="game">
|
<div className="game">
|
||||||
<h1>{game.name}</h1>
|
<h1>{game.name}</h1>
|
||||||
|
|
||||||
|
<Link to={ `/game/${gameId}/chat` }><p>Game chat</p></Link>
|
||||||
</div>
|
</div>
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|
Loading…
Reference in a new issue