[overlays] Add support for replaying events

Signed-off-by: Knut Ahlers <knut@ahlers.me>
This commit is contained in:
Knut Ahlers 2023-12-25 13:29:16 +01:00
parent 4fdcd86dee
commit 7189232093
Signed by: luzifer
SSH Key Fingerprint: SHA256:/xtE5lCgiRDQr8SLxHMS92ZBlACmATUmF1crK16Ks4E
10 changed files with 238 additions and 85 deletions

View File

@ -56,7 +56,7 @@ trivy:
# -- Documentation Site -- # -- Documentation Site --
docs: actor_docs template_docs docs: actor_docs eventclient_docs template_docs
actor_docs: actor_docs:
go run . --storage-conn-string $(shell mktemp).db actor-docs >docs/content/configuration/actors.md go run . --storage-conn-string $(shell mktemp).db actor-docs >docs/content/configuration/actors.md

View File

@ -502,7 +502,7 @@ Scans for links in the message and adds the "links" field to the event data
```yaml ```yaml
- type: linkdetector - type: linkdetector
attributes: attributes:
# Enable heuristic scans to find links with spaces or other means of obfuscation in them # Enable heuristic scans to find links with spaces or other means of obfuscation in them (quite slow and will detect MANY false-positive links, only use for blacklisting links!)
# Optional: true # Optional: true
# Type: bool # Type: bool
heuristic: false heuristic: false

View File

@ -441,7 +441,7 @@ Example:
``` ```
# Your int this hour: {{ printf "%.0f" (mulf (seededRandom (list "int" .username (now | date "2006-01-02 15") | join ":")) 100) }}% # Your int this hour: {{ printf "%.0f" (mulf (seededRandom (list "int" .username (now | date "2006-01-02 15") | join ":")) 100) }}%
< Your int this hour: 73% < Your int this hour: 66%
``` ```
### `streamUptime` ### `streamUptime`

View File

