First attempt at making format registrations modular

This commit is contained in:
Seednode 2023-09-11 10:43:09 -05:00
parent 26933dbe4f
commit e8ee96c7d6
7 changed files with 231 additions and 92 deletions

34
cmd/audio.go Normal file
View File

@ -0,0 +1,34 @@
/*
Copyright © 2023 Seednode <seednode@seedno.de>
*/
package cmd
import (
"fmt"
"github.com/h2non/filetype"
)
func RegisterAudioFormats() *SupportedType {
return &SupportedType{
title: func(queryParams, filePath, mime, fileName string, width, height int) string {
return fmt.Sprintf(`<title>%s</title>`, fileName)
},
body: func(queryParams, filePath, mime, fileName string, width, height int) string {
return fmt.Sprintf(`<a href="/%s"><audio controls autoplay><source src="%s" type="%s" alt="Roulette selected: %s">Your browser does not support the audio tag.</audio></a>`,
queryParams,
filePath,
mime,
fileName)
},
extensions: []string{
`.mp3`,
`.ogg`,
`.wav`,
},
validator: func(head []byte) bool {
return filetype.IsAudio(head)
},
}
}

View File

@ -153,9 +153,9 @@ func preparePath(path string) string {
return MediaPrefix + path return MediaPrefix + path
} }
func appendPath(directory, path string, files *Files, stats *ScanStats, shouldCache bool) error { func appendPath(directory, path string, files *Files, stats *ScanStats, types *SupportedTypes, shouldCache bool) error {
if shouldCache { if shouldCache {
supported, _, _, err := fileType(path) supported, _, _, err := fileType(path, types)
if err != nil { if err != nil {
return err return err
} }
@ -172,7 +172,7 @@ func appendPath(directory, path string, files *Files, stats *ScanStats, shouldCa
return nil return nil
} }
func appendPaths(path string, files *Files, filters *Filters, stats *ScanStats) error { func appendPaths(path string, files *Files, filters *Filters, stats *ScanStats, types *SupportedTypes) error {
shouldCache := cache && filters.IsEmpty() shouldCache := cache && filters.IsEmpty()
absolutePath, err := filepath.Abs(path) absolutePath, err := filepath.Abs(path)
@ -203,7 +203,7 @@ func appendPaths(path string, files *Files, filters *Filters, stats *ScanStats)
filename, filename,
filters.includes[i], filters.includes[i],
) { ) {
err := appendPath(directory, path, files, stats, shouldCache) err := appendPath(directory, path, files, stats, types, shouldCache)
if err != nil { if err != nil {
return err return err
} }
@ -217,7 +217,7 @@ func appendPaths(path string, files *Files, filters *Filters, stats *ScanStats)
return nil return nil
} }
err = appendPath(directory, path, files, stats, shouldCache) err = appendPath(directory, path, files, stats, types, shouldCache)
if err != nil { if err != nil {
return err return err
} }
@ -225,8 +225,8 @@ func appendPaths(path string, files *Files, filters *Filters, stats *ScanStats)
return nil return nil
} }
func newFile(paths []string, filters *Filters, sortOrder string, Regexes *Regexes, index *Index) (string, error) { func newFile(paths []string, filters *Filters, sortOrder string, Regexes *Regexes, index *Index, types *SupportedTypes) (string, error) {
filePath, err := pickFile(paths, filters, sortOrder, index) filePath, err := pickFile(paths, filters, sortOrder, index, types)
if err != nil { if err != nil {
return "", nil return "", nil
} }
@ -369,13 +369,13 @@ func pathIsValid(filePath string, paths []string) bool {
} }
} }
func fileType(path string) (bool, string, string, error) { func fileType(path string, types *SupportedTypes) (bool, *SupportedType, string, error) {
file, err := os.Open(path) file, err := os.Open(path)
switch { switch {
case errors.Is(err, os.ErrNotExist): case errors.Is(err, os.ErrNotExist):
return false, "", "", nil return false, nil, "", nil
case err != nil: case err != nil:
return false, "", "", err return false, nil, "", err
} }
defer file.Close() defer file.Close()
@ -384,35 +384,19 @@ func fileType(path string) (bool, string, string, error) {
extension := filepath.Ext(path) extension := filepath.Ext(path)
isSupported := false fileType := types.Type(extension)
for _, e := range Extensions {
if e == extension {
isSupported = true
break
}
}
isSupported := types.IsSupported(head)
if !isSupported { if !isSupported {
return false, "", "", nil return false, nil, "", nil
} }
fileType := filetype.GetType(strings.TrimPrefix(extension, ".")) mimeType := (filetype.GetType(strings.TrimPrefix(extension, "."))).MIME.Value
switch { return isSupported, fileType, mimeType, nil
case filetype.IsAudio(head) && audio:
return true, "audio", fileType.MIME.Value, nil
case filetype.IsImage(head) && images:
return true, "image", fileType.MIME.Value, nil
case filetype.IsVideo(head) && videos:
return true, "video", fileType.MIME.Value, nil
default:
return false, "", "", nil
}
} }
func pathHasSupportedFiles(path string) (bool, error) { func pathHasSupportedFiles(path string, types *SupportedTypes) (bool, error) {
hasSupportedFiles := make(chan bool, 1) hasSupportedFiles := make(chan bool, 1)
err := filepath.WalkDir(path, func(p string, info os.DirEntry, err error) error { err := filepath.WalkDir(path, func(p string, info os.DirEntry, err error) error {
@ -424,7 +408,7 @@ func pathHasSupportedFiles(path string) (bool, error) {
case !recursive && info.IsDir() && p != path: case !recursive && info.IsDir() && p != path:
return filepath.SkipDir return filepath.SkipDir
case !info.IsDir(): case !info.IsDir():
supported, _, _, err := fileType(p) supported, _, _, err := fileType(p, types)
if err != nil { if err != nil {
return err return err
} }
@ -469,7 +453,7 @@ func pathCount(path string) (uint32, uint32, error) {
return files, directories, nil return files, directories, nil
} }
func scanPath(path string, files *Files, filters *Filters, stats *ScanStats, concurrency *Concurrency) error { func scanPath(path string, files *Files, filters *Filters, stats *ScanStats, concurrency *Concurrency, types *SupportedTypes) error {
var wg sync.WaitGroup var wg sync.WaitGroup
err := filepath.WalkDir(path, func(p string, info os.DirEntry, err error) error { err := filepath.WalkDir(path, func(p string, info os.DirEntry, err error) error {
@ -496,7 +480,7 @@ func scanPath(path string, files *Files, filters *Filters, stats *ScanStats, con
fmt.Println(err) fmt.Println(err)
} }
err = appendPaths(path, files, filters, stats) err = appendPaths(path, files, filters, stats, types)
if err != nil { if err != nil {
fmt.Println(err) fmt.Println(err)
} }
@ -530,7 +514,7 @@ func scanPath(path string, files *Files, filters *Filters, stats *ScanStats, con
return nil return nil
} }
func fileList(paths []string, filters *Filters, sort string, index *Index) ([]string, bool) { func fileList(paths []string, filters *Filters, sort string, index *Index, types *SupportedTypes) ([]string, bool) {
if cache && filters.IsEmpty() && !index.IsEmpty() { if cache && filters.IsEmpty() && !index.IsEmpty() {
return index.Index(), true return index.Index(), true
} }
@ -569,7 +553,7 @@ func fileList(paths []string, filters *Filters, sort string, index *Index) ([]st
wg.Done() wg.Done()
}() }()
err := scanPath(paths[i], files, filters, stats, concurrency) err := scanPath(paths[i], files, filters, stats, concurrency, types)
if err != nil { if err != nil {
fmt.Println(err) fmt.Println(err)
} }
@ -644,8 +628,8 @@ func prepareDirectories(files *Files, sort string) []string {
return directories return directories
} }
func pickFile(args []string, filters *Filters, sort string, index *Index) (string, error) { func pickFile(args []string, filters *Filters, sort string, index *Index, types *SupportedTypes) (string, error) {
fileList, fromCache := fileList(args, filters, sort, index) fileList, fromCache := fileList(args, filters, sort, index, types)
fileCount := len(fileList) fileCount := len(fileList)
if fileCount < 1 { if fileCount < 1 {
@ -672,7 +656,7 @@ func pickFile(args []string, filters *Filters, sort string, index *Index) (strin
filePath := fileList[val] filePath := fileList[val]
if !fromCache { if !fromCache {
supported, _, _, err := fileType(filePath) supported, _, _, err := fileType(filePath, types)
if err != nil { if err != nil {
return "", err return "", err
} }
@ -704,7 +688,7 @@ func normalizePath(path string) (string, error) {
return absolutePath, nil return absolutePath, nil
} }
func normalizePaths(args []string) ([]string, error) { func normalizePaths(args []string, types *SupportedTypes) ([]string, error) {
var paths []string var paths []string
var pathList strings.Builder var pathList strings.Builder
@ -718,7 +702,7 @@ func normalizePaths(args []string) ([]string, error) {
pathMatches := (args[i] == path) pathMatches := (args[i] == path)
hasSupportedFiles, err := pathHasSupportedFiles(path) hasSupportedFiles, err := pathHasSupportedFiles(path, types)
if err != nil { if err != nil {
return nil, err return nil, err
} }

47
cmd/images.go Normal file
View File

@ -0,0 +1,47 @@
/*
Copyright © 2023 Seednode <seednode@seedno.de>
*/
package cmd
import (
"fmt"
_ "image/gif"
_ "image/jpeg"
_ "image/png"
"github.com/h2non/filetype"
_ "golang.org/x/image/bmp"
_ "golang.org/x/image/webp"
)
func RegisterImageFormats() *SupportedType {
return &SupportedType{
title: func(queryParams, filePath, mime, fileName string, width, height int) string {
return fmt.Sprintf(`<title>%s (%dx%d)</title>`,
fileName,
width,
height)
},
body: func(queryParams, filePath, mime, fileName string, width, height int) string {
return fmt.Sprintf(`<a href="/%s"><img src="%s" width="%d" height="%d" type="%s" alt="Roulette selected: %s"></a>`,
queryParams,
filePath,
width,
height,
mime,
fileName)
},
extensions: []string{
`.bmp`,
`.gif`,
`.jpeg`,
`.jpg`,
`.png`,
`.webp`,
},
validator: func(head []byte) bool {
return filetype.IsImage(head)
},
}
}

View File

@ -17,7 +17,7 @@ var (
) )
const ( const (
Version string = "0.63.2" Version string = "0.64.0"
) )
var ( var (

58
cmd/types.go Normal file
View File

@ -0,0 +1,58 @@
/*
Copyright © 2023 Seednode <seednode@seedno.de>
*/
package cmd
type SupportedType struct {
title func(queryParams, filePath, mime, fileName string, width, height int) string
body func(queryParams, filePath, mime, fileName string, width, height int) string
extensions []string
validator func([]byte) bool
}
func (i *SupportedType) Extensions() []string {
return i.extensions
}
type SupportedTypes struct {
types []*SupportedType
}
func (s *SupportedTypes) Add(t *SupportedType) {
s.types = append(s.types, t)
}
func (s *SupportedTypes) Extensions() []string {
var r []string
for _, t := range s.types {
r = append(r, t.Extensions()...)
}
return r
}
func (s *SupportedTypes) Type(extension string) *SupportedType {
for i := range s.types {
for _, e := range s.types[i].Extensions() {
if extension == e {
return s.types[i]
}
}
}
return nil
}
func (s *SupportedTypes) IsSupported(head []byte) bool {
r := false
for i := range s.types {
if s.types[i].validator(head) {
r = true
}
}
return r
}

34
cmd/video.go Normal file
View File

@ -0,0 +1,34 @@
/*
Copyright © 2023 Seednode <seednode@seedno.de>
*/
package cmd
import (
"fmt"
"github.com/h2non/filetype"
)
func RegisterVideoFormats() *SupportedType {
return &SupportedType{
title: func(queryParams, filePath, mime, fileName string, width, height int) string {
return fmt.Sprintf(`<title>%s</title>`, fileName)
},
body: func(queryParams, filePath, mime, fileName string, width, height int) string {
return fmt.Sprintf(`<a href="/%s"><video controls autoplay><source src="%s" type="%s" alt="Roulette selected: %s">Your browser does not support the video tag.</video></a>`,
queryParams,
filePath,
mime,
fileName)
},
extensions: []string{
`.mp4`,
`.ogv`,
`.webm`,
},
validator: func(head []byte) bool {
return filetype.IsVideo(head)
},
}
}

View File

@ -126,12 +126,12 @@ func (i *Index) setIndex(val []string) {
i.mutex.Unlock() i.mutex.Unlock()
} }
func (i *Index) generateCache(args []string) { func (i *Index) generateCache(args []string, types *SupportedTypes) {
i.mutex.Lock() i.mutex.Lock()
i.list = []string{} i.list = []string{}
i.mutex.Unlock() i.mutex.Unlock()
fileList(args, &Filters{}, "", i) fileList(args, &Filters{}, "", i, types)
if cache && cacheFile != "" { if cache && cacheFile != "" {
i.Export(cacheFile) i.Export(cacheFile)
@ -592,9 +592,9 @@ func realIP(r *http.Request) string {
} }
} }
func serveCacheClear(args []string, index *Index) httprouter.Handle { func serveCacheClear(args []string, index *Index, types *SupportedTypes) httprouter.Handle {
return func(w http.ResponseWriter, r *http.Request, p httprouter.Params) { return func(w http.ResponseWriter, r *http.Request, p httprouter.Params) {
index.generateCache(args) index.generateCache(args, types)
w.Header().Set("Content-Type", "text/plain") w.Header().Set("Content-Type", "text/plain")
@ -872,7 +872,7 @@ func serveStaticFile(paths []string, stats *ServeStats, index *Index) httprouter
} }
} }
func serveRoot(paths []string, Regexes *Regexes, index *Index) httprouter.Handle { func serveRoot(paths []string, Regexes *Regexes, index *Index, types *SupportedTypes) httprouter.Handle {
return func(w http.ResponseWriter, r *http.Request, p httprouter.Params) { return func(w http.ResponseWriter, r *http.Request, p httprouter.Params) {
refererUri, err := stripQueryParams(refererToUri(r.Referer())) refererUri, err := stripQueryParams(refererToUri(r.Referer()))
if err != nil { if err != nil {
@ -919,7 +919,7 @@ func serveRoot(paths []string, Regexes *Regexes, index *Index) httprouter.Handle
break loop break loop
} }
filePath, err = newFile(paths, filters, sortOrder, Regexes, index) filePath, err = newFile(paths, filters, sortOrder, Regexes, index, types)
switch { switch {
case err != nil && err == ErrNoMediaFound: case err != nil && err == ErrNoMediaFound:
notFound(w, r, filePath) notFound(w, r, filePath)
@ -945,7 +945,7 @@ func serveRoot(paths []string, Regexes *Regexes, index *Index) httprouter.Handle
} }
} }
func serveMedia(paths []string, Regexes *Regexes, index *Index) httprouter.Handle { func serveMedia(paths []string, Regexes *Regexes, index *Index, types *SupportedTypes) httprouter.Handle {
return func(w http.ResponseWriter, r *http.Request, p httprouter.Params) { return func(w http.ResponseWriter, r *http.Request, p httprouter.Params) {
filters := &Filters{ filters := &Filters{
includes: splitQueryParams(r.URL.Query().Get("include"), Regexes), includes: splitQueryParams(r.URL.Query().Get("include"), Regexes),
@ -974,7 +974,7 @@ func serveMedia(paths []string, Regexes *Regexes, index *Index) httprouter.Handl
return return
} }
supported, fileType, mime, err := fileType(filePath) supported, fileType, mime, err := fileType(filePath, types)
if err != nil { if err != nil {
fmt.Println(err) fmt.Println(err)
@ -1006,6 +1006,8 @@ func serveMedia(paths []string, Regexes *Regexes, index *Index) httprouter.Handl
queryParams := generateQueryParams(filters, sortOrder, refreshInterval) queryParams := generateQueryParams(filters, sortOrder, refreshInterval)
path := generateFilePath(filePath)
var htmlBody strings.Builder var htmlBody strings.Builder
htmlBody.WriteString(`<!DOCTYPE html><html lang="en"><head>`) htmlBody.WriteString(`<!DOCTYPE html><html lang="en"><head>`)
htmlBody.WriteString(FaviconHtml) htmlBody.WriteString(FaviconHtml)
@ -1013,48 +1015,14 @@ func serveMedia(paths []string, Regexes *Regexes, index *Index) httprouter.Handl
htmlBody.WriteString(`a{display:block;height:100%;width:100%;text-decoration:none;}`) htmlBody.WriteString(`a{display:block;height:100%;width:100%;text-decoration:none;}`)
htmlBody.WriteString(`img{margin:auto;display:block;max-width:97%;max-height:97%;object-fit:scale-down;`) htmlBody.WriteString(`img{margin:auto;display:block;max-width:97%;max-height:97%;object-fit:scale-down;`)
htmlBody.WriteString(`position:absolute;top:50%;left:50%;transform:translate(-50%,-50%);}</style>`) htmlBody.WriteString(`position:absolute;top:50%;left:50%;transform:translate(-50%,-50%);}</style>`)
htmlBody.WriteString((fileType.title(queryParams, path, mime, fileName, dimensions.height, dimensions.width)))
switch fileType {
case "image":
htmlBody.WriteString(fmt.Sprintf(`<title>%s (%dx%d)</title>`,
fileName,
dimensions.width,
dimensions.height))
default:
htmlBody.WriteString(fmt.Sprintf(`<title>%s</title>`,
fileName))
}
htmlBody.WriteString(`</head><body>`) htmlBody.WriteString(`</head><body>`)
if refreshInterval != "0ms" { if refreshInterval != "0ms" {
htmlBody.WriteString(fmt.Sprintf("<script>window.onload = function(){setInterval(function(){window.location.href = '/%s';}, %d);};</script>", htmlBody.WriteString(fmt.Sprintf("<script>window.onload = function(){setInterval(function(){window.location.href = '/%s';}, %d);};</script>",
queryParams, queryParams,
refreshTimer)) refreshTimer))
} }
htmlBody.WriteString((fileType.body(queryParams, path, mime, fileName, dimensions.height, dimensions.width)))
switch fileType {
case "audio":
htmlBody.WriteString(fmt.Sprintf(`<a href="/%s"><audio controls autoplay><source src="%s" type="%s" alt="Roulette selected: %s">Your browser does not support the audio tag.</audio></a>`,
queryParams,
generateFilePath(filePath),
mime,
fileName))
case "image":
htmlBody.WriteString(fmt.Sprintf(`<a href="/%s"><img src="%s" width="%d" height="%d" type="%s" alt="Roulette selected: %s"></a>`,
queryParams,
generateFilePath(filePath),
dimensions.width,
dimensions.height,
mime,
fileName))
case "video":
htmlBody.WriteString(fmt.Sprintf(`<a href="/%s"><video controls autoplay><source src="%s" type="%s" alt="Roulette selected: %s">Your browser does not support the video tag.</video></a>`,
queryParams,
generateFilePath(filePath),
mime,
fileName))
}
htmlBody.WriteString(`</body></html>`) htmlBody.WriteString(`</body></html>`)
_, err = io.WriteString(w, gohtml.Format(htmlBody.String())) _, err = io.WriteString(w, gohtml.Format(htmlBody.String()))
@ -1113,7 +1081,21 @@ func ServePage(args []string) error {
return errors.New("invalid bind address provided") return errors.New("invalid bind address provided")
} }
paths, err := normalizePaths(args) types := &SupportedTypes{}
if audio {
types.Add(RegisterAudioFormats())
}
if images {
types.Add(RegisterImageFormats())
}
if videos {
types.Add(RegisterVideoFormats())
}
paths, err := normalizePaths(args, types)
if err != nil { if err != nil {
return err return err
} }
@ -1156,13 +1138,13 @@ func ServePage(args []string) error {
mux.PanicHandler = serverErrorHandler() mux.PanicHandler = serverErrorHandler()
mux.GET("/", serveRoot(paths, regexes, index)) mux.GET("/", serveRoot(paths, regexes, index, types))
mux.GET("/favicons/*favicon", serveFavicons()) mux.GET("/favicons/*favicon", serveFavicons())
mux.GET("/favicon.ico", serveFavicons()) mux.GET("/favicon.ico", serveFavicons())
mux.GET(MediaPrefix+"/*media", serveMedia(paths, regexes, index)) mux.GET(MediaPrefix+"/*media", serveMedia(paths, regexes, index, types))
mux.GET(SourcePrefix+"/*static", serveStaticFile(paths, stats, index)) mux.GET(SourcePrefix+"/*static", serveStaticFile(paths, stats, index))
@ -1179,10 +1161,10 @@ func ServePage(args []string) error {
} }
if !skipIndex { if !skipIndex {
index.generateCache(args) index.generateCache(args, types)
} }
mux.GET("/clear_cache", serveCacheClear(args, index)) mux.GET("/clear_cache", serveCacheClear(args, index, types))
} }
if debug { if debug {