gorush/router/server.go

305 lines
7.5 KiB
Go
Raw Normal View History

2021-07-13 18:16:09 +00:00
package router
import (
"context"
"crypto/tls"
"errors"
"fmt"
"net/http"
"os"
"sync"
2021-07-13 18:16:09 +00:00
"github.com/appleboy/gorush/config"
"github.com/appleboy/gorush/core"
2021-07-13 18:16:09 +00:00
"github.com/appleboy/gorush/gorush"
"github.com/appleboy/gorush/logx"
"github.com/appleboy/gorush/metric"
"github.com/appleboy/gorush/queue"
"github.com/appleboy/gorush/status"
2019-06-10 18:07:01 +00:00
api "github.com/appleboy/gin-status-api"
"github.com/gin-contrib/logger"
"github.com/gin-gonic/gin"
"github.com/gin-gonic/gin/binding"
2021-07-13 08:32:39 +00:00
"github.com/mattn/go-isatty"
"github.com/prometheus/client_golang/prometheus"
"github.com/prometheus/client_golang/prometheus/promhttp"
"github.com/rs/zerolog"
"github.com/rs/zerolog/log"
"github.com/thoas/stats"
"golang.org/x/crypto/acme/autocert"
)
var (
isTerm bool
doOnce sync.Once
)
2021-07-13 08:32:39 +00:00
func init() {
2021-07-13 08:32:39 +00:00
isTerm = isatty.IsTerminal(os.Stdout.Fd())
}
func abortWithError(c *gin.Context, code int, message string) {
c.AbortWithStatusJSON(code, gin.H{
"code": code,
"message": message,
})
}
func rootHandler(c *gin.Context) {
c.JSON(http.StatusOK, gin.H{
"text": "Welcome to notification server.",
})
}
func heartbeatHandler(c *gin.Context) {
c.AbortWithStatus(http.StatusOK)
}
func versionHandler(c *gin.Context) {
c.JSON(http.StatusOK, gin.H{
"source": "https://github.com/appleboy/gorush",
"version": GetVersion(),
})
}
func pushHandler(cfg config.ConfYaml, q *queue.Queue) gin.HandlerFunc {
2021-07-13 18:16:09 +00:00
return func(c *gin.Context) {
var form gorush.RequestPush
var msg string
if err := c.ShouldBindWith(&form, binding.JSON); err != nil {
msg = "Missing notifications field."
logx.LogAccess.Debug(err)
abortWithError(c, http.StatusBadRequest, msg)
return
}
2021-07-13 18:16:09 +00:00
if len(form.Notifications) == 0 {
msg = "Notifications field is empty."
logx.LogAccess.Debug(msg)
abortWithError(c, http.StatusBadRequest, msg)
return
}
2021-07-13 18:16:09 +00:00
if int64(len(form.Notifications)) > cfg.Core.MaxNotification {
msg = fmt.Sprintf("Number of notifications(%d) over limit(%d)", len(form.Notifications), cfg.Core.MaxNotification)
logx.LogAccess.Debug(msg)
abortWithError(c, http.StatusBadRequest, msg)
return
}
2021-07-13 18:16:09 +00:00
ctx, cancel := context.WithCancel(context.Background())
go func() {
// Deprecated: the CloseNotifier interface predates Go's context package.
// New code should use Request.Context instead.
// Change to context package
<-c.Request.Context().Done()
// Don't send notification after client timeout or disconnected.
// See the following issue for detail information.
// https://github.com/appleboy/gorush/issues/422
if cfg.Core.Sync {
cancel()
}
}()
counts, logs := handleNotification(ctx, cfg, form, q)
2021-07-13 18:16:09 +00:00
c.JSON(http.StatusOK, gin.H{
"success": "ok",
"counts": counts,
"logs": logs,
})
}
}
2021-07-13 18:16:09 +00:00
func configHandler(cfg config.ConfYaml) gin.HandlerFunc {
return func(c *gin.Context) {
c.YAML(http.StatusCreated, cfg)
}
}
func metricsHandler(c *gin.Context) {
promhttp.Handler().ServeHTTP(c.Writer, c.Request)
}
func appStatusHandler(q *queue.Queue) gin.HandlerFunc {
return func(c *gin.Context) {
result := status.App{}
result.Version = GetVersion()
result.QueueMax = q.Capacity()
result.QueueUsage = q.Usage()
result.TotalCount = status.StatStorage.GetTotalCount()
result.Ios.PushSuccess = status.StatStorage.GetIosSuccess()
result.Ios.PushError = status.StatStorage.GetIosError()
result.Android.PushSuccess = status.StatStorage.GetAndroidSuccess()
result.Android.PushError = status.StatStorage.GetAndroidError()
result.Huawei.PushSuccess = status.StatStorage.GetHuaweiSuccess()
result.Huawei.PushError = status.StatStorage.GetHuaweiError()
c.JSON(http.StatusOK, result)
}
}
2021-07-13 18:16:09 +00:00
func sysStatsHandler() gin.HandlerFunc {
return func(c *gin.Context) {
c.JSON(http.StatusOK, status.Stats.Data())
}
}
// StatMiddleware response time, status code count, etc.
func StatMiddleware() gin.HandlerFunc {
return func(c *gin.Context) {
beginning, recorder := status.Stats.Begin(c.Writer)
c.Next()
status.Stats.End(beginning, stats.WithRecorder(recorder))
}
}
func autoTLSServer(cfg config.ConfYaml, q *queue.Queue) *http.Server {
m := autocert.Manager{
Prompt: autocert.AcceptTOS,
2021-07-13 18:16:09 +00:00
HostPolicy: autocert.HostWhitelist(cfg.Core.AutoTLS.Host),
Cache: autocert.DirCache(cfg.Core.AutoTLS.Folder),
}
return &http.Server{
Addr: ":https",
TLSConfig: &tls.Config{GetCertificate: m.GetCertificate},
Handler: routerEngine(cfg, q),
}
}
func routerEngine(cfg config.ConfYaml, q *queue.Queue) *gin.Engine {
zerolog.SetGlobalLevel(zerolog.InfoLevel)
2021-07-13 18:16:09 +00:00
if cfg.Core.Mode == "debug" {
zerolog.SetGlobalLevel(zerolog.DebugLevel)
}
log.Logger = zerolog.New(os.Stdout).With().Timestamp().Logger()
if isTerm {
log.Logger = log.Output(
zerolog.ConsoleWriter{
Out: os.Stdout,
NoColor: false,
},
)
}
// Support metrics
doOnce.Do(func() {
m := metric.NewMetrics(func() int {
return q.Usage()
})
prometheus.MustRegister(m)
})
// set server mode
2021-07-13 18:16:09 +00:00
gin.SetMode(cfg.Core.Mode)
r := gin.New()
// Global middleware
r.Use(logger.SetLogger(
logger.WithUTC(true),
logger.WithSkipPath([]string{
2021-07-13 18:16:09 +00:00
cfg.API.HealthURI,
cfg.API.MetricURI,
}),
))
r.Use(gin.Recovery())
r.Use(VersionMiddleware())
r.Use(StatMiddleware())
2021-07-13 18:16:09 +00:00
r.GET(cfg.API.StatGoURI, api.GinHandler)
r.GET(cfg.API.StatAppURI, appStatusHandler(q))
2021-07-13 18:16:09 +00:00
r.GET(cfg.API.ConfigURI, configHandler(cfg))
r.GET(cfg.API.SysStatURI, sysStatsHandler())
r.POST(cfg.API.PushURI, pushHandler(cfg, q))
2021-07-13 18:16:09 +00:00
r.GET(cfg.API.MetricURI, metricsHandler)
r.GET(cfg.API.HealthURI, heartbeatHandler)
r.HEAD(cfg.API.HealthURI, heartbeatHandler)
r.GET("/version", versionHandler)
r.GET("/", rootHandler)
return r
}
// markFailedNotification adds failure logs for all tokens in push notification
func markFailedNotification(cfg config.ConfYaml, notification *gorush.PushNotification, reason string) {
logx.LogError.Error(reason)
for _, token := range notification.Tokens {
notification.AddLog(logx.GetLogPushEntry(&logx.InputLog{
ID: notification.ID,
Status: core.FailedPush,
Token: token,
Message: notification.Message,
Platform: notification.Platform,
Error: errors.New(reason),
HideToken: cfg.Log.HideToken,
Format: cfg.Log.Format,
}))
}
notification.WaitDone()
}
// HandleNotification add notification to queue list.
func handleNotification(ctx context.Context, cfg config.ConfYaml, req gorush.RequestPush, q *queue.Queue) (int, []logx.LogPushEntry) {
var count int
wg := sync.WaitGroup{}
newNotification := []*gorush.PushNotification{}
if cfg.Core.Sync && !core.IsLocalQueue(core.Queue(cfg.Queue.Engine)) {
cfg.Core.Sync = false
}
for i := range req.Notifications {
notification := &req.Notifications[i]
switch notification.Platform {
case core.PlatFormIos:
if !cfg.Ios.Enabled {
continue
}
case core.PlatFormAndroid:
if !cfg.Android.Enabled {
continue
}
case core.PlatFormHuawei:
if !cfg.Huawei.Enabled {
continue
}
}
notification.Cfg = cfg
newNotification = append(newNotification, notification)
}
log := make([]logx.LogPushEntry, 0, count)
for _, notification := range newNotification {
if cfg.Core.Sync {
notification.Wg = &wg
notification.Log = &log
notification.AddWaitCount()
}
if err := q.Queue(notification); err != nil {
markFailedNotification(cfg, notification, "max capacity reached")
}
count += len(notification.Tokens)
// Count topic message
if notification.To != "" {
count++
}
}
if cfg.Core.Sync {
wg.Wait()
}
status.StatStorage.AddTotalCount(int64(count))
return count, log
}