RegexBot/RegexBot-Modules/AutoResponder/AutoResponder.cs

77 lines
3.1 KiB
C#
Raw Normal View History

2022-04-23 20:01:27 +00:00
using System.Diagnostics;
2022-04-23 20:01:27 +00:00
namespace RegexBot.Modules.AutoResponder;
2022-04-23 20:01:27 +00:00
/// <summary>
/// Provides the capability to define text responses to pattern-based triggers for fun or informational
/// purposes. Although in essence similar to <see cref="RegexModerator.RegexModerator"/>, it is a better
/// fit for non-moderation use cases and has specific features suitable to that end.
/// </summary>
[RegexbotModule]
public class AutoResponder : RegexbotModule {
public AutoResponder(RegexbotClient bot) : base(bot) {
DiscordClient.MessageReceived += DiscordClient_MessageReceived;
}
2022-04-23 20:01:27 +00:00
private async Task DiscordClient_MessageReceived(SocketMessage arg) {
if (!Common.Misc.IsValidUserMessage(arg, out var ch)) return;
2022-04-23 20:01:27 +00:00
var definitions = GetGuildState<IEnumerable<Definition>>(ch.Guild.Id);
if (definitions == null) return; // No configuration in this guild; do no further processing
var tasks = new List<Task>();
foreach (var def in definitions) {
tasks.Add(Task.Run(async () => await ProcessMessageAsync(arg, def)));
}
2022-04-23 20:01:27 +00:00
await Task.WhenAll(tasks);
}
2022-04-23 20:01:27 +00:00
public override Task<object?> CreateGuildStateAsync(ulong guild, JToken config) {
// Guild state is a read-only IEnumerable<Definition>
if (config == null) return Task.FromResult<object?>(null);
var guildDefs = new List<Definition>();
foreach (var defconf in config.Children<JProperty>()) {
// Validation of data is left to the Definition constructor
var def = new Definition(defconf); // ModuleLoadException may be thrown here
guildDefs.Add(def);
// TODO global options
}
2022-04-23 20:01:27 +00:00
return Task.FromResult<object?>(guildDefs.AsReadOnly());
}
private async Task ProcessMessageAsync(SocketMessage msg, Definition def) {
if (!def.Match(msg)) return;
if (def.Command == null) {
await msg.Channel.SendMessageAsync(def.GetResponse());
2022-04-23 20:01:27 +00:00
} else {
var ch = (SocketGuildChannel)msg.Channel;
var cmdline = def.Command.Split(new char[] { ' ' }, 2);
2022-04-23 20:01:27 +00:00
var ps = new ProcessStartInfo() {
FileName = cmdline[0],
Arguments = (cmdline.Length == 2 ? cmdline[1] : ""),
UseShellExecute = false, // ???
CreateNoWindow = true,
RedirectStandardOutput = true
};
using var p = Process.Start(ps)!;
p.WaitForExit(5000); // waiting 5 seconds at most
if (p.HasExited) {
if (p.ExitCode != 0) {
Log(ch.Guild, $"Command execution: Process exited abnormally (with code {p.ExitCode}).");
2022-04-23 20:01:27 +00:00
}
using var stdout = p.StandardOutput;
var result = await stdout.ReadToEndAsync();
if (!string.IsNullOrWhiteSpace(result)) await msg.Channel.SendMessageAsync(result);
} else {
Log(ch.Guild, $"Command execution: Process has not exited in 5 seconds. Killing process.");
2022-04-23 20:01:27 +00:00
p.Kill();
}
}
}
}