forked from botlabs-gg/yagpdb
-
Notifications
You must be signed in to change notification settings - Fork 0
/
util.go
689 lines (575 loc) · 17.6 KB
/
util.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
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
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
package common
import (
"bufio"
"bytes"
"fmt"
"github.com/jonas747/discordgo"
"github.com/jonas747/dstate"
"github.com/lib/pq"
"github.com/mediocregopher/radix"
"github.com/pkg/errors"
log "github.com/sirupsen/logrus"
"math/rand"
"path/filepath"
"regexp"
"runtime"
"strconv"
"strings"
"time"
)
func KeyGuild(guildID int64) string { return "guild:" + discordgo.StrID(guildID) }
func KeyGuildChannels(guildID int64) string { return "channels:" + discordgo.StrID(guildID) }
var LinkRegex = regexp.MustCompile(`(http(s)?:\/\/.)?(www\.)?[-a-zA-Z0-9@:%._\+~#=]{2,256}\.[a-z]{2,6}\b([-a-zA-Z0-9@:%_\+.~#?&//=]*)`)
type WrappedGuild struct {
*discordgo.UserGuild
Connected bool
}
// GetWrapped Returns a wrapped guild with connected set
func GetWrapped(in []*discordgo.UserGuild) ([]*WrappedGuild, error) {
if len(in) < 1 {
return []*WrappedGuild{}, nil
}
out := make([]*WrappedGuild, len(in))
actions := make([]radix.CmdAction, len(in))
for i, g := range in {
out[i] = &WrappedGuild{
UserGuild: g,
Connected: false,
}
actions[i] = radix.Cmd(&out[i].Connected, "SISMEMBER", "connected_guilds", strconv.FormatInt(g.ID, 10))
}
err := RedisPool.Do(radix.Pipeline(actions...))
if err != nil {
return nil, err
}
return out, nil
}
// DelayedMessageDelete Deletes a message after delay
func DelayedMessageDelete(session *discordgo.Session, delay time.Duration, cID, mID int64) {
time.Sleep(delay)
err := session.ChannelMessageDelete(cID, mID)
if err != nil {
log.WithError(err).Error("Failed deleting message")
}
}
// SendTempMessage sends a message that gets deleted after duration
func SendTempMessage(session *discordgo.Session, duration time.Duration, cID int64, msg string) {
m, err := BotSession.ChannelMessageSend(cID, EscapeSpecialMentions(msg))
if err != nil {
return
}
DelayedMessageDelete(session, duration, cID, m.ID)
}
// GetGuildChannels returns the guilds channels either from cache or api
func GetGuildChannels(guildID int64) (channels []*discordgo.Channel, err error) {
// Check cache first
err = GetCacheDataJson(KeyGuildChannels(guildID), &channels)
if err != nil {
channels, err = BotSession.GuildChannels(guildID)
if err == nil {
SetCacheDataJsonSimple(KeyGuildChannels(guildID), channels)
}
}
return
}
// GetGuild returns the guild from guildid either from cache or api
func GetGuild(guildID int64) (guild *discordgo.Guild, err error) {
// Check cache first
err = GetCacheDataJson(KeyGuild(guildID), &guild)
if err != nil {
guild, err = BotSession.Guild(guildID)
if err == nil {
SetCacheDataJsonSimple(KeyGuild(guildID), guild)
}
}
return
}
func RandomAdjective() string {
return Adjectives[rand.Intn(len(Adjectives))]
}
type DurationFormatPrecision int
const (
DurationPrecisionSeconds DurationFormatPrecision = iota
DurationPrecisionMinutes
DurationPrecisionHours
DurationPrecisionDays
DurationPrecisionWeeks
DurationPrecisionYears
)
func (d DurationFormatPrecision) String() string {
switch d {
case DurationPrecisionSeconds:
return "second"
case DurationPrecisionMinutes:
return "minute"
case DurationPrecisionHours:
return "hour"
case DurationPrecisionDays:
return "day"
case DurationPrecisionWeeks:
return "week"
case DurationPrecisionYears:
return "year"
}
return "Unknown"
}
func (d DurationFormatPrecision) FromSeconds(in int64) int64 {
switch d {
case DurationPrecisionSeconds:
return in % 60
case DurationPrecisionMinutes:
return (in / 60) % 60
case DurationPrecisionHours:
return ((in / 60) / 60) % 24
case DurationPrecisionDays:
return (((in / 60) / 60) / 24) % 7
case DurationPrecisionWeeks:
// There's 52 weeks + 1 day per year (techically +1.25... but were doing +1)
// Make sure 364 days isnt 0 weeks and 0 years
days := (((in / 60) / 60) / 24) % 365
return days / 7
case DurationPrecisionYears:
return (((in / 60) / 60) / 24) / 365
}
panic("We shouldn't be here")
return 0
}
func pluralize(val int64) string {
if val == 1 {
return ""
}
return "s"
}
func HumanizeDuration(precision DurationFormatPrecision, in time.Duration) string {
seconds := int64(in.Seconds())
out := make([]string, 0)
for i := int(precision); i < int(DurationPrecisionYears)+1; i++ {
curPrec := DurationFormatPrecision(i)
units := curPrec.FromSeconds(seconds)
if units > 0 {
out = append(out, fmt.Sprintf("%d %s%s", units, curPrec.String(), pluralize(units)))
}
}
outStr := ""
for i := len(out) - 1; i >= 0; i-- {
if i == 0 && i != len(out)-1 {
outStr += " and "
} else if i != len(out)-1 {
outStr += " "
}
outStr += out[i]
}
if outStr == "" {
outStr = "less than 1 " + precision.String()
}
return outStr
}
func HumanizeTime(precision DurationFormatPrecision, in time.Time) string {
now := time.Now()
if now.After(in) {
duration := now.Sub(in)
return HumanizeDuration(precision, duration) + " ago"
} else {
duration := in.Sub(now)
return "in " + HumanizeDuration(precision, duration)
}
}
func SendEmbedWithFallback(s *discordgo.Session, channelID int64, embed *discordgo.MessageEmbed) (*discordgo.Message, error) {
perms, err := s.State.UserChannelPermissions(s.State.User.ID, channelID)
if err != nil {
return nil, err
}
if perms&discordgo.PermissionEmbedLinks != 0 {
return s.ChannelMessageSendEmbed(channelID, embed)
}
return s.ChannelMessageSend(channelID, EscapeSpecialMentions(FallbackEmbed(embed)))
}
func FallbackEmbed(embed *discordgo.MessageEmbed) string {
body := ""
if embed.Title != "" {
body += embed.Title + "\n"
}
if embed.Description != "" {
body += embed.Description + "\n"
}
if body != "" {
body += "\n"
}
for _, v := range embed.Fields {
body += fmt.Sprintf("**%s**\n%s\n\n", v.Name, v.Value)
}
return body + "**I have no 'embed links' permissions here, this is a fallback. it looks prettier if i have that perm :)**"
}
// CutStringShort stops a strinng at "l"-3 if it's longer than "l" and adds "..."
func CutStringShort(s string, l int) string {
var mainBuf bytes.Buffer
var latestBuf bytes.Buffer
i := 0
for _, r := range s {
latestBuf.WriteRune(r)
if i > 3 {
lRune, _, _ := latestBuf.ReadRune()
mainBuf.WriteRune(lRune)
}
if i >= l {
return mainBuf.String() + "..."
}
i++
}
return mainBuf.String() + latestBuf.String()
}
type SmallModel struct {
ID uint `gorm:"primary_key"`
CreatedAt time.Time
UpdatedAt time.Time
}
func MustParseInt(s string) int64 {
i, err := strconv.ParseInt(s, 10, 64)
if err != nil {
panic("Failed parsing int: " + err.Error())
}
return i
}
func AddRole(member *discordgo.Member, role int64, guildID int64) error {
for _, v := range member.Roles {
if v == role {
// Already has the role
return nil
}
}
return BotSession.GuildMemberRoleAdd(guildID, member.User.ID, role)
}
func AddRoleDS(ms *dstate.MemberState, role int64) error {
for _, v := range ms.Roles {
if v == role {
// Already has the role
return nil
}
}
return BotSession.GuildMemberRoleAdd(ms.Guild.ID, ms.ID, role)
}
func RemoveRole(member *discordgo.Member, role int64, guildID int64) error {
for _, r := range member.Roles {
if r == role {
return BotSession.GuildMemberRoleRemove(guildID, member.User.ID, r)
}
}
// Never had the role in the first place if we got here
return nil
}
func RemoveRoleDS(ms *dstate.MemberState, role int64) error {
for _, r := range ms.Roles {
if r == role {
return BotSession.GuildMemberRoleRemove(ms.Guild.ID, ms.ID, r)
}
}
// Never had the role in the first place if we got here
return nil
}
var StringPerms = map[int]string{
discordgo.PermissionReadMessages: "Read Messages",
discordgo.PermissionSendMessages: "Send Messages",
discordgo.PermissionSendTTSMessages: "Send TTS Messages",
discordgo.PermissionManageMessages: "Manage Messages",
discordgo.PermissionEmbedLinks: "Embed Links",
discordgo.PermissionAttachFiles: "Attach Files",
discordgo.PermissionReadMessageHistory: "Read Message History",
discordgo.PermissionMentionEveryone: "Mention Everyone",
discordgo.PermissionVoiceConnect: "Voice Connect",
discordgo.PermissionVoiceSpeak: "Voice Speak",
discordgo.PermissionVoiceMuteMembers: "Voice Mute Members",
discordgo.PermissionVoiceDeafenMembers: "Voice Deafen Members",
discordgo.PermissionVoiceMoveMembers: "Voice Move Members",
discordgo.PermissionVoiceUseVAD: "Voice Use VAD",
discordgo.PermissionCreateInstantInvite: "Create Instant Invite",
discordgo.PermissionKickMembers: "Kick Members",
discordgo.PermissionBanMembers: "Ban Members",
discordgo.PermissionManageRoles: "Manage Roles",
discordgo.PermissionManageChannels: "Manage Channels",
discordgo.PermissionManageServer: "Manage Server",
}
func ErrWithCaller(err error) error {
pc, _, _, ok := runtime.Caller(1)
if !ok {
panic("No caller")
}
f := runtime.FuncForPC(pc)
return errors.WithMessage(err, filepath.Base(f.Name()))
}
const zeroWidthSpace = ""
var (
everyoneReplacer = strings.NewReplacer("@everyone", "@"+zeroWidthSpace+"everyone")
hereReplacer = strings.NewReplacer("@here", "@"+zeroWidthSpace+"here")
patternRoleMentions = regexp.MustCompile("<@&[0-9]*>")
)
// EscapeSpecialMentions Escapes an everyone mention, adding a zero width space between the '@' and rest
func EscapeSpecialMentions(in string) string {
return EscapeSpecialMentionsConditional(in, false, false, nil)
}
// EscapeSpecialMentionsConditional Escapes an everyone mention, adding a zero width space between the '@' and rest
func EscapeEveryoneHere(s string, escapeEveryone, escapeHere bool) string {
if escapeEveryone {
s = everyoneReplacer.Replace(s)
}
if escapeHere {
s = hereReplacer.Replace(s)
}
return s
}
// EscapeSpecialMentionsConditional Escapes an everyone mention, adding a zero width space between the '@' and rest
func EscapeSpecialMentionsConditional(s string, allowEveryone, allowHere bool, allowRoles []int64) string {
if !allowEveryone {
s = everyoneReplacer.Replace(s)
}
if !allowHere {
s = hereReplacer.Replace(s)
}
s = patternRoleMentions.ReplaceAllStringFunc(s, func(x string) string {
if len(x) < 4 {
return x
}
id := x[3 : len(x)-1]
parsed, _ := strconv.ParseInt(id, 10, 64)
if ContainsInt64Slice(allowRoles, parsed) {
// This role is allowed to be mentioned
return x
}
// Not allowed
return x[:2] + zeroWidthSpace + x[2:]
})
return s
}
func RetrySendMessage(channel int64, msg interface{}, maxTries int) error {
var err error
for currentTries := 0; currentTries < maxTries; currentTries++ {
switch t := msg.(type) {
case *discordgo.MessageEmbed:
_, err = BotSession.ChannelMessageSendEmbed(channel, t)
case string:
_, err = BotSession.ChannelMessageSend(channel, t)
default:
panic("Unknown message passed to RetrySendMessage")
}
if err == nil {
return nil
}
if e, ok := err.(*discordgo.RESTError); ok && e.Message != nil {
// Discord returned an actual error for us
return err
}
time.Sleep(time.Second * 5)
}
return err
}
func ContainsStringSlice(strs []string, search string) bool {
for _, v := range strs {
if v == search {
return true
}
}
return false
}
func ContainsStringSliceFold(strs []string, search string) bool {
for _, v := range strs {
if strings.EqualFold(v, search) {
return true
}
}
return false
}
func ContainsInt64Slice(slice []int64, search int64) bool {
for _, v := range slice {
if v == search {
return true
}
}
return false
}
// ContainsInt64SliceOneOf returns true if slice contains one of search
func ContainsInt64SliceOneOf(slice []int64, search []int64) bool {
for _, v := range search {
if ContainsInt64Slice(slice, v) {
return true
}
}
return false
}
func ContainsIntSlice(slice []int, search int) bool {
for _, v := range slice {
if v == search {
return true
}
}
return false
}
// ValidateSQLSchema does some simple security checks on a sql schema file
// At the moment it only checks for drop table/index statements accidentally left in the schema file
func ValidateSQLSchema(input string) {
scanner := bufio.NewScanner(strings.NewReader(input))
lineCount := 0
for scanner.Scan() {
lineCount++
trimmed := strings.TrimSpace(scanner.Text())
if strings.HasPrefix(strings.ToLower(trimmed), "drop table") || strings.HasPrefix(strings.ToLower(trimmed), "drop index") {
panic(fmt.Errorf("Schema file L%d: starts with drop table/index.\n%s", lineCount, trimmed))
}
}
if err := scanner.Err(); err != nil {
fmt.Println("reading standard input:", err)
}
}
// DiscordError extracts the errorcode discord sent us
func DiscordError(err error) (code int, msg string) {
err = errors.Cause(err)
if rError, ok := err.(*discordgo.RESTError); ok && rError.Message != nil {
return rError.Message.Code, rError.Message.Message
}
return 0, ""
}
// IsDiscordErr returns true if this was a discord error and one of the codes matches
func IsDiscordErr(err error, codes ...int) bool {
code, _ := DiscordError(err)
for _, v := range codes {
if code == v {
return true
}
}
return false
}
type LoggedExecutedCommand struct {
SmallModel
UserID string
ChannelID string
GuildID string
// Name of command that was triggered
Command string
// Raw command with arguments passed
RawCommand string
// If command returned any error this will be no-empty
Error string
TimeStamp time.Time
ResponseTime int64
}
func (l LoggedExecutedCommand) TableName() string {
return "executed_commands"
}
func HumanizePermissions(perms int64) (res []string) {
if perms&discordgo.PermissionAdministrator == discordgo.PermissionAdministrator {
res = append(res, "Administrator")
}
if perms&discordgo.PermissionManageServer == discordgo.PermissionManageServer {
res = append(res, "ManageServer")
}
if perms&discordgo.PermissionReadMessages == discordgo.PermissionReadMessages {
res = append(res, "ReadMessages")
}
if perms&discordgo.PermissionSendMessages == discordgo.PermissionSendMessages {
res = append(res, "SendMessages")
}
if perms&discordgo.PermissionSendTTSMessages == discordgo.PermissionSendTTSMessages {
res = append(res, "SendTTSMessages")
}
if perms&discordgo.PermissionManageMessages == discordgo.PermissionManageMessages {
res = append(res, "ManageMessages")
}
if perms&discordgo.PermissionEmbedLinks == discordgo.PermissionEmbedLinks {
res = append(res, "EmbedLinks")
}
if perms&discordgo.PermissionAttachFiles == discordgo.PermissionAttachFiles {
res = append(res, "AttachFiles")
}
if perms&discordgo.PermissionReadMessageHistory == discordgo.PermissionReadMessageHistory {
res = append(res, "ReadMessageHistory")
}
if perms&discordgo.PermissionMentionEveryone == discordgo.PermissionMentionEveryone {
res = append(res, "MentionEveryone")
}
if perms&discordgo.PermissionUseExternalEmojis == discordgo.PermissionUseExternalEmojis {
res = append(res, "UseExternalEmojis")
}
// Constants for the different bit offsets of voice permissions
if perms&discordgo.PermissionVoiceConnect == discordgo.PermissionVoiceConnect {
res = append(res, "VoiceConnect")
}
if perms&discordgo.PermissionVoiceSpeak == discordgo.PermissionVoiceSpeak {
res = append(res, "VoiceSpeak")
}
if perms&discordgo.PermissionVoiceMuteMembers == discordgo.PermissionVoiceMuteMembers {
res = append(res, "VoiceMuteMembers")
}
if perms&discordgo.PermissionVoiceDeafenMembers == discordgo.PermissionVoiceDeafenMembers {
res = append(res, "VoiceDeafenMembers")
}
if perms&discordgo.PermissionVoiceMoveMembers == discordgo.PermissionVoiceMoveMembers {
res = append(res, "VoiceMoveMembers")
}
if perms&discordgo.PermissionVoiceUseVAD == discordgo.PermissionVoiceUseVAD {
res = append(res, "VoiceUseVAD")
}
// Constants for general management.
if perms&discordgo.PermissionChangeNickname == discordgo.PermissionChangeNickname {
res = append(res, "ChangeNickname")
}
if perms&discordgo.PermissionManageNicknames == discordgo.PermissionManageNicknames {
res = append(res, "ManageNicknames")
}
if perms&discordgo.PermissionManageRoles == discordgo.PermissionManageRoles {
res = append(res, "ManageRoles")
}
if perms&discordgo.PermissionManageWebhooks == discordgo.PermissionManageWebhooks {
res = append(res, "ManageWebhooks")
}
if perms&discordgo.PermissionManageEmojis == discordgo.PermissionManageEmojis {
res = append(res, "ManageEmojis")
}
if perms&discordgo.PermissionCreateInstantInvite == discordgo.PermissionCreateInstantInvite {
res = append(res, "CreateInstantInvite")
}
if perms&discordgo.PermissionKickMembers == discordgo.PermissionKickMembers {
res = append(res, "KickMembers")
}
if perms&discordgo.PermissionBanMembers == discordgo.PermissionBanMembers {
res = append(res, "BanMembers")
}
if perms&discordgo.PermissionManageChannels == discordgo.PermissionManageChannels {
res = append(res, "ManageChannels")
}
if perms&discordgo.PermissionAddReactions == discordgo.PermissionAddReactions {
res = append(res, "AddReactions")
}
if perms&discordgo.PermissionViewAuditLogs == discordgo.PermissionViewAuditLogs {
res = append(res, "ViewAuditLogs")
}
return
}
func LogIgnoreError(err error, msg string, data log.Fields) {
if err == nil {
return
}
l := log.WithError(err)
if data != nil {
l = l.WithFields(data)
}
l.Error(msg)
}
func ErrPQIsUniqueViolation(err error) bool {
if err == nil {
return false
}
if cast, ok := errors.Cause(err).(*pq.Error); ok {
if cast.Code == "23505" {
return true
}
}
return false
}
func GetJoinedServerCount() (int64, error) {
var count int64
err := RedisPool.Do(radix.Cmd(&count, "SCARD", "connected_guilds"))
return count, err
}
func BotIsOnGuild(guildID int64) (bool, error) {
isOnGuild := false
err := RedisPool.Do(radix.FlatCmd(&isOnGuild, "SISMEMBER", "connected_guilds", guildID))
return isOnGuild, err
}