arikawa/bot/ctx_call.go

453 lines
8.9 KiB
Go
Raw Normal View History

2020-01-19 06:06:00 +00:00
package bot
import (
"reflect"
"strings"
"github.com/diamondburned/arikawa/discord"
"github.com/diamondburned/arikawa/gateway"
)
func (ctx *Context) filterEventType(evT reflect.Type) []*CommandContext {
var callers []*CommandContext
var middles []*CommandContext
var found bool
2020-01-19 06:06:00 +00:00
for _, cmd := range ctx.Events {
// Inherit parent's flags
cmd.Flag |= ctx.Flag
// Check if middleware
if cmd.Flag.Is(Middleware) {
continue
}
if cmd.event == evT {
callers = append(callers, cmd)
found = true
2020-01-23 07:20:24 +00:00
}
}
2020-01-19 06:06:00 +00:00
if found {
// Search for middlewares with the same type:
for _, mw := range ctx.mwMethods {
if mw.event == evT {
middles = append(middles, mw)
}
}
}
for _, sub := range ctx.subcommands {
// Reset found status
found = false
for _, cmd := range sub.Events {
// Inherit parent's flags
cmd.Flag |= sub.Flag
// Check if middleware
if cmd.Flag.Is(Middleware) {
continue
}
if cmd.event == evT {
callers = append(callers, cmd)
found = true
2020-01-19 06:06:00 +00:00
}
}
if found {
// Search for middlewares with the same type:
for _, mw := range sub.mwMethods {
if mw.event == evT {
middles = append(middles, mw)
}
}
}
2020-01-23 07:20:24 +00:00
}
2020-01-19 06:06:00 +00:00
return append(middles, callers...)
2020-01-23 07:20:24 +00:00
}
2020-01-19 06:06:00 +00:00
2020-01-23 07:20:24 +00:00
func (ctx *Context) callCmd(ev interface{}) error {
evT := reflect.TypeOf(ev)
2020-01-19 06:06:00 +00:00
var isAdmin *bool // I want to die.
var isGuild *bool
var callers []*CommandContext
// Hit the cache
t, ok := ctx.typeCache.Load(evT)
if ok {
callers = t.([]*CommandContext)
} else {
callers = ctx.filterEventType(evT)
ctx.typeCache.Store(evT, callers)
}
2020-01-23 07:20:24 +00:00
// We can't do the callers[:0] trick here, as it will modify the slice
// inside the sync.Map as well.
var filtered = make([]*CommandContext, 0, len(callers))
2020-01-19 06:06:00 +00:00
for _, cmd := range callers {
// Command flags will inherit its parent Subcommand's flags.
if true &&
!(cmd.Flag.Is(AdminOnly) && !ctx.eventIsAdmin(ev, &isAdmin)) &&
!(cmd.Flag.Is(GuildOnly) && !ctx.eventIsGuild(ev, &isGuild)) {
filtered = append(filtered, cmd)
2020-01-19 06:06:00 +00:00
}
}
2020-01-19 06:06:00 +00:00
for _, c := range filtered {
if err := callWith(c.value, ev); err != nil {
ctx.ErrorLogger(err)
}
2020-01-19 06:06:00 +00:00
}
2020-01-25 22:30:15 +00:00
// We call the messages later, since Hidden handlers will go into the Events
// slice, but we don't want to ignore those handlers either.
if evT == typeMessageCreate {
// safe assertion always
return ctx.callMessageCreate(ev.(*gateway.MessageCreateEvent))
}
return nil
}
2020-01-19 06:06:00 +00:00
func (ctx *Context) callMessageCreate(mc *gateway.MessageCreateEvent) error {
2020-01-19 06:06:00 +00:00
// check if prefix
if !strings.HasPrefix(mc.Content, ctx.Prefix) {
// not a command, ignore
return nil
}
// trim the prefix before splitting, this way multi-words prefices work
content := mc.Content[len(ctx.Prefix):]
if content == "" {
return nil // just the prefix only
}
// parse arguments
args, err := ParseArgs(content)
if err != nil {
return err
}
if len(args) == 0 {
2020-01-19 06:06:00 +00:00
return nil // ???
}
var cmd *CommandContext
var sub *Subcommand
2020-01-19 06:06:00 +00:00
var start int // arg starts from $start
// Check if plumb:
if ctx.plumb {
cmd = ctx.Commands[0]
sub = ctx.Subcommand
start = 0
}
// If not plumb, search for the command
if cmd == nil {
for _, c := range ctx.Commands {
if c.Command == args[0] {
cmd = c
sub = ctx.Subcommand
start = 1
break
}
2020-01-19 06:06:00 +00:00
}
}
// Can't find the command, look for subcommands if len(args) has a 2nd
2020-01-19 06:06:00 +00:00
// entry.
if cmd == nil {
for _, s := range ctx.subcommands {
if s.Command != args[0] {
2020-01-19 06:06:00 +00:00
continue
}
// Check if plumb:
if s.plumb {
cmd = s.Commands[0]
sub = s
start = 1
break
}
// There's no second argument, so we can only look for Plumbed
// subcommands.
if len(args) < 2 {
continue
}
2020-01-19 06:06:00 +00:00
for _, c := range s.Commands {
if c.Command == args[1] {
2020-01-19 06:06:00 +00:00
cmd = c
sub = s
2020-01-19 06:06:00 +00:00
start = 2
2020-01-23 07:20:24 +00:00
// OR the flags
c.Flag |= s.Flag
2020-01-19 06:06:00 +00:00
}
}
if cmd == nil {
return &ErrUnknownCommand{
Command: args[1],
Parent: args[0],
Prefix: ctx.Prefix,
ctx: s.Commands,
}
}
break
2020-01-19 06:06:00 +00:00
}
}
if cmd == nil || start == 0 {
return &ErrUnknownCommand{
Command: args[0],
Prefix: ctx.Prefix,
ctx: ctx.Commands,
}
}
2020-01-23 07:20:24 +00:00
// Check for IsAdmin and IsGuild
if cmd.Flag.Is(GuildOnly) && !mc.GuildID.Valid() {
return nil
}
if cmd.Flag.Is(AdminOnly) {
p, err := ctx.State.Permissions(mc.ChannelID, mc.Author.ID)
if err != nil || !p.Has(discord.PermissionAdministrator) {
return nil
}
}
2020-01-19 06:06:00 +00:00
// Start converting
var argv []reflect.Value
// Here's an edge case: when the handler takes no arguments, we allow that
// anyway, as they might've used the raw content.
if len(cmd.Arguments) < 1 {
goto Call
}
// Check manual or parser
if cmd.Arguments[0].fn == nil {
// Create a zero value instance of this:
v := reflect.New(cmd.Arguments[0].Type)
ret := []reflect.Value{}
2020-01-19 06:06:00 +00:00
switch {
case cmd.Arguments[0].manual != nil:
// Pop out the subcommand name, if there's one:
if sub.Command != "" {
args = args[1:]
}
// Call the manual parse method:
ret = cmd.Arguments[0].manual.Func.Call([]reflect.Value{
v, reflect.ValueOf(args),
})
case cmd.Arguments[0].custom != nil:
// For consistent behavior, clear the subcommand name off:
content = content[len(sub.Command):]
// Trim space if there are any:
content = strings.TrimSpace(content)
// Call the method with the raw unparsed command:
ret = cmd.Arguments[0].custom.Func.Call([]reflect.Value{
v, reflect.ValueOf(content),
})
}
2020-01-19 06:06:00 +00:00
// Check the returned error:
2020-01-19 06:06:00 +00:00
if err := errorReturns(ret); err != nil {
return err
}
// Check if the argument wants a non-pointer:
if cmd.Arguments[0].pointer {
v = v.Elem()
}
// Add the argument to the list of arguments:
2020-01-19 06:06:00 +00:00
argv = append(argv, v)
goto Call
}
// Not enough arguments given
if len(args[start:]) != len(cmd.Arguments) {
2020-01-19 06:06:00 +00:00
return &ErrInvalidUsage{
Args: args,
Prefix: ctx.Prefix,
Index: len(args) - 1,
2020-01-19 06:06:00 +00:00
Err: "Not enough arguments given",
2020-01-25 02:51:17 +00:00
Ctx: cmd,
2020-01-19 06:06:00 +00:00
}
}
argv = make([]reflect.Value, len(cmd.Arguments))
2020-01-19 06:06:00 +00:00
for i := start; i < len(args); i++ {
v, err := cmd.Arguments[i-start].fn(args[i])
2020-01-19 06:06:00 +00:00
if err != nil {
return &ErrInvalidUsage{
Args: args,
Prefix: ctx.Prefix,
Index: i,
Err: err.Error(),
2020-01-25 02:51:17 +00:00
Ctx: cmd,
2020-01-19 06:06:00 +00:00
}
}
argv[i-start] = v
}
Call:
// Try calling all middlewares first. We don't need to stack middlewares, as
// there will only be one command match.
for _, mw := range sub.mwMethods {
if err := callWith(mw.value, mc); err != nil {
return err
}
}
2020-01-19 06:06:00 +00:00
// call the function and parse the error return value
return callWith(cmd.value, mc, argv...)
2020-01-19 06:06:00 +00:00
}
func (ctx *Context) eventIsAdmin(ev interface{}, is **bool) bool {
if *is != nil {
return **is
}
var channelID = reflectChannelID(ev)
if !channelID.Valid() {
return false
}
var userID = reflectUserID(ev)
if !userID.Valid() {
return false
}
var res bool
p, err := ctx.State.Permissions(channelID, userID)
if err == nil && p.Has(discord.PermissionAdministrator) {
res = true
}
*is = &res
return res
}
2020-01-23 07:20:24 +00:00
func (ctx *Context) eventIsGuild(ev interface{}, is **bool) bool {
if *is != nil {
return **is
}
var channelID = reflectChannelID(ev)
if !channelID.Valid() {
return false
}
c, err := ctx.State.Channel(channelID)
if err != nil {
return false
}
res := c.GuildID.Valid()
*is = &res
return res
}
2020-01-19 06:06:00 +00:00
func callWith(caller reflect.Value, ev interface{}, values ...reflect.Value) error {
return errorReturns(caller.Call(append(
[]reflect.Value{reflect.ValueOf(ev)},
values...,
)))
}
func errorReturns(returns []reflect.Value) error {
// assume first is always error, since we checked for this in parseCommands
v := returns[0].Interface()
if v == nil {
return nil
}
return v.(error)
}
func reflectChannelID(_struct interface{}) discord.Snowflake {
return _reflectID(reflect.ValueOf(_struct), "Channel")
}
func reflectGuildID(_struct interface{}) discord.Snowflake {
return _reflectID(reflect.ValueOf(_struct), "Guild")
}
func reflectUserID(_struct interface{}) discord.Snowflake {
return _reflectID(reflect.ValueOf(_struct), "User")
}
func _reflectID(v reflect.Value, thing string) discord.Snowflake {
if !v.IsValid() {
return 0
}
t := v.Type()
if t.Kind() == reflect.Ptr {
v = v.Elem()
// Recheck after dereferring
if !v.IsValid() {
return 0
}
t = v.Type()
}
if t.Kind() != reflect.Struct {
return 0
}
numFields := t.NumField()
for i := 0; i < numFields; i++ {
field := t.Field(i)
fType := field.Type
if fType.Kind() == reflect.Ptr {
fType = fType.Elem()
}
switch fType.Kind() {
case reflect.Struct:
if chID := _reflectID(v.Field(i), thing); chID.Valid() {
return chID
}
case reflect.Int64:
if field.Name == thing+"ID" {
// grab value real quick
return discord.Snowflake(v.Field(i).Int())
}
// Special case where the struct name has Channel in it
if field.Name == "ID" && strings.Contains(t.Name(), thing) {
return discord.Snowflake(v.Field(i).Int())
}
}
}
return 0
}