/[sudobot]/branches/4.x/src/commands/information/ProfileCommand.ts
ViewVC logotype

Contents of /branches/4.x/src/commands/information/ProfileCommand.ts

Parent Directory Parent Directory | Revision Log Revision Log


Revision 577 - (show annotations)
Mon Jul 29 18:52:37 2024 UTC (8 months, 1 week ago) by rakinar2
File MIME type: application/typescript
File size: 14133 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-2022 OSN Inc.
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 { CommandInteraction, Guild, GuildMember, Message, MessageActionRow, MessageButton, Permissions, User, UserFlags, Util } from 'discord.js';
21 import BaseCommand from '../../utils/structures/BaseCommand';
22 import DiscordClient from '../../client/Client';
23 import CommandOptions from '../../types/CommandOptions';
24 import InteractionOptions from '../../types/InteractionOptions';
25 import MessageEmbed from '../../client/MessageEmbed';
26 import getMember from '../../utils/getMember';
27 import { timeSince } from '../../utils/util';
28 import { roleMention } from '@discordjs/builders';
29 import Profile from '../../models/Profile';
30 import Pagination from '../../utils/Pagination';
31 import { emoji } from '../../utils/Emoji';
32
33 export const getUserBadges = (user: User) => {
34 const { FLAGS } = UserFlags;
35
36 const badges = [];
37
38 if (user.flags?.has(FLAGS.BUGHUNTER_LEVEL_1))
39 badges.push('Bughunter Level 1');
40 if (user.flags?.has(FLAGS.BUGHUNTER_LEVEL_2))
41 badges.push('Bughunter Level 2');
42 if (user.flags?.has(FLAGS.DISCORD_CERTIFIED_MODERATOR))
43 badges.push('Discord Certified Moderator');
44 if (user.flags?.has(FLAGS.DISCORD_EMPLOYEE))
45 badges.push('Discord Staff');
46 if (user.flags?.has(FLAGS.EARLY_SUPPORTER))
47 badges.push('Early Nitro Supporter');
48 if (user.flags?.has(FLAGS.EARLY_VERIFIED_BOT_DEVELOPER))
49 badges.push('Early Verified Bot Developer');
50 if (user.flags?.has(FLAGS.HOUSE_BALANCE))
51 badges.push('HypeSquad Balance');
52 if (user.flags?.has(FLAGS.HOUSE_BRILLIANCE))
53 badges.push('HypeSquad Brilliance');
54 if (user.flags?.has(FLAGS.HOUSE_BRAVERY))
55 badges.push('HypeSquad Bravery');
56 if (user.flags?.has(FLAGS.HYPESQUAD_EVENTS))
57 badges.push('HypeSquad Events');
58 if (user.flags?.has(FLAGS.PARTNERED_SERVER_OWNER))
59 badges.push('Partnered Server Owner');
60 if (user.flags?.has(FLAGS.BOT_HTTP_INTERACTIONS))
61 badges.push('Supports Interactions');
62 if (user.flags?.has(FLAGS.VERIFIED_BOT))
63 badges.push('Verified Bot');
64
65 return badges.map(b => `🔵 ${b}`);
66 };
67
68 export function getPermissionLevel({ permissions, guild, id }: { id: string, permissions: GuildMember["permissions"], guild: Guild }, string: boolean = false) {
69 if (guild.ownerId === id) {
70 return string ? "100" : 100;
71 }
72
73 const allBits = Object.values(Permissions.FLAGS).length;
74 const array = permissions.toArray();
75
76 if (array.includes('ADMINISTRATOR')) {
77 return string ? "100" : 100;
78 }
79
80 const percentage = (array.length / allBits) * 100;
81
82 return string ? percentage.toString() : percentage;
83 }
84
85 export default class ProfileCommand extends BaseCommand {
86 supportsInteractions: boolean = true;
87
88 constructor() {
89 super('profile', 'information', []);
90 }
91
92 async run(client: DiscordClient, msg: Message | CommandInteraction, options: CommandOptions | InteractionOptions) {
93 let member: GuildMember | null = null;
94
95 if (msg instanceof CommandInteraction && options.isInteraction) {
96 if (options.options.getMember('user'))
97 member = <GuildMember> await options.options.getMember('user');
98 else
99 member = <GuildMember> msg.member!;
100
101 await msg.deferReply();
102 }
103 else if (msg instanceof Message && !options.isInteraction) {
104 if (options.normalArgs[0]) {
105 try {
106 const tempMember = await getMember(msg, options);
107
108 if (!tempMember)
109 throw new Error();
110
111 member = tempMember;
112 }
113 catch (e) {
114 console.log(e);
115
116 await msg.reply({
117 embeds: [
118 new MessageEmbed()
119 .setColor('#f14a60')
120 .setDescription(':x: The user doesn\'t exist or not a member of this server.')
121 ]
122 });
123
124 return;
125 }
126 }
127 else {
128 member = msg.member!;
129 }
130 }
131
132 const status = (s: 'idle' | 'online' | 'dnd' | 'invisible' | null | undefined): string => {
133 if (s === 'idle')
134 return 'Idle';
135 else if (s === 'dnd')
136 return 'Do not disturb';
137 else if (s === 'online')
138 return 'Online';
139 else if (s === undefined || s === null || s === 'invisible')
140 return 'Offline/Invisible';
141
142 return s;
143 };
144
145 const statusText = '' + ((member?.presence?.clientStatus?.desktop ? 'Desktop (' + status(member?.presence?.clientStatus?.desktop) + ')\n' : '') + (member?.presence?.clientStatus?.web ? 'Web (' + status(member?.presence?.clientStatus?.web) + ')\n' : '') + (member?.presence?.clientStatus?.mobile ? 'Mobile (' + status(member?.presence?.clientStatus?.mobile) + ')' : ''));
146 // const state = user?.presence?.activities.find(a => a.type === 'CUSTOM')?.state;
147 let activities: string[] | string = [];
148
149 if (member?.presence) {
150 for (const a of member?.presence?.activities.values()!) {
151 console.log(a);
152
153 if (a.type === 'CUSTOM') {
154 activities.push(`${a.emoji ? `${a.emoji.toString()} ` : ''}${a.state}`);
155 }
156 else if (a.type === 'LISTENING') {
157 if (a.name === 'Spotify') {
158 const url = a.syncId ? `https://open.spotify.com/track/${a.syncId}` : null;
159 activities.push(`:notes: Listening to **Spotify**: ${url ? '[' : '**'}${a.state?.replace(/\;/, ',')} - ${a.details}${url ? '](' + url + ')' : '**'}`);
160 continue;
161 }
162
163 activities.push(`:musical_note: Listening to **${a.name}**`);
164 }
165 else if (a.type === 'COMPETING') {
166 activities.push(`:fire: Competing **${a.name}**`);
167 }
168 else if (a.type === 'PLAYING') {
169 activities.push(`:video_game: Playing **${a.name}**`);
170 }
171 else if (a.type === 'STREAMING') {
172 activities.push(`:video_camera: Streaming **${a.name}**`);
173 }
174 else if (a.type === 'WATCHING') {
175 activities.push(`:tv: Watching **${a.name}**`);
176 }
177 }
178 }
179
180 activities = activities.join('\n');
181
182 const allRoles = [...member!.roles.cache.values()].filter(role => role.id !== msg.guild!.id).sort((role1, role2) => {
183 return role2.position - role1.position;
184 });
185 const limit = 10;
186 const roles = (allRoles.length > limit ? allRoles.slice(0, limit) : allRoles).reduce((acc, value) => `${acc} ${roleMention(value.id)}`, '')!.trim()!;
187 const fields: { name: string, value: string, inline?: boolean }[] = [
188 {
189 name: "Nickname",
190 value: `${member!.nickname?.replace(/\*\<\>\@\_\~\|/g, '') ?? '*Nickname not set*'}`
191 },
192 {
193 name: "Account Created",
194 value: `${member!.user.createdAt.toLocaleDateString('en-US')} (${timeSince(member!.user.createdTimestamp)})`
195 },
196 {
197 name: "Joined at",
198 value: `${member!.joinedAt!.toLocaleDateString('en-US')} (${timeSince(member!.joinedTimestamp!)})`
199 },
200 {
201 name: 'Active Devices',
202 value: `${statusText === '' ? 'Offline/Invisible' : statusText}`
203 },
204 {
205 name: 'Status',
206 value: `${activities?.trim() === '' ? '*No status set*' : activities}`
207 },
208 {
209 name: 'Roles',
210 value: roles === '' ? '*No roles assigned*' : `${roles} ${allRoles.length > limit ? `**+ ${allRoles.length - limit} More**` : ''}`
211 },
212 ];
213
214 const fields2: { name: string, value: string, inline?: boolean }[] = [];
215
216 const badges = getUserBadges(member!.user);
217
218 if (badges.length > 0) {
219 fields2.push({
220 name: 'Badges',
221 value: badges.join("\n")
222 });
223 }
224
225 const profile = await Profile.findOne({
226 user_id: member!.user.id,
227 guild_id: msg.guildId!
228 });
229
230 if (profile) {
231 if (profile.gender) {
232 fields2.push({
233 name: "Gender",
234 inline: true,
235 value: profile.gender
236 });
237 }
238
239 if (profile.pronoun) {
240 fields2.push({
241 name: "Pronoun",
242 inline: true,
243 value: profile.pronoun.replace(/__/g, '/').replace(/_/g, ' ')
244 });
245 }
246
247 if (profile.age) {
248 fields2.push({
249 name: "Age",
250 inline: true,
251 value: profile.age + ''
252 });
253 }
254
255 if (profile.hobbies) {
256 fields2.push({
257 name: "Hobbies",
258 value: profile.hobbies
259 });
260 }
261
262 if (profile.continent) {
263 fields2.push({
264 name: "Continent",
265 inline: true,
266 value: profile.continent.replace(/_/g, ' ')
267 });
268 }
269
270 if (profile.zodiac) {
271 fields2.push({
272 name: "Zodiac Sign",
273 inline: true,
274 value: `:${profile.zodiac.toLowerCase()}: ${profile.zodiac}`
275 });
276 }
277
278 if (profile.job) {
279 fields2.push({
280 name: "Job/Occupation",
281 inline: true,
282 value: Util.escapeMarkdown(profile.job)
283 });
284 }
285
286 if (profile.languages) {
287 fields2.push({
288 name: "Languages Spoken",
289 value: Util.escapeMarkdown(profile.languages)
290 });
291 }
292
293 if (profile.subjects) {
294 fields2.push({
295 name: "Favourite Subjects/Fields",
296 value: Util.escapeMarkdown(profile.subjects),
297 });
298 }
299 }
300
301 let banner: string | undefined;
302
303 try {
304 await member?.user.fetch(true);
305 banner = member!.user!.bannerURL({ size: 4096, dynamic: true }) ?? undefined;
306 }
307 catch (e) {
308 console.log(e);
309 }
310
311 console.log("Banner", banner, member!.user!.banner);
312
313 let percentage = <string> getPermissionLevel(member!, true);
314 percentage = percentage.includes('.') ? percentage.substring(0, percentage.indexOf('.')) : percentage;
315
316 const pagination = new Pagination([1, 2], {
317 embedBuilder({ currentPage }) {
318 return new MessageEmbed({
319 image: {
320 url: banner,
321 },
322 description: profile?.bio ?? undefined
323 })
324 .setColor(member!.user!.hexAccentColor ? member!.user!.hexAccentColor! : '#007bff')
325 .setAuthor({
326 name: member?.user.tag!,
327 iconURL: member!.user.displayAvatarURL()
328 })
329 .setThumbnail(member!.displayAvatarURL({
330 size: 4096,
331 dynamic: true
332 }))
333 .setFields(currentPage === 1 ? fields : fields2)
334 .setFooter({
335 text: `${member?.user.bot ? 'Bot' : 'User'} • ${member!.id} • ${currentPage === 1 ? "General Info" : "More Info"} • Has ${percentage.toString()}% permissions`
336 });
337 },
338 channel_id: msg.channelId!,
339 guild_id: msg.guildId!,
340 limit: 1,
341 timeout: 150_000,
342 actionRowBuilder({ back, first, last, next }, id) {
343 const actionRow = new MessageActionRow<MessageButton>();
344
345 if (first)
346 actionRow.addComponents(
347 new MessageButton()
348 .setCustomId(`pagination_first_${id}`)
349 .setStyle("SECONDARY")
350 .setEmoji(emoji('ArrowLeft')!)
351 .setLabel("Show General Info")
352 );
353
354 if (last)
355 actionRow.addComponents(
356 new MessageButton()
357 .setCustomId(`pagination_last_${id}`)
358 .setStyle("SECONDARY")
359 .setLabel("Show More Info")
360 );
361
362 return actionRow;
363 },
364 });
365
366 const newMessage = await this.deferReply(msg, await pagination.getMessageOptions());
367 pagination.start(newMessage!).catch(console.error);
368 }
369 }

[email protected]
ViewVC Help
Powered by ViewVC 1.1.26