/[sudobot]/branches/7.x/src/commands/moderation/SoftBanCommand.ts
ViewVC logotype

Contents of /branches/7.x/src/commands/moderation/SoftBanCommand.ts

Parent Directory Parent Directory | Revision Log Revision Log


Revision 577 - (show annotations)
Mon Jul 29 18:52:37 2024 UTC (8 months ago) by rakinar2
File MIME type: application/typescript
File size: 7731 byte(s)
chore: add old version archive branches (2.x to 9.x-dev)
1 /*
2 * This file is part of SudoBot.
3 *
4 * Copyright (C) 2021-2023 OSN Developers.
5 *
6 * SudoBot is free software; you can redistribute it and/or modify it
7 * under the terms of the GNU Affero General Public License as published by
8 * the Free Software Foundation, either version 3 of the License, or
9 * (at your option) any later version.
10 *
11 * SudoBot is distributed in the hope that it will be useful, but
12 * WITHOUT ANY WARRANTY; without even the implied warranty of
13 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14 * GNU Affero General Public License for more details.
15 *
16 * You should have received a copy of the GNU Affero General Public License
17 * along with SudoBot. If not, see <https://www.gnu.org/licenses/>.
18 */
19
20 import { formatDistanceToNow } from "date-fns";
21 import { GuildMember, PermissionsBitField, SlashCommandBuilder, User, escapeMarkdown } from "discord.js";
22 import Command, { ArgumentType, BasicCommandContext, CommandMessage, CommandReturn, ValidationRule } from "../../core/Command";
23 import { stringToTimeInterval } from "../../utils/datetime";
24 import { logError } from "../../utils/logger";
25 import { createModerationEmbed } from "../../utils/utils";
26
27 export default class SoftBanCommand extends Command {
28 public readonly name = "softban";
29 public readonly validationRules: ValidationRule[] = [
30 {
31 types: [ArgumentType.User],
32 entity: true,
33 errors: {
34 required: "You must specify a user to ban!",
35 "type:invalid": "You have specified an invalid user mention or ID.",
36 "entity:null": "The given user does not exist!"
37 },
38 name: "user"
39 },
40 {
41 types: [ArgumentType.TimeInterval, ArgumentType.StringRest],
42 optional: true,
43 errors: {
44 "type:invalid":
45 "You have specified an invalid argument. The system expected you to provide a ban reason or the message deletion timeframe here.",
46 "time:range": "The message deletion range must be a time interval from 0 second to 604800 seconds (7 days)."
47 },
48 string: {
49 maxLength: 3999
50 },
51 time: {
52 min: 0,
53 max: 604800
54 },
55 name: "timeframeOrReason",
56 default: 604800
57 },
58 {
59 types: [ArgumentType.StringRest],
60 optional: true,
61 errors: {
62 "type:invalid": "You have specified an invalid ban reason."
63 },
64 string: {
65 maxLength: 3999
66 },
67 name: "reason"
68 }
69 ];
70 public readonly permissions = [PermissionsBitField.Flags.BanMembers];
71
72 public readonly description = "Softbans a user.";
73 public readonly detailedDescription =
74 "This command bans a user, then unbans immediately. This is helpful if you want to remove the recent messages by a user.";
75 public readonly argumentSyntaxes = ["<UserID|UserMention> [Reason]", "<UserID|UserMention> [MessageDeletionTime] [Reason]"];
76
77 public readonly botRequiredPermissions = [PermissionsBitField.Flags.BanMembers];
78
79 public readonly slashCommandBuilder = new SlashCommandBuilder()
80 .addUserOption(option => option.setName("user").setDescription("The user").setRequired(true))
81 .addStringOption(option => option.setName("reason").setDescription("The reason for softbanning this user"))
82 .addStringOption(option =>
83 option
84 .setName("deletion_timeframe")
85 .setDescription("The message deletion timeframe, defaults to 7 days (must be in range 0-7 days)")
86 )
87 .addBooleanOption(option =>
88 option
89 .setName("silent")
90 .setDescription("Specify if the system should not notify the user about this action. Defaults to false")
91 );
92
93 async execute(message: CommandMessage, context: BasicCommandContext): Promise<CommandReturn> {
94 await this.deferIfInteraction(message);
95
96 const user: User = context.isLegacy ? context.parsedNamedArgs.user : context.options.getUser("user", true);
97
98 let messageDeletionTimeframe = !context.isLegacy
99 ? undefined
100 : typeof context.parsedNamedArgs.timeframeOrReason === "number"
101 ? context.parsedNamedArgs.timeframeOrReason
102 : undefined;
103 const reason = !context.isLegacy
104 ? context.options.getString("reason") ?? undefined
105 : typeof context.parsedNamedArgs.timeframeOrReason === "string"
106 ? context.parsedNamedArgs.timeframeOrReason
107 : context.parsedNamedArgs.reason;
108
109 ifContextIsNotLegacy: if (!context.isLegacy) {
110 const input = context.options.getString("deletion_timeframe");
111
112 if (!input) break ifContextIsNotLegacy;
113
114 const { result, error } = stringToTimeInterval(input);
115
116 if (error) {
117 await this.deferredReply(message, {
118 content: `${this.emoji("error")} ${error} provided in the \`deletion_timeframe\` option`
119 });
120
121 return;
122 }
123
124 if (result < 0 || result > 604800) {
125 await this.deferredReply(
126 message,
127 `${this.emoji(
128 "error"
129 )} The message deletion range must be a time interval from 0 second to 604800 seconds (7 days).`
130 );
131 return;
132 }
133
134 messageDeletionTimeframe = result;
135 }
136
137 messageDeletionTimeframe ??= 604800;
138
139 try {
140 const member = message.guild!.members.cache.get(user.id) ?? (await message.guild!.members.fetch(user.id));
141
142 if (!(await this.client.permissionManager.shouldModerate(member, message.member! as GuildMember))) {
143 await this.error(message, "You don't have permission to softban this user!");
144 return;
145 }
146 } catch (e) {
147 logError(e);
148 }
149
150 const id = await this.client.infractionManager.createUserSoftban(user, {
151 guild: message.guild!,
152 moderator: message.member!.user as User,
153 deleteMessageSeconds: messageDeletionTimeframe,
154 reason,
155 notifyUser: context.isLegacy ? true : !context.options.getBoolean("silent"),
156 sendLog: true
157 });
158
159 if (!id) {
160 await this.error(message);
161 return;
162 }
163
164 await this.deferredReply(
165 message,
166 {
167 embeds: [
168 await createModerationEmbed({
169 moderator: message.member!.user as User,
170 user,
171 actionDoneName: "softbanned",
172 description: `**${escapeMarkdown(user.tag)}** was softbanned.`,
173 fields: [
174 {
175 name: "Message Deletion",
176 value: messageDeletionTimeframe
177 ? `Timeframe: ${formatDistanceToNow(
178 new Date(Date.now() - messageDeletionTimeframe * 1000)
179 )}\nMessages in this timeframe by this user will be removed.`
180 : "*No message will be deleted*"
181 }
182 ],
183 id: `${id}`,
184 reason
185 })
186 ]
187 },
188 "auto"
189 );
190 }
191 }

[email protected]
ViewVC Help
Powered by ViewVC 1.1.26