memories/manager.go

324 lines
7.2 KiB
Go
Raw Normal View History

2022-11-10 11:24:33 +00:00
package main
import (
2022-11-10 12:27:29 +00:00
"bytes"
"context"
"encoding/json"
2022-11-12 12:35:05 +00:00
"errors"
2022-11-10 11:24:33 +00:00
"fmt"
2022-11-11 03:40:53 +00:00
"hash/fnv"
2022-11-10 12:27:29 +00:00
"log"
2022-11-10 12:09:35 +00:00
"math"
2022-11-10 11:24:33 +00:00
"net/http"
2022-11-11 03:40:53 +00:00
"os"
2022-11-10 12:27:29 +00:00
"os/exec"
2022-11-10 12:09:35 +00:00
"sort"
2022-11-10 12:45:10 +00:00
"strconv"
"strings"
2022-11-10 12:27:29 +00:00
"time"
2022-11-10 11:24:33 +00:00
)
type Manager struct {
2022-11-10 12:27:29 +00:00
c *Config
2022-11-11 03:23:28 +00:00
path string
2022-11-11 03:40:53 +00:00
tempDir string
2022-11-11 03:23:28 +00:00
id string
close chan string
inactive int
2022-11-10 12:09:35 +00:00
2022-11-10 12:27:29 +00:00
probe *ProbeVideoData
2022-11-10 12:09:35 +00:00
numChunks int
streams map[string]*Stream
2022-11-10 11:24:33 +00:00
}
2022-11-10 12:27:29 +00:00
type ProbeVideoData struct {
2022-11-12 12:35:05 +00:00
Width int
Height int
Duration time.Duration
FrameRate int
2022-11-12 17:50:16 +00:00
CodecName string
2022-11-12 18:51:31 +00:00
BitRate int
2022-11-10 12:27:29 +00:00
}
func NewManager(c *Config, path string, id string, close chan string) (*Manager, error) {
m := &Manager{c: c, path: path, id: id, close: close}
2022-11-10 12:09:35 +00:00
m.streams = make(map[string]*Stream)
2022-11-11 03:40:53 +00:00
h := fnv.New32a()
h.Write([]byte(path))
ph := fmt.Sprint(h.Sum32())
2023-03-09 19:57:15 +00:00
m.tempDir = fmt.Sprintf("%s/%s-%s", m.c.TempDir, id, ph)
2022-11-11 03:40:53 +00:00
// Delete temp dir if exists
os.RemoveAll(m.tempDir)
os.MkdirAll(m.tempDir, 0755)
2022-11-10 12:27:29 +00:00
if err := m.ffprobe(); err != nil {
return nil, err
}
2022-11-12 18:51:31 +00:00
// heuristic
if m.probe.CodecName != "h264" {
m.probe.BitRate *= 2
}
2023-03-09 19:57:15 +00:00
m.numChunks = int(math.Ceil(m.probe.Duration.Seconds() / float64(c.ChunkSize)))
2022-11-10 12:27:29 +00:00
// Possible streams
2022-11-12 10:39:56 +00:00
m.streams["360p"] = &Stream{c: c, m: m, quality: "360p", height: 360, width: 640, bitrate: 500000}
2022-11-12 12:35:05 +00:00
m.streams["480p"] = &Stream{c: c, m: m, quality: "480p", height: 480, width: 640, bitrate: 1200000}
2022-11-12 18:51:31 +00:00
m.streams["720p"] = &Stream{c: c, m: m, quality: "720p", height: 720, width: 1280, bitrate: 2200000}
m.streams["1080p"] = &Stream{c: c, m: m, quality: "1080p", height: 1080, width: 1920, bitrate: 3600000}
2022-11-12 10:39:56 +00:00
m.streams["1440p"] = &Stream{c: c, m: m, quality: "1440p", height: 1440, width: 2560, bitrate: 6000000}
m.streams["2160p"] = &Stream{c: c, m: m, quality: "2160p", height: 2160, width: 3840, bitrate: 10000000}
2022-11-10 12:09:35 +00:00
2022-11-10 12:27:29 +00:00
// Only keep streams that are smaller than the video
for k, stream := range m.streams {
2022-12-01 21:05:19 +00:00
stream.order = 0
2022-11-12 12:35:05 +00:00
// scale bitrate by frame rate with reference 30
stream.bitrate = int(float64(stream.bitrate) * float64(m.probe.FrameRate) / 30.0)
2023-04-04 02:37:10 +00:00
// these streams are pointless
if stream.height > m.probe.Height || stream.width > m.probe.Width || float64(stream.bitrate) > float64(m.probe.BitRate)*0.8 {
2022-11-10 12:27:29 +00:00
delete(m.streams, k)
2022-11-12 18:51:31 +00:00
}
2022-11-10 12:27:29 +00:00
}
2022-11-10 12:09:35 +00:00
2022-11-11 01:56:38 +00:00
// Original stream
2023-04-04 02:37:10 +00:00
m.streams[QUALITY_MAX] = &Stream{
2022-12-01 21:05:19 +00:00
c: c, m: m,
2023-04-04 02:37:10 +00:00
quality: QUALITY_MAX,
2022-12-03 06:06:03 +00:00
height: m.probe.Height,
width: m.probe.Width,
2022-11-12 18:51:31 +00:00
bitrate: m.probe.BitRate,
2022-12-03 06:06:03 +00:00
order: 1,
2022-11-11 01:56:38 +00:00
}
2022-11-11 02:49:55 +00:00
// Start all streams
for _, stream := range m.streams {
go stream.Run()
}
2022-11-11 02:20:47 +00:00
log.Printf("%s: new manager for %s", m.id, m.path)
2022-11-10 12:45:10 +00:00
2022-11-11 03:23:28 +00:00
// Check for inactivity
go func() {
t := time.NewTicker(5 * time.Second)
defer t.Stop()
for {
<-t.C
2022-11-11 04:14:38 +00:00
if m.inactive == -1 {
t.Stop()
return
}
2022-11-11 03:23:28 +00:00
m.inactive++
// Check if any stream is active
for _, stream := range m.streams {
if stream.coder != nil {
m.inactive = 0
break
}
}
// Nothing done for 5 minutes
2023-03-09 19:57:15 +00:00
if m.inactive >= m.c.ManagerIdleTime/5 {
2022-11-11 04:14:38 +00:00
t.Stop()
2022-11-11 03:23:28 +00:00
m.Destroy()
m.close <- m.id
return
}
}
}()
2022-11-10 12:27:29 +00:00
return m, nil
2022-11-10 11:24:33 +00:00
}
2022-11-11 03:23:28 +00:00
// Destroys streams. DOES NOT emit on the close channel.
func (m *Manager) Destroy() {
2022-11-11 04:14:38 +00:00
log.Printf("%s: destroying manager", m.id)
m.inactive = -1
2022-11-11 03:23:28 +00:00
for _, stream := range m.streams {
stream.Stop()
}
2022-11-11 03:40:53 +00:00
// Delete temp dir
os.RemoveAll(m.tempDir)
2023-03-17 21:06:54 +00:00
// Delete file if temp
freeIfTemp(m.path)
2022-11-11 03:23:28 +00:00
}
2022-11-10 12:09:35 +00:00
func (m *Manager) ServeHTTP(w http.ResponseWriter, r *http.Request, chunk string) error {
2022-11-10 12:45:10 +00:00
// Master list
2022-11-10 12:09:35 +00:00
if chunk == "index.m3u8" {
2022-12-03 06:06:03 +00:00
return m.ServeIndex(w, r)
2022-11-10 12:09:35 +00:00
}
2022-11-10 12:45:10 +00:00
// Stream list
m3u8Sfx := ".m3u8"
if strings.HasSuffix(chunk, m3u8Sfx) {
quality := strings.TrimSuffix(chunk, m3u8Sfx)
if stream, ok := m.streams[quality]; ok {
2022-12-03 06:06:03 +00:00
return stream.ServeList(w, r)
2022-11-10 12:45:10 +00:00
}
}
// Stream chunk
tsSfx := ".ts"
if strings.HasSuffix(chunk, tsSfx) {
parts := strings.Split(chunk, "-")
if len(parts) != 2 {
w.WriteHeader(http.StatusBadRequest)
return nil
}
quality := parts[0]
chunkIdStr := strings.TrimSuffix(parts[1], tsSfx)
chunkId, err := strconv.Atoi(chunkIdStr)
if err != nil {
w.WriteHeader(http.StatusBadRequest)
return nil
}
if stream, ok := m.streams[quality]; ok {
2022-11-10 14:54:32 +00:00
return stream.ServeChunk(w, chunkId)
2022-11-10 12:45:10 +00:00
}
2022-11-10 12:09:35 +00:00
}
2022-11-29 21:00:36 +00:00
// Stream full video
2022-11-29 22:16:27 +00:00
movSfx := ".mov"
if strings.HasSuffix(chunk, movSfx) {
quality := strings.TrimSuffix(chunk, movSfx)
2022-11-29 21:00:36 +00:00
if stream, ok := m.streams[quality]; ok {
2022-12-03 15:24:24 +00:00
return stream.ServeFullVideo(w, r)
2022-11-29 21:00:36 +00:00
}
}
2022-11-10 12:09:35 +00:00
w.WriteHeader(http.StatusNotFound)
return nil
}
2022-12-03 06:06:03 +00:00
func (m *Manager) ServeIndex(w http.ResponseWriter, r *http.Request) error {
2022-11-10 12:09:35 +00:00
WriteM3U8ContentType(w)
w.Write([]byte("#EXTM3U\n"))
// get sorted streams by bitrate
streams := make([]*Stream, 0)
for _, stream := range m.streams {
streams = append(streams, stream)
}
sort.Slice(streams, func(i, j int) bool {
2022-12-01 21:05:19 +00:00
return streams[i].order < streams[j].order ||
2022-12-03 06:06:03 +00:00
(streams[i].order == streams[j].order && streams[i].bitrate < streams[j].bitrate)
2022-11-10 12:09:35 +00:00
})
// Write all streams
2022-12-03 06:06:03 +00:00
query := GetQueryString(r)
2022-11-10 12:09:35 +00:00
for _, stream := range streams {
2022-12-03 06:06:03 +00:00
s := fmt.Sprintf("#EXT-X-STREAM-INF:BANDWIDTH=%d,RESOLUTION=%dx%d,FRAME-RATE=%d\n%s.m3u8%s\n", stream.bitrate, stream.width, stream.height, m.probe.FrameRate, stream.quality, query)
2022-11-10 12:09:35 +00:00
w.Write([]byte(s))
}
return nil
}
2022-11-10 11:24:33 +00:00
2022-11-10 12:27:29 +00:00
func (m *Manager) ffprobe() error {
args := []string{
// Hide debug information
"-v", "error",
// video
"-show_entries", "format=duration",
2022-11-12 18:51:31 +00:00
"-show_entries", "stream=duration,width,height,avg_frame_rate,codec_name,bit_rate",
2022-11-10 12:27:29 +00:00
"-select_streams", "v", // Video stream only, we're not interested in audio
"-of", "json",
m.path,
}
ctx, _ := context.WithDeadline(context.TODO(), time.Now().Add(5*time.Second))
2023-03-09 19:57:15 +00:00
cmd := exec.CommandContext(ctx, m.c.FFprobe, args...)
2022-11-10 12:27:29 +00:00
var stdout, stderr bytes.Buffer
cmd.Stdout = &stdout
cmd.Stderr = &stderr
err := cmd.Run()
if err != nil {
log.Println(stderr.String())
return err
}
out := struct {
Streams []struct {
2022-11-12 12:35:05 +00:00
Width int `json:"width"`
Height int `json:"height"`
Duration string `json:"duration"`
FrameRate string `json:"avg_frame_rate"`
2022-11-12 17:50:16 +00:00
CodecName string `json:"codec_name"`
2022-11-12 18:51:31 +00:00
BitRate string `json:"bit_rate"`
2022-11-10 12:27:29 +00:00
} `json:"streams"`
Format struct {
Duration string `json:"duration"`
} `json:"format"`
}{}
if err := json.Unmarshal(stdout.Bytes(), &out); err != nil {
return err
}
2022-11-12 12:35:05 +00:00
if len(out.Streams) == 0 {
return errors.New("no video streams found")
}
2022-11-10 12:27:29 +00:00
var duration time.Duration
if out.Streams[0].Duration != "" {
duration, err = time.ParseDuration(out.Streams[0].Duration + "s")
if err != nil {
return err
}
}
if out.Format.Duration != "" {
duration, err = time.ParseDuration(out.Format.Duration + "s")
if err != nil {
return err
}
}
2022-11-12 12:35:05 +00:00
// FrameRate is a fraction string
frac := strings.Split(out.Streams[0].FrameRate, "/")
if len(frac) != 2 {
frac = []string{"30", "1"}
}
num, e1 := strconv.Atoi(frac[0])
den, e2 := strconv.Atoi(frac[1])
if e1 != nil || e2 != nil {
num = 30
den = 1
}
frameRate := float64(num) / float64(den)
2022-11-12 18:51:31 +00:00
// BitRate is a string
bitRate, err := strconv.Atoi(out.Streams[0].BitRate)
if err != nil {
bitRate = 5000000
}
2022-11-10 12:27:29 +00:00
m.probe = &ProbeVideoData{
2022-11-12 12:35:05 +00:00
Width: out.Streams[0].Width,
Height: out.Streams[0].Height,
Duration: duration,
FrameRate: int(frameRate),
2022-11-12 17:50:16 +00:00
CodecName: out.Streams[0].CodecName,
2022-11-12 18:51:31 +00:00
BitRate: bitRate,
2022-11-10 12:27:29 +00:00
}
return nil
}