passed/routes/create_password.go

77 lines
1.7 KiB
Go
Raw Normal View History

2024-10-29 23:08:11 +00:00
package routes
import (
"encoding/base64"
"encoding/json"
"net/http"
"time"
"git.1e99.eu/1e99/passed/storage"
)
func CreatePassword(store storage.Store, maxLength int, encoding *base64.Encoding) http.HandlerFunc {
return func(res http.ResponseWriter, req *http.Request) {
var reqBody struct {
Password string `json:"password"`
ExpiresIn string `json:"expires-in"`
}
err := json.NewDecoder(req.Body).Decode(&reqBody)
if err != nil {
http.Error(res, "Malformed JSON body", http.StatusBadRequest)
return
}
password, err := encoding.DecodeString(reqBody.Password)
if err != nil {
http.Error(res, "Bad base64 encoding", http.StatusBadRequest)
return
}
if len(password) > maxLength {
http.Error(res, "Password too long", 413) // Payload Too Large
return
}
var expiresIn time.Duration
switch reqBody.ExpiresIn {
case "1-hour":
expiresIn = 1 * time.Hour
case "12-hours":
expiresIn = 12 * time.Hour
case "1-day":
expiresIn = 1 * 24 * time.Hour
case "1-week":
expiresIn = 1 * 7 * 24 * time.Hour
case "2-weeks":
expiresIn = 1 * 7 * 24 * time.Hour
default:
http.Error(res, "Bad expires-in", http.StatusBadRequest)
return
}
id, err := store.CreatePassword(
password,
time.Now().Add(expiresIn),
)
switch {
case err == storage.ErrFull:
http.Error(res, "Insufficient storage", http.StatusInsufficientStorage)
return
case err != nil:
http.Error(res, "", http.StatusInternalServerError)
return
}
resBody := struct {
Id string `json:"id"`
}{
Id: id,
}
err = json.NewEncoder(res).Encode(&resBody)
if err != nil {
http.Error(res, "", http.StatusInternalServerError)
return
}
}
}