First stream

monorepo
Varun Patil 2022-11-10 06:54:32 -08:00
parent 81607447bd
commit 339b7f1e9e
3 changed files with 310 additions and 11 deletions

View File

@ -70,14 +70,15 @@ func (h *Handler) getManager(streamid string) *Manager {
}
func (h *Handler) createManager(path string, streamid string) *Manager {
h.mutex.Lock()
defer h.mutex.Unlock()
manager, err := NewManager(h.c, path, streamid, h.close)
if err != nil {
log.Println("Error creating manager", err)
return nil
}
h.mutex.Lock()
defer h.mutex.Unlock()
h.managers[streamid] = manager
return manager
}
@ -110,7 +111,7 @@ func main() {
h := NewHandler(&Config{
ffmpeg: "ffmpeg",
ffprobe: "ffprobe",
chunkSize: 4.0,
chunkSize: 2.0,
})
http.Handle("/", h)

View File

@ -71,7 +71,7 @@ func NewManager(c *Config, path string, id string, close chan string) (*Manager,
func (m *Manager) ServeHTTP(w http.ResponseWriter, r *http.Request, chunk string) error {
// Master list
if chunk == "index.m3u8" {
return m.ServeIndex(w, r)
return m.ServeIndex(w)
}
// Stream list
@ -79,7 +79,7 @@ func (m *Manager) ServeHTTP(w http.ResponseWriter, r *http.Request, chunk string
if strings.HasSuffix(chunk, m3u8Sfx) {
quality := strings.TrimSuffix(chunk, m3u8Sfx)
if stream, ok := m.streams[quality]; ok {
return stream.ServeList(w, r)
return stream.ServeList(w)
}
}
@ -101,7 +101,7 @@ func (m *Manager) ServeHTTP(w http.ResponseWriter, r *http.Request, chunk string
}
if stream, ok := m.streams[quality]; ok {
return stream.ServeChunk(w, r, chunkId)
return stream.ServeChunk(w, chunkId)
}
}
@ -109,7 +109,7 @@ func (m *Manager) ServeHTTP(w http.ResponseWriter, r *http.Request, chunk string
return nil
}
func (m *Manager) ServeIndex(w http.ResponseWriter, r *http.Request) error {
func (m *Manager) ServeIndex(w http.ResponseWriter) error {
WriteM3U8ContentType(w)
w.Write([]byte("#EXTM3U\n"))

306
stream.go
View File

@ -1,10 +1,33 @@
package main
import (
"bufio"
"fmt"
"io"
"log"
"net/http"
"os"
"os/exec"
"strconv"
"strings"
"sync"
"time"
)
type Chunk struct {
id int
done bool
notifs []chan bool
}
func NewChunk(id int) *Chunk {
return &Chunk{
id: id,
done: false,
notifs: make([]chan bool, 0),
}
}
type Stream struct {
c *Config
m *Manager
@ -12,9 +35,14 @@ type Stream struct {
height int
width int
bitrate int
mutex sync.Mutex
chunks map[int]*Chunk
coder *exec.Cmd
}
func (s *Stream) ServeList(w http.ResponseWriter, r *http.Request) error {
func (s *Stream) ServeList(w http.ResponseWriter) error {
WriteM3U8ContentType(w)
w.Write([]byte("#EXTM3U\n"))
w.Write([]byte("#EXT-X-VERSION:4\n"))
@ -42,8 +70,278 @@ func (s *Stream) ServeList(w http.ResponseWriter, r *http.Request) error {
return nil
}
// Bulk
func (s *Stream) ServeChunk(w http.ResponseWriter, r *http.Request, chunkId int) error {
w.Write([]byte("chunk"))
func (s *Stream) ServeChunk(w http.ResponseWriter, id int) error {
s.mutex.Lock()
defer s.mutex.Unlock()
// Already have this chunk
if chunk, ok := s.chunks[id]; ok {
// Chunk is finished, just return it
if chunk.done {
s.returnChunk(w, chunk)
return nil
}
// Still waiting on transcoder
s.waitForChunk(w, chunk)
return nil
}
// Will have this soon enough
foundBehind := false
for i := id - 1; i > id-4 && i >= 0; i++ {
if _, ok := s.chunks[i]; ok {
foundBehind = true
}
}
if foundBehind {
// Make sure the chunk exists
chunk := s.createChunk(id)
// Wait for it
s.waitForChunk(w, chunk)
return nil
}
// Let's start over
s.restartAtChunk(w, id)
return nil
}
func (s *Stream) createChunk(id int) *Chunk {
if c, ok := s.chunks[id]; ok {
return c
} else {
s.chunks[id] = NewChunk(id)
return s.chunks[id]
}
}
func (s *Stream) returnChunk(w http.ResponseWriter, chunk *Chunk) {
// Read file and write to response
filename := s.getTsPath(chunk.id)
f, err := os.Open(filename)
if err != nil {
log.Println(err)
w.WriteHeader(http.StatusInternalServerError)
return
}
defer f.Close()
log.Printf("Served chunk %d", chunk.id)
w.Header().Set("Content-Type", "video/MP2T")
io.Copy(w, f)
}
func (s *Stream) waitForChunk(w http.ResponseWriter, chunk *Chunk) {
if chunk.done {
s.returnChunk(w, chunk)
return
}
// Add our channel
notif := make(chan bool)
chunk.notifs = append(chunk.notifs, notif)
t := time.NewTimer(5 * time.Second)
s.mutex.Unlock()
select {
case <-notif:
t.Stop()
case <-t.C:
}
s.mutex.Lock()
// remove channel
for i, c := range chunk.notifs {
if c == notif {
chunk.notifs = append(chunk.notifs[:i], chunk.notifs[i+1:]...)
break
}
}
// check for success
if chunk.done {
s.returnChunk(w, chunk)
}
}
func (s *Stream) restartAtChunk(w http.ResponseWriter, id int) {
// Clear everything
s.chunks = make(map[int]*Chunk)
chunk := s.createChunk(id) // create first chunk
// Start the transcoder
s.transcode(id)
s.waitForChunk(w, chunk) // this is also a request
}
func (s *Stream) transcode(startId int) {
startAt := float64(startId) * s.c.chunkSize
args := []string{
"-loglevel", "warning",
}
if startAt > 0 {
args = append(args, []string{
"-ss", fmt.Sprintf("%.6f", startAt),
}...)
}
// Input specs
args = append(args, []string{
"-autorotate", "0", // consistent behavior
"-i", s.m.path, // Input file
"-copyts", // So the "-to" refers to the original TS
}...)
// QSV / encoder selection
VAAPI := os.Getenv("VAAPI") == "1"
CV := "libx264"
VF := ""
if VAAPI {
CV = "h264_vaapi"
VF = "scale_vaapi=w=SCALE_WIDTH:h=SCALE_HEIGHT:force_original_aspect_ratio=decrease"
extra := strings.Split("-hwaccel vaapi -hwaccel_device /dev/dri/renderD128 -hwaccel_output_format vaapi", " ")
args = append(args, extra...)
}
// Scaling for output
var scale string
if VAAPI {
scale = strings.Replace(VF, "SCALE_WIDTH", fmt.Sprintf("%d", s.width), 1)
scale = strings.Replace(scale, "SCALE_HEIGHT", fmt.Sprintf("%d", s.height), 1)
} else if s.width >= s.height {
scale = fmt.Sprintf("scale=-2:%d", s.height)
} else {
scale = fmt.Sprintf("scale=%d:-2", s.width)
}
// Output specs
args = append(args, []string{
"-vf", scale,
"-c:v", CV,
"-profile:v", "high",
"-b:v", fmt.Sprintf("%dk", s.bitrate/1000),
}...)
// Extra args only for x264
if !VAAPI {
args = append(args, []string{
"-preset", "faster",
"-level:v", "4.0",
}...)
}
// Audio
args = append(args, []string{
"-c:a", "aac",
"-b:a", "192k",
}...)
// Segmenting specs
args = append(args, []string{
"-avoid_negative_ts", "disabled",
"-max_muxing_queue_size", "2048",
"-f", "hls",
"-max_delay", "5000000",
"-hls_time", fmt.Sprintf("%.6f", s.c.chunkSize),
"-g", fmt.Sprintf("%.6f", s.c.chunkSize),
"-hls_segment_type", "mpegts",
"-start_number", fmt.Sprintf("%d", startId),
"-hls_segment_filename", s.getTsPath(-1),
"-",
}...)
s.coder = exec.Command(s.c.ffmpeg, args...)
// log.Println("Starting FFmpeg process with args", strings.Join(s.coder.Args[:], " "))
cmdStdOut, err := s.coder.StdoutPipe()
if err != nil {
fmt.Printf("FATAL: ffmpeg command stdout failed with %s\n", err)
}
cmdStdErr, err := s.coder.StderrPipe()
if err != nil {
fmt.Printf("FATAL: ffmpeg command stdout failed with %s\n", err)
}
err = s.coder.Start()
if err != nil {
log.Printf("FATAL: ffmpeg command failed with %s\n", err)
}
go s.monitorTranscodeOutput(cmdStdOut, startAt)
go s.monitorStderr(cmdStdErr)
}
func (s *Stream) getTsPath(id int) string {
if id == -1 {
return fmt.Sprintf("/tmp/go-vod/%s/%s-%%06d.ts", s.m.id, s.quality)
}
return fmt.Sprintf("/tmp/go-vod/%s/%s-%06d.ts", s.m.id, s.quality, id)
}
// Separate goroutine
func (s *Stream) monitorTranscodeOutput(cmdStdOut io.ReadCloser, startAt float64) {
defer cmdStdOut.Close()
stdoutReader := bufio.NewReader(cmdStdOut)
for {
line, err := stdoutReader.ReadBytes('\n')
if err == io.EOF {
if len(line) == 0 {
break
}
} else {
if err != nil {
log.Fatal(err)
}
line = line[:(len(line) - 1)]
}
l := string(line)
if strings.Contains(l, ".ts") {
// 1080p-000003.ts
idx := strings.Split(strings.Split(l, "-")[1], ".")[0]
id, err := strconv.Atoi(idx)
if err != nil {
log.Println("Error parsing chunk id")
}
s.mutex.Lock()
chunk := s.createChunk(id)
chunk.done = true
for _, n := range chunk.notifs {
n <- true
}
s.mutex.Unlock()
}
// log.Println("ffmpeg:", l)
}
}
func (s *Stream) monitorStderr(cmdStdErr io.ReadCloser) {
stderrReader := bufio.NewReader(cmdStdErr)
for {
line, err := stderrReader.ReadBytes('\n')
if err == io.EOF {
if len(line) == 0 {
break
}
} else {
if err != nil {
log.Fatal(err)
}
line = line[:(len(line) - 1)]
}
log.Println("ffmpeg-error:", string(line))
}
}