forked from tinode/chat
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpush_fcm.go
286 lines (246 loc) · 7.48 KB
/
push_fcm.go
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
// Package fcm implements push notification plugin for Google FCM backend.
// Push notifications for Android, iOS and web clients are sent through Google's Firebase Cloud Messaging service.
// Package fcm is push notification plugin using Google FCM.
// https://firebase.google.com/docs/cloud-messaging
package fcm
import (
"context"
"encoding/json"
"errors"
fbase "firebase.google.com/go"
fcm "firebase.google.com/go/messaging"
"github.com/tinode/chat/server/logs"
"github.com/tinode/chat/server/push"
"github.com/tinode/chat/server/store"
"github.com/tinode/chat/server/store/types"
"golang.org/x/oauth2/google"
"google.golang.org/api/option"
)
var handler Handler
const (
// Size of the input channel buffer.
bufferSize = 1024
// The number of push messages sent in one batch. FCM constant.
pushBatchSize = 100
// The number of sub/unsub requests sent in one batch. FCM constant.
subBatchSize = 1000
)
// Handler represents the push handler; implements push.PushHandler interface.
type Handler struct {
input chan *push.Receipt
channel chan *push.ChannelReq
stop chan bool
client *fcm.Client
}
type configType struct {
Enabled bool `json:"enabled"`
Credentials json.RawMessage `json:"credentials"`
CredentialsFile string `json:"credentials_file"`
TimeToLive uint `json:"time_to_live,omitempty"`
Android AndroidConfig `json:"android,omitempty"`
}
// Init initializes the push handler
func (Handler) Init(jsonconf string) error {
var config configType
err := json.Unmarshal([]byte(jsonconf), &config)
if err != nil {
return errors.New("failed to parse config: " + err.Error())
}
if !config.Enabled {
return nil
}
ctx := context.Background()
var opt option.ClientOption
if config.Credentials != nil {
credentials, err := google.CredentialsFromJSON(ctx, config.Credentials,
"https://www.googleapis.com/auth/firebase.messaging")
if err != nil {
return err
}
opt = option.WithCredentials(credentials)
} else if config.CredentialsFile != "" {
opt = option.WithCredentialsFile(config.CredentialsFile)
} else {
return errors.New("missing credentials")
}
app, err := fbase.NewApp(ctx, &fbase.Config{}, opt)
if err != nil {
return err
}
handler.client, err = app.Messaging(ctx)
if err != nil {
return err
}
handler.input = make(chan *push.Receipt, bufferSize)
handler.channel = make(chan *push.ChannelReq, bufferSize)
handler.stop = make(chan bool, 1)
go func() {
for {
select {
case rcpt := <-handler.input:
go sendNotifications(rcpt, &config)
case sub := <-handler.channel:
go processSubscription(sub)
case <-handler.stop:
return
}
}
}()
return nil
}
func sendNotifications(rcpt *push.Receipt, config *configType) {
messages := PrepareNotifications(rcpt, &config.Android)
n := len(messages)
if n == 0 {
return
}
ctx := context.Background()
for i := 0; i < n; i += pushBatchSize {
upper := i + pushBatchSize
if upper > n {
upper = n
}
var batch []*fcm.Message
for j := i; j < upper; j++ {
batch = append(batch, messages[j].Message)
}
resp, err := handler.client.SendAll(ctx, batch)
if err != nil {
// Complete failure.
logs.Warn.Println("fcm SendAll failed", err)
break
}
// Check for partial failure.
if !handlePushErrors(resp, messages[i:upper]) {
break
}
}
}
func processSubscription(req *push.ChannelReq) {
var channel string
var devices []string
var device string
var channels []string
if req.Channel != "" {
devices = DevicesForUser(req.Uid)
channel = req.Channel
} else if req.DeviceID != "" {
channels = ChannelsForUser(req.Uid)
device = req.DeviceID
}
if (len(devices) == 0 && device == "") || (len(channels) == 0 && channel == "") {
// No channels or devces to subscribe or unsubscribe.
return
}
if len(devices) > subBatchSize {
// It's extremely unlikely for a single user to have this many devices.
devices = devices[0:subBatchSize]
logs.Warn.Println("fcm: user", req.Uid.UserId(), "has more than", subBatchSize, "devices")
}
var err error
var resp *fcm.TopicManagementResponse
if channel != "" && len(devices) > 0 {
if req.Unsub {
resp, err = handler.client.UnsubscribeFromTopic(context.Background(), devices, channel)
} else {
resp, err = handler.client.SubscribeToTopic(context.Background(), devices, channel)
}
if err != nil {
// Complete failure.
logs.Warn.Println("fcm: sub or upsub failed", req.Unsub, err)
} else {
// Check for partial failure.
handleSubErrors(resp, req.Uid, devices)
}
return
}
if device != "" && len(channels) > 0 {
devices := []string{device}
for _, channel := range channels {
if req.Unsub {
resp, err = handler.client.UnsubscribeFromTopic(context.Background(), devices, channel)
} else {
resp, err = handler.client.SubscribeToTopic(context.Background(), devices, channel)
}
if err != nil {
// Complete failure.
logs.Warn.Println("fcm: sub or upsub failed", req.Unsub, err)
break
}
// Check for partial failure.
handleSubErrors(resp, req.Uid, devices)
}
return
}
// Invalid request: either multiple channels & multiple devices (not supported) or no channels and no devices.
logs.Err.Println("fcm: user", req.Uid.UserId(), "invalid combination of sub/unsub channels/devices",
len(devices), len(channels))
}
// handlePushError processes errors returned by a call to fcm.SendAll.
// returns false to stop further processing of other messages.
func handlePushErrors(response *fcm.BatchResponse, batch []MessageData) bool {
if response.FailureCount <= 0 {
return true
}
for i, resp := range response.Responses {
if !handleFcmError(resp.Error, batch[i].Uid, batch[i].DeviceId) {
return false
}
}
return true
}
func handleSubErrors(response *fcm.TopicManagementResponse, uid types.Uid, devices []string) {
if response.FailureCount <= 0 {
return
}
for _, errinfo := range response.Errors {
// FCM documentation sucks. There is no list of possible errors so no action can be taken but logging.
logs.Warn.Println("fcm sub/unsub error", errinfo.Reason, uid, devices[errinfo.Index])
}
}
func handleFcmError(err error, uid types.Uid, deviceId string) bool {
if fcm.IsMessageRateExceeded(err) ||
fcm.IsServerUnavailable(err) ||
fcm.IsInternal(err) ||
fcm.IsUnknown(err) {
// Transient errors. Stop sending this batch.
logs.Warn.Println("fcm transient failure", err)
return false
}
if fcm.IsMismatchedCredential(err) || fcm.IsInvalidArgument(err) {
// Config errors
logs.Warn.Println("fcm: request failed", err)
return false
}
if fcm.IsRegistrationTokenNotRegistered(err) {
// Token is no longer valid.
logs.Warn.Println("fcm: invalid token", uid, err)
if err := store.Devices.Delete(uid, deviceId); err != nil {
logs.Warn.Println("fcm: failed to delete invalid token", err)
}
} else {
// All other errors are treated as non-fatal.
logs.Warn.Println("fcm error:", err)
}
return true
}
// IsReady checks if the push handler has been initialized.
func (Handler) IsReady() bool {
return handler.input != nil
}
// Push returns a channel that the server will use to send messages to.
// If the adapter blocks, the message will be dropped.
func (Handler) Push() chan<- *push.Receipt {
return handler.input
}
// Channel returns a channel for subscribing/unsubscribing devices to FCM topics.
func (Handler) Channel() chan<- *push.ChannelReq {
return handler.channel
}
// Stop shuts down the handler
func (Handler) Stop() {
handler.stop <- true
}
func init() {
push.Register("fcm", &handler)
}