base-golang/pkg/sse/server.go

123 lines
2.3 KiB
Go
Raw Permalink Normal View History

2024-07-23 10:23:43 +08:00
package sse
import (
2024-09-07 11:25:30 +08:00
"gitea.bvbej.com/bvbej/base-golang/pkg/mux"
2024-07-23 10:23:43 +08:00
"github.com/gin-gonic/gin"
"io"
"net/http"
"sync"
"sync/atomic"
)
var _ Server = (*event)(nil)
type Server interface {
2024-09-07 11:25:30 +08:00
GinHandle(ctx *gin.Context, user any)
HandlerFunc() mux.HandlerFunc
2024-09-07 13:41:57 +08:00
Push(user any, name, msg string) bool
2024-07-23 10:23:43 +08:00
Broadcast(name, msg string)
}
type clientChan struct {
2024-09-07 11:25:30 +08:00
User any
2024-07-23 10:23:43 +08:00
Chan chan msgChan
}
type msgChan struct {
Name string
Message string
}
type event struct {
SessionList sync.Map
Count atomic.Int32
Register chan clientChan
2024-09-07 11:25:30 +08:00
Unregister chan any
2024-07-23 10:23:43 +08:00
}
func NewServer() Server {
e := &event{
SessionList: sync.Map{},
Count: atomic.Int32{},
Register: make(chan clientChan),
2024-09-07 11:25:30 +08:00
Unregister: make(chan any),
2024-07-23 10:23:43 +08:00
}
go e.listen()
return e
}
func (stream *event) listen() {
for {
select {
case client := <-stream.Register:
stream.SessionList.Store(client.User, client.Chan)
stream.Count.Add(1)
case user := <-stream.Unregister:
value, ok := stream.SessionList.Load(user)
if ok {
event := value.(chan msgChan)
close(event)
stream.SessionList.Delete(user)
stream.Count.Add(-1)
}
}
}
}
2024-09-07 11:25:30 +08:00
func (stream *event) GinHandle(ctx *gin.Context, user any) {
if user == nil {
ctx.AbortWithStatus(http.StatusUnauthorized)
return
}
e := make(chan msgChan)
client := clientChan{
User: user,
Chan: e,
}
stream.Register <- client
defer func() {
stream.Unregister <- user
}()
ctx.Writer.Header().Set("Content-Type", "text/event-stream")
ctx.Writer.Header().Set("Cache-Control", "no-cache")
ctx.Writer.Header().Set("Connection", "keep-alive")
ctx.Writer.Header().Set("Transfer-Encoding", "chunked")
ctx.Stream(func(w io.Writer) bool {
if msg, ok := <-e; ok {
ctx.SSEvent(msg.Name, msg.Message)
return true
2024-07-23 10:23:43 +08:00
}
2024-09-07 11:25:30 +08:00
return false
})
2024-07-23 10:23:43 +08:00
2024-09-07 11:25:30 +08:00
ctx.Next()
}
2024-07-23 10:23:43 +08:00
2024-09-07 11:25:30 +08:00
func (stream *event) HandlerFunc() mux.HandlerFunc {
return func(c mux.Context) {
stream.GinHandle(c.Context(), c.Auth())
2024-07-23 10:23:43 +08:00
}
}
2024-09-07 13:41:57 +08:00
func (stream *event) Push(user any, name, msg string) bool {
2024-07-23 10:23:43 +08:00
value, ok := stream.SessionList.Load(user)
if ok {
val := value.(chan msgChan)
val <- msgChan{Name: name, Message: msg}
}
return false
}
func (stream *event) Broadcast(name, msg string) {
stream.SessionList.Range(func(user, value any) bool {
val := value.(chan msgChan)
val <- msgChan{Name: name, Message: msg}
return true
})
}