@ -17,6 +17,9 @@ weight: 10000
<dt><a href="#Options">Options</a> : <code>Object</code></dt> <dt><a href="#Options">Options</a> : <code>Object</code></dt>
<dd><p>Options to pass to the EventClient constructor</p> <dd><p>Options to pass to the EventClient constructor</p>
</dd> </dd>
<dt><a href="#SocketMessage">SocketMessage</a> : <code>Object</code></dt>
<dd><p>SocketMessage received for every event and passed to the new <code>(eventObj) =&gt; { ... }</code> handlers</p>
</dd>
</dl> </dl>
<a name="EventClient"></a> <a name="EventClient"></a>
@ -31,6 +34,7 @@ EventClient abstracts the connection to the bot websocket for events
* [.apiBase()](#EventClient+apiBase) ⇒ <code>string</code> * [.apiBase()](#EventClient+apiBase) ⇒ <code>string</code>
* [.paramOptionFallback(key, [fallback])](#EventClient+paramOptionFallback) ⇒ <code>\*</code> * [.paramOptionFallback(key, [fallback])](#EventClient+paramOptionFallback) ⇒ <code>\*</code>
* [.renderTemplate(template)](#EventClient+renderTemplate) ⇒ <code>Promise</code> * [.renderTemplate(template)](#EventClient+renderTemplate) ⇒ <code>Promise</code>
* [.replayEvent(eventId)](#EventClient+replayEvent) ⇒ <code>Promise</code>
<a name="new_EventClient_new"></a> <a name="new_EventClient_new"></a>
@ -74,6 +78,18 @@ Renders a given template using the bots msgformat API (supports all templating y
| --- | --- | --- | | --- | --- | --- |
| template | <code>string</code> | The template to render | | template | <code>string</code> | The template to render |
<a name="EventClient+replayEvent"></a>
### eventClient.replayEvent(eventId) ⇒ <code>Promise</code>
Triggers a replay of the given event to all overlays currently listening for events. This event will have the `is_live` flag set to `false`.
**Kind**: instance method of [<code>EventClient</code>](#EventClient)
**Returns**: <code>Promise</code> - Promise of the fetch request
| Param | Type | Description |
| --- | --- | --- |
| eventId | <code>Number</code> | The ID of the event received through the SocketMessage object |
<a name="Options"></a> <a name="Options"></a>
## Options : <code>Object</code> ## Options : <code>Object</code>
@ -84,9 +100,26 @@ Options to pass to the EventClient constructor
| Name | Type | Default | Description | | Name | Type | Default | Description |
| --- | --- | --- | --- | | --- | --- | --- | --- |
| [channel] | <code>string</code> | | Filter for specific channel events (format: `#channel`) | | [channel] | <code>String</code> | | Filter for specific channel events (format: `#channel`) |
| [handlers] | <code>Object</code> | <code>{}</code> | Map event types to callback functions `(event, fields, time, live) => {...}` | | [handlers] | <code>Object</code> | <code>{}</code> | Map event types to callback functions `(eventObj) => { ... }` (new) or `(event, fields, time, live) => {...}` (old) |
| [maxReplayAge] | <code>number</code> | <code>-1</code> | Number of hours to replay the events for (-1 = infinite) | | [maxReplayAge] | <code>Number</code> | <code>-1</code> | Number of hours to replay the events for (-1 = infinite) |
| [replay] | <code>boolean</code> | <code>false</code> | Request a replay at connect (requires channel to be set to a channel name) | | [replay] | <code>Boolean</code> | <code>false</code> | Request a replay at connect (requires channel to be set to a channel name) |
| [token] | <code>string</code> | | API access token to use to connect to the WebSocket (if not set, must be provided through URL hash) | | [token] | <code>String</code> | | API access token to use to connect to the WebSocket (if not set, must be provided through URL hash) |
<a name="SocketMessage"></a>
## SocketMessage : <code>Object</code>
SocketMessage received for every event and passed to the new `(eventObj) => { ... }` handlers
**Kind**: global typedef
**Properties**
| Name | Type | Description |
| --- | --- | --- |
| [event_id] | <code>Number</code> | UID of the event used to re-trigger an event |
| [is_live] | <code>Boolean</code> | Whether the event was sent through a replay (false) or occurred live (true) |
| [reason] | <code>String</code> | Reason of this message (one of `bulk-replay`, `live-event`, `single-replay`) |
| [time] | <code>String</code> | RFC3339 timestamp of the event |
| [type] | <code>String</code> | Event type (i.e. `raid`, `sub`, ...) |
| [fields] | <code>Object</code> | string->any mapping of fields available for the event |

View File

@ -9,6 +9,7 @@ import (
"github.com/pkg/errors" "github.com/pkg/errors"
"gorm.io/gorm" "gorm.io/gorm"
"github.com/Luzifer/go_helpers/v2/backoff"
"github.com/Luzifer/twitch-bot/v3/internal/helpers" "github.com/Luzifer/twitch-bot/v3/internal/helpers"
"github.com/Luzifer/twitch-bot/v3/pkg/database" "github.com/Luzifer/twitch-bot/v3/pkg/database"
"github.com/Luzifer/twitch-bot/v3/plugins" "github.com/Luzifer/twitch-bot/v3/plugins"
@ -24,23 +25,26 @@ type (
} }
) )
func AddChannelEvent(db database.Connector, channel string, evt SocketMessage) error { func AddChannelEvent(db database.Connector, channel string, evt SocketMessage) (evtID uint64, err error) {
buf := new(bytes.Buffer) buf := new(bytes.Buffer)
if err := json.NewEncoder(buf).Encode(evt.Fields); err != nil { if err := json.NewEncoder(buf).Encode(evt.Fields); err != nil {
return errors.Wrap(err, "encoding fields") return 0, errors.Wrap(err, "encoding fields")
} }
return errors.Wrap( storEvt := &overlaysEvent{
helpers.RetryTransaction(db.DB(), func(tx *gorm.DB) error { Channel: channel,
return tx.Create(&overlaysEvent{ CreatedAt: evt.Time.UTC(),
Channel: channel, EventType: evt.Type,
CreatedAt: evt.Time.UTC(), Fields: strings.TrimSpace(buf.String()),
EventType: evt.Type, }
Fields: strings.TrimSpace(buf.String()),
}).Error if err = helpers.RetryTransaction(db.DB(), func(tx *gorm.DB) error {
}), return tx.Create(storEvt).Error
"storing event to database", }); err != nil {
) return 0, errors.Wrap(err, "storing event to database")
}
return storEvt.ID, nil
} }
func GetChannelEvents(db database.Connector, channel string) ([]SocketMessage, error) { func GetChannelEvents(db database.Connector, channel string) ([]SocketMessage, error) {
@ -54,18 +58,44 @@ func GetChannelEvents(db database.Connector, channel string) ([]SocketMessage, e
var out []SocketMessage var out []SocketMessage
for _, e := range evts { for _, e := range evts {
fields := new(plugins.FieldCollection) sm, err := e.ToSocketMessage()
if err := json.NewDecoder(strings.NewReader(e.Fields)).Decode(fields); err != nil { if err != nil {
return nil, errors.Wrap(err, "decoding fields") return nil, errors.Wrap(err, "transforming event")
} }
out = append(out, SocketMessage{ out = append(out, sm)
IsLive: false,
Time: e.CreatedAt,
Type: e.EventType,
Fields: fields,
})
} }
return out, nil return out, nil
} }
func GetEventByID(db database.Connector, eventID uint64) (SocketMessage, error) {
var evt overlaysEvent
if err := helpers.Retry(func() (err error) {
err = db.DB().Where("id = ?", eventID).First(&evt).Error
if errors.Is(err, gorm.ErrRecordNotFound) {
return backoff.NewErrCannotRetry(err)
}
return err
}); err != nil {
return SocketMessage{}, errors.Wrap(err, "fetching event")
}
return evt.ToSocketMessage()
}
func (o overlaysEvent) ToSocketMessage() (SocketMessage, error) {
fields := new(plugins.FieldCollection)
if err := json.NewDecoder(strings.NewReader(o.Fields)).Decode(fields); err != nil {
return SocketMessage{}, errors.Wrap(err, "decoding fields")
}
return SocketMessage{
EventID: o.ID,
IsLive: false,
Time: o.CreatedAt,
Type: o.EventType,
Fields: fields,
}, nil
}

View File

@ -17,7 +17,8 @@ func TestEventDatabaseRoundtrip(t *testing.T) {
var ( var (
channel = "#test" channel = "#test"
tEvent1 = time.Now() evtID uint64
tEvent1 = time.Now().UTC()
tEvent2 = tEvent1.Add(time.Second) tEvent2 = tEvent1.Add(time.Second)
) )
@ -25,30 +26,46 @@ func TestEventDatabaseRoundtrip(t *testing.T) {
assert.NoError(t, err, "getting events on empty db") assert.NoError(t, err, "getting events on empty db")
assert.Zero(t, evts, "expect no events on empty db") assert.Zero(t, evts, "expect no events on empty db")
assert.NoError(t, AddChannelEvent(dbc, channel, SocketMessage{ evtID, err = AddChannelEvent(dbc, channel, SocketMessage{
IsLive: true, IsLive: true,
Time: tEvent2, Time: tEvent2,
Type: "event 2", Type: "event 2",
Fields: plugins.FieldCollectionFromData(map[string]any{"foo": "bar"}), Fields: plugins.FieldCollectionFromData(map[string]any{"foo": "bar"}),
}), "adding second event") })
assert.Equal(t, uint64(1), evtID)
assert.NoError(t, err, "adding second event")
assert.NoError(t, AddChannelEvent(dbc, channel, SocketMessage{ evtID, err = AddChannelEvent(dbc, channel, SocketMessage{
IsLive: true, IsLive: true,
Time: tEvent1, Time: tEvent1,
Type: "event 1", Type: "event 1",
Fields: plugins.FieldCollectionFromData(map[string]any{"foo": "bar"}), Fields: plugins.FieldCollectionFromData(map[string]any{"foo": "bar"}),
}), "adding first event") })
assert.Equal(t, uint64(2), evtID)
assert.NoError(t, err, "adding first event")
assert.NoError(t, AddChannelEvent(dbc, "#otherchannel", SocketMessage{ evtID, err = AddChannelEvent(dbc, "#otherchannel", SocketMessage{
IsLive: true, IsLive: true,
Time: tEvent1, Time: tEvent1,
Type: "event", Type: "event",
Fields: plugins.FieldCollectionFromData(map[string]any{"foo": "bar"}), Fields: plugins.FieldCollectionFromData(map[string]any{"foo": "bar"}),
}), "adding other channel event") })
assert.Equal(t, uint64(3), evtID)
assert.NoError(t, err, "adding other channel event")
evts, err = GetChannelEvents(dbc, channel) evts, err = GetChannelEvents(dbc, channel)
assert.NoError(t, err, "getting events") assert.NoError(t, err, "getting events")
assert.Len(t, evts, 2, "expect 2 events") assert.Len(t, evts, 2, "expect 2 events")
assert.Less(t, evts[0].Time, evts[1].Time, "expect sorting") assert.Less(t, evts[0].Time, evts[1].Time, "expect sorting")
evt, err := GetEventByID(dbc, 2)
assert.NoError(t, err)
assert.Equal(t, SocketMessage{
EventID: 2,
IsLive: false,
Time: tEvent1,
Type: "event 1",
Fields: plugins.FieldCollectionFromData(map[string]any{"foo": "bar"}),
}, evt)
} }

View File

@ -30,9 +30,10 @@
<div id="app" v-cloak> <div id="app" v-cloak>
<table> <table>
<tr><th>Time</th><th>Event</th><th>Fields</th></tr> <tr><th>Time</th><th>Reason</th><th>Event</th><th>Fields</th></tr>
<tr v-for="event in events"> <tr v-for="event in events">
<td>{{ moment(event.time).format('YYYY-MM-DD HH:mm:ss') }}</td> <td>{{ moment(event.time).format('YYYY-MM-DD HH:mm:ss') }}</td>
<td>{{ event.reason }}</td>
<td>{{ event.event }}</td> <td>{{ event.event }}</td>
<td> <td>
<span <span
@ -73,13 +74,13 @@
mounted() { mounted() {
window.botClient = new EventClient({ window.botClient = new EventClient({
handlers: { handlers: {
_: (evt, data, time, live) => { _: ({ fields, reason, time, type }) => {
if (window.botClient.paramOptionFallback('hide', '').split(',').includes(evt)) { if (window.botClient.paramOptionFallback('hide', '').split(',').includes(type)) {
return return
} }
this.events = [ this.events = [
{ event: evt, fields: data, time }, { event: type, fields, reason, time },
...this.events, ...this.events,
] ]
}, },

View File

@ -1,11 +1,22 @@
/** /**
* Options to pass to the EventClient constructor * Options to pass to the EventClient constructor
* @typedef {Object} Options * @typedef {Object} Options
* @prop {string} [channel] - Filter for specific channel events (format: `#channel`) * @prop {String} [channel] - Filter for specific channel events (format: `#channel`)
* @prop {Object} [handlers={}] - Map event types to callback functions `(event, fields, time, live) => {...}` * @prop {Object} [handlers={}] - Map event types to callback functions `(eventObj) => { ... }` (new) or `(event, fields, time, live) => {...}` (old)
* @prop {number} [maxReplayAge=-1] - Number of hours to replay the events for (-1 = infinite) * @prop {Number} [maxReplayAge=-1] - Number of hours to replay the events for (-1 = infinite)
* @prop {boolean} [replay=false] - Request a replay at connect (requires channel to be set to a channel name) * @prop {Boolean} [replay=false] - Request a replay at connect (requires channel to be set to a channel name)
* @prop {string} [token] - API access token to use to connect to the WebSocket (if not set, must be provided through URL hash) * @prop {String} [token] - API access token to use to connect to the WebSocket (if not set, must be provided through URL hash)
*/
/**
* SocketMessage received for every event and passed to the new `(eventObj) => { ... }` handlers
* @typedef {Object} SocketMessage
* @prop {Number} [event_id] - UID of the event used to re-trigger an event
* @prop {Boolean} [is_live] - Whether the event was sent through a replay (false) or occurred live (true)
* @prop {String} [reason] - Reason of this message (one of `bulk-replay`, `live-event`, `single-replay`)
* @prop {String} [time] - RFC3339 timestamp of the event
* @prop {String} [type] - Event type (i.e. `raid`, `sub`, ...)
* @prop {Object} [fields] - string->any mapping of fields available for the event
*/ */
const HOUR = 3600 * 1000 const HOUR = 3600 * 1000
@ -24,7 +35,7 @@ class EventClient {
* @param {Options} opts Options for the EventClient * @param {Options} opts Options for the EventClient
*/ */
constructor(opts) { constructor(opts) {
this.params = new URLSearchParams(window.location.hash.substr(1)) this.params = new URLSearchParams(window.location.hash.substring(1))
this.handlers = { ...opts.handlers || {} } this.handlers = { ...opts.handlers || {} }
this.options = { ...opts } this.options = { ...opts }
@ -52,7 +63,7 @@ class EventClient {
* @returns {string} API base URL * @returns {string} API base URL
*/ */
apiBase() { apiBase() {
return window.location.href.substr(0, window.location.href.indexOf('/overlays/')) return window.location.href.substring(0, window.location.href.indexOf('/overlays/'))
} }
/** /**
@ -88,7 +99,7 @@ class EventClient {
} }
for (const fn of [this.handlers[data.type], this.handlers._].filter(fn => fn)) { for (const fn of [this.handlers[data.type], this.handlers._].filter(fn => fn)) {
fn(data.type, data.fields, new Date(data.time), data.is_live) fn.length === 1 ? fn({ ...data, time: new Date(data.time) }) : fn(data.type, data.fields, new Date(data.time), data.is_live)
} }
} }
@ -125,7 +136,7 @@ class EventClient {
for (const msg of data) { for (const msg of data) {
for (const fn of [this.handlers[msg.type], this.handlers._].filter(fn => fn)) { for (const fn of [this.handlers[msg.type], this.handlers._].filter(fn => fn)) {
handlers.push(fn(msg.type, msg.fields, new Date(msg.time), msg.is_live)) handlers.push(fn.length === 1 ? fn({ ...msg, time: new Date(msg.time) }) : fn(msg.type, msg.fields, new Date(msg.time), msg.is_live))
} }
} }
@ -159,6 +170,21 @@ class EventClient {
.then(resp => resp.text()) .then(resp => resp.text())
} }
/**
* Triggers a replay of the given event to all overlays currently listening for events. This event will have the `is_live` flag set to `false`.
*
* @param {Number} eventId The ID of the event received through the SocketMessage object
* @returns {Promise} Promise of the fetch request
*/
replayEvent(eventId) {
return fetch(`${this.apiBase()}/overlays/event/${eventId}/replay`, {
headers: {
authorization: this.paramOptionFallback('token'),
},
method: 'PUT',
})
}
/** /**
* Modifies the overlay address to the websocket address the bot listens to * Modifies the overlay address to the websocket address the bot listens to
* *

View File

@ -8,11 +8,8 @@ new Vue({
new EventClient({ new EventClient({
handlers: { handlers: {
custom: (evt, data, time, live) => this.handleCustom(evt, data, time, live), custom: ({ fields }) => this.handleCustom(fields),
}, },
maxReplayAge: 720,
replay: true,
}) })
}, },
@ -64,14 +61,9 @@ new Vue({
source.connect(preGainNode) source.connect(preGainNode)
}, },
handleCustom(evt, data, time, live) { handleCustom(data) {
switch (data.type) { switch (data.type) {
case 'soundalert': case 'soundalert':
if (!live) {
// Not a live event, do not issue alerts
return
}
this.queueAlert({ this.queueAlert({
soundUrl: data.soundUrl, soundUrl: data.soundUrl,
}) })

View File

@ -6,6 +6,7 @@ import (
"net/http" "net/http"
"os" "os"
"sort" "sort"
"strconv"
"strings" "strings"
"sync" "sync"
"time" "time"
@ -31,14 +32,24 @@ const (
) )
type ( type (
SendReason string
SocketMessage struct { SocketMessage struct {
IsLive bool `json:"is_live"` EventID uint64 `json:"event_id"`
Time time.Time `json:"time"` IsLive bool `json:"is_live"`
Type string `json:"type"` Reason SendReason `json:"reason"`
Fields *plugins.FieldCollection `json:"fields"` Time time.Time `json:"time"`
Type string `json:"type"`
Fields *plugins.FieldCollection `json:"fields"`
} }
) )
const (
SendReasonLive SendReason = "live-event"
SendReasonBulkReplay SendReason = "bulk-replay"
SendReasonSingleReplay SendReason = "single-replay"
)
var ( var (
//go:embed default/** //go:embed default/**
embeddedOverlays embed.FS embeddedOverlays embed.FS
@ -53,7 +64,7 @@ var (
"join", "part", // Those make no sense for replay "join", "part", // Those make no sense for replay
} }
subscribers = map[string]func(event string, eventData *plugins.FieldCollection){} subscribers = map[string]func(SocketMessage){}
subscribersLock sync.RWMutex subscribersLock sync.RWMutex
upgrader = websocket.Upgrader{ upgrader = websocket.Upgrader{
@ -64,6 +75,7 @@ var (
validateToken plugins.ValidateTokenFunc validateToken plugins.ValidateTokenFunc
) )
//nolint:funlen
func Register(args plugins.RegistrationArguments) error { func Register(args plugins.RegistrationArguments) error {
db = args.GetDatabaseConnector() db = args.GetDatabaseConnector()
if err := db.DB().AutoMigrate(&overlaysEvent{}); err != nil { if err := db.DB().AutoMigrate(&overlaysEvent{}); err != nil {
@ -76,6 +88,22 @@ func Register(args plugins.RegistrationArguments) error {
validateToken = args.ValidateToken validateToken = args.ValidateToken
args.RegisterAPIRoute(plugins.HTTPRouteRegistrationArgs{
Description: "Trigger a re-distribution of an event to all subscribed overlays",
HandlerFunc: handleSingleEventReplay,
Method: http.MethodPut,
Module: "overlays",
Name: "Replay Single Event",
Path: "/event/{event_id}/replay",
ResponseType: plugins.HTTPRouteResponseTypeNo200,
RouteParams: []plugins.HTTPRouteParamDocumentation{
{
Description: "Event ID to replay (unique ID in database)",
Name: "event_id",
},
},
})
args.RegisterAPIRoute(plugins.HTTPRouteRegistrationArgs{ args.RegisterAPIRoute(plugins.HTTPRouteRegistrationArgs{
Description: "Websocket subscriber for bot events", Description: "Websocket subscriber for bot events",
HandlerFunc: handleSocketSubscription, HandlerFunc: handleSocketSubscription,
@ -121,27 +149,36 @@ func Register(args plugins.RegistrationArguments) error {
SkipDocumentation: true, SkipDocumentation: true,
}) })
args.RegisterEventHandler(func(event string, eventData *plugins.FieldCollection) error { args.RegisterEventHandler(func(event string, eventData *plugins.FieldCollection) (err error) {
subscribersLock.RLock() subscribersLock.RLock()
defer subscribersLock.RUnlock() defer subscribersLock.RUnlock()
msg := SocketMessage{
IsLive: true,
Reason: SendReasonLive,
Time: time.Now(),
Type: event,
Fields: eventData,
}
if msg.EventID, err = AddChannelEvent(db, plugins.DeriveChannel(nil, eventData), SocketMessage{
IsLive: false,
Time: time.Now(),
Type: event,
Fields: eventData,
}); err != nil {
return errors.Wrap(err, "storing event")
}
for _, fn := range subscribers { for _, fn := range subscribers {
fn(event, eventData) fn(msg)
} }
if str.StringInSlice(event, storeExemption) { if str.StringInSlice(event, storeExemption) {
return nil return nil
} }
return errors.Wrap( return nil
AddChannelEvent(db, plugins.DeriveChannel(nil, eventData), SocketMessage{
IsLive: false,
Time: time.Now(),
Type: event,
Fields: eventData,
}),
"storing event",
)
}) })
fsStack = httpFSStack{ fsStack = httpFSStack{
@ -180,6 +217,7 @@ func handleEventsReplay(w http.ResponseWriter, r *http.Request) {
continue continue
} }
msg.Reason = SendReasonBulkReplay
msgs = append(msgs, msg) msgs = append(msgs, msg)
} }
@ -195,6 +233,29 @@ func handleServeOverlayAsset(w http.ResponseWriter, r *http.Request) {
http.StripPrefix("/overlays", http.FileServer(fsStack)).ServeHTTP(w, r) http.StripPrefix("/overlays", http.FileServer(fsStack)).ServeHTTP(w, r)
} }
func handleSingleEventReplay(w http.ResponseWriter, r *http.Request) {
eventID, err := strconv.ParseUint(mux.Vars(r)["event_id"], 10, 64)
if err != nil {
http.Error(w, errors.Wrap(err, "parsing event_id").Error(), http.StatusBadRequest)
return
}
evt, err := GetEventByID(db, eventID)
if err != nil {
http.Error(w, errors.Wrap(err, "fetching event").Error(), http.StatusInternalServerError)
return
}
evt.Reason = SendReasonSingleReplay
subscribersLock.RLock()
defer subscribersLock.RUnlock()
for _, fn := range subscribers {
fn(evt)
}
}
//nolint:funlen,gocognit,gocyclo // Not split in order to keep the socket logic in one place //nolint:funlen,gocognit,gocyclo // Not split in order to keep the socket logic in one place
func handleSocketSubscription(w http.ResponseWriter, r *http.Request) { func handleSocketSubscription(w http.ResponseWriter, r *http.Request) {
var ( var (
@ -219,14 +280,7 @@ func handleSocketSubscription(w http.ResponseWriter, r *http.Request) {
) )
// Register listener // Register listener
unsub := subscribeSocket(func(event string, eventData *plugins.FieldCollection) { unsub := subscribeSocket(func(msg SocketMessage) { sendMsgC <- msg })
sendMsgC <- SocketMessage{
IsLive: true,
Time: time.Now(),
Type: event,
Fields: eventData,
}
})
defer unsub() defer unsub()
keepAlive := time.NewTicker(socketKeepAlive) keepAlive := time.NewTicker(socketKeepAlive)
@ -345,7 +399,7 @@ func handleSocketSubscription(w http.ResponseWriter, r *http.Request) {
} }
} }
func subscribeSocket(fn func(event string, eventData *plugins.FieldCollection)) func() { func subscribeSocket(fn func(SocketMessage)) func() {
id := uuid.Must(uuid.NewV4()).String() id := uuid.Must(uuid.NewV4()).String()
subscribersLock.Lock() subscribersLock.Lock()