listmonk/cmd/media.go

220 lines
5.2 KiB
Go
Raw Normal View History

2018-10-25 21:51:47 +08:00
package main
import (
2020-03-08 03:05:34 +08:00
"bytes"
"mime/multipart"
2018-10-25 21:51:47 +08:00
"net/http"
"path/filepath"
2018-10-25 21:51:47 +08:00
"strconv"
"strings"
2018-10-25 21:51:47 +08:00
2020-03-08 03:05:34 +08:00
"github.com/disintegration/imaging"
"github.com/knadh/listmonk/models"
"github.com/labstack/echo/v4"
2018-10-25 21:51:47 +08:00
)
const (
thumbPrefix = "thumb_"
thumbnailSize = 250
2018-10-25 21:51:47 +08:00
)
var (
vectorExts = []string{"svg"}
imageExts = []string{"gif", "png", "jpg", "jpeg"}
)
2020-03-08 01:30:55 +08:00
2018-10-25 21:51:47 +08:00
// handleUploadMedia handles media file uploads.
func handleUploadMedia(c echo.Context) error {
var (
app = c.Get("app").(*App)
cleanUp = false
)
file, err := c.FormFile("file")
if err != nil {
return echo.NewHTTPError(http.StatusBadRequest,
app.i18n.Ts("media.invalidFile", "error", err.Error()))
}
2020-03-08 01:30:55 +08:00
// Read file contents in memory
src, err := file.Open()
if err != nil {
2020-12-19 18:55:52 +08:00
return echo.NewHTTPError(http.StatusInternalServerError,
app.i18n.Ts("media.errorReadingFile", "error", err.Error()))
}
defer src.Close()
2020-03-08 01:30:55 +08:00
var (
// Naive check for content type and extension.
ext = strings.TrimPrefix(strings.ToLower(filepath.Ext(file.Filename)), ".")
contentType = file.Header.Get("Content-Type")
)
if !isASCII(file.Filename) {
return echo.NewHTTPError(http.StatusUnprocessableEntity,
app.i18n.Ts("media.invalidFileName", "name", file.Filename))
}
// Validate file extension.
if !inArray("*", app.constants.MediaUpload.Extensions) {
if ok := inArray(ext, app.constants.MediaUpload.Extensions); !ok {
return echo.NewHTTPError(http.StatusBadRequest,
app.i18n.Ts("media.unsupportedFileType", "type", ext))
}
}
// Sanitize filename.
fName := makeFilename(file.Filename)
// Add a random suffix to the filename to ensure uniqueness.
suffix, _ := generateRandomString(6)
fName = appendSuffixToFilename(fName, suffix)
// Upload the file.
fName, err = app.media.Put(fName, contentType, src)
2018-10-25 21:51:47 +08:00
if err != nil {
app.log.Printf("error uploading file: %v", err)
2018-10-25 21:51:47 +08:00
return echo.NewHTTPError(http.StatusInternalServerError,
app.i18n.Ts("media.errorUploading", "error", err.Error()))
2018-10-25 21:51:47 +08:00
}
var (
thumbfName = ""
width = 0
height = 0
)
2018-10-25 21:51:47 +08:00
defer func() {
// If any of the subroutines in this function fail,
// the uploaded image should be removed.
if cleanUp {
app.media.Delete(fName)
if thumbfName != "" {
app.media.Delete(thumbfName)
}
2018-10-25 21:51:47 +08:00
}
}()
// Create thumbnail from file for non-vector formats.
isImage := inArray(ext, imageExts)
if isImage {
thumbFile, w, h, err := processImage(file)
if err != nil {
cleanUp = true
app.log.Printf("error resizing image: %v", err)
return echo.NewHTTPError(http.StatusInternalServerError,
app.i18n.Ts("media.errorResizing", "error", err.Error()))
}
width = w
height = h
2020-03-07 23:07:48 +08:00
// Upload thumbnail.
tf, err := app.media.Put(thumbPrefix+fName, contentType, thumbFile)
if err != nil {
cleanUp = true
app.log.Printf("error saving thumbnail: %v", err)
return echo.NewHTTPError(http.StatusInternalServerError,
app.i18n.Ts("media.errorSavingThumbnail", "error", err.Error()))
}
thumbfName = tf
2018-10-25 21:51:47 +08:00
}
if inArray(ext, vectorExts) {
thumbfName = fName
}
2020-03-07 23:07:48 +08:00
2018-10-25 21:51:47 +08:00
// Write to the DB.
meta := models.JSON{}
if isImage {
meta = models.JSON{
"width": width,
"height": height,
}
}
m, err := app.core.InsertMedia(fName, thumbfName, contentType, meta, app.constants.MediaUpload.Provider, app.media)
if err != nil {
2018-10-25 21:51:47 +08:00
cleanUp = true
return err
2018-10-25 21:51:47 +08:00
}
return c.JSON(http.StatusOK, okResp{m})
2018-10-25 21:51:47 +08:00
}
// handleGetMedia handles retrieval of uploaded media.
func handleGetMedia(c echo.Context) error {
var (
app = c.Get("app").(*App)
pg = app.paginator.NewFromURL(c.Request().URL.Query())
query = c.FormValue("query")
id, _ = strconv.Atoi(c.Param("id"))
2018-10-25 21:51:47 +08:00
)
// Fetch one list.
if id > 0 {
out, err := app.core.GetMedia(id, "", app.media)
if err != nil {
return err
}
return c.JSON(http.StatusOK, okResp{out})
2018-10-25 21:51:47 +08:00
}
res, total, err := app.core.QueryMedia(app.constants.MediaUpload.Provider, app.media, query, pg.Offset, pg.Limit)
if err != nil {
return err
2018-10-25 21:51:47 +08:00
}
out := models.PageResults{
Results: res,
Total: total,
Page: pg.Page,
PerPage: pg.PerPage,
}
2018-10-25 21:51:47 +08:00
return c.JSON(http.StatusOK, okResp{out})
}
// deleteMedia handles deletion of uploaded media.
func handleDeleteMedia(c echo.Context) error {
var (
app = c.Get("app").(*App)
id, _ = strconv.Atoi(c.Param("id"))
)
if id < 1 {
2020-12-19 18:55:52 +08:00
return echo.NewHTTPError(http.StatusBadRequest, app.i18n.T("globals.messages.invalidID"))
2018-10-25 21:51:47 +08:00
}
fname, err := app.core.DeleteMedia(id)
if err != nil {
return err
2018-10-25 21:51:47 +08:00
}
app.media.Delete(fname)
app.media.Delete(thumbPrefix + fname)
2018-10-25 21:51:47 +08:00
return c.JSON(http.StatusOK, okResp{true})
}
2020-03-08 03:05:34 +08:00
// processImage reads the image file and returns thumbnail bytes and
// the original image's width, and height.
func processImage(file *multipart.FileHeader) (*bytes.Reader, int, int, error) {
2020-03-08 03:05:34 +08:00
src, err := file.Open()
if err != nil {
return nil, 0, 0, err
2020-03-08 03:05:34 +08:00
}
defer src.Close()
img, err := imaging.Decode(src)
if err != nil {
return nil, 0, 0, err
2020-03-08 03:05:34 +08:00
}
// Encode the image into a byte slice as PNG.
var (
thumb = imaging.Resize(img, thumbnailSize, 0, imaging.Lanczos)
out bytes.Buffer
)
if err := imaging.Encode(&out, thumb, imaging.PNG); err != nil {
return nil, 0, 0, err
2020-03-08 03:05:34 +08:00
}
b := img.Bounds().Max
return bytes.NewReader(out.Bytes()), b.X, b.Y, nil
2020-03-08 03:05:34 +08:00
}