1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
|
/*
This file contains task runner.
Task runner composes status monitor and stream downloader concrete task config.
The config can be load from a config file.
*/
package recording
import (
"context"
"encoding/json"
"errors"
"fmt"
"github.com/keuin/slbr/bilibili"
"github.com/keuin/slbr/common"
"github.com/keuin/slbr/logging"
"io"
"os"
"path"
"sync"
"time"
)
// TaskResult represents an execution result of a task.
type TaskResult struct {
Task *TaskConfig
Error error
}
const kReadChunkSize = 1024 * 1024
const kSpecialExtName = "partial"
var errLiveEnded = NewRecoverableTaskError("live is ended", nil)
// runTaskWithAutoRestart
// start a monitor&download task.
// The task will be restarted infinitely until the context is closed,
// which means it will survive when the live is ended. (It always waits for the next start)
// During the process, its status may change.
// Note: this method is blocking.
func (t *RunningTask) runTaskWithAutoRestart() {
t.status = StRunning
loop:
for {
switch err := tryRunTask(t); err.(type) {
case nil:
t.logger.Info("Task stopped: %v", t.String())
case *RecoverableTaskError:
if err != errLiveEnded {
t.logger.Error("Temporary error: %v", err)
}
t.status = StRestarting
default:
if !errors.Is(err, context.Canceled) {
t.logger.Error("Cannot recover from error: %v", err)
}
break loop
}
}
t.logger.Info("Task stopped: %v", t.String())
}
// tryRunTask does the actual work. It will return when in the following cases:
// RecoverableError (end of live, IO error)
// UnrecoverableError (protocol error)
// context.Cancelled (the task is stopping)
func tryRunTask(t *RunningTask) error {
netTypes := t.Transport.AllowedNetworkTypes
t.logger.Info("Network types: %v", netTypes)
bi := bilibili.NewBilibiliWithNetType(netTypes, t.logger)
t.logger.Info("Start task: room %v", t.RoomId)
t.logger.Info("Getting notification server info...")
type dmServerInfo struct {
AuthKey string
DmUrl string
}
dmInfo, err := AutoRetryWithTask(
t, func() (info dmServerInfo, err error) {
info.AuthKey, info.DmUrl, err = getDanmakuServer(&t.TaskConfig, bi)
return
},
)
if err != nil {
return NewRecoverableTaskError("cannot get notification server info", err)
}
t.logger.Info("Success.")
// wait for watcher goroutine
wg := sync.WaitGroup{}
defer wg.Wait()
liveStatusChecker := func() (bool, error) {
resp, err := bi.GetRoomPlayInfo(t.RoomId)
if err != nil {
return false, err
}
if resp.Code != 0 {
return false, fmt.Errorf("bilibili API error: %v", resp.Message)
}
return resp.Data.LiveStatus.IsStreaming(), nil
}
// run live status watcher asynchronously
t.logger.Info("Starting watcher...")
wg.Add(1)
chWatcherError := make(chan error)
ctxWatcher, stopWatcher := context.WithCancel(t.ctx)
defer stopWatcher()
go func() {
var err error
defer wg.Done()
run := true
loop:
for run {
err = watch(
ctxWatcher,
t.TaskConfig,
dmInfo.DmUrl,
dmInfo.AuthKey,
liveStatusChecker,
t.logger,
)
switch err.(type) {
case nil:
// live is started, stop watcher loop and start the recorder
break loop
case *RecoverableTaskError:
// if the watcher fails and recoverable, just try to recover
// because the recorder has not started yet
run = true
t.logger.Error("Error occurred in live status watcher: %v", err)
break
case *UnrecoverableTaskError:
// the watcher cannot recover, so the task should be stopped
run = false
t.logger.Error("Error occurred in live status watcher: %v", err)
default:
run = false
// the task is being cancelled
if errors.Is(err, context.Canceled) {
break loop
}
// unknown error type, this should not happen
t.logger.Error("Unexpected type of error in watcher: %v", err)
}
if run {
t.logger.Info("Restarting watcher...")
} else {
t.logger.Error("Cannot restart watcher to recover from that error.")
}
}
chWatcherError <- err
}()
// wait for live start signal or the watcher stops abnormally
switch errWatcher := <-chWatcherError; errWatcher.(type) {
case nil:
// live is started, start recording
// (now the watcher should have stopped)
return func() error {
var err error
run := true
for run {
err = record(t.ctx, bi, &t.TaskConfig, t.logger)
switch err.(type) {
case nil:
// live is ended
t.logger.Info("The live is ended. Restarting current task...")
return errLiveEnded
case *RecoverableTaskError:
// here we don't know if the live is ended, so we have to do a check
t.logger.Warning("Recording is interrupted. Checking live status...")
isLiving, err2 := AutoRetryWithTask(t, liveStatusChecker)
if err2 != nil {
return NewRecoverableTaskError(
"when handling an error, another error occurred",
fmt.Errorf("first: %v, second: %w", err, err2),
)
}
if isLiving {
t.logger.Info("This is a temporary error. Restarting recording...")
} else {
t.logger.Info("The live is ended. Restarting current task...")
return errLiveEnded
}
run = isLiving
break
default:
run = false
if errors.Is(err, context.Canceled) {
t.logger.Info("Recorder is stopped.")
} else if errors.Is(err, io.EOF) {
t.logger.Info("The live seems to be closed normally.")
} else if errors.Is(err, io.ErrUnexpectedEOF) {
t.logger.Warning("Reading is interrupted because of an unexpected EOF.")
} else {
t.logger.Error("Error when copying live stream: %v", err)
}
t.logger.Info("Stop recording.")
}
}
return err
}()
case *UnrecoverableTaskError:
// watcher is stopped and cannot restart
return NewUnrecoverableTaskError("failed to watch live status", errWatcher)
default:
// watcher is cancelled, stop running the task
if errors.Is(errWatcher, context.Canceled) {
return errWatcher
}
// unexpected error, this is a programming error
return NewUnrecoverableTaskError("unexpected error type", errWatcher)
}
}
// record. When cancelled, the caller should clean up immediately and stop the task.
// Errors:
// RecoverableError
// UnrecoverableError
// context.Cancelled
// nil (live is ended normally)
func record(
ctx context.Context,
bi bilibili.Bilibili,
task *TaskConfig,
logger logging.Logger,
) error {
logger.Info("Getting room profile...")
profile, err := AutoRetryWithConfig(
ctx,
logger,
task,
func() (bilibili.RoomProfileResponse, error) {
return bi.GetRoomProfile(task.RoomId)
},
)
if err != nil {
if errors.Is(err, context.Canceled) {
return err
}
return NewRecoverableTaskError("failed to get living room information", err)
}
logger.Info("Getting stream url...")
urlInfo, err := AutoRetryWithConfig(
ctx,
logger,
task,
func() (bilibili.RoomUrlInfoResponse, error) {
return bi.GetStreamingInfo(task.RoomId)
},
)
if err != nil {
if errors.Is(err, context.Canceled) {
return err
}
return NewRecoverableTaskError("failed to get live info", err)
}
if len(urlInfo.Data.URLs) == 0 {
j, err2 := json.Marshal(urlInfo)
if err2 != nil {
j = []byte("(not available)")
}
logger.Error("No stream was provided. Response: %v", string(j))
return NewUnrecoverableTaskError("invalid live info", fmt.Errorf("no stream provided"))
}
streamSource := urlInfo.Data.URLs[0]
var extName string
// the real extension name (without renaming)
originalExtName := common.Errorable[string](common.GetFileExtensionFromUrl(streamSource.URL)).OrElse("flv")
if task.Download.UseSpecialExtNameBeforeFinishing {
extName = kSpecialExtName
} else {
extName = originalExtName
}
baseName := GenerateFileName(profile.Data.Title, time.Now())
fileName := common.CombineFileName(baseName, extName)
saveDir := task.Download.SaveDirectory
filePath := path.Join(saveDir, fileName)
file, err := os.OpenFile(filePath, os.O_CREATE|os.O_TRUNC|os.O_WRONLY, 0644)
if err != nil {
logger.Error("Cannot open file for writing: %v", err)
return NewUnrecoverableTaskError("cannot open file for writing", err)
}
// rename the extension name to originalExtName when finish writing
defer func() {
if extName == originalExtName {
return
}
from := filePath
to := path.Join(saveDir, common.CombineFileName(baseName, originalExtName))
err := os.Rename(from, to)
if err != nil {
logger.Error("Cannot rename %v to %v: %v", from, to, err)
return
}
logger.Info("Rename file \"%s\" to \"%s\".", from, to)
}()
defer func() { _ = file.Close() }()
writeBufferSize := task.Download.DiskWriteBufferBytes
if writeBufferSize < kReadChunkSize {
writeBufferSize = kReadChunkSize
}
if mod := writeBufferSize % kReadChunkSize; mod != 0 {
writeBufferSize += kReadChunkSize - mod
}
writeBuffer := make([]byte, writeBufferSize)
logger.Info("Write buffer size: %v byte", writeBufferSize)
logger.Info("Recording live stream to file \"%v\"...", filePath)
err = bi.CopyLiveStream(ctx, task.RoomId, streamSource, file, writeBuffer, kReadChunkSize)
if errors.Is(err, context.Canceled) || err == nil {
return err
}
logger.Error("Error when copying live stream: %v", err)
return NewRecoverableTaskError("stream copy was unexpectedly interrupted", err)
}
func getDanmakuServer(
task *TaskConfig,
bi bilibili.Bilibili,
) (string, string, error) {
dmInfo, err := bi.GetDanmakuServerInfo(task.RoomId)
if err != nil {
return "", "", fmt.Errorf("failed to read stream server info: %w", err)
}
if len(dmInfo.Data.HostList) == 0 {
return "", "", fmt.Errorf("no available stream server")
}
// get authkey and ws url
authKey := dmInfo.Data.Token
host := dmInfo.Data.HostList[0]
url := fmt.Sprintf("wss://%s:%d/sub", host.Host, host.WssPort)
return authKey, url, nil
}
func GenerateFileName(roomName string, t time.Time) string {
ts := fmt.Sprintf(
"%d-%02d-%02d-%02d-%02d-%02d",
t.Year(),
t.Month(),
t.Day(),
t.Hour(),
t.Minute(),
t.Second(),
)
return fmt.Sprintf("%s_%s", roomName, ts)
}
|