merge conflict fixes
commit
09bdc2867e
50
Makefile
50
Makefile
|
@ -1,25 +1,25 @@
|
||||||
# Builds TypeScript & Go
|
# Builds TypeScript & Go
|
||||||
|
|
||||||
check_certificate_files := $(wildcard src/go/checkCertificate/*.go)
|
check_certificate_files := $(wildcard src/go/checkCertificate/*.go)
|
||||||
check_certificate_signatures_files := $(wildcard src/go/checkCertSignatures/*.go)
|
check_certificate_signatures_files := $(wildcard src/go/checkCertSignatures/*.go)
|
||||||
storage_files := $(wildcard src/go/storage/*.go)
|
storage_files := $(wildcard src/go/storage/*.go)
|
||||||
|
|
||||||
all: check_certificate check_cert_signatures storage typescript
|
all: check_certificate check_cert_signatures storage typescript
|
||||||
|
|
||||||
check_certificate:
|
check_certificate:
|
||||||
HOME=/root go build -v -ldflags="-s -w" -o dist/bin/checkCertificate ${check_certificate_files}
|
HOME=/root go build -ldflags="-s -w" -o dist/bin/checkCertificate ${check_certificate_files}
|
||||||
@chmod 740 dist/bin/checkCertificate
|
@chmod 740 dist/bin/checkCertificate
|
||||||
file dist/bin/checkCertificate
|
file dist/bin/checkCertificate
|
||||||
|
|
||||||
check_cert_signatures:
|
check_cert_signatures:
|
||||||
HOME=/root go build -v -ldflags="-s -w" -o dist/bin/checkCertSignatures ${check_certificate_signatures_files}
|
HOME=/root go build -ldflags="-s -w" -o dist/bin/checkCertSignatures ${check_certificate_signatures_files}
|
||||||
@chmod 740 dist/bin/checkCertSignatures
|
@chmod 740 dist/bin/checkCertSignatures
|
||||||
file dist/bin/checkCertSignatures
|
file dist/bin/checkCertSignatures
|
||||||
|
|
||||||
storage:
|
storage:
|
||||||
HOME=/root go build -v -ldflags="-s -w" -o dist/bin/storage ${storage_files}
|
HOME=/root go build -ldflags="-s -w" -o dist/bin/storage ${storage_files}
|
||||||
@chmod 740 dist/bin/storage
|
@chmod 740 dist/bin/storage
|
||||||
file dist/bin/storage
|
file dist/bin/storage
|
||||||
|
|
||||||
typescript:
|
typescript:
|
||||||
tsc -p ./tsconfig.json
|
tsc -p ./tsconfig.json
|
||||||
|
|
|
@ -1,155 +1,153 @@
|
||||||
/**
|
/**
|
||||||
* Hold a bunch of something
|
* Hold a bunch of something
|
||||||
*/
|
*/
|
||||||
export default class Collection<V> extends Map<string, V> {
|
export default class Collection<V> extends Map<string, V> {
|
||||||
baseObject: any
|
baseObject: any
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Creates an instance of Collection
|
* Creates an instance of Collection
|
||||||
*/
|
*/
|
||||||
constructor(iterable: any[]|object = null) {
|
constructor(iterable: any[]|object = null) {
|
||||||
if (iterable && iterable instanceof Array) {
|
if (iterable && iterable instanceof Array) {
|
||||||
// @ts-ignore
|
super(iterable);
|
||||||
super(iterable);
|
} else if (iterable && iterable instanceof Object) {
|
||||||
} else if (iterable && iterable instanceof Object) {
|
super(Object.entries(iterable));
|
||||||
// @ts-ignore
|
} else {
|
||||||
super(Object.entries(iterable));
|
super();
|
||||||
} else {
|
}
|
||||||
super();
|
}
|
||||||
}
|
|
||||||
}
|
/**
|
||||||
|
* Map to array
|
||||||
/**
|
* ```js
|
||||||
* Map to array
|
* [value, value, value]
|
||||||
* ```js
|
* ```
|
||||||
* [value, value, value]
|
*/
|
||||||
* ```
|
toArray(): V[] {
|
||||||
*/
|
return [...this.values()];
|
||||||
toArray(): V[] {
|
}
|
||||||
return [...this.values()];
|
|
||||||
}
|
/**
|
||||||
|
* Map to object
|
||||||
/**
|
* ```js
|
||||||
* Map to object
|
* { key: value, key: value, key: value }
|
||||||
* ```js
|
* ```
|
||||||
* { key: value, key: value, key: value }
|
*/
|
||||||
* ```
|
toObject(): object {
|
||||||
*/
|
const obj: object = {};
|
||||||
toObject(): object {
|
for (const [key, value] of this.entries()) {
|
||||||
const obj: object = {};
|
obj[key] = value;
|
||||||
for (const [key, value] of this.entries()) {
|
}
|
||||||
obj[key] = value;
|
return obj;
|
||||||
}
|
}
|
||||||
return obj;
|
|
||||||
}
|
/**
|
||||||
|
* Add an object
|
||||||
/**
|
*
|
||||||
* Add an object
|
* If baseObject, add only if instance of baseObject
|
||||||
*
|
*
|
||||||
* If baseObject, add only if instance of baseObject
|
* If no baseObject, add
|
||||||
*
|
* @param key The key of the object
|
||||||
* If no baseObject, add
|
* @param value The object data
|
||||||
* @param key The key of the object
|
* @param replace Whether to replace an existing object with the same key
|
||||||
* @param value The object data
|
* @return The existing or newly created object
|
||||||
* @param replace Whether to replace an existing object with the same key
|
*/
|
||||||
* @return The existing or newly created object
|
add(key: string, value: V, replace: boolean = false): V {
|
||||||
*/
|
if (this.has(key) && !replace) {
|
||||||
add(key: string, value: V, replace: boolean = false): V {
|
return this.get(key);
|
||||||
if (this.has(key) && !replace) {
|
}
|
||||||
return this.get(key);
|
if (this.baseObject && !(value instanceof this.baseObject)) return null;
|
||||||
}
|
|
||||||
if (this.baseObject && !(value instanceof this.baseObject)) return null;
|
this.set(key, value);
|
||||||
|
return value;
|
||||||
this.set(key, value);
|
}
|
||||||
return value;
|
|
||||||
}
|
/**
|
||||||
|
* Return the first object to make the function evaluate true
|
||||||
/**
|
* @param func A function that takes an object and returns something
|
||||||
* Return the first object to make the function evaluate true
|
* @return The first matching object, or `null` if no match
|
||||||
* @param func A function that takes an object and returns something
|
*/
|
||||||
* @return The first matching object, or `null` if no match
|
find(func: Function): V {
|
||||||
*/
|
for (const item of this.values()) {
|
||||||
find(func: Function): V {
|
if (func(item)) return item;
|
||||||
for (const item of this.values()) {
|
}
|
||||||
if (func(item)) return item;
|
return null;
|
||||||
}
|
}
|
||||||
return null;
|
|
||||||
}
|
/**
|
||||||
|
* Return an array with the results of applying the given function to each element
|
||||||
/**
|
* @param callbackfn A function that takes an object and returns something
|
||||||
* Return an array with the results of applying the given function to each element
|
*/
|
||||||
* @param callbackfn A function that takes an object and returns something
|
map<U>(callbackfn: (value?: V, index?: number, array?: V[]) => U): U[] {
|
||||||
*/
|
const arr = [];
|
||||||
map<U>(callbackfn: (value?: V, index?: number, array?: V[]) => U): U[] {
|
for (const item of this.values()) {
|
||||||
const arr = [];
|
arr.push(callbackfn(item));
|
||||||
for (const item of this.values()) {
|
}
|
||||||
arr.push(callbackfn(item));
|
return arr;
|
||||||
}
|
}
|
||||||
return arr;
|
|
||||||
}
|
/**
|
||||||
|
* Return all the objects that make the function evaluate true
|
||||||
/**
|
* @param func A function that takes an object and returns true if it matches
|
||||||
* Return all the objects that make the function evaluate true
|
*/
|
||||||
* @param func A function that takes an object and returns true if it matches
|
filter(func: Function): V[] {
|
||||||
*/
|
const arr = [];
|
||||||
filter(func: Function): V[] {
|
for (const item of this.values()) {
|
||||||
const arr = [];
|
if (func(item)) {
|
||||||
for (const item of this.values()) {
|
arr.push(item);
|
||||||
if (func(item)) {
|
}
|
||||||
arr.push(item);
|
}
|
||||||
}
|
return arr;
|
||||||
}
|
}
|
||||||
return arr;
|
|
||||||
}
|
/**
|
||||||
|
* Test if at least one element passes the test implemented by the provided function. Returns true if yes, or false if not.
|
||||||
/**
|
* @param func A function that takes an object and returns true if it matches
|
||||||
* Test if at least one element passes the test implemented by the provided function. Returns true if yes, or false if not.
|
*/
|
||||||
* @param func A function that takes an object and returns true if it matches
|
some(func: Function) {
|
||||||
*/
|
for (const item of this.values()) {
|
||||||
some(func: Function) {
|
if (func(item)) {
|
||||||
for (const item of this.values()) {
|
return true;
|
||||||
if (func(item)) {
|
}
|
||||||
return true;
|
}
|
||||||
}
|
return false;
|
||||||
}
|
}
|
||||||
return false;
|
|
||||||
}
|
/**
|
||||||
|
* Update an object
|
||||||
/**
|
* @param key The key of the object
|
||||||
* Update an object
|
* @param value The updated object data
|
||||||
* @param key The key of the object
|
*/
|
||||||
* @param value The updated object data
|
update(key: string, value: V) {
|
||||||
*/
|
return this.add(key, value, true);
|
||||||
update(key: string, value: V) {
|
}
|
||||||
return this.add(key, value, true);
|
|
||||||
}
|
/**
|
||||||
|
* Remove an object
|
||||||
/**
|
* @param key The key of the object
|
||||||
* Remove an object
|
* @returns The removed object, or `null` if nothing was removed
|
||||||
* @param key The key of the object
|
*/
|
||||||
* @returns The removed object, or `null` if nothing was removed
|
remove(key: string): V {
|
||||||
*/
|
const item = this.get(key);
|
||||||
remove(key: string): V {
|
if (!item) {
|
||||||
const item = this.get(key);
|
return null;
|
||||||
if (!item) {
|
}
|
||||||
return null;
|
this.delete(key);
|
||||||
}
|
return item;
|
||||||
this.delete(key);
|
}
|
||||||
return item;
|
|
||||||
}
|
/**
|
||||||
|
* Get a random object from the Collection
|
||||||
/**
|
* @returns The random object or `null` if empty
|
||||||
* Get a random object from the Collection
|
*/
|
||||||
* @returns The random object or `null` if empty
|
random(): V {
|
||||||
*/
|
if (!this.size) {
|
||||||
random(): V {
|
return null;
|
||||||
if (!this.size) {
|
}
|
||||||
return null;
|
return Array.from(this.values())[Math.floor(Math.random() * this.size)];
|
||||||
}
|
}
|
||||||
return Array.from(this.values())[Math.floor(Math.random() * this.size)];
|
|
||||||
}
|
toString() {
|
||||||
|
return `[Collection<${this.baseObject.name}>]`;
|
||||||
toString() {
|
}
|
||||||
return `[Collection<${this.baseObject.name}>]`;
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,176 +1,176 @@
|
||||||
/* eslint-disable no-param-reassign */
|
/* eslint-disable no-param-reassign */
|
||||||
|
|
||||||
export default class RichEmbed {
|
export default class RichEmbed {
|
||||||
title?: string
|
title?: string
|
||||||
|
|
||||||
type?: string
|
type?: string
|
||||||
|
|
||||||
description?: string
|
description?: string
|
||||||
|
|
||||||
url?: string
|
url?: string
|
||||||
|
|
||||||
timestamp?: Date
|
timestamp?: Date
|
||||||
|
|
||||||
color?: number
|
color?: number
|
||||||
|
|
||||||
footer?: { text: string, icon_url?: string, proxy_icon_url?: string}
|
footer?: { text: string, icon_url?: string, proxy_icon_url?: string}
|
||||||
|
|
||||||
image?: { url?: string, proxy_url?: string, height?: number, width?: number }
|
image?: { url: string, proxy_url?: string, height?: number, width?: number }
|
||||||
|
|
||||||
thumbnail?: { url?: string, proxy_url?: string, height?: number, width?: number }
|
thumbnail?: { url?: string, proxy_url?: string, height?: number, width?: number }
|
||||||
|
|
||||||
video?: { url?: string, height?: number, width?: number }
|
video?: { url: string, height?: number, width?: number }
|
||||||
|
|
||||||
provider?: { name?: string, url?: string}
|
provider?: { name: string, url?: string}
|
||||||
|
|
||||||
author?: { name?: string, url?: string, proxy_icon_url?: string, icon_url?: string}
|
author?: { name: string, url?: string, proxy_icon_url?: string, icon_url?: string}
|
||||||
|
|
||||||
fields?: {name: string, value: string, inline?: boolean}[]
|
fields?: {name: string, value: string, inline?: boolean}[]
|
||||||
|
|
||||||
constructor(data: {
|
constructor(data: {
|
||||||
title?: string, type?: string, description?: string, url?: string, timestamp?: Date, color?: number, fields?: {name: string, value: string, inline?: boolean}[]
|
title?: string, type?: string, description?: string, url?: string, timestamp?: Date, color?: number, fields?: {name: string, value: string, inline?: boolean}[]
|
||||||
footer?: { text: string, icon_url?: string, proxy_icon_url?: string}, image?: { url?: string, proxy_url?: string, height?: number, width?: number },
|
footer?: { text: string, icon_url?: string, proxy_icon_url?: string}, image?: { url: string, proxy_url?: string, height?: number, width?: number },
|
||||||
thumbnail?: { url?: string, proxy_url?: string, height?: number, width?: number }, video?: { url?: string, height?: number, width?: number },
|
thumbnail?: { url: string, proxy_url?: string, height?: number, width?: number }, video?: { url: string, height?: number, width?: number },
|
||||||
provider?: { name?: string, url?: string}, author?: { name?: string, url?: string, proxy_icon_url?: string, icon_url?: string},
|
provider?: { name: string, url?: string}, author?: { name: string, url?: string, proxy_icon_url?: string, icon_url?: string},
|
||||||
} = {}) {
|
} = {}) {
|
||||||
/*
|
/*
|
||||||
let types: {
|
let types: {
|
||||||
title?: string, type?: string, description?: string, url?: string, timestamp?: Date, color?: number, fields?: {name: string, value: string, inline?: boolean}[]
|
title?: string, type?: string, description?: string, url?: string, timestamp?: Date, color?: number, fields?: {name: string, value: string, inline?: boolean}[]
|
||||||
footer?: { text: string, icon_url?: string, proxy_icon_url?: string}, image?: { url?: string, proxy_url?: string, height?: number, width?: number },
|
footer?: { text: string, icon_url?: string, proxy_icon_url?: string}, image?: { url?: string, proxy_url?: string, height?: number, width?: number },
|
||||||
thumbnail?: { url?: string, proxy_url?: string, height?: number, width?: number }, video?: { url?: string, height?: number, width?: number },
|
thumbnail?: { url?: string, proxy_url?: string, height?: number, width?: number }, video?: { url?: string, height?: number, width?: number },
|
||||||
provider?: { name?: string, url?: string}, author?: { name?: string, url?: string, proxy_icon_url?: string, icon_url?: string}
|
provider?: { name?: string, url?: string}, author?: { name?: string, url?: string, proxy_icon_url?: string, icon_url?: string}
|
||||||
};
|
};
|
||||||
*/
|
*/
|
||||||
this.title = data.title;
|
this.title = data.title;
|
||||||
this.description = data.description;
|
this.description = data.description;
|
||||||
this.url = data.url;
|
this.url = data.url;
|
||||||
this.color = data.color;
|
this.color = data.color;
|
||||||
this.author = data.author;
|
this.author = data.author;
|
||||||
this.timestamp = data.timestamp;
|
this.timestamp = data.timestamp;
|
||||||
this.fields = data.fields || [];
|
this.fields = data.fields || [];
|
||||||
this.thumbnail = data.thumbnail;
|
this.thumbnail = data.thumbnail;
|
||||||
this.image = data.image;
|
this.image = data.image;
|
||||||
this.footer = data.footer;
|
this.footer = data.footer;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Sets the title of this embed.
|
* Sets the title of this embed.
|
||||||
*/
|
*/
|
||||||
setTitle(title: string) {
|
setTitle(title: string) {
|
||||||
if (typeof title !== 'string') throw new TypeError('RichEmbed titles must be a string.');
|
if (typeof title !== 'string') throw new TypeError('RichEmbed titles must be a string.');
|
||||||
if (title.length > 256) throw new RangeError('RichEmbed titles may not exceed 256 characters.');
|
if (title.length > 256) throw new RangeError('RichEmbed titles may not exceed 256 characters.');
|
||||||
this.title = title;
|
this.title = title;
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Sets the description of this embed.
|
* Sets the description of this embed.
|
||||||
*/
|
*/
|
||||||
setDescription(description: string) {
|
setDescription(description: string) {
|
||||||
if (typeof description !== 'string') throw new TypeError('RichEmbed descriptions must be a string.');
|
if (typeof description !== 'string') throw new TypeError('RichEmbed descriptions must be a string.');
|
||||||
if (description.length > 2048) throw new RangeError('RichEmbed descriptions may not exceed 2048 characters.');
|
if (description.length > 2048) throw new RangeError('RichEmbed descriptions may not exceed 2048 characters.');
|
||||||
this.description = description;
|
this.description = description;
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Sets the URL of this embed.
|
* Sets the URL of this embed.
|
||||||
*/
|
*/
|
||||||
setURL(url: string) {
|
setURL(url: string) {
|
||||||
if (typeof url !== 'string') throw new TypeError('RichEmbed URLs must be a string.');
|
if (typeof url !== 'string') throw new TypeError('RichEmbed URLs must be a string.');
|
||||||
if (!url.startsWith('http://') || !url.startsWith('https://')) url = `https://${url}`;
|
if (!url.startsWith('http://') || !url.startsWith('https://')) url = `https://${url}`;
|
||||||
this.url = url;
|
this.url = url;
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Sets the color of this embed.
|
* Sets the color of this embed.
|
||||||
*/
|
*/
|
||||||
setColor(color: string | number) {
|
setColor(color: string | number) {
|
||||||
if (typeof color === 'string' || typeof color === 'number') {
|
if (typeof color === 'string' || typeof color === 'number') {
|
||||||
if (typeof color === 'string') {
|
if (typeof color === 'string') {
|
||||||
const regex = /[^a-f0-9]/gi;
|
const regex = /[^a-f0-9]/gi;
|
||||||
color = color.replace(/#/g, '');
|
color = color.replace(/#/g, '');
|
||||||
if (regex.test(color)) throw new RangeError('Hexadecimal colours must not contain characters other than 0-9 and a-f.');
|
if (regex.test(color)) throw new RangeError('Hexadecimal colours must not contain characters other than 0-9 and a-f.');
|
||||||
color = parseInt(color, 16);
|
color = parseInt(color, 16);
|
||||||
} else if (color < 0 || color > 16777215) throw new RangeError('Base 10 colours must not be less than 0 or greater than 16777215.');
|
} else if (color < 0 || color > 16777215) throw new RangeError('Base 10 colours must not be less than 0 or greater than 16777215.');
|
||||||
this.color = color;
|
this.color = color;
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
throw new TypeError('RichEmbed colours must be hexadecimal as string or number.');
|
throw new TypeError('RichEmbed colours must be hexadecimal as string or number.');
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Sets the author of this embed.
|
* Sets the author of this embed.
|
||||||
*/
|
*/
|
||||||
setAuthor(name: string, icon_url?: string, url?: string) {
|
setAuthor(name: string, icon_url?: string, url?: string) {
|
||||||
if (typeof name !== 'string') throw new TypeError('RichEmbed Author names must be a string.');
|
if (typeof name !== 'string') throw new TypeError('RichEmbed Author names must be a string.');
|
||||||
if (url && typeof url !== 'string') throw new TypeError('RichEmbed Author URLs must be a string.');
|
if (url && typeof url !== 'string') throw new TypeError('RichEmbed Author URLs must be a string.');
|
||||||
if (icon_url && typeof icon_url !== 'string') throw new TypeError('RichEmbed Author icons must be a string.');
|
if (icon_url && typeof icon_url !== 'string') throw new TypeError('RichEmbed Author icons must be a string.');
|
||||||
this.author = { name, icon_url, url };
|
this.author = { name, icon_url, url };
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Sets the timestamp of this embed.
|
* Sets the timestamp of this embed.
|
||||||
*/
|
*/
|
||||||
setTimestamp(timestamp = new Date()) {
|
setTimestamp(timestamp = new Date()) {
|
||||||
// eslint-disable-next-line no-restricted-globals
|
// eslint-disable-next-line no-restricted-globals
|
||||||
if (isNaN(timestamp.getTime())) throw new TypeError('Expecting ISO8601 (Date constructor)');
|
if (isNaN(timestamp.getTime())) throw new TypeError('Expecting ISO8601 (Date constructor)');
|
||||||
this.timestamp = timestamp;
|
this.timestamp = timestamp;
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Adds a field to the embed (max 25).
|
* Adds a field to the embed (max 25).
|
||||||
*/
|
*/
|
||||||
addField(name: string, value: string, inline = false) {
|
addField(name: string, value: string, inline = false) {
|
||||||
if (typeof name !== 'string') throw new TypeError('RichEmbed Field names must be a string.');
|
if (typeof name !== 'string') throw new TypeError('RichEmbed Field names must be a string.');
|
||||||
if (typeof value !== 'string') throw new TypeError('RichEmbed Field values must be a string.');
|
if (typeof value !== 'string') throw new TypeError('RichEmbed Field values must be a string.');
|
||||||
if (typeof inline !== 'boolean') throw new TypeError('RichEmbed Field inlines must be a boolean.');
|
if (typeof inline !== 'boolean') throw new TypeError('RichEmbed Field inlines must be a boolean.');
|
||||||
if (this.fields.length >= 25) throw new RangeError('RichEmbeds may not exceed 25 fields.');
|
if (this.fields.length >= 25) throw new RangeError('RichEmbeds may not exceed 25 fields.');
|
||||||
if (name.length > 256) throw new RangeError('RichEmbed field names may not exceed 256 characters.');
|
if (name.length > 256) throw new RangeError('RichEmbed field names may not exceed 256 characters.');
|
||||||
if (!/\S/.test(name)) throw new RangeError('RichEmbed field names may not be empty.');
|
if (!/\S/.test(name)) throw new RangeError('RichEmbed field names may not be empty.');
|
||||||
if (value.length > 1024) throw new RangeError('RichEmbed field values may not exceed 1024 characters.');
|
if (value.length > 1024) throw new RangeError('RichEmbed field values may not exceed 1024 characters.');
|
||||||
if (!/\S/.test(value)) throw new RangeError('RichEmbed field values may not be empty.');
|
if (!/\S/.test(value)) throw new RangeError('RichEmbed field values may not be empty.');
|
||||||
this.fields.push({ name, value, inline });
|
this.fields.push({ name, value, inline });
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Convenience function for `<RichEmbed>.addField('\u200B', '\u200B', inline)`.
|
* Convenience function for `<RichEmbed>.addField('\u200B', '\u200B', inline)`.
|
||||||
*/
|
*/
|
||||||
addBlankField(inline = false) {
|
addBlankField(inline = false) {
|
||||||
return this.addField('\u200B', '\u200B', inline);
|
return this.addField('\u200B', '\u200B', inline);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Set the thumbnail of this embed.
|
* Set the thumbnail of this embed.
|
||||||
*/
|
*/
|
||||||
setThumbnail(url: string) {
|
setThumbnail(url: string) {
|
||||||
if (typeof url !== 'string') throw new TypeError('RichEmbed Thumbnail URLs must be a string.');
|
if (typeof url !== 'string') throw new TypeError('RichEmbed Thumbnail URLs must be a string.');
|
||||||
this.thumbnail = { url };
|
this.thumbnail = { url };
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Set the image of this embed.
|
* Set the image of this embed.
|
||||||
*/
|
*/
|
||||||
setImage(url: string) {
|
setImage(url: string) {
|
||||||
if (typeof url !== 'string') throw new TypeError('RichEmbed Image URLs must be a string.');
|
if (typeof url !== 'string') throw new TypeError('RichEmbed Image URLs must be a string.');
|
||||||
if (!url.startsWith('http://') || !url.startsWith('https://')) url = `https://${url}`;
|
if (!url.startsWith('http://') || !url.startsWith('https://')) url = `https://${url}`;
|
||||||
this.image = { url };
|
this.image = { url };
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Sets the footer of this embed.
|
* Sets the footer of this embed.
|
||||||
*/
|
*/
|
||||||
setFooter(text: string, icon_url?: string) {
|
setFooter(text: string, icon_url?: string) {
|
||||||
if (typeof text !== 'string') throw new TypeError('RichEmbed Footers must be a string.');
|
if (typeof text !== 'string') throw new TypeError('RichEmbed Footers must be a string.');
|
||||||
if (icon_url && typeof icon_url !== 'string') throw new TypeError('RichEmbed Footer icon URLs must be a string.');
|
if (icon_url && typeof icon_url !== 'string') throw new TypeError('RichEmbed Footer icon URLs must be a string.');
|
||||||
if (text.length > 2048) throw new RangeError('RichEmbed footer text may not exceed 2048 characters.');
|
if (text.length > 2048) throw new RangeError('RichEmbed footer text may not exceed 2048 characters.');
|
||||||
this.footer = { text, icon_url };
|
this.footer = { text, icon_url };
|
||||||
return this;
|
return this;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,253 +1,257 @@
|
||||||
/* eslint-disable no-param-reassign */
|
/* eslint-disable no-param-reassign */
|
||||||
import { promisify } from 'util';
|
import { promisify } from 'util';
|
||||||
import childProcess from 'child_process';
|
import childProcess from 'child_process';
|
||||||
import nodemailer from 'nodemailer';
|
import nodemailer from 'nodemailer';
|
||||||
import { Message, PrivateChannel, GroupChannel, Member, User } from 'eris';
|
import { Message, PrivateChannel, GroupChannel, Member, User } from 'eris';
|
||||||
import uuid from 'uuid/v4';
|
import uuid from 'uuid/v4';
|
||||||
import moment from 'moment';
|
import moment from 'moment';
|
||||||
import fs from 'fs';
|
import fs from 'fs';
|
||||||
import os from 'os';
|
import os from 'os';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '.';
|
import { Command, RichEmbed } from '.';
|
||||||
import { ModerationInterface, AccountInterface } from '../models';
|
import { ModerationInterface, AccountInterface } from '../models';
|
||||||
|
|
||||||
export default class Util {
|
export default class Util {
|
||||||
public client: Client;
|
public client: Client;
|
||||||
|
|
||||||
public transport: nodemailer.Transporter;
|
public transport: nodemailer.Transporter;
|
||||||
|
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
this.client = client;
|
this.client = client;
|
||||||
this.transport = nodemailer.createTransport({
|
this.transport = nodemailer.createTransport({
|
||||||
host: 'staff.libraryofcode.org',
|
host: 'staff.libraryofcode.org',
|
||||||
auth: { user: 'support', pass: this.client.config.emailPass },
|
auth: { user: 'support', pass: this.client.config.emailPass },
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Executes a terminal command async.
|
* Executes a terminal command async.
|
||||||
* @param command The command to execute
|
* @param command The command to execute
|
||||||
* @param options childProcess.ExecOptions
|
* @param options childProcess.ExecOptions
|
||||||
*/
|
*/
|
||||||
public async exec(command: string, options: childProcess.ExecOptions = {}): Promise<string> {
|
public async exec(command: string, options: childProcess.ExecOptions = {}): Promise<string> {
|
||||||
const ex = promisify(childProcess.exec);
|
const ex = promisify(childProcess.exec);
|
||||||
let result: string;
|
let result: string;
|
||||||
try {
|
try {
|
||||||
const res = await ex(command, options);
|
const res = await ex(command, options);
|
||||||
result = `${res.stdout}${res.stderr}`;
|
result = `${res.stdout}${res.stderr}`;
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
return Promise.reject(new Error(`Command failed: ${err.cmd}\n${err.stderr}${err.stdout}`));
|
return Promise.reject(new Error(`Command failed: ${err.cmd}\n${err.stderr}${err.stdout}`));
|
||||||
}
|
}
|
||||||
return result;
|
return result;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Resolves a command
|
* Resolves a command
|
||||||
* @param query Command input
|
* @param query Command input
|
||||||
* @param message Only used to check for errors
|
* @param message Only used to check for errors
|
||||||
*/
|
*/
|
||||||
public resolveCommand(query: string | string[], message?: Message): Promise<{cmd: Command, args: string[] }> {
|
public resolveCommand(query: string | string[], message?: Message): Promise<{cmd: Command, args: string[] }> {
|
||||||
try {
|
try {
|
||||||
let resolvedCommand: Command;
|
let resolvedCommand: Command;
|
||||||
if (typeof query === 'string') query = query.split(' ');
|
if (typeof query === 'string') query = query.split(' ');
|
||||||
const commands = this.client.commands.toArray();
|
const commands = this.client.commands.toArray();
|
||||||
resolvedCommand = commands.find((c) => c.name === query[0].toLowerCase() || c.aliases.includes(query[0].toLowerCase()));
|
resolvedCommand = commands.find((c) => c.name === query[0].toLowerCase() || c.aliases.includes(query[0].toLowerCase()));
|
||||||
|
|
||||||
if (!resolvedCommand) return Promise.resolve(null);
|
if (!resolvedCommand) return Promise.resolve(null);
|
||||||
query.shift();
|
query.shift();
|
||||||
while (resolvedCommand.subcommands.size && query.length) {
|
while (resolvedCommand.subcommands.size && query.length) {
|
||||||
const subCommands = resolvedCommand.subcommands.toArray();
|
const subCommands = resolvedCommand.subcommands.toArray();
|
||||||
const found = subCommands.find((c) => c.name === query[0].toLowerCase() || c.aliases.includes(query[0].toLowerCase()));
|
const found = subCommands.find((c) => c.name === query[0].toLowerCase() || c.aliases.includes(query[0].toLowerCase()));
|
||||||
if (!found) break;
|
if (!found) break;
|
||||||
resolvedCommand = found;
|
resolvedCommand = found;
|
||||||
query.shift();
|
query.shift();
|
||||||
}
|
}
|
||||||
return Promise.resolve({ cmd: resolvedCommand, args: query });
|
return Promise.resolve({ cmd: resolvedCommand, args: query });
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
if (message) this.handleError(error, message);
|
if (message) this.handleError(error, message);
|
||||||
else this.handleError(error);
|
else this.handleError(error);
|
||||||
return Promise.reject(error);
|
return Promise.reject(error);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public async handleError(error: Error, message?: Message, command?: Command): Promise<void> {
|
public async handleError(error: Error, message?: Message, command?: Command): Promise<void> {
|
||||||
try {
|
try {
|
||||||
this.client.signale.error(error);
|
this.client.signale.error(error);
|
||||||
const info = { content: `\`\`\`js\n${error.stack}\n\`\`\``, embed: null };
|
const info = { content: `\`\`\`js\n${error.stack}\n\`\`\``, embed: null };
|
||||||
if (message) {
|
if (message) {
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setColor('FF0000');
|
embed.setColor('FF0000');
|
||||||
embed.setAuthor(`Error caused by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
embed.setAuthor(`Error caused by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
||||||
embed.setTitle('Message content');
|
embed.setTitle('Message content');
|
||||||
embed.setDescription(message.content);
|
embed.setDescription(message.content);
|
||||||
embed.addField('User', `${message.author.mention} (\`${message.author.id}\`)`, true);
|
embed.addField('User', `${message.author.mention} (\`${message.author.id}\`)`, true);
|
||||||
embed.addField('Channel', message.channel.mention, true);
|
embed.addField('Channel', message.channel.mention, true);
|
||||||
let guild: string;
|
let guild: string;
|
||||||
if (message.channel instanceof PrivateChannel || message.channel instanceof GroupChannel) guild = '@me';
|
if (message.channel instanceof PrivateChannel || message.channel instanceof GroupChannel) guild = '@me';
|
||||||
else guild = message.channel.guild.id;
|
else guild = message.channel.guild.id;
|
||||||
embed.addField('Message link', `[Click here](https://discordapp.com/channels/${guild}/${message.channel.id}/${message.id})`, true);
|
embed.addField('Message link', `[Click here](https://discordapp.com/channels/${guild}/${message.channel.id}/${message.id})`, true);
|
||||||
embed.setTimestamp(new Date(message.timestamp));
|
embed.setTimestamp(new Date(message.timestamp));
|
||||||
info.embed = embed;
|
info.embed = embed;
|
||||||
}
|
}
|
||||||
await this.client.createMessage('595788220764127272', info);
|
await this.client.createMessage('595788220764127272', info);
|
||||||
const msg = message.content.slice(this.client.config.prefix.length).trim().split(/ +/g);
|
const msg = message.content.slice(this.client.config.prefix.length).trim().split(/ +/g);
|
||||||
if (command) this.resolveCommand(msg).then((c) => { c.cmd.enabled = false; });
|
if (command) this.resolveCommand(msg).then((c) => { c.cmd.enabled = false; });
|
||||||
if (message) message.channel.createMessage(`***${this.client.stores.emojis.error} An unexpected error has occured - please contact a member of the Engineering Team.${command ? ' This command has been disabled.' : ''}***`);
|
if (message) message.channel.createMessage(`***${this.client.stores.emojis.error} An unexpected error has occured - please contact a member of the Engineering Team.${command ? ' This command has been disabled.' : ''}***`);
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
this.client.signale.error(err);
|
this.client.signale.error(err);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public splitFields(fields: { name: string, value: string, inline?: boolean }[]): { name: string, value: string, inline?: boolean }[][] {
|
public splitFields(fields: { name: string, value: string, inline?: boolean }[]): { name: string, value: string, inline?: boolean }[][] {
|
||||||
let index = 0;
|
let index = 0;
|
||||||
const array: {name: string, value: string, inline?: boolean}[][] = [[]];
|
const array: {name: string, value: string, inline?: boolean}[][] = [[]];
|
||||||
while (fields.length) {
|
while (fields.length) {
|
||||||
if (array[index].length >= 25) { index += 1; array[index] = []; }
|
if (array[index].length >= 25) { index += 1; array[index] = []; }
|
||||||
array[index].push(fields[0]); fields.shift();
|
array[index].push(fields[0]); fields.shift();
|
||||||
}
|
}
|
||||||
return array;
|
return array;
|
||||||
}
|
}
|
||||||
|
|
||||||
public splitString(string: string, length: number): string[] {
|
public splitString(string: string, length: number): string[] {
|
||||||
if (!string) return [];
|
if (!string) return [];
|
||||||
if (Array.isArray(string)) string = string.join('\n');
|
if (Array.isArray(string)) string = string.join('\n');
|
||||||
if (string.length <= length) return [string];
|
if (string.length <= length) return [string];
|
||||||
const arrayString: string[] = [];
|
const arrayString: string[] = [];
|
||||||
let str: string = '';
|
let str: string = '';
|
||||||
let pos: number;
|
let pos: number;
|
||||||
while (string.length > 0) {
|
while (string.length > 0) {
|
||||||
pos = string.length > length ? string.lastIndexOf('\n', length) : string.length;
|
pos = string.length > length ? string.lastIndexOf('\n', length) : string.length;
|
||||||
if (pos > length) pos = length;
|
if (pos > length) pos = length;
|
||||||
str = string.substr(0, pos);
|
str = string.substr(0, pos);
|
||||||
string = string.substr(pos);
|
string = string.substr(pos);
|
||||||
arrayString.push(str);
|
arrayString.push(str);
|
||||||
}
|
}
|
||||||
return arrayString;
|
return arrayString;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
public async createHash(password: string): Promise<string> {
|
public async createHash(password: string): Promise<string> {
|
||||||
const hashed = await this.exec(`mkpasswd -m sha-512 "${password}"`);
|
const hashed = await this.exec(`mkpasswd -m sha-512 "${password}"`);
|
||||||
return hashed;
|
return hashed;
|
||||||
}
|
}
|
||||||
|
|
||||||
public isValidEmail(email: string): boolean {
|
public isValidEmail(email: string): boolean {
|
||||||
const checkAt = email.indexOf('@');
|
const checkAt = email.indexOf('@');
|
||||||
if (checkAt < 1) return false;
|
if (checkAt < 1) return false;
|
||||||
const checkDomain = email.indexOf('.', checkAt + 2);
|
const checkDomain = email.indexOf('.', checkAt + 2);
|
||||||
if (checkDomain < checkAt) return false;
|
if (checkDomain < checkAt) return false;
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public randomPassword(): string {
|
public randomPassword(): string {
|
||||||
let tempPass = ''; const passChars = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z', '1', '2', '3', '4', '5', '6', '7', '8', '9', '0'];
|
let tempPass = ''; const passChars = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z', '1', '2', '3', '4', '5', '6', '7', '8', '9', '0'];
|
||||||
while (tempPass.length < 5) { tempPass += passChars[Math.floor(Math.random() * passChars.length)]; }
|
while (tempPass.length < 5) { tempPass += passChars[Math.floor(Math.random() * passChars.length)]; }
|
||||||
return tempPass;
|
return tempPass;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async createAccount(hash: string, etcPasswd: string, username: string, userID: string, emailAddress: string, moderatorID: string): Promise<AccountInterface> {
|
public async createAccount(hash: string, etcPasswd: string, username: string, userID: string, emailAddress: string, moderatorID: string): Promise<AccountInterface> {
|
||||||
await this.exec(`useradd -m -p ${hash} -c ${etcPasswd} -s /bin/zsh ${username}`);
|
await this.exec(`useradd -m -p ${hash} -c ${etcPasswd} -s /bin/zsh ${username}`);
|
||||||
await this.exec(`chage -d0 ${username}`);
|
await this.exec(`chage -d0 ${username}`);
|
||||||
|
|
||||||
const account = new this.client.db.Account({
|
const account = new this.client.db.Account({
|
||||||
username, userID, emailAddress, createdBy: moderatorID, createdAt: new Date(), locked: false, ssInit: false, homepath: `/home/${username}`,
|
username, userID, emailAddress, createdBy: moderatorID, createdAt: new Date(), locked: false, ssInit: false, homepath: `/home/${username}`,
|
||||||
});
|
});
|
||||||
return account.save();
|
return account.save();
|
||||||
}
|
}
|
||||||
|
|
||||||
public async deleteAccount(username: string): Promise<void> {
|
public async deleteAccount(username: string): Promise<void> {
|
||||||
const account = await this.client.db.Account.findOne({ username });
|
const account = await this.client.db.Account.findOne({ username });
|
||||||
if (!account) throw new Error('Account not found');
|
if (!account) throw new Error('Account not found');
|
||||||
this.exec(`lock ${username}`);
|
this.exec(`lock ${username}`);
|
||||||
const tasks = [
|
const tasks = [
|
||||||
this.exec(`deluser ${username} --remove-home --backup-to /management/Archives && rm -rf -R ${account.homepath}`),
|
this.exec(`deluser ${username} --remove-home --backup-to /management/Archives && rm -rf -R ${account.homepath}`),
|
||||||
this.client.db.Account.deleteOne({ username }),
|
this.client.db.Account.deleteOne({ username }),
|
||||||
];
|
];
|
||||||
this.client.removeGuildMemberRole('446067825673633794', account.userID, '546457886440685578', 'Cloud Account Deleted').catch();
|
this.client.removeGuildMemberRole('446067825673633794', account.userID, '546457886440685578', 'Cloud Account Deleted').catch();
|
||||||
// @ts-ignore
|
// @ts-ignore
|
||||||
await Promise.all(tasks);
|
await Promise.all(tasks);
|
||||||
}
|
}
|
||||||
|
|
||||||
public async messageCollector(message: Message, question: string, timeout: number, shouldDelete = false, choices: string[] = null, filter = (msg: Message): boolean|void => {}): Promise<Message> {
|
public async messageCollector(message: Message, question: string, timeout: number, shouldDelete = false, choices: string[] = null, filter = (msg: Message): boolean|void => {}): Promise<Message> {
|
||||||
const msg = await message.channel.createMessage(question);
|
const msg = await message.channel.createMessage(question);
|
||||||
return new Promise((res, rej) => {
|
return new Promise((res, rej) => {
|
||||||
setTimeout(() => { if (shouldDelete) msg.delete().catch(); rej(new Error('Did not supply a valid input in time')); }, timeout);
|
const func = (Msg: Message) => {
|
||||||
this.client.on('messageCreate', (Msg) => {
|
if (filter(Msg) === false) return;
|
||||||
if (filter(Msg) === false) return;
|
const verif = choices ? choices.includes(Msg.content) : Msg.content;
|
||||||
const verif = choices ? choices.includes(Msg.content) : Msg.content;
|
if (verif) { if (shouldDelete) msg.delete().catch(); res(Msg); }
|
||||||
if (verif) { if (shouldDelete) msg.delete().catch(); res(Msg); }
|
};
|
||||||
});
|
|
||||||
});
|
setTimeout(() => {
|
||||||
}
|
if (shouldDelete) msg.delete().catch(); rej(new Error('Did not supply a valid input in time'));
|
||||||
|
this.client.removeListener('messageCreate', func);
|
||||||
/**
|
}, timeout);
|
||||||
* @param type `0` - Create
|
this.client.on('messageCreate', func);
|
||||||
*
|
});
|
||||||
* `1` - Warn
|
}
|
||||||
*
|
|
||||||
* `2` - Lock
|
/**
|
||||||
*
|
* @param type `0` - Create
|
||||||
* `3` - Unlock
|
*
|
||||||
*
|
* `1` - Warn
|
||||||
* `4` - Delete
|
*
|
||||||
*/
|
* `2` - Lock
|
||||||
public async createModerationLog(user: string, moderator: Member|User, type: number, reason?: string, duration?: number): Promise<ModerationInterface> {
|
*
|
||||||
const moderatorID = moderator.id;
|
* `3` - Unlock
|
||||||
const account = await this.client.db.Account.findOne({ $or: [{ username: user }, { userID: user }] });
|
*
|
||||||
if (!account) return Promise.reject(new Error(`Account ${user} not found`));
|
* `4` - Delete
|
||||||
const { username, userID } = account;
|
*/
|
||||||
const logInput: { username: string, userID: string, logID: string, moderatorID: string, reason?: string, type: number, date: Date, expiration?: { date: Date, processed: boolean }} = {
|
public async createModerationLog(user: string, moderator: Member|User, type: number, reason?: string, duration?: number): Promise<ModerationInterface> {
|
||||||
username, userID, logID: uuid(), moderatorID, type, date: new Date(),
|
const moderatorID = moderator.id;
|
||||||
};
|
const account = await this.client.db.Account.findOne({ $or: [{ username: user }, { userID: user }] });
|
||||||
|
if (!account) return Promise.reject(new Error(`Account ${user} not found`));
|
||||||
const now: number = Date.now();
|
const { username, userID } = account;
|
||||||
let date: Date;
|
const logInput: { username: string, userID: string, logID: string, moderatorID: string, reason?: string, type: number, date: Date, expiration?: { date: Date, processed: boolean }} = {
|
||||||
let processed = true;
|
username, userID, logID: uuid(), moderatorID, type, date: new Date(),
|
||||||
if (reason) logInput.reason = reason;
|
};
|
||||||
if (type === 2) {
|
|
||||||
if (duration) {
|
const now: number = Date.now();
|
||||||
date = new Date(now + duration);
|
let date: Date;
|
||||||
processed = false;
|
let processed = true;
|
||||||
} else date = null;
|
if (reason) logInput.reason = reason;
|
||||||
}
|
if (type === 2) {
|
||||||
|
if (duration) {
|
||||||
const expiration = { date, processed };
|
date = new Date(now + duration);
|
||||||
|
processed = false;
|
||||||
logInput.expiration = expiration;
|
} else date = null;
|
||||||
const log = new this.client.db.Moderation(logInput);
|
}
|
||||||
await log.save();
|
|
||||||
|
const expiration = { date, processed };
|
||||||
let embedTitle: string;
|
|
||||||
let color: string;
|
logInput.expiration = expiration;
|
||||||
let archType: string;
|
const log = new this.client.db.Moderation(logInput);
|
||||||
switch (type) {
|
await log.save();
|
||||||
default: archType = 'Staff'; embedTitle = 'Cloud Account | Generic'; color = '0892e1'; break;
|
|
||||||
case 0: archType = 'Administrator'; embedTitle = 'Cloud Account | Create'; color = '00ff00'; break;
|
let embedTitle: string;
|
||||||
case 1: archType = 'Staff'; embedTitle = 'Account Warning | Warn'; color = 'ffff00'; break;
|
let color: string;
|
||||||
case 2: archType = 'Moderator'; embedTitle = 'Account Infraction | Lock'; color = 'ff6600'; break;
|
let archType: string;
|
||||||
case 3: archType = 'Moderator'; embedTitle = 'Account Reclaim | Unlock'; color = '0099ff'; break;
|
switch (type) {
|
||||||
case 4: archType = 'Administrator'; embedTitle = 'Cloud Account | Delete'; color = 'ff0000'; break;
|
default: archType = 'Staff'; embedTitle = 'Cloud Account | Generic'; color = '0892e1'; break;
|
||||||
}
|
case 0: archType = 'Administrator'; embedTitle = 'Cloud Account | Create'; color = '00ff00'; break;
|
||||||
const embed = new RichEmbed()
|
case 1: archType = 'Staff'; embedTitle = 'Account Warning | Warn'; color = 'ffff00'; break;
|
||||||
.setTitle(embedTitle)
|
case 2: archType = 'Moderator'; embedTitle = 'Account Infraction | Lock'; color = 'ff6600'; break;
|
||||||
.setColor(color)
|
case 3: archType = 'Moderator'; embedTitle = 'Account Reclaim | Unlock'; color = '0099ff'; break;
|
||||||
.addField('User', `${username} | <@${userID}>`, true)
|
case 4: archType = 'Administrator'; embedTitle = 'Cloud Account | Delete'; color = 'ff0000'; break;
|
||||||
.addField(archType, moderatorID === this.client.user.id ? 'SYSTEM' : `<@${moderatorID}>`, true)
|
}
|
||||||
.setFooter(this.client.user.username, this.client.user.avatarURL)
|
const embed = new RichEmbed()
|
||||||
.setTimestamp();
|
.setTitle(embedTitle)
|
||||||
if (reason) embed.addField('Reason', reason || 'Not specified');
|
.setColor(color)
|
||||||
if (type === 2) embed.addField('Lock Expiration', `${date ? moment(date).format('dddd, MMMM Do YYYY, h:mm:ss A') : 'Indefinitely'}`);
|
.addField('User', `${username} | <@${userID}>`, true)
|
||||||
// @ts-ignore
|
.addField(archType, moderatorID === this.client.user.id ? 'SYSTEM' : `<@${moderatorID}>`, true)
|
||||||
this.client.createMessage('580950455581147146', { embed }); this.client.getDMChannel(userID).then((channel) => channel.createMessage({ embed })).catch();
|
.setFooter(this.client.user.username, this.client.user.avatarURL)
|
||||||
|
.setTimestamp();
|
||||||
return Promise.resolve(log);
|
if (reason) embed.addField('Reason', reason || 'Not specified');
|
||||||
}
|
if (type === 2) embed.addField('Lock Expiration', `${date ? moment(date).format('dddd, MMMM Do YYYY, h:mm:ss A') : 'Indefinitely'}`);
|
||||||
|
this.client.createMessage('580950455581147146', { embed }); this.client.getDMChannel(userID).then((channel) => channel.createMessage({ embed })).catch();
|
||||||
public getAcctHash(userpath: string) {
|
|
||||||
try {
|
return Promise.resolve(log);
|
||||||
return fs.readFileSync(`${userpath}/.securesign/auth`).toString();
|
}
|
||||||
} catch (error) {
|
|
||||||
return null;
|
public getAcctHash(userpath: string) {
|
||||||
}
|
try {
|
||||||
}
|
return fs.readFileSync(`${userpath}/.securesign/auth`).toString();
|
||||||
}
|
} catch (error) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
|
@ -1,147 +1,227 @@
|
||||||
import fs from 'fs-extra';
|
import fs, { writeFile, unlink } from 'fs-extra';
|
||||||
import axios from 'axios';
|
import axios from 'axios';
|
||||||
import x509 from '@ghaiklor/x509';
|
import { Message } from 'eris';
|
||||||
import { Message } from 'eris';
|
import { AccountInterface } from '../models';
|
||||||
import { AccountInterface } from '../models';
|
import { Command, RichEmbed } from '../class';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Client } from '..';
|
||||||
import { Client } from '..';
|
import { parseCertificate } from '../functions';
|
||||||
|
|
||||||
export default class CWG_Create extends Command {
|
export default class CWG_Create extends Command {
|
||||||
constructor(client: Client) {
|
public urlRegex: RegExp;
|
||||||
super(client);
|
|
||||||
this.name = 'create';
|
constructor(client: Client) {
|
||||||
this.description = 'Bind a domain to the CWG';
|
super(client);
|
||||||
this.usage = `${this.client.config.prefix}cwg create [User ID | Username] [Domain] [Port] <Path to x509 cert> <Path to x509 key>`;
|
this.name = 'create';
|
||||||
this.permissions = { roles: ['525441307037007902'] };
|
this.description = 'Bind a domain to the CWG';
|
||||||
this.aliases = ['bind'];
|
this.usage = `${this.client.config.prefix}cwg create [User ID | Username] [Domain] [Port] <Cert Chain> <Private Key> || Use snippets raw URL`;
|
||||||
this.enabled = true;
|
this.permissions = { roles: ['525441307037007902'] };
|
||||||
}
|
this.aliases = ['bind'];
|
||||||
|
this.enabled = true;
|
||||||
public async run(message: Message, args: string[]) {
|
this.urlRegex = /^[a-zA-Z0-9\-._~:/?#[\]@!$&'()*+,;=]+$/;
|
||||||
/*
|
}
|
||||||
args[0] should be the user's ID OR account username; required
|
|
||||||
args[1] should be the domain; required
|
public async run(message: Message, args: string[]) {
|
||||||
args[2] should be the port; required
|
/*
|
||||||
args[3] should be the path to the x509 certificate; not required
|
args[0] should be the user's ID OR account username; required
|
||||||
args[4] should be the path to the x509 key; not required
|
args[1] should be the domain; required
|
||||||
*/
|
args[2] should be the port; required
|
||||||
try {
|
args[3] should be the path to the x509 certificate; not required
|
||||||
if (!args[2]) return this.client.commands.get('help').run(message, ['cwg', this.name]);
|
args[4] should be the path to the x509 key; not required
|
||||||
const edit = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Binding domain...***`);
|
*/
|
||||||
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0] }] });
|
try {
|
||||||
if (!account) return edit.edit(`${this.client.stores.emojis.error} Cannot locate account, please try again.`);
|
if (!args[2]) return this.client.commands.get('help').run(message, ['cwg', this.name]);
|
||||||
if (args[3] && !args[4]) return edit.edit(`${this.client.stores.emojis.error} x509 Certificate key required`);
|
|
||||||
let certs: { cert?: string, key?: string }; if (args[4]) certs = { cert: args[3], key: args[4] };
|
let certs: { cert: string, key: string };
|
||||||
if (await this.client.db.Domain.exists({ domain: args[1] })) return edit.edit(`***${this.client.stores.emojis.error} This domain already exists.***`);
|
|
||||||
if (await this.client.db.Domain.exists({ port: Number(args[2]) })) {
|
if (!this.urlRegex.test(args[1])) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid URL***`);
|
||||||
// await edit.edit(`***${this.client.stores.emojis.error} This port is already binded to a domain. Do you wish to continue? (y/n)***`);
|
if (Number(args[2]) < 1024 || Number(args[2]) > 65535) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Port must be greater than 1024 and less than 65535***`);
|
||||||
let answer: Message;
|
if (!args[1].endsWith('.cloud.libraryofcode.org') && !args[4]) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Certificate Chain and Private Key are required for custom domains***`);
|
||||||
try {
|
|
||||||
answer = await this.client.util.messageCollector(message,
|
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0] }] });
|
||||||
`***${this.client.stores.emojis.error} This port is already binded to a domain. Do you wish to continue? (y/n)***`,
|
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} Cannot locate account, please try again.`);
|
||||||
30000, true, ['y', 'n'], (msg) => msg.author.id === message.author.id && msg.channel.id === message.channel.id);
|
|
||||||
} catch (error) {
|
if (await this.client.db.Domain.exists({ domain: args[1] })) return message.channel.createMessage(`${this.client.stores.emojis.error} ***This domain already exists***`);
|
||||||
return edit.edit(`***${this.client.stores.emojis.error} Bind request cancelled***`);
|
|
||||||
}
|
if (await this.client.db.Domain.exists({ port: Number(args[2]) })) {
|
||||||
if (answer.content === 'n') return edit.edit(`***${this.client.stores.emojis.error} Bind request cancelled***`);
|
let answer: Message;
|
||||||
}
|
try {
|
||||||
const domain = await this.createDomain(account, args[1], Number(args[2]), certs);
|
answer = await this.client.util.messageCollector(
|
||||||
const embed = new RichEmbed();
|
message,
|
||||||
embed.setTitle('Domain Creation');
|
`***${this.client.stores.emojis.error} ***This port is already binded to a domain. Do you wish to continue? (y/n)***`,
|
||||||
embed.setColor(3066993);
|
30000, true, ['y', 'n'], (msg) => msg.author.id === message.author.id && msg.channel.id === message.channel.id,
|
||||||
embed.addField('Account Username', account.username, true);
|
);
|
||||||
embed.addField('Account ID', account.id, true);
|
} catch (error) {
|
||||||
embed.addField('Engineer', `<@${message.author.id}>`, true);
|
return message.channel.createMessage(`${this.client.stores.emojis.error} ***Bind request cancelled***`);
|
||||||
embed.addField('Domain', domain.domain, true);
|
}
|
||||||
embed.addField('Port', String(domain.port), true);
|
if (answer.content === 'n') return message.channel.createMessage(`${this.client.stores.emojis.error} ***Bind request cancelled***`);
|
||||||
const cert = x509.parseCert(await fs.readFile(domain.x509.cert, { encoding: 'utf8' }));
|
}
|
||||||
embed.addField('Certificate Issuer', cert.issuer.organizationName, true);
|
|
||||||
embed.addField('Certificate Subject', cert.subject.commonName, true);
|
const edit = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Binding domain...***`);
|
||||||
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
|
||||||
embed.setTimestamp(new Date(message.timestamp));
|
if (!args[1].endsWith('.cloud.libraryofcode.org')) {
|
||||||
message.delete();
|
const urls = args.slice(3, 5);
|
||||||
await this.client.util.exec('systemctl reload nginx');
|
if (urls.some((l) => !l.includes('snippets.cloud.libraryofcode.org/raw/'))) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid snippets URL***`);
|
||||||
edit.edit(`***${this.client.stores.emojis.success} Successfully binded ${domain.domain} to port ${domain.port} for ${account.userID}.***`);
|
|
||||||
// @ts-ignore
|
const tasks = urls.map((l) => axios({ method: 'GET', url: l }));
|
||||||
this.client.createMessage('580950455581147146', { embed });
|
const response = await Promise.all(tasks);
|
||||||
// @ts-ignore
|
const certAndPrivateKey: string[] = response.map((r) => r.data);
|
||||||
this.client.getDMChannel(account.userID).then((r) => r.createMessage({ embed }));
|
|
||||||
await this.client.util.transport.sendMail({
|
if (!this.isValidCertificateChain(certAndPrivateKey[0])) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid Certificate Chain***`);
|
||||||
to: account.emailAddress,
|
if (!this.isValidPrivateKey(certAndPrivateKey[1])) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid Private Key***`);
|
||||||
from: 'Library of Code sp-us | Support Team <help@libraryofcode.org>',
|
|
||||||
subject: 'Your domain has been binded',
|
certs = { cert: certAndPrivateKey[0], key: certAndPrivateKey[1] };
|
||||||
html: `
|
}
|
||||||
<h1>Library of Code sp-us | Cloud Services</h1>
|
|
||||||
<p>Hello, this is an email informing you that a new domain under your account has been binded.
|
const domain = await this.createDomain(account, args[1], Number(args[2]), certs);
|
||||||
Information is below.</p>
|
|
||||||
<b>Domain:</b> ${domain.domain}<br>
|
const tasks = [message.delete(), this.client.util.exec('systemctl reload')];
|
||||||
<b>Port:</b> ${domain.port}<br>
|
// @ts-ignore
|
||||||
<b>Certificate Issuer:</b> ${cert.issuer.organizationName}<br>
|
await Promise.all(tasks);
|
||||||
<b>Certificate Subject:</b> ${cert.subject.commonName}<br>
|
|
||||||
<b>Responsible Engineer:</b> ${message.author.username}#${message.author.discriminator}<br><br>
|
const embed = new RichEmbed()
|
||||||
|
.setTitle('Domain Creation')
|
||||||
If you have any questions about additional setup, you can reply to this email or send a message in #cloud-support in our Discord server.<br>
|
.setColor(3066993)
|
||||||
|
.addField('Account Username', account.username, true)
|
||||||
<b><i>Library of Code sp-us | Support Team</i></b>
|
.addField('Account ID', account.id, true)
|
||||||
`,
|
.addField('Engineer', `<@${message.author.id}>`, true)
|
||||||
});
|
.addField('Domain', domain.domain, true)
|
||||||
if (!domain.domain.includes('cloud.libraryofcode.org')) {
|
.addField('Port', String(domain.port), true);
|
||||||
const content = `__**DNS Record Setup**__\nYou recently a binded a custom domain to your Library of Code sp-us Account. You'll have to update your DNS records. We've provided the records below.\n\n\`${domain.domain} IN CNAME cloud.libraryofcode.org AUTO/500\`\nThis basically means you need to make a CNAME record with the key/host of ${domain.domain} and the value/point to cloud.libraryofcode.org. If you have any questions, don't hesitate to ask us.`;
|
|
||||||
this.client.getDMChannel(account.userID).then((r) => r.createMessage(content));
|
const cert = await parseCertificate(this.client, domain.x509.cert);
|
||||||
}
|
|
||||||
return domain;
|
embed.addField('Certificate Issuer', cert.issuer.organizationName, true)
|
||||||
} catch (err) {
|
.addField('Certificate Subject', cert.subject.commonName, true)
|
||||||
await fs.unlink(`/etc/nginx/sites-available/${args[1]}`);
|
.setFooter(this.client.user.username, this.client.user.avatarURL)
|
||||||
await fs.unlink(`/etc/nginx/sites-enabled/${args[1]}`);
|
.setTimestamp(new Date(message.timestamp));
|
||||||
await this.client.db.Domain.deleteMany({ domain: args[1] });
|
|
||||||
return this.client.util.handleError(err, message, this);
|
const completed = [
|
||||||
}
|
edit.edit(`***${this.client.stores.emojis.success} Successfully binded ${domain.domain} to port ${domain.port} for ${account.userID}.***`),
|
||||||
}
|
this.client.createMessage('580950455581147146', { embed }),
|
||||||
|
this.client.getDMChannel(account.userID).then((r) => r.createMessage({ embed })),
|
||||||
/**
|
this.client.util.transport.sendMail({
|
||||||
* This function binds a domain to a port on the CWG.
|
to: account.emailAddress,
|
||||||
* @param account The account of the user.
|
from: 'Library of Code sp-us | Support Team <help@libraryofcode.org>',
|
||||||
* @param subdomain The domain to use. `mydomain.cloud.libraryofcode.org`
|
subject: 'Your domain has been binded',
|
||||||
* @param port The port to use, must be between 1024 and 65535.
|
html: `
|
||||||
* @param x509 The paths to the certificate and key files. Must be already existant.
|
<h1>Library of Code sp-us | Cloud Services</h1>
|
||||||
* @example await CWG.createDomain('mydomain.cloud.libraryofcode.org', 6781);
|
<p>Hello, this is an email informing you that a new domain under your account has been binded.
|
||||||
*/
|
Information is below.</p>
|
||||||
public async createDomain(account: AccountInterface, domain: string, port: number, x509Certificate: { cert?: string, key?: string } = { cert: '/etc/nginx/ssl/cloud-org.chain.crt', key: '/etc/nginx/ssl/cloud-org.key.pem' }) {
|
<b>Domain:</b> ${domain.domain}<br>
|
||||||
try {
|
<b>Port:</b> ${domain.port}<br>
|
||||||
if (port <= 1024 || port >= 65535) throw new RangeError(`Port range must be between 1024 and 65535, received ${port}.`);
|
<b>Certificate Issuer:</b> ${cert.issuer.organizationName}<br>
|
||||||
if (await this.client.db.Domain.exists({ domain })) throw new Error(`Domain ${domain} already exists in the database.`);
|
<b>Certificate Subject:</b> ${cert.subject.commonName}<br>
|
||||||
if (!await this.client.db.Account.exists({ userID: account.userID })) throw new Error(`Cannot find account ${account.userID}.`);
|
<b>Responsible Engineer:</b> ${message.author.username}#${message.author.discriminator}<br><br>
|
||||||
await fs.access(x509Certificate.cert, fs.constants.R_OK);
|
|
||||||
await fs.access(x509Certificate.key, fs.constants.R_OK);
|
If you have any questions about additional setup, you can reply to this email or send a message in #cloud-support in our Discord server.<br>
|
||||||
let cfg = await fs.readFile('/var/CloudServices/dist/static/nginx.conf', { encoding: 'utf8' });
|
|
||||||
cfg = cfg.replace(/\[DOMAIN]/g, domain);
|
<b><i>Library of Code sp-us | Support Team</i></b>
|
||||||
cfg = cfg.replace(/\[PORT]/g, String(port));
|
`,
|
||||||
cfg = cfg.replace(/\[CERTIFICATE]/g, x509Certificate.cert);
|
}),
|
||||||
cfg = cfg.replace(/\[KEY]/g, x509Certificate.key);
|
];
|
||||||
await fs.writeFile(`/etc/nginx/sites-available/${domain}`, cfg, { encoding: 'utf8' });
|
|
||||||
await fs.symlink(`/etc/nginx/sites-available/${domain}`, `/etc/nginx/sites-enabled/${domain}`);
|
if (!domain.domain.includes('cloud.libraryofcode.org')) {
|
||||||
const entry = new this.client.db.Domain({
|
const content = `__**DNS Record Setup**__\nYou recently a binded a custom domain to your Library of Code sp-us Account. You'll have to update your DNS records. We've provided the records below.\n\n\`${domain.domain} IN CNAME cloud.libraryofcode.org AUTO/500\`\nThis basically means you need to make a CNAME record with the key/host of ${domain.domain} and the value/point to cloud.libraryofcode.org. If you have any questions, don't hesitate to ask us.`;
|
||||||
account,
|
completed.push(this.client.getDMChannel(account.userID).then((r) => r.createMessage(content)));
|
||||||
domain,
|
}
|
||||||
port,
|
|
||||||
x509: x509Certificate,
|
return Promise.all(completed);
|
||||||
enabled: true,
|
} catch (err) {
|
||||||
});
|
await fs.unlink(`/etc/nginx/sites-available/${args[1]}`);
|
||||||
if (domain.includes('cloud.libraryofcode.org')) {
|
await fs.unlink(`/etc/nginx/sites-enabled/${args[1]}`);
|
||||||
const dmn = domain.split('.');
|
await this.client.db.Domain.deleteMany({ domain: args[1] });
|
||||||
await axios({
|
return this.client.util.handleError(err, message, this);
|
||||||
method: 'post',
|
}
|
||||||
url: 'https://api.cloudflare.com/client/v4/zones/5e82fc3111ed4fbf9f58caa34f7553a7/dns_records',
|
}
|
||||||
headers: { Authorization: `Bearer ${this.client.config.cloudflare}`, 'Content-Type': 'application/json' },
|
|
||||||
data: JSON.stringify({ type: 'CNAME', name: `${dmn[0]}.${dmn[1]}`, content: 'cloud.libraryofcode.org', proxied: false }),
|
/**
|
||||||
});
|
* This function binds a domain to a port on the CWG.
|
||||||
}
|
* @param account The account of the user.
|
||||||
return entry.save();
|
* @param subdomain The domain to use. `mydomain.cloud.libraryofcode.org`
|
||||||
} catch (error) {
|
* @param port The port to use, must be between 1024 and 65535.
|
||||||
await fs.unlink(`/etc/nginx/sites-enabled/${domain}`);
|
* @param x509Certificate The contents the certificate and key files.
|
||||||
await fs.unlink(`/etc/nginx/sites-available/${domain}`);
|
* @example await CWG.createDomain(account, 'mydomain.cloud.libraryofcode.org', 6781);
|
||||||
await this.client.db.Domain.deleteMany({ domain });
|
*/
|
||||||
throw error;
|
public async createDomain(account: AccountInterface, domain: string, port: number, x509Certificate: { cert?: string, key?: string }) {
|
||||||
}
|
try {
|
||||||
}
|
if (port <= 1024 || port >= 65535) throw new RangeError(`Port range must be between 1024 and 65535, received ${port}.`);
|
||||||
}
|
if (await this.client.db.Domain.exists({ domain })) throw new Error(`Domain ${domain} already exists in the database.`);
|
||||||
|
if (!await this.client.db.Account.exists({ userID: account.userID })) throw new Error(`Cannot find account ${account.userID}.`);
|
||||||
|
let x509: { cert: string, key: string };
|
||||||
|
if (x509Certificate) {
|
||||||
|
x509 = await this.createCertAndPrivateKey(domain, x509Certificate.cert, x509Certificate.key);
|
||||||
|
}
|
||||||
|
let cfg = await fs.readFile('/var/CloudServices/dist/static/nginx.conf', { encoding: 'utf8' });
|
||||||
|
cfg = cfg.replace(/\[DOMAIN]/g, domain);
|
||||||
|
cfg = cfg.replace(/\[PORT]/g, String(port));
|
||||||
|
cfg = cfg.replace(/\[CERTIFICATE]/g, x509.cert);
|
||||||
|
cfg = cfg.replace(/\[KEY]/g, x509.key);
|
||||||
|
await fs.writeFile(`/etc/nginx/sites-available/${domain}`, cfg, { encoding: 'utf8' });
|
||||||
|
await fs.symlink(`/etc/nginx/sites-available/${domain}`, `/etc/nginx/sites-enabled/${domain}`);
|
||||||
|
const entry = new this.client.db.Domain({
|
||||||
|
account,
|
||||||
|
domain,
|
||||||
|
port,
|
||||||
|
x509,
|
||||||
|
enabled: true,
|
||||||
|
});
|
||||||
|
if (domain.includes('cloud.libraryofcode.org')) {
|
||||||
|
const dmn = domain.split('.');
|
||||||
|
await axios({
|
||||||
|
method: 'post',
|
||||||
|
url: 'https://api.cloudflare.com/client/v4/zones/5e82fc3111ed4fbf9f58caa34f7553a7/dns_records',
|
||||||
|
headers: { Authorization: `Bearer ${this.client.config.cloudflare}`, 'Content-Type': 'application/json' },
|
||||||
|
data: JSON.stringify({ type: 'CNAME', name: `${dmn[0]}.${dmn[1]}`, content: 'cloud.libraryofcode.org', proxied: false }),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
return entry.save();
|
||||||
|
} catch (error) {
|
||||||
|
await fs.unlink(`/etc/nginx/sites-enabled/${domain}`);
|
||||||
|
await fs.unlink(`/etc/nginx/sites-available/${domain}`);
|
||||||
|
await this.client.db.Domain.deleteMany({ domain });
|
||||||
|
throw error;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public async createCertAndPrivateKey(domain: string, certChain: string, privateKey: string) {
|
||||||
|
if (!this.isValidCertificateChain(certChain)) throw new Error('Invalid Certificate Chain');
|
||||||
|
if (!this.isValidPrivateKey(privateKey)) throw new Error('Invalid Private Key');
|
||||||
|
const path = `/var/CloudServices/temp/${domain}`;
|
||||||
|
const temp = [writeFile(`${path}.chain.crt`, certChain), writeFile(`${path}.key.pem`, privateKey)];
|
||||||
|
const removeFiles = [unlink(`${path}.chain.crt`), unlink(`${path}.key.pem`)];
|
||||||
|
await Promise.all(temp);
|
||||||
|
if (!this.isMatchingPair(`${path}.chain.crt`, `${path}.key.pem`)) {
|
||||||
|
await Promise.all(removeFiles);
|
||||||
|
throw new Error('Certificate and Private Key do not match');
|
||||||
|
}
|
||||||
|
|
||||||
|
const tasks = [writeFile(`/etc/nginx/ssl/${domain}.chain.crt`, certChain), writeFile(`/etc/nginx/ssl/${domain}.key.pem`, privateKey)];
|
||||||
|
await Promise.all(tasks);
|
||||||
|
return { cert: `/etc/nginx/ssl/${domain}.chain.crt`, key: `/etc/nginx/ssl/${domain}.key.pem` };
|
||||||
|
}
|
||||||
|
|
||||||
|
public checkOccurance(text: string, query: string) {
|
||||||
|
return (text.match(new RegExp(query, 'g')) || []).length;
|
||||||
|
}
|
||||||
|
|
||||||
|
public isValidCertificateChain(cert: string) {
|
||||||
|
if (!cert.replace(/^\s+|\s+$/g, '').startsWith('-----BEGIN CERTIFICATE-----')) return false;
|
||||||
|
if (!cert.replace(/^\s+|\s+$/g, '').endsWith('-----END CERTIFICATE-----')) return false;
|
||||||
|
if (this.checkOccurance(cert.replace(/^\s+|\s+$/g, ''), '-----BEGIN CERTIFICATE-----') !== 2) return false;
|
||||||
|
if (this.checkOccurance(cert.replace(/^\s+|\s+$/g, ''), '-----END CERTIFICATE-----') !== 2) return false;
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
public isValidPrivateKey(key: string) {
|
||||||
|
if (!key.replace(/^\s+|\s+$/g, '').startsWith('-----BEGIN PRIVATE KEY-----')) return false;
|
||||||
|
if (!key.replace(/^\s+|\s+$/g, '').endsWith('-----END PRIVATE KEY-----')) return false;
|
||||||
|
if (this.checkOccurance(key.replace(/^\s+|\s+$/g, ''), '-----BEGIN PRIVATE KEY-----') !== 1) return false;
|
||||||
|
if (this.checkOccurance(key.replace(/^\s+|\s+$/g, ''), '-----END PRIVATE KEY-----') !== 1) return false;
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
public async isMatchingPair(cert: string, privateKey: string) {
|
||||||
|
const result: string = await this.client.util.exec(`${__dirname}/../bin/checkCertSignatures ${cert} ${privateKey}`);
|
||||||
|
const { ok }: { ok: boolean } = JSON.parse(result);
|
||||||
|
return ok;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
|
@ -1,58 +1,56 @@
|
||||||
import fs from 'fs';
|
import fs from 'fs';
|
||||||
import moment from 'moment';
|
import moment from 'moment';
|
||||||
import x509 from '@ghaiklor/x509';
|
import x509 from '@ghaiklor/x509';
|
||||||
import { createPaginationEmbed } from 'eris-pagination';
|
import { createPaginationEmbed } from 'eris-pagination';
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
|
|
||||||
export default class CWG_Data extends Command {
|
export default class CWG_Data extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'data';
|
this.name = 'data';
|
||||||
this.description = 'Check CWG data';
|
this.description = 'Check CWG data';
|
||||||
this.usage = `${this.client.config.prefix}cwg data [Domain | Port]`;
|
this.usage = `${this.client.config.prefix}cwg data [Domain | Port]`;
|
||||||
this.permissions = { roles: ['446104438969466890'] };
|
this.permissions = { roles: ['446104438969466890'] };
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
if (!args[0]) return this.client.commands.get('help').run(message, ['cwg', this.name]);
|
if (!args[0]) return this.client.commands.get('help').run(message, ['cwg', this.name]);
|
||||||
const dom = await this.client.db.Domain.find({ $or: [{ domain: args[0] }, { port: Number(args[0]) || '' }] });
|
const dom = await this.client.db.Domain.find({ $or: [{ domain: args[0] }, { port: Number(args[0]) || '' }] });
|
||||||
if (!dom.length) {
|
if (!dom.length) {
|
||||||
if (!Number.isNaN(Number(args[0]))) {
|
if (!Number.isNaN(Number(args[0]))) {
|
||||||
try {
|
try {
|
||||||
await this.client.util.exec(`fuser ${args[0]}/tcp`);
|
await this.client.util.exec(`fuser ${args[0]}/tcp`);
|
||||||
return message.channel.createMessage(`***${this.client.stores.emojis.error} The port you provided is being used by a system process.***`);
|
return message.channel.createMessage(`***${this.client.stores.emojis.error} The port you provided is being used by a system process.***`);
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
return message.channel.createMessage(`***${this.client.stores.emojis.error} The domain or port you provided could not be found.***`);
|
return message.channel.createMessage(`***${this.client.stores.emojis.error} The domain or port you provided could not be found.***`);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
return message.channel.createMessage(`***${this.client.stores.emojis.error} The domain or port you provided could not be found.***`);
|
return message.channel.createMessage(`***${this.client.stores.emojis.error} The domain or port you provided could not be found.***`);
|
||||||
}
|
}
|
||||||
const embeds = dom.map((domain) => {
|
const embeds = dom.map((domain) => {
|
||||||
const cert = fs.readFileSync(domain.x509.cert, { encoding: 'utf8' });
|
const cert = fs.readFileSync(domain.x509.cert, { encoding: 'utf8' });
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTitle('Domain Information');
|
embed.setTitle('Domain Information');
|
||||||
embed.addField('Account Username', domain.account.username, true);
|
embed.addField('Account Username', domain.account.username, true);
|
||||||
embed.addField('Account ID', domain.account.userID, true);
|
embed.addField('Account ID', domain.account.userID, true);
|
||||||
embed.addField('Domain', domain.domain, true);
|
embed.addField('Domain', domain.domain, true);
|
||||||
embed.addField('Port', String(domain.port), true);
|
embed.addField('Port', String(domain.port), true);
|
||||||
embed.addField('Certificate Issuer', x509.getIssuer(cert).organizationName, true);
|
embed.addField('Certificate Issuer', x509.getIssuer(cert).organizationName, true);
|
||||||
embed.addField('Certificate Subject', x509.getSubject(cert).commonName, true);
|
embed.addField('Certificate Subject', x509.getSubject(cert).commonName, true);
|
||||||
embed.addField('Certificate Expiration Date', moment(x509.parseCert(cert).notAfter).format('dddd, MMMM Do YYYY, h:mm:ss A'), true);
|
embed.addField('Certificate Expiration Date', moment(x509.parseCert(cert).notAfter).format('dddd, MMMM Do YYYY, h:mm:ss A'), true);
|
||||||
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setTimestamp();
|
embed.setTimestamp();
|
||||||
return embed;
|
return embed;
|
||||||
});
|
});
|
||||||
this.client.signale.log(embeds);
|
this.client.signale.log(embeds);
|
||||||
// @ts-ignore
|
if (embeds.length === 1) return message.channel.createMessage({ embed: embeds[0] });
|
||||||
if (embeds.length === 1) return message.channel.createMessage({ embed: embeds[0] });
|
return createPaginationEmbed(message, this.client, embeds, {});
|
||||||
// @ts-ignore
|
} catch (error) {
|
||||||
return createPaginationEmbed(message, this.client, embeds, {});
|
return this.client.util.handleError(error, message, this);
|
||||||
} catch (error) {
|
}
|
||||||
return this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,63 +1,61 @@
|
||||||
import fs from 'fs-extra';
|
import fs from 'fs-extra';
|
||||||
import axios from 'axios';
|
import axios from 'axios';
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
|
|
||||||
export default class CWG_Delete extends Command {
|
export default class CWG_Delete extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'delete';
|
this.name = 'delete';
|
||||||
this.description = 'Unbind a domain to the CWG';
|
this.description = 'Unbind a domain to the CWG';
|
||||||
this.usage = `${this.client.config.prefix}cwg delete [Domain | Port]`;
|
this.usage = `${this.client.config.prefix}cwg delete [Domain | Port]`;
|
||||||
this.permissions = { roles: ['525441307037007902'] };
|
this.permissions = { roles: ['525441307037007902'] };
|
||||||
this.aliases = ['unbind'];
|
this.aliases = ['unbind'];
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
if (!args[0]) return this.client.commands.get('help').run(message, ['cwg', this.name]);
|
if (!args[0]) return this.client.commands.get('help').run(message, ['cwg', this.name]);
|
||||||
const domain = await this.client.db.Domain.findOne({ $or: [{ domain: args[0] }, { port: Number(args[0]) || '' }] });
|
const domain = await this.client.db.Domain.findOne({ $or: [{ domain: args[0] }, { port: Number(args[0]) || '' }] });
|
||||||
if (!domain) return message.channel.createMessage(`***${this.client.stores.emojis.error} The domain or port you provided could not be found.***`);
|
if (!domain) return message.channel.createMessage(`***${this.client.stores.emojis.error} The domain or port you provided could not be found.***`);
|
||||||
const edit = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Deleting domain...***`);
|
const edit = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Deleting domain...***`);
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTitle('Domain Deletion');
|
embed.setTitle('Domain Deletion');
|
||||||
embed.addField('Account Username', domain.account.username, true);
|
embed.addField('Account Username', domain.account.username, true);
|
||||||
embed.addField('Account ID', domain.account.userID, true);
|
embed.addField('Account ID', domain.account.userID, true);
|
||||||
embed.addField('Domain', domain.domain, true);
|
embed.addField('Domain', domain.domain, true);
|
||||||
embed.addField('Port', String(domain.port), true);
|
embed.addField('Port', String(domain.port), true);
|
||||||
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setTimestamp();
|
embed.setTimestamp();
|
||||||
if (domain.domain.includes('cloud.libraryofcode.org')) {
|
if (domain.domain.includes('cloud.libraryofcode.org')) {
|
||||||
const resultID = await axios({
|
const resultID = await axios({
|
||||||
method: 'get',
|
method: 'get',
|
||||||
url: `https://api.cloudflare.com/client/v4/zones/5e82fc3111ed4fbf9f58caa34f7553a7/dns_records?name=${domain.domain}`,
|
url: `https://api.cloudflare.com/client/v4/zones/5e82fc3111ed4fbf9f58caa34f7553a7/dns_records?name=${domain.domain}`,
|
||||||
headers: { Authorization: `Bearer ${this.client.config.cloudflare}` },
|
headers: { Authorization: `Bearer ${this.client.config.cloudflare}` },
|
||||||
});
|
});
|
||||||
this.client.signale.debug(resultID.data);
|
this.client.signale.debug(resultID.data);
|
||||||
if (resultID.data.result[0]) {
|
if (resultID.data.result[0]) {
|
||||||
const recordID = resultID.data.result[0].id;
|
const recordID = resultID.data.result[0].id;
|
||||||
await axios({
|
await axios({
|
||||||
method: 'delete',
|
method: 'delete',
|
||||||
url: `https://api.cloudflare.com/client/v4/zones/5e82fc3111ed4fbf9f58caa34f7553a7/dns_records/${recordID}`,
|
url: `https://api.cloudflare.com/client/v4/zones/5e82fc3111ed4fbf9f58caa34f7553a7/dns_records/${recordID}`,
|
||||||
headers: { Authorization: `Bearer ${this.client.config.cloudflare}` },
|
headers: { Authorization: `Bearer ${this.client.config.cloudflare}` },
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
try {
|
try {
|
||||||
await fs.unlink(`/etc/nginx/sites-enabled/${domain.domain}`);
|
await fs.unlink(`/etc/nginx/sites-enabled/${domain.domain}`);
|
||||||
await fs.unlink(`/etc/nginx/sites-available/${domain.domain}`);
|
await fs.unlink(`/etc/nginx/sites-available/${domain.domain}`);
|
||||||
} catch (e) { this.client.signale.error(e); }
|
} catch (e) { this.client.signale.error(e); }
|
||||||
await this.client.db.Domain.deleteOne({ domain: domain.domain });
|
await this.client.db.Domain.deleteOne({ domain: domain.domain });
|
||||||
await this.client.util.exec('systemctl reload nginx');
|
await this.client.util.exec('systemctl reload nginx');
|
||||||
edit.edit(`***${this.client.stores.emojis.success} Domain ${domain.domain} with port ${domain.port} has been successfully deleted.***`);
|
edit.edit(`***${this.client.stores.emojis.success} Domain ${domain.domain} with port ${domain.port} has been successfully deleted.***`);
|
||||||
// @ts-ignore
|
this.client.createMessage('580950455581147146', { embed });
|
||||||
this.client.createMessage('580950455581147146', { embed });
|
return this.client.getDMChannel(domain.account.userID).then((channel) => channel.createMessage({ embed })).catch(() => {});
|
||||||
// @ts-ignore
|
} catch (error) {
|
||||||
return this.client.getDMChannel(domain.account.userID).then((channel) => channel.createMessage({ embed })).catch(() => {});
|
return this.client.util.handleError(error, message, this);
|
||||||
} catch (error) {
|
}
|
||||||
return this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,45 +1,43 @@
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import moment from 'moment';
|
import moment from 'moment';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { RichEmbed, Command } from '../class';
|
import { RichEmbed, Command } from '../class';
|
||||||
import { dataConversion } from '../functions';
|
import { dataConversion } from '../functions';
|
||||||
// eslint-disable-next-line import/no-unresolved
|
// eslint-disable-next-line import/no-unresolved
|
||||||
import 'moment-precise-range-plugin';
|
import 'moment-precise-range-plugin';
|
||||||
|
|
||||||
export default class Disk extends Command {
|
export default class Disk extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'disk';
|
this.name = 'disk';
|
||||||
this.description = 'Checks the used disk space by a user';
|
this.description = 'Checks the used disk space by a user';
|
||||||
this.usage = `${this.client.config.prefix}disk [Username/User ID/Email]`;
|
this.usage = `${this.client.config.prefix}disk [Username/User ID/Email]`;
|
||||||
this.permissions = { roles: ['446104438969466890'] };
|
this.permissions = { roles: ['446104438969466890'] };
|
||||||
this.enabled = false;
|
this.enabled = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
async run(message: Message, args: string[]) {
|
async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
if (!args[0]) return this.client.commands.get('help').run(message, [this.name]);
|
if (!args[0]) return this.client.commands.get('help').run(message, [this.name]);
|
||||||
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0] }, { emailAddress: args[0] }] });
|
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0] }, { emailAddress: args[0] }] });
|
||||||
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not found***`);
|
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not found***`);
|
||||||
if (account.root || args[0].includes('./')) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Permission denied***`);
|
if (account.root || args[0].includes('./')) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Permission denied***`);
|
||||||
const diskReply = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Fetching total disk size may up to 10 minutes. This message will edit when the disk size has been located.***`);
|
const diskReply = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Fetching total disk size may up to 10 minutes. This message will edit when the disk size has been located.***`);
|
||||||
const start = Date.now();
|
const start = Date.now();
|
||||||
const result = await this.client.util.exec(`du -s ${account.homepath}`);
|
const result = await this.client.util.exec(`du -s ${account.homepath}`);
|
||||||
const end = Date.now();
|
const end = Date.now();
|
||||||
// @ts-ignore
|
const totalTime: string = moment.preciseDiff(start, end);
|
||||||
const totalTime: string = moment.preciseDiff(start, end);
|
const embed = new RichEmbed();
|
||||||
const embed = new RichEmbed();
|
embed.setTitle('Disk Usage');
|
||||||
embed.setTitle('Disk Usage');
|
embed.setColor('ff0000');
|
||||||
embed.setColor('ff0000');
|
embed.setDescription(result.split(/ +/g)[1]);
|
||||||
embed.setDescription(result.split(/ +/g)[1]);
|
embed.addField('Result', dataConversion(Number(result.split(/ +/g)[0])), true);
|
||||||
embed.addField('Result', dataConversion(Number(result.split(/ +/g)[0])), true);
|
embed.addField('Time taken', totalTime, true);
|
||||||
embed.addField('Time taken', totalTime, true);
|
embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
||||||
embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
embed.setTimestamp();
|
||||||
embed.setTimestamp();
|
return diskReply.edit({ content: '', embed });
|
||||||
// @ts-ignore
|
} catch (error) {
|
||||||
return diskReply.edit({ content: '', embed });
|
return this.client.util.handleError(error, message, this);
|
||||||
} catch (error) {
|
}
|
||||||
return this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,70 +1,67 @@
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { createPaginationEmbed } from 'eris-pagination';
|
import { createPaginationEmbed } from 'eris-pagination';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
|
|
||||||
export default class Help extends Command {
|
export default class Help extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'help';
|
this.name = 'help';
|
||||||
this.description = 'Display a list of commands';
|
this.description = 'Display a list of commands';
|
||||||
this.usage = `${this.client.config.prefix}help | ${this.client.config.prefix}help ping`;
|
this.usage = `${this.client.config.prefix}help | ${this.client.config.prefix}help ping`;
|
||||||
this.aliases = ['commands'];
|
this.aliases = ['commands'];
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
// eslint-disable-next-line consistent-return
|
// eslint-disable-next-line consistent-return
|
||||||
public async run(message: Message, args?: string[]) {
|
public async run(message: Message, args?: string[]) {
|
||||||
try {
|
try {
|
||||||
if (!args[0]) {
|
if (!args[0]) {
|
||||||
const cmdList: Command[] = [];
|
const cmdList: Command[] = [];
|
||||||
this.client.commands.forEach((c) => cmdList.push(c));
|
this.client.commands.forEach((c) => cmdList.push(c));
|
||||||
const commands = this.client.commands.map((c) => {
|
const commands = this.client.commands.map((c) => {
|
||||||
const aliases = c.aliases.map((alias) => `${this.client.config.prefix}${alias}`).join(', ');
|
const aliases = c.aliases.map((alias) => `${this.client.config.prefix}${alias}`).join(', ');
|
||||||
const perms: string[] = [];
|
const perms: string[] = [];
|
||||||
let allowedRoles = c.permissions && c.permissions.roles && c.permissions.roles.map((r) => `<@&${r}>`).join(', ');
|
let allowedRoles = c.permissions && c.permissions.roles && c.permissions.roles.map((r) => `<@&${r}>`).join(', ');
|
||||||
if (allowedRoles) { allowedRoles = `**Roles:** ${allowedRoles}`; perms.push(allowedRoles); }
|
if (allowedRoles) { allowedRoles = `**Roles:** ${allowedRoles}`; perms.push(allowedRoles); }
|
||||||
let allowedUsers = c.permissions && c.permissions.users && c.permissions.users.map((u) => `<@${u}>`).join(', ');
|
let allowedUsers = c.permissions && c.permissions.users && c.permissions.users.map((u) => `<@${u}>`).join(', ');
|
||||||
if (allowedUsers) { allowedUsers = `**Users:** ${allowedUsers}`; perms.push(allowedUsers); }
|
if (allowedUsers) { allowedUsers = `**Users:** ${allowedUsers}`; perms.push(allowedUsers); }
|
||||||
const displayedPerms = perms.length ? `**Permissions:**\n${perms.join('\n')}` : '';
|
const displayedPerms = perms.length ? `**Permissions:**\n${perms.join('\n')}` : '';
|
||||||
return { name: `${this.client.config.prefix}${c.name}`, value: `**Description:** ${c.description}\n**Aliases:** ${aliases}\n**Usage:** ${c.usage}\n${displayedPerms}`, inline: false };
|
return { name: `${this.client.config.prefix}${c.name}`, value: `**Description:** ${c.description}\n**Aliases:** ${aliases}\n**Usage:** ${c.usage}\n${displayedPerms}`, inline: false };
|
||||||
});
|
});
|
||||||
|
|
||||||
const splitCommands = this.client.util.splitFields(commands);
|
const splitCommands = this.client.util.splitFields(commands);
|
||||||
const cmdPages: RichEmbed[] = [];
|
const cmdPages: RichEmbed[] = [];
|
||||||
splitCommands.forEach((splitCmd) => {
|
splitCommands.forEach((splitCmd) => {
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTimestamp(); embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
embed.setTimestamp(); embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
||||||
embed.setAuthor(`${this.client.user.username}#${this.client.user.discriminator}`, this.client.user.avatarURL);
|
embed.setAuthor(`${this.client.user.username}#${this.client.user.discriminator}`, this.client.user.avatarURL);
|
||||||
embed.setDescription(`Command list for ${this.client.user.username}`);
|
embed.setDescription(`Command list for ${this.client.user.username}`);
|
||||||
splitCmd.forEach((c) => embed.addField(c.name, c.value, c.inline));
|
splitCmd.forEach((c) => embed.addField(c.name, c.value, c.inline));
|
||||||
return cmdPages.push(embed);
|
return cmdPages.push(embed);
|
||||||
});
|
});
|
||||||
// @ts-ignore
|
if (cmdPages.length === 1) return message.channel.createMessage({ embed: cmdPages[0] });
|
||||||
if (cmdPages.length === 1) return message.channel.createMessage({ embed: cmdPages[0] });
|
return createPaginationEmbed(message, this.client, cmdPages);
|
||||||
// @ts-ignore
|
}
|
||||||
return createPaginationEmbed(message, this.client, cmdPages);
|
const resolved = await this.client.util.resolveCommand(args, message);
|
||||||
}
|
if (!resolved) return message.channel.createMessage(`${this.client.stores.emojis.error} **Command not found!**`);
|
||||||
const resolved = await this.client.util.resolveCommand(args, message);
|
const { cmd } = resolved;
|
||||||
if (!resolved) return message.channel.createMessage(`${this.client.stores.emojis.error} **Command not found!**`);
|
const perms: string[] = [];
|
||||||
const { cmd } = resolved;
|
let allowedRoles = cmd.permissions && cmd.permissions.roles && cmd.permissions.roles.map((r) => `<@&${r}>`).join(', ');
|
||||||
const perms: string[] = [];
|
if (allowedRoles) { allowedRoles = `**Roles:** ${allowedRoles}`; perms.push(allowedRoles); }
|
||||||
let allowedRoles = cmd.permissions && cmd.permissions.roles && cmd.permissions.roles.map((r) => `<@&${r}>`).join(', ');
|
let allowedUsers = cmd.permissions && cmd.permissions.users && cmd.permissions.users.map((u) => `<@${u}>`).join(', ');
|
||||||
if (allowedRoles) { allowedRoles = `**Roles:** ${allowedRoles}`; perms.push(allowedRoles); }
|
if (allowedUsers) { allowedUsers = `**Users:** ${allowedUsers}`; perms.push(allowedUsers); }
|
||||||
let allowedUsers = cmd.permissions && cmd.permissions.users && cmd.permissions.users.map((u) => `<@${u}>`).join(', ');
|
const displayedPerms = perms.length ? `\n**Permissions:**\n${perms.join('\n')}` : '';
|
||||||
if (allowedUsers) { allowedUsers = `**Users:** ${allowedUsers}`; perms.push(allowedUsers); }
|
const aliases = cmd.aliases.length ? `\n**Aliases:** ${cmd.aliases.map((alias) => `${this.client.config.prefix}${cmd.parentName ? `${cmd.parentName} ` : ''}${alias}`).join(', ')}` : '';
|
||||||
const displayedPerms = perms.length ? `\n**Permissions:**\n${perms.join('\n')}` : '';
|
const subcommands = cmd.subcommands.size ? `\n**Subcommands:** ${cmd.subcommands.map((s) => `${cmd.name} ${s.name}`).join(', ')}` : '';
|
||||||
const aliases = cmd.aliases.length ? `\n**Aliases:** ${cmd.aliases.map((alias) => `${this.client.config.prefix}${cmd.parentName ? `${cmd.parentName} ` : ''}${alias}`).join(', ')}` : '';
|
const embed = new RichEmbed();
|
||||||
const subcommands = cmd.subcommands.size ? `\n**Subcommands:** ${cmd.subcommands.map((s) => `${cmd.name} ${s.name}`).join(', ')}` : '';
|
embed.setTimestamp(); embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
||||||
const embed = new RichEmbed();
|
embed.setTitle(`${this.client.config.prefix}${cmd.parentName ? `${cmd.parentName}${cmd.name}` : cmd.name}`); embed.setAuthor(`${this.client.user.username}#${this.client.user.discriminator}`, this.client.user.avatarURL);
|
||||||
embed.setTimestamp(); embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
const description = `**Description**: ${cmd.description}\n**Usage:** ${cmd.usage}${aliases}${displayedPerms}${subcommands}`;
|
||||||
embed.setTitle(`${this.client.config.prefix}${cmd.parentName ? `${cmd.parentName}${cmd.name}` : cmd.name}`); embed.setAuthor(`${this.client.user.username}#${this.client.user.discriminator}`, this.client.user.avatarURL);
|
embed.setDescription(description);
|
||||||
const description = `**Description**: ${cmd.description}\n**Usage:** ${cmd.usage}${aliases}${displayedPerms}${subcommands}`;
|
message.channel.createMessage({ embed });
|
||||||
embed.setDescription(description);
|
} catch (error) {
|
||||||
// @ts-ignore
|
this.client.util.handleError(error, message, this);
|
||||||
message.channel.createMessage({ embed });
|
}
|
||||||
} catch (error) {
|
}
|
||||||
this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,54 +1,55 @@
|
||||||
import moment from 'moment';
|
import moment, { unitOfTime } from 'moment';
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command } from '../class';
|
import { Command } from '../class';
|
||||||
|
|
||||||
export default class Lock extends Command {
|
export default class Lock extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'lock';
|
this.name = 'lock';
|
||||||
this.description = 'Locks an account.';
|
this.description = 'Locks an account.';
|
||||||
this.permissions = { roles: ['455972169449734144', '662163685439045632'] };
|
this.permissions = { roles: ['455972169449734144', '662163685439045632'] };
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) { // eslint-disable-line
|
public async run(message: Message, args: string[]) { // eslint-disable-line
|
||||||
try {
|
try {
|
||||||
if (!args.length) return this.client.commands.get('help').run(message, [this.name]);
|
if (!args.length) return this.client.commands.get('help').run(message, [this.name]);
|
||||||
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0].replace(/[<@!>]/gi, '') }] });
|
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0].replace(/[<@!>]/gi, '') }] });
|
||||||
if (!account) return message.channel.createMessage(`***${this.client.stores.emojis.error} Cannot find user.***`);
|
if (!account) return message.channel.createMessage(`***${this.client.stores.emojis.error} Cannot find user.***`);
|
||||||
if (account.locked) return message.channel.createMessage(`***${this.client.stores.emojis.error} This account is already locked.***`);
|
if (account.locked) return message.channel.createMessage(`***${this.client.stores.emojis.error} This account is already locked.***`);
|
||||||
const edit = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Locking account...***`);
|
const edit = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Locking account...***`);
|
||||||
if (account.username === 'matthew' || account.root) return edit.edit(`***${this.client.stores.emojis.error} Permission denied.***`);
|
if (account.username === 'matthew' || account.root) return edit.edit(`***${this.client.stores.emojis.error} Permission denied.***`);
|
||||||
await this.client.util.exec(`lock ${account.username}`);
|
await this.client.util.exec(`lock ${account.username}`);
|
||||||
await account.updateOne({ locked: true });
|
await account.updateOne({ locked: true });
|
||||||
|
|
||||||
const expiry = new Date();
|
const expiry = new Date();
|
||||||
const lockLength = args[1].match(/[a-z]+|[^a-z]+/gi);
|
const lockLength = args[1].match(/[a-z]+|[^a-z]+/gi);
|
||||||
// @ts-ignore
|
const length = Number(lockLength[0]);
|
||||||
const momentMilliseconds = moment.duration(Number(lockLength[0]), lockLength[1]).asMilliseconds();
|
const unit = lockLength[1] as unitOfTime.Base;
|
||||||
const reason = momentMilliseconds ? args.slice(2).join(' ') : args.slice(1).join(' ');
|
const momentMilliseconds = moment.duration(length, unit).asMilliseconds();
|
||||||
|
const reason = momentMilliseconds ? args.slice(2).join(' ') : args.slice(1).join(' ');
|
||||||
await this.client.util.createModerationLog(account.userID, message.member, 2, reason, momentMilliseconds);
|
|
||||||
edit.edit(`***${this.client.stores.emojis.success} Account ${account.username} has been locked by Moderator ${message.author.username}#${message.author.discriminator}.***`);
|
await this.client.util.createModerationLog(account.userID, message.member, 2, reason, momentMilliseconds);
|
||||||
message.delete();
|
edit.edit(`***${this.client.stores.emojis.success} Account ${account.username} has been locked by Moderator ${message.author.username}#${message.author.discriminator}.***`);
|
||||||
|
message.delete();
|
||||||
this.client.util.transport.sendMail({
|
|
||||||
to: account.emailAddress,
|
this.client.util.transport.sendMail({
|
||||||
from: 'Library of Code sp-us | Cloud Services <help@libraryofcode.org>',
|
to: account.emailAddress,
|
||||||
subject: 'Your account has been locked',
|
from: 'Library of Code sp-us | Cloud Services <help@libraryofcode.org>',
|
||||||
html: `
|
subject: 'Your account has been locked',
|
||||||
<h1>Library of Code | Cloud Services</h1>
|
html: `
|
||||||
<p>Your Cloud Account has been locked until ${momentMilliseconds ? moment(expiry).calendar() : 'indefinitely'} under the EULA.</p>
|
<h1>Library of Code | Cloud Services</h1>
|
||||||
<p><b>Reason:</b> ${momentMilliseconds ? args.slice(2).join(' ') : args.slice(1).join(' ')}</p>
|
<p>Your Cloud Account has been locked until ${momentMilliseconds ? moment(expiry).calendar() : 'indefinitely'} under the EULA.</p>
|
||||||
<p><b>Supervisor:</b> ${message.author.username}</p>
|
<p><b>Reason:</b> ${momentMilliseconds ? args.slice(2).join(' ') : args.slice(1).join(' ')}</p>
|
||||||
<p><b>Expiration:</b> ${momentMilliseconds ? moment(expiry).format('dddd, MMMM Do YYYY, h:mm:ss A') : 'N/A'}</p>
|
<p><b>Supervisor:</b> ${message.author.username}</p>
|
||||||
|
<p><b>Expiration:</b> ${momentMilliseconds ? moment(expiry).format('dddd, MMMM Do YYYY, h:mm:ss A') : 'N/A'}</p>
|
||||||
<b><i>Library of Code sp-us | Support Team</i></b>
|
|
||||||
`,
|
<b><i>Library of Code sp-us | Support Team</i></b>
|
||||||
});
|
`,
|
||||||
} catch (error) {
|
});
|
||||||
return this.client.util.handleError(error, message, this);
|
} catch (error) {
|
||||||
}
|
return this.client.util.handleError(error, message, this);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
}
|
||||||
|
|
|
@ -1,68 +1,65 @@
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
// eslint-disable-next-line import/no-unresolved
|
// eslint-disable-next-line import/no-unresolved
|
||||||
import { createPaginationEmbed } from 'eris-pagination';
|
import { createPaginationEmbed } from 'eris-pagination';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
|
|
||||||
export default class Modlogs extends Command {
|
export default class Modlogs extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'modlogs';
|
this.name = 'modlogs';
|
||||||
this.description = 'Check a user\'s Cloud Modlogs';
|
this.description = 'Check a user\'s Cloud Modlogs';
|
||||||
this.aliases = ['infractions', 'modlog'];
|
this.aliases = ['infractions', 'modlog'];
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
this.permissions = { roles: ['446104438969466890'] };
|
this.permissions = { roles: ['446104438969466890'] };
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
if (!args.length) return this.client.commands.get('help').run(message, [this.name]);
|
if (!args.length) return this.client.commands.get('help').run(message, [this.name]);
|
||||||
const msg: Message = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Locating modlogs...***`);
|
const msg: Message = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Locating modlogs...***`);
|
||||||
const query = await this.client.db.Moderation.find({ $or: [{ username: args.join(' ') }, { userID: args.filter((a) => a)[0].replace(/[<@!>]/g, '') }] });
|
const query = await this.client.db.Moderation.find({ $or: [{ username: args.join(' ') }, { userID: args.filter((a) => a)[0].replace(/[<@!>]/g, '') }] });
|
||||||
if (!query.length) return msg.edit(`***${this.client.stores.emojis.error} Cannot locate modlogs for ${args.join(' ')}***`);
|
if (!query.length) return msg.edit(`***${this.client.stores.emojis.error} Cannot locate modlogs for ${args.join(' ')}***`);
|
||||||
|
|
||||||
// @ts-ignore
|
const formatted = query.sort((a, b) => a.date.getTime() - b.date.getTime()).map((log) => {
|
||||||
const formatted = query.sort((a, b) => a.date - b.date).map((log) => {
|
const { username, moderatorID, reason, type, date, logID } = log;
|
||||||
const { username, moderatorID, reason, type, date, logID } = log;
|
let name: string;
|
||||||
let name: string;
|
switch (type) {
|
||||||
switch (type) {
|
default: name = 'Generic'; break;
|
||||||
default: name = 'Generic'; break;
|
case 0: name = 'Create'; break;
|
||||||
case 0: name = 'Create'; break;
|
case 1: name = 'Warn'; break;
|
||||||
case 1: name = 'Warn'; break;
|
case 2: name = 'Lock'; break;
|
||||||
case 2: name = 'Lock'; break;
|
case 3: name = 'Unlock'; break;
|
||||||
case 3: name = 'Unlock'; break;
|
case 4: name = 'Delete'; break;
|
||||||
case 4: name = 'Delete'; break;
|
}
|
||||||
}
|
const value = `**ID:** ${logID}\n**Account name:** ${username}\n**Moderator:** <@${moderatorID}>\n**Reason:** ${reason || 'Not supplied'}\n**Date:** ${date.toLocaleString('en-us')} EST`;
|
||||||
const value = `**ID:** ${logID}\n**Account name:** ${username}\n**Moderator:** <@${moderatorID}>\n**Reason:** ${reason || 'Not supplied'}\n**Date:** ${date.toLocaleString('en-us')} EST`;
|
const inline = true;
|
||||||
const inline = true;
|
return { name, value, inline };
|
||||||
return { name, value, inline };
|
});
|
||||||
});
|
const users = [...new Set(query.map((log) => log.userID))].map((u) => `<@${u}>`);
|
||||||
const users = [...new Set(query.map((log) => log.userID))].map((u) => `<@${u}>`);
|
|
||||||
|
const logs = this.client.util.splitFields(formatted);
|
||||||
const logs = this.client.util.splitFields(formatted);
|
|
||||||
|
const embeds = logs.map((l) => {
|
||||||
const embeds = logs.map((l) => {
|
const embed = new RichEmbed();
|
||||||
const embed = new RichEmbed();
|
embed.setDescription(`List of Cloud moderation logs for ${users.join(', ')}`);
|
||||||
embed.setDescription(`List of Cloud moderation logs for ${users.join(', ')}`);
|
embed.setAuthor('Library of Code | Cloud Services', this.client.user.avatarURL, 'https://libraryofcode.org/');
|
||||||
embed.setAuthor('Library of Code | Cloud Services', this.client.user.avatarURL, 'https://libraryofcode.org/');
|
embed.setTitle('Cloud Modlogs/Infractions');
|
||||||
embed.setTitle('Cloud Modlogs/Infractions');
|
embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
||||||
embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
l.forEach((f) => embed.addField(f.name, f.value, f.inline));
|
||||||
l.forEach((f) => embed.addField(f.name, f.value, f.inline));
|
embed.setTimestamp();
|
||||||
embed.setTimestamp();
|
embed.setColor(3447003);
|
||||||
embed.setColor(3447003);
|
return embed;
|
||||||
return embed;
|
});
|
||||||
});
|
|
||||||
|
if (embeds.length === 1) {
|
||||||
if (embeds.length === 1) {
|
msg.edit({ content: '', embed: embeds[0] });
|
||||||
// @ts-ignore
|
} else {
|
||||||
msg.edit({ content: '', embed: embeds[0] });
|
createPaginationEmbed(message, this.client, embeds, {}, msg);
|
||||||
} else {
|
}
|
||||||
// @ts-ignore
|
return msg;
|
||||||
createPaginationEmbed(message, this.client, embeds, {}, msg);
|
} catch (error) {
|
||||||
}
|
return this.client.util.handleError(error, message, this);
|
||||||
return msg;
|
}
|
||||||
} catch (error) {
|
}
|
||||||
return this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,53 +1,51 @@
|
||||||
/* eslint-disable consistent-return */
|
/* eslint-disable consistent-return */
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
|
|
||||||
export default class Notify extends Command {
|
export default class Notify extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'notify';
|
this.name = 'notify';
|
||||||
this.description = 'Sends a notification to a user.';
|
this.description = 'Sends a notification to a user.';
|
||||||
this.usage = `${this.client.config.prefix}notify [username | user ID]`;
|
this.usage = `${this.client.config.prefix}notify [username | user ID]`;
|
||||||
this.permissions = { roles: ['446104438969466890'] };
|
this.permissions = { roles: ['446104438969466890'] };
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
if (!args.length) return this.client.commands.get('help').run(message, [this.name]);
|
if (!args.length) return this.client.commands.get('help').run(message, [this.name]);
|
||||||
const edit = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Sending notification...***`);
|
const edit = await message.channel.createMessage(`***${this.client.stores.emojis.loading} Sending notification...***`);
|
||||||
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0].replace(/[<@!>]/gi, '') }] });
|
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0].replace(/[<@!>]/gi, '') }] });
|
||||||
if (!account) return edit.edit(`***${this.client.stores.emojis.error} Cannot find user.***`);
|
if (!account) return edit.edit(`***${this.client.stores.emojis.error} Cannot find user.***`);
|
||||||
const embed = new RichEmbed()
|
const embed = new RichEmbed()
|
||||||
.setTitle('Cloud Account | Notification')
|
.setTitle('Cloud Account | Notification')
|
||||||
.setDescription(args.slice(1).join(' '))
|
.setDescription(args.slice(1).join(' '))
|
||||||
.addField('Moderator', `<@${message.author.id}>`, true)
|
.addField('Moderator', `<@${message.author.id}>`, true)
|
||||||
.setFooter(this.client.user.username, this.client.user.avatarURL)
|
.setFooter(this.client.user.username, this.client.user.avatarURL)
|
||||||
.setTimestamp();
|
.setTimestamp();
|
||||||
this.client.getDMChannel(account.userID).then((channel) => {
|
this.client.getDMChannel(account.userID).then((channel) => {
|
||||||
// @ts-ignore
|
channel.createMessage({ embed });
|
||||||
channel.createMessage({ embed });
|
});
|
||||||
});
|
embed.addField('User', `${account.username} | <@${account.userID}>`, true);
|
||||||
embed.addField('User', `${account.username} | <@${account.userID}>`, true);
|
this.client.createMessage('580950455581147146', { embed });
|
||||||
// @ts-ignore
|
this.client.util.transport.sendMail({
|
||||||
this.client.createMessage('580950455581147146', { embed });
|
to: account.emailAddress,
|
||||||
this.client.util.transport.sendMail({
|
from: 'Library of Code sp-us | Cloud Services <help@libraryofcode.org>',
|
||||||
to: account.emailAddress,
|
subject: 'Notification',
|
||||||
from: 'Library of Code sp-us | Cloud Services <help@libraryofcode.org>',
|
html: `
|
||||||
subject: 'Notification',
|
<h1>Library of Code sp-us | Cloud Services</h1>
|
||||||
html: `
|
<p>${args.slice(1).join(' ')}</p>
|
||||||
<h1>Library of Code sp-us | Cloud Services</h1>
|
<p><strong>Moderator:</strong> ${message.author.username}</p>
|
||||||
<p>${args.slice(1).join(' ')}</p>
|
|
||||||
<p><strong>Moderator:</strong> ${message.author.username}</p>
|
<b><i>Library of Code sp-us | Support Team</i></b>
|
||||||
|
`,
|
||||||
<b><i>Library of Code sp-us | Support Team</i></b>
|
});
|
||||||
`,
|
message.delete();
|
||||||
});
|
edit.edit(`***${this.client.stores.emojis.success} Send notification to ${account.username}.***`);
|
||||||
message.delete();
|
} catch (error) {
|
||||||
edit.edit(`***${this.client.stores.emojis.success} Send notification to ${account.username}.***`);
|
await this.client.util.handleError(error, message, this);
|
||||||
} catch (error) {
|
}
|
||||||
await this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,70 +1,69 @@
|
||||||
import fs from 'fs-extra';
|
import fs from 'fs-extra';
|
||||||
import { parseCert } from '@ghaiklor/x509';
|
import { parseCert } from '@ghaiklor/x509';
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
import { parseCertificate, Certificate } from '../functions';
|
import { parseCertificate, Certificate } from '../functions';
|
||||||
|
|
||||||
export default class Parse extends Command {
|
export default class Parse extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'parse';
|
this.name = 'parse';
|
||||||
this.description = 'Gets information on a user\'s x509 certificate.';
|
this.description = 'Gets information on a user\'s x509 certificate.';
|
||||||
this.usage = `${this.client.config.prefix}parse [username || user ID]`;
|
this.usage = `${this.client.config.prefix}parse [username || user ID]`;
|
||||||
this.permissions = { roles: ['446104438969466890'] };
|
this.permissions = { roles: ['446104438969466890'] };
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) { // eslint-disable-line
|
public async run(message: Message, args: string[]) { // eslint-disable-line
|
||||||
try {
|
try {
|
||||||
if (!args.length) return this.client.commands.get('help').run(message, [this.name]);
|
if (!args.length) return this.client.commands.get('help').run(message, [this.name]);
|
||||||
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0].replace(/[<@!>]/gi, '') }] });
|
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0].replace(/[<@!>]/gi, '') }] });
|
||||||
if (!account) return message.channel.createMessage(`***${this.client.stores.emojis.error} Cannot find user.***`);
|
if (!account) return message.channel.createMessage(`***${this.client.stores.emojis.error} Cannot find user.***`);
|
||||||
let dir: string[];
|
let dir: string[];
|
||||||
try {
|
try {
|
||||||
dir = await fs.readdir(`${account.homepath}/Validation`);
|
dir = await fs.readdir(`${account.homepath}/Validation`);
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
return message.channel.createMessage(`***${this.client.stores.emojis.error} Cannot locate Validation directory.***`);
|
return message.channel.createMessage(`***${this.client.stores.emojis.error} Cannot locate Validation directory.***`);
|
||||||
}
|
}
|
||||||
if (!dir.length) return message.channel.createMessage(`***${this.client.stores.emojis.error} Cannot locate certificate.***`);
|
if (!dir.length) return message.channel.createMessage(`***${this.client.stores.emojis.error} Cannot locate certificate.***`);
|
||||||
let cert: Certificate;
|
let cert: Certificate;
|
||||||
try {
|
try {
|
||||||
cert = await parseCertificate(this.client, `${account.homepath}/Validation/${dir[0]}`);
|
cert = await parseCertificate(this.client, `${account.homepath}/Validation/${dir[0]}`);
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
if (error.message.includes('panic: Certificate PEM Encode == nil')) return message.channel.createMessage(`***${this.client.stores.emojis.error} Invalid certificate.***`);
|
if (error.message.includes('panic: Certificate PEM Encode == nil')) return message.channel.createMessage(`***${this.client.stores.emojis.error} Invalid certificate.***`);
|
||||||
}
|
}
|
||||||
// const cert = parseCert(`${account.homepath}/Validation/${dir[0]}`);
|
// const cert = parseCert(`${account.homepath}/Validation/${dir[0]}`);
|
||||||
const subjectCommonName = cert.subject.commonName || 'Not Specified';
|
const subjectCommonName = cert.subject.commonName || 'Not Specified';
|
||||||
const subjectEmailAddress = cert.subject.emailAddress || 'Not Specified';
|
const subjectEmailAddress = cert.subject.emailAddress || 'Not Specified';
|
||||||
const subjectOrganization = cert.subject.organizationName || 'Not Specified';
|
const subjectOrganization = cert.subject.organizationName || 'Not Specified';
|
||||||
const subjectOrganizationalUnit = cert.subject.organizationalUnitName || 'Not Specified';
|
const subjectOrganizationalUnit = cert.subject.organizationalUnitName || 'Not Specified';
|
||||||
const subjectCountry = cert.subject.countryName || 'Not Specified';
|
const subjectCountry = cert.subject.countryName || 'Not Specified';
|
||||||
const issuerCommonName = cert.issuer.commonName || 'Not Specified';
|
const issuerCommonName = cert.issuer.commonName || 'Not Specified';
|
||||||
const issuerEmailAddress = cert.issuer.emailAddress || 'Not Specified';
|
const issuerEmailAddress = cert.issuer.emailAddress || 'Not Specified';
|
||||||
const issuerOrganization = cert.issuer.organizationName || 'Not Specified';
|
const issuerOrganization = cert.issuer.organizationName || 'Not Specified';
|
||||||
const issuerOrganizationalUnit = cert.issuer.organizationalUnitName || 'Not Specified';
|
const issuerOrganizationalUnit = cert.issuer.organizationalUnitName || 'Not Specified';
|
||||||
const issuerCountry = cert.issuer.countryName || 'Not Specified';
|
const issuerCountry = cert.issuer.countryName || 'Not Specified';
|
||||||
const user = this.client.users.get(account.userID) || await this.client.getRESTUser(account.userID);
|
const user = this.client.users.get(account.userID) || await this.client.getRESTUser(account.userID);
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTitle('Parse x509 Certificate');
|
embed.setTitle('Parse x509 Certificate');
|
||||||
embed.setDescription(`${account.homepath}/Validation/${dir[0]} | ${account.username} <@${user.id}>`);
|
embed.setDescription(`${account.homepath}/Validation/${dir[0]} | ${account.username} <@${user.id}>`);
|
||||||
embed.setColor(3447003);
|
embed.setColor(3447003);
|
||||||
embed.addField('Subject', `**Common Name:** ${subjectCommonName}\n**Email Address:** ${subjectEmailAddress}\n**Organization:** ${subjectOrganization}\n**Organizational Unit:** ${subjectOrganizationalUnit}\n**Country:** ${subjectCountry}`, true);
|
embed.addField('Subject', `**Common Name:** ${subjectCommonName}\n**Email Address:** ${subjectEmailAddress}\n**Organization:** ${subjectOrganization}\n**Organizational Unit:** ${subjectOrganizationalUnit}\n**Country:** ${subjectCountry}`, true);
|
||||||
embed.addField('Issuer', `**Common Name:** ${issuerCommonName}\n**Email Address:** ${issuerEmailAddress}\n**Organization:** ${issuerOrganization}\n**Organizational Unit:** ${issuerOrganizationalUnit}\n**Country:** ${issuerCountry}`, true);
|
embed.addField('Issuer', `**Common Name:** ${issuerCommonName}\n**Email Address:** ${issuerEmailAddress}\n**Organization:** ${issuerOrganization}\n**Organizational Unit:** ${issuerOrganizationalUnit}\n**Country:** ${issuerCountry}`, true);
|
||||||
embed.addField('Serial Number', cert.serial, true);
|
embed.addField('Serial Number', cert.serial, true);
|
||||||
embed.addField('Fingerprint', cert.fingerPrint, true);
|
embed.addField('Fingerprint', cert.fingerPrint, true);
|
||||||
embed.addField('Signature Algorithm', cert.signatureAlgorithm, true);
|
embed.addField('Signature Algorithm', cert.signatureAlgorithm, true);
|
||||||
embed.addField('Public Key Algorithm', cert.publicKeyAlgorithm, true);
|
embed.addField('Public Key Algorithm', cert.publicKeyAlgorithm, true);
|
||||||
embed.addField('Key Usage', cert.extensions.keyUsage, true);
|
embed.addField('Key Usage', cert.extensions.keyUsage, true);
|
||||||
embed.addField('Extended Key Usage', cert.extensions.extendedKeyUsage.join(', '), true);
|
embed.addField('Extended Key Usage', cert.extensions.extendedKeyUsage.join(', '), true);
|
||||||
embed.addField('Policies', cert.extensions.certificatePolicies.join(', '), true);
|
embed.addField('Policies', cert.extensions.certificatePolicies.join(', '), true);
|
||||||
embed.addField('Issued On', new Date(cert.notBefore).toLocaleString('en-us'), true);
|
embed.addField('Issued On', new Date(cert.notBefore).toLocaleString('en-us'), true);
|
||||||
embed.addField('Expires On', new Date(cert.notAfter).toLocaleString('en-us'), true);
|
embed.addField('Expires On', new Date(cert.notAfter).toLocaleString('en-us'), true);
|
||||||
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setTimestamp();
|
embed.setTimestamp();
|
||||||
// @ts-ignore
|
message.channel.createMessage({ embed });
|
||||||
message.channel.createMessage({ embed });
|
} catch (error) {
|
||||||
} catch (error) {
|
await this.client.util.handleError(error, message, this);
|
||||||
await this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
|
@ -1,75 +1,72 @@
|
||||||
import { parseCert } from '@ghaiklor/x509';
|
import { parseCert } from '@ghaiklor/x509';
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { readdirSync } from 'fs';
|
import { readdirSync } from 'fs';
|
||||||
import moment from 'moment';
|
import moment from 'moment';
|
||||||
import { Client } from '..';
|
import 'moment-precise-range-plugin';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Client } from '..';
|
||||||
import { parseCertificate, Certificate } from '../functions';
|
import { Command, RichEmbed } from '../class';
|
||||||
|
import { parseCertificate, Certificate } from '../functions';
|
||||||
export default class Parseall extends Command {
|
|
||||||
constructor(client: Client) {
|
export default class Parseall extends Command {
|
||||||
super(client);
|
constructor(client: Client) {
|
||||||
|
super(client);
|
||||||
this.name = 'parseall';
|
|
||||||
this.description = 'Displays certificate validation for all accounts';
|
this.name = 'parseall';
|
||||||
this.usage = `${this.client.config.prefix}parseall`;
|
this.description = 'Displays certificate validation for all accounts';
|
||||||
this.permissions = { roles: ['446104438969466890'] };
|
this.usage = `${this.client.config.prefix}parseall`;
|
||||||
this.aliases = ['checkcerts', 'verifyall', 'verifycerts'];
|
this.permissions = { roles: ['446104438969466890'] };
|
||||||
}
|
this.aliases = ['checkcerts', 'verifyall', 'verifycerts'];
|
||||||
|
}
|
||||||
public async run(message: Message, args: string[]) {
|
|
||||||
try {
|
public async run(message: Message, args: string[]) {
|
||||||
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Loading...***`);
|
try {
|
||||||
const embed = new RichEmbed();
|
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Loading...***`);
|
||||||
embed.setTitle('Certificate Validation');
|
const embed = new RichEmbed();
|
||||||
embed.setAuthor(this.client.user.username, this.client.user.avatarURL);
|
embed.setTitle('Certificate Validation');
|
||||||
embed.setFooter(`Requested by ${message.member.username}#${message.member.discriminator}`, message.member.avatarURL);
|
embed.setAuthor(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setTimestamp();
|
embed.setFooter(`Requested by ${message.member.username}#${message.member.discriminator}`, message.member.avatarURL);
|
||||||
const search = await this.client.db.Account.find();
|
embed.setTimestamp();
|
||||||
|
const search = await this.client.db.Account.find();
|
||||||
const files = search.map((acc) => {
|
|
||||||
let certfile: string;
|
const files = search.map((acc) => {
|
||||||
try { certfile = readdirSync(`${acc.homepath}/Validation`)[0] } catch (error) { if (error.message.includes('no such file or directory') || error.message.includes('File doesn\'t exist.')) certfile = 'not_found.crt' } // eslint-disable-line
|
let certfile: string;
|
||||||
return `${acc.homepath}/Validation/${certfile}`;
|
try { certfile = readdirSync(`${acc.homepath}/Validation`)[0] } catch (error) { if (error.message.includes('no such file or directory') || error.message.includes('File doesn\'t exist.')) certfile = 'not_found.crt' } // eslint-disable-line
|
||||||
});
|
return `${acc.homepath}/Validation/${certfile}`;
|
||||||
|
});
|
||||||
// @ts-ignore
|
|
||||||
const parsed: ({ status: 'fulfilled', value: Certificate } | { status: 'rejected', reason: Error })[] = await Promise.allSettled(files.map((c) => parseCertificate(this.client, c)));
|
const parsed = await Promise.allSettled(files.map((c) => parseCertificate(this.client, c)));
|
||||||
|
|
||||||
const final: string[] = await Promise.all(search.map(async (a) => {
|
const final: string[] = await Promise.all(search.map(async (a) => {
|
||||||
const result = parsed[search.findIndex((acc) => acc === a)];
|
const result = parsed[search.findIndex((acc) => acc === a)];
|
||||||
if (result.status === 'rejected') {
|
if (result.status === 'rejected') {
|
||||||
if (result.reason.message.includes('no such file or directory') || result.reason.message.includes('File doesn\'t exist.')) return `${this.client.stores.emojis.error} **${a.username}** Unable to locate certificate`;
|
if (result.reason.message.includes('no such file or directory') || result.reason.message.includes('File doesn\'t exist.')) return `${this.client.stores.emojis.error} **${a.username}** Unable to locate certificate`;
|
||||||
if (result.reason.message.includes('panic: Certificate PEM Encode == nil')) return `${this.client.stores.emojis.error} **${a.username}** Invalid certificate`;
|
if (result.reason.message.includes('panic: Certificate PEM Encode == nil')) return `${this.client.stores.emojis.error} **${a.username}** Invalid certificate`;
|
||||||
throw result.reason;
|
throw result.reason;
|
||||||
}
|
}
|
||||||
const { notAfter } = result.value;
|
const { notAfter } = result.value;
|
||||||
// @ts-ignore
|
const timeObject = moment.preciseDiff(new Date(), notAfter, true);
|
||||||
const timeObject: {years: number, months: number, days: number, hours: number, minutes: number, seconds: number, firstDateWasLater: boolean} = moment.preciseDiff(new Date(), notAfter, true);
|
const precise: [number, string][] = [];
|
||||||
const precise: [number, string][] = [];
|
const timeArray: number[] = Object.values(timeObject).filter((v) => typeof v === 'number');
|
||||||
// @ts-ignore
|
timeArray.forEach((t) => { // eslint-disable-line
|
||||||
const timeArray: number[] = Object.values(timeObject).filter((v) => typeof v === 'number');
|
const index = timeArray.indexOf(t);
|
||||||
timeArray.forEach((t) => { // eslint-disable-line
|
const measurements = ['yr', 'mo', 'd', 'h', 'm', 's'];
|
||||||
const index = timeArray.indexOf(t);
|
precise.push([t, measurements[index]]);
|
||||||
const measurements = ['yr', 'mo', 'd', 'h', 'm', 's'];
|
});
|
||||||
precise.push([t, measurements[index]]);
|
const time = precise.filter((n) => n[0]).map(((v) => v.join(''))).join(', ');
|
||||||
});
|
|
||||||
const time = precise.filter((n) => n[0]).map(((v) => v.join(''))).join(', ');
|
if (notAfter < new Date()) return `${this.client.stores.emojis.error} **${a.username}** Expired ${time} ago`;
|
||||||
|
return `${this.client.stores.emojis.success} **${a.username}** Expires in ${time}`;
|
||||||
if (notAfter < new Date()) return `${this.client.stores.emojis.error} **${a.username}** Expired ${time} ago`;
|
}));
|
||||||
return `${this.client.stores.emojis.success} **${a.username}** Expires in ${time}`;
|
|
||||||
}));
|
if (final.join('\n').length < 2048) embed.setDescription(final.join('\n'));
|
||||||
|
else {
|
||||||
if (final.join('\n').length < 2048) embed.setDescription(final.join('\n'));
|
const split = this.client.util.splitString(final.join('\n'), 1024);
|
||||||
else {
|
split.forEach((s) => embed.addField('\u200B', s));
|
||||||
const split = this.client.util.splitString(final.join('\n'), 1024);
|
}
|
||||||
split.forEach((s) => embed.addField('\u200B', s));
|
|
||||||
}
|
return await msg.edit({ content: '', embed });
|
||||||
|
} catch (error) {
|
||||||
// @ts-ignore
|
return this.client.util.handleError(error, message, this);
|
||||||
return await msg.edit({ content: '', embed });
|
}
|
||||||
} catch (error) {
|
}
|
||||||
return this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
|
@ -1,47 +1,46 @@
|
||||||
import { Message, PrivateChannel } from 'eris';
|
import { Message, PrivateChannel } from 'eris';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
import { AccountInterface } from '../models';
|
import { AccountInterface } from '../models';
|
||||||
|
|
||||||
export default class SecureSign_Account extends Command {
|
export default class SecureSign_Account extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'account';
|
this.name = 'account';
|
||||||
this.description = 'Provides SecureSign account details for currently logged in user';
|
this.description = 'Provides SecureSign account details for currently logged in user';
|
||||||
this.usage = `${this.client.config.prefix}securesign account`;
|
this.usage = `${this.client.config.prefix}securesign account`;
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
this.guildOnly = false;
|
this.guildOnly = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
const user = await this.client.db.Account.findOne({ userID: message.author.id });
|
const user = await this.client.db.Account.findOne({ userID: message.author.id });
|
||||||
if (!user || (!user.permissions.staff && !(message.channel instanceof PrivateChannel))) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Run this command in your DMs!***`);
|
if (!user || (!user.permissions.staff && !(message.channel instanceof PrivateChannel))) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Run this command in your DMs!***`);
|
||||||
|
|
||||||
let account: AccountInterface;
|
let account: AccountInterface;
|
||||||
if (!args[0] || !user.permissions.staff) account = user;
|
if (!args[0] || !user.permissions.staff) account = user;
|
||||||
else account = await this.client.db.Account.findOne({ $or: [{ userID: args[0] }, { username: args[0] }, { emailAddress: args[0] }] });
|
else account = await this.client.db.Account.findOne({ $or: [{ userID: args[0] }, { username: args[0] }, { emailAddress: args[0] }] });
|
||||||
|
|
||||||
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not found***`);
|
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not found***`);
|
||||||
if (!account.hash) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not initialized***`);
|
if (!account.hash) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not initialized***`);
|
||||||
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Loading account details...***`);
|
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Loading account details...***`);
|
||||||
|
|
||||||
const details = await this.client.util.exec(`sudo -H -u ${account.username} bash -c 'securesign-canary account'`);
|
const details = await this.client.util.exec(`sudo -H -u ${account.username} bash -c 'securesign-canary account'`);
|
||||||
const info = details.replace(/^\s+|\s+$/g, '').replace(/\n/g, '\n**').replace(/: /g, ':** ').split('\n');
|
const info = details.replace(/^\s+|\s+$/g, '').replace(/\n/g, '\n**').replace(/: /g, ':** ').split('\n');
|
||||||
const title = info.shift();
|
const title = info.shift();
|
||||||
const description = info.join('\n');
|
const description = info.join('\n');
|
||||||
const content = '';
|
const content = '';
|
||||||
|
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTitle(title);
|
embed.setTitle(title);
|
||||||
embed.setDescription(description);
|
embed.setDescription(description);
|
||||||
embed.setAuthor(this.client.user.username, this.client.user.avatarURL);
|
embed.setAuthor(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
embed.setFooter(`Requested by ${message.author.username}#${message.author.discriminator}`, message.author.avatarURL);
|
||||||
|
|
||||||
// @ts-ignore
|
return msg.edit({ content, embed });
|
||||||
return msg.edit({ content, embed });
|
} catch (error) {
|
||||||
} catch (error) {
|
return this.client.util.handleError(error, message, this);
|
||||||
return this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
|
@ -1,36 +1,35 @@
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
|
|
||||||
export default class SecureSign_Build extends Command {
|
export default class SecureSign_Build extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'build';
|
this.name = 'build';
|
||||||
this.description = 'Shows information about the current build of the CLI';
|
this.description = 'Shows information about the current build of the CLI';
|
||||||
this.usage = `${this.client.config.prefix}securesign build`;
|
this.usage = `${this.client.config.prefix}securesign build`;
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Loading build information...***`);
|
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Loading build information...***`);
|
||||||
|
|
||||||
const build = await this.client.util.exec("sudo -H -u root bash -c 'securesign-canary build'");
|
const build = await this.client.util.exec("sudo -H -u root bash -c 'securesign-canary build'");
|
||||||
const info = build.replace(/^\s+|\s+$/g, '').replace(/\n/g, '\n**').replace(/: /g, ':** ').split('\n');
|
const info = build.replace(/^\s+|\s+$/g, '').replace(/\n/g, '\n**').replace(/: /g, ':** ').split('\n');
|
||||||
const title = info.shift();
|
const title = info.shift();
|
||||||
const description = info.join('\n');
|
const description = info.join('\n');
|
||||||
const content = '';
|
const content = '';
|
||||||
|
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTitle(title);
|
embed.setTitle(title);
|
||||||
embed.setDescription(description);
|
embed.setDescription(description);
|
||||||
embed.setAuthor(this.client.user.username, this.client.user.avatarURL);
|
embed.setAuthor(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setFooter(`Requested by ${message.member.username}#${message.member.discriminator}`, message.member.avatarURL);
|
embed.setFooter(`Requested by ${message.member.username}#${message.member.discriminator}`, message.member.avatarURL);
|
||||||
|
|
||||||
// @ts-ignore
|
msg.edit({ content, embed });
|
||||||
msg.edit({ content, embed });
|
} catch (error) {
|
||||||
} catch (error) {
|
this.client.util.handleError(error, message, this);
|
||||||
this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
|
@ -1,65 +1,64 @@
|
||||||
import { Message, PrivateChannel, TextChannel } from 'eris';
|
import { Message, PrivateChannel, TextChannel } from 'eris';
|
||||||
import axios from 'axios';
|
import axios from 'axios';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command } from '../class';
|
import { Command } from '../class';
|
||||||
|
|
||||||
export default class SecureSign_Init extends Command {
|
export default class SecureSign_Init extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'createcrt';
|
this.name = 'createcrt';
|
||||||
this.description = 'Creates a new certificate';
|
this.description = 'Creates a new certificate';
|
||||||
this.usage = `${this.client.config.prefix}securesign createcrt [-s sign] [-c class] [-m digest]\n\`sign\`: Sign type (ecc/rsa)\n\`class\`: Certificate Class (1/2/3)\n\`digest\`: SHA Digest (256/384/512)`;
|
this.usage = `${this.client.config.prefix}securesign createcrt [-s sign] [-c class] [-m digest]\n\`sign\`: Sign type (ecc/rsa)\n\`class\`: Certificate Class (1/2/3)\n\`digest\`: SHA Digest (256/384/512)`;
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
this.guildOnly = false;
|
this.guildOnly = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
const account = await this.client.db.Account.findOne({ userID: message.author.id });
|
const account = await this.client.db.Account.findOne({ userID: message.author.id });
|
||||||
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not found***`);
|
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not found***`);
|
||||||
if (!account.hash) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not initialized***`);
|
if (!account.hash) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not initialized***`);
|
||||||
|
|
||||||
// @ts-ignore
|
const options: { s?: string, c?: string, m?: string } = args.length ? Object.fromEntries(` ${args.join(' ')}`.split(' -').filter((a) => a).map((a) => a.split(/ (.+)/)).filter((a) => a.length > 1)) : {};
|
||||||
const options: { s?: string, c?: string, m?: string } = args.length ? Object.fromEntries(` ${args.join(' ')}`.split(' -').filter((a) => a).map((a) => a.split(/ (.+)/)).filter((a) => a.length > 1)) : {};
|
if (options.s && options.s.toLowerCase() !== 'ecc' && options.s.toLowerCase() !== 'rsa') return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid signing type, choose between \`ecc\` or \`rsa\``);
|
||||||
if (options.s && options.s.toLowerCase() !== 'ecc' && options.s.toLowerCase() !== 'rsa') return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid signing type, choose between \`ecc\` or \`rsa\``);
|
if (options.c && (!Number(options.c) || Number(options.c) < 1 || Number(options.c) > 3)) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid class selected, choose between Class \`1\`, \`2\` or \`3\``);
|
||||||
if (options.c && (!Number(options.c) || Number(options.c) < 1 || Number(options.c) > 3)) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid class selected, choose between Class \`1\`, \`2\` or \`3\``);
|
if (options.m && (!Number(options.m) || (options.m !== '256' && options.m !== '384' && options.m !== '512'))) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid SHA Digest selected, choose between \`256\`, \`384\` or \`512\``);
|
||||||
if (options.m && (!Number(options.m) || (options.m !== '256' && options.m !== '384' && options.m !== '512'))) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Invalid SHA Digest selected, choose between \`256\`, \`384\` or \`512\``);
|
if (Number(options.c) === 3 && (!options.s || options.s.toLowerCase() === 'ecc')) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Class 3 ECC certificates are not supported, please use the \`-s rsa\` option instead***`);
|
||||||
if (Number(options.c) === 3 && (!options.s || options.s.toLowerCase() === 'ecc')) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Class 3 ECC certificates are not supported, please use the \`-s rsa\` option instead***`);
|
|
||||||
|
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Creating certificate...***`);
|
||||||
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Creating certificate...***`);
|
if (options.s) options.s = options.s.toLowerCase();
|
||||||
if (options.s) options.s = options.s.toLowerCase();
|
const hash = this.client.util.getAcctHash(account.homepath);
|
||||||
const hash = this.client.util.getAcctHash(account.homepath);
|
|
||||||
|
// Check if they can generate certificate
|
||||||
// Check if they can generate certificate
|
try {
|
||||||
try {
|
const { data } = await axios({
|
||||||
const { data } = await axios({
|
method: 'GET',
|
||||||
method: 'GET',
|
url: 'https://api.securesign.org/account/details',
|
||||||
url: 'https://api.securesign.org/account/details',
|
headers: { Authorization: hash, 'Content-Type': 'application/json' },
|
||||||
headers: { Authorization: hash, 'Content-Type': 'application/json' },
|
});
|
||||||
});
|
|
||||||
|
const { total, allowed } = data.message;
|
||||||
const { total, allowed } = data.message;
|
if (total >= allowed) return msg.edit(`${this.client.stores.emojis.error} ***Not enough certificate allowances - please ask a member of staff to increase this limit from ${total}***`);
|
||||||
if (total >= allowed) return msg.edit(`${this.client.stores.emojis.error} ***Not enough certificate allowances - please ask a member of staff to increase this limit from ${total}***`);
|
if (Number(options.c) > data.message.class) return msg.edit(`${this.client.stores.emojis.error} ***Class too low, you are on a class ${data.message.class} account***`);
|
||||||
if (Number(options.c) > data.message.class) return msg.edit(`${this.client.stores.emojis.error} ***Class too low, you are on a class ${data.message.class} account***`);
|
} catch (error) {
|
||||||
} catch (error) {
|
const { code } = error.response.data;
|
||||||
const { code } = error.response.data;
|
if (code === 1001) {
|
||||||
if (code === 1001) {
|
await this.client.db.Account.updateOne({ userID: account.userID }, { $set: { hash: false } });
|
||||||
await this.client.db.Account.updateOne({ userID: account.userID }, { $set: { hash: false } });
|
this.client.getDMChannel(account.userID).then((channel) => channel.createMessage('Your SecureSign password has been reset - please reinitialize your SecureSign account')).catch();
|
||||||
this.client.getDMChannel(account.userID).then((channel) => channel.createMessage('Your SecureSign password has been reset - please reinitialize your SecureSign account')).catch();
|
return msg.edit(`${this.client.stores.emojis.error} ***Authentication failed***`);
|
||||||
return msg.edit(`${this.client.stores.emojis.error} ***Authentication failed***`);
|
}
|
||||||
}
|
throw error;
|
||||||
throw error;
|
}
|
||||||
}
|
|
||||||
|
const execoptions = `${options.s ? ` -s ${options.s}` : ''}${options.c ? ` -c ${options.c}` : ''}${options.m ? ` -m ${options.m}` : ''}`;
|
||||||
const execoptions = `${options.s ? ` -s ${options.s}` : ''}${options.c ? ` -c ${options.c}` : ''}${options.m ? ` -m ${options.m}` : ''}`;
|
const cmd = `sudo -H -u ${account.username} bash -c 'securesign-canary createcrt${execoptions}'`;
|
||||||
const cmd = `sudo -H -u ${account.username} bash -c 'securesign-canary createcrt${execoptions}'`;
|
|
||||||
|
const exec = await this.client.util.exec(cmd);
|
||||||
const exec = await this.client.util.exec(cmd);
|
if (!exec.replace(/^\s+|\s+$/g, '').endsWith('Successfully wrote certificate.')) throw new Error(`Certificate generation did not complete successfully:\n${cmd}`);
|
||||||
if (!exec.replace(/^\s+|\s+$/g, '').endsWith('Successfully wrote certificate.')) throw new Error(`Certificate generation did not complete successfully:\n${cmd}`);
|
|
||||||
|
return msg.edit(`${this.client.stores.emojis.success} ***Successfully created certificate***`);
|
||||||
return msg.edit(`${this.client.stores.emojis.success} ***Successfully created certificate***`);
|
} catch (error) {
|
||||||
} catch (error) {
|
return this.client.util.handleError(error, message, this);
|
||||||
return this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
|
@ -1,56 +1,55 @@
|
||||||
import { Message, PrivateChannel, TextChannel } from 'eris';
|
import { Message, PrivateChannel, TextChannel } from 'eris';
|
||||||
import axios, { AxiosResponse } from 'axios';
|
import axios, { AxiosResponse } from 'axios';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command } from '../class';
|
import { Command } from '../class';
|
||||||
|
|
||||||
export default class SecureSign_Init extends Command {
|
export default class SecureSign_Init extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'init';
|
this.name = 'init';
|
||||||
this.description = 'Inits configuration files and environment variables (DM only)';
|
this.description = 'Inits configuration files and environment variables (DM only)';
|
||||||
this.usage = `${this.client.config.prefix}securesign init [hash]`;
|
this.usage = `${this.client.config.prefix}securesign init [hash]`;
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
this.guildOnly = false;
|
this.guildOnly = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
if (!args[0]) return this.client.commands.get('help').run(message, ['securesign', this.name]);
|
if (!args[0]) return this.client.commands.get('help').run(message, ['securesign', this.name]);
|
||||||
if (!(message.channel instanceof PrivateChannel)) {
|
if (!(message.channel instanceof PrivateChannel)) {
|
||||||
message.delete();
|
message.delete();
|
||||||
return message.channel.createMessage(`${this.client.stores.emojis.error} ***Run this command in your DMs!***`);
|
return message.channel.createMessage(`${this.client.stores.emojis.error} ***Run this command in your DMs!***`);
|
||||||
}
|
}
|
||||||
const account = await this.client.db.Account.findOne({ userID: message.author.id });
|
const account = await this.client.db.Account.findOne({ userID: message.author.id });
|
||||||
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not registered***`);
|
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not registered***`);
|
||||||
if (account.locked) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Your account is locked***`);
|
if (account.locked) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Your account is locked***`);
|
||||||
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Initializing account...***`);
|
const msg = await message.channel.createMessage(`${this.client.stores.emojis.loading} ***Initializing account...***`);
|
||||||
let verify: AxiosResponse<any>;
|
let verify: AxiosResponse<any>;
|
||||||
try {
|
try {
|
||||||
verify = await axios({
|
verify = await axios({
|
||||||
method: 'get',
|
method: 'get',
|
||||||
url: 'https://api.securesign.org/account/details',
|
url: 'https://api.securesign.org/account/details',
|
||||||
headers: { Authorization: args[0] },
|
headers: { Authorization: args[0] },
|
||||||
});
|
});
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
const { status } = error.response;
|
const { status } = error.response;
|
||||||
if (status === 400 || status === 401 || status === 403 || status === 404) return msg.edit(`${this.client.stores.emojis.error} ***Credentials incorrect***`);
|
if (status === 400 || status === 401 || status === 403 || status === 404) return msg.edit(`${this.client.stores.emojis.error} ***Credentials incorrect***`);
|
||||||
throw error;
|
throw error;
|
||||||
}
|
}
|
||||||
const { id } = verify.data.message;
|
const { id } = verify.data.message;
|
||||||
if (id !== message.author.id && !account.root) {
|
if (id !== message.author.id && !account.root) {
|
||||||
// @ts-ignore
|
const channel = this.client.guilds.get('446067825673633794').channels.get('501089664040697858') as TextChannel;
|
||||||
const channel: TextChannel = this.client.guilds.get('446067825673633794').channels.get('501089664040697858');
|
channel.createMessage(`**__UNAUTHORIZED ACCESS ALERT__**\n${message.author.mention} tried to initialize their account using <@${id}>'s SecureSign credentials.\nTheir account has been locked under Section 5.2 of the EULA.`);
|
||||||
channel.createMessage(`**__UNAUTHORIZED ACCESS ALERT__**\n${message.author.mention} tried to initialize their account using <@${id}>'s SecureSign credentials.\nTheir account has been locked under Section 5.2 of the EULA.`);
|
const tasks = [this.client.util.exec(`lock ${account.username}`), account.updateOne({ locked: true }), this.client.util.createModerationLog(account.userID, this.client.user, 2, 'Violation of Section 5.2 of the EULA')];
|
||||||
const tasks = [this.client.util.exec(`lock ${account.username}`), account.updateOne({ locked: true }), this.client.util.createModerationLog(account.userID, this.client.user, 2, 'Violation of Section 5.2 of the EULA')];
|
await Promise.all(tasks);
|
||||||
await Promise.all(tasks);
|
return msg.edit(`${this.client.stores.emojis.error} ***Credentials incorrect***`);
|
||||||
return msg.edit(`${this.client.stores.emojis.error} ***Credentials incorrect***`);
|
}
|
||||||
}
|
const init = await this.client.util.exec(`sudo -H -u ${account.username} bash -c 'securesign-canary init -a ${args[0]}'`);
|
||||||
const init = await this.client.util.exec(`sudo -H -u ${account.username} bash -c 'securesign-canary init -a ${args[0]}'`);
|
if (!init.replace(/^\s+|\s+$/g, '').endsWith('Initialization sequence completed.')) throw new Error(`Account initialization did not complete successfully:\n${init}`);
|
||||||
if (!init.replace(/^\s+|\s+$/g, '').endsWith('Initialization sequence completed.')) throw new Error(`Account initialization did not complete successfully:\n${init}`);
|
await this.client.db.Account.updateOne({ userID: message.author.id }, { $set: { hash: true } });
|
||||||
await this.client.db.Account.updateOne({ userID: message.author.id }, { $set: { hash: true } });
|
return msg.edit(`${this.client.stores.emojis.success} ***Account initialized***`);
|
||||||
return msg.edit(`${this.client.stores.emojis.success} ***Account initialized***`);
|
} catch (error) {
|
||||||
} catch (error) {
|
return this.client.util.handleError(error, message, this);
|
||||||
return this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
|
@ -1,36 +1,35 @@
|
||||||
import moment from 'moment';
|
import moment from 'moment';
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import os, { totalmem } from 'os';
|
import os, { totalmem } from 'os';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
import { dataConversion } from '../functions';
|
import { dataConversion } from '../functions';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
|
|
||||||
export default class SysInfo extends Command {
|
export default class SysInfo extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'sysinfo';
|
this.name = 'sysinfo';
|
||||||
this.description = 'Provides system information.';
|
this.description = 'Provides system information.';
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message) {
|
public async run(message: Message) {
|
||||||
const availableMemory: string = await this.client.util.exec('free -b');
|
const availableMemory: string = await this.client.util.exec('free -b');
|
||||||
const usedMemory = dataConversion(totalmem() - Number(availableMemory.split('\n')[1].split(' ').slice(-1)[0]));
|
const usedMemory = dataConversion(totalmem() - Number(availableMemory.split('\n')[1].split(' ').slice(-1)[0]));
|
||||||
const date = new Date();
|
const date = new Date();
|
||||||
date.setMilliseconds(-(moment.duration(os.uptime(), 's').asMilliseconds()));
|
date.setMilliseconds(-(moment.duration(os.uptime(), 's').asMilliseconds()));
|
||||||
|
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTitle('System Information & Statistics');
|
embed.setTitle('System Information & Statistics');
|
||||||
embed.addField('Hostname', os.hostname(), true);
|
embed.addField('Hostname', os.hostname(), true);
|
||||||
embed.addField('Uptime', `${moment.duration(os.uptime(), 's').humanize()} | Last restart was on ${moment(date).format('dddd, MMMM Do YYYY, h:mm:ss A')} EST`, true);
|
embed.addField('Uptime', `${moment.duration(os.uptime(), 's').humanize()} | Last restart was on ${moment(date).format('dddd, MMMM Do YYYY, h:mm:ss A')} EST`, true);
|
||||||
embed.addField('CPU', `${os.cpus()[0].model} ${os.cpus()[0].speed / 1000}GHz | ${os.cpus().length} Cores | ${os.arch()}`, true);
|
embed.addField('CPU', `${os.cpus()[0].model} ${os.cpus()[0].speed / 1000}GHz | ${os.cpus().length} Cores | ${os.arch()}`, true);
|
||||||
embed.addField('Load Average (last 15 minutes)', os.loadavg()[2].toFixed(3), true);
|
embed.addField('Load Average (last 15 minutes)', os.loadavg()[2].toFixed(3), true);
|
||||||
embed.addField('Memory/RAM', `${usedMemory} / ${dataConversion(totalmem())}`, true);
|
embed.addField('Memory/RAM', `${usedMemory} / ${dataConversion(totalmem())}`, true);
|
||||||
embed.addField('Network Interfaces (IPv4)', os.networkInterfaces().eth0.filter((r) => r.family === 'IPv4')[0].address, true);
|
embed.addField('Network Interfaces (IPv4)', os.networkInterfaces().eth0.filter((r) => r.family === 'IPv4')[0].address, true);
|
||||||
embed.addField('Network Interfaces (IPv6)', os.networkInterfaces().eth0.filter((r) => r.family === 'IPv6')[0].address.replace(/:/gi, '\:'), true); // eslint-disable-line
|
embed.addField('Network Interfaces (IPv6)', os.networkInterfaces().eth0.filter((r) => r.family === 'IPv6')[0].address.replace(/:/gi, '\:'), true); // eslint-disable-line
|
||||||
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setTimestamp();
|
embed.setTimestamp();
|
||||||
// @ts-ignore
|
message.channel.createMessage({ embed });
|
||||||
message.channel.createMessage({ embed });
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
|
@ -1,64 +1,63 @@
|
||||||
/* eslint-disable consistent-return */
|
/* eslint-disable consistent-return */
|
||||||
import moment from 'moment';
|
import moment from 'moment';
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
import { dataConversion } from '../functions';
|
import { dataConversion } from '../functions';
|
||||||
import User from './whois_user';
|
import User from './whois_user';
|
||||||
|
|
||||||
export default class Whois extends Command {
|
export default class Whois extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'whois';
|
this.name = 'whois';
|
||||||
this.description = 'Views information for a cloud account.';
|
this.description = 'Views information for a cloud account.';
|
||||||
this.aliases = ['account', 'user'];
|
this.aliases = ['account', 'user'];
|
||||||
this.usage = `${this.client.config.prefix}account [User Name | User ID | Email Address]`;
|
this.usage = `${this.client.config.prefix}account [User Name | User ID | Email Address]`;
|
||||||
this.permissions = { roles: ['446104438969466890'] };
|
this.permissions = { roles: ['446104438969466890'] };
|
||||||
this.subcmds = [User];
|
this.subcmds = [User];
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
if (!args[0]) return this.client.commands.get('help').run(message, [this.name]);
|
if (!args[0]) return this.client.commands.get('help').run(message, [this.name]);
|
||||||
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0] }, { emailAddress: args[0] }] });
|
const account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0] }, { emailAddress: args[0] }] });
|
||||||
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not found.***`);
|
if (!account) return message.channel.createMessage(`${this.client.stores.emojis.error} ***Account not found.***`);
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTitle('Account Information');
|
embed.setTitle('Account Information');
|
||||||
if (this.client.users.get(account.userID)) embed.setThumbnail(this.client.users.get(account.userID).avatarURL);
|
if (this.client.users.get(account.userID)) embed.setThumbnail(this.client.users.get(account.userID).avatarURL);
|
||||||
embed.setColor(0x36393f);
|
embed.setColor(0x36393f);
|
||||||
let fingerInformation: string;
|
let fingerInformation: string;
|
||||||
const result = await this.client.util.exec(`finger ${account.username}`);
|
const result = await this.client.util.exec(`finger ${account.username}`);
|
||||||
if (message.member && !message.member.roles.includes('143414786913206272')) {
|
if (message.member && !message.member.roles.includes('143414786913206272')) {
|
||||||
fingerInformation = result.replace(/((^\s*((([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])\.){3}([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5]))\s*$)|(^\s*((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(%.+)?\s*$))/g, '[MASKED IP ADDRESS]');
|
fingerInformation = result.replace(/((^\s*((([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])\.){3}([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5]))\s*$)|(^\s*((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(%.+)?\s*$))/g, '[MASKED IP ADDRESS]');
|
||||||
} else {
|
} else {
|
||||||
fingerInformation = result;
|
fingerInformation = result;
|
||||||
}
|
}
|
||||||
embed.setDescription(`${fingerInformation}\n${await this.client.util.exec(`chage -l ${account.username}`)}`);
|
embed.setDescription(`${fingerInformation}\n${await this.client.util.exec(`chage -l ${account.username}`)}`);
|
||||||
embed.addField('Username', `${account.username} | <@${account.userID}>`, true);
|
embed.addField('Username', `${account.username} | <@${account.userID}>`, true);
|
||||||
embed.addField('ID', account.userID, true);
|
embed.addField('ID', account.userID, true);
|
||||||
embed.addField('Email Address', account.emailAddress, true);
|
embed.addField('Email Address', account.emailAddress, true);
|
||||||
embed.addField('Created By', `<@${this.client.users.get(account.createdBy).id}>`, true);
|
embed.addField('Created By', `<@${this.client.users.get(account.createdBy).id}>`, true);
|
||||||
embed.addField('Created At', moment(account.createdAt).format('dddd, MMMM Do YYYY, h:mm:ss A'), true);
|
embed.addField('Created At', moment(account.createdAt).format('dddd, MMMM Do YYYY, h:mm:ss A'), true);
|
||||||
const cpuUsage = await this.client.util.exec(`top -b -n 1 -u ${account.username} | awk 'NR>7 { sum += $9; } END { print sum; }'`);
|
const cpuUsage = await this.client.util.exec(`top -b -n 1 -u ${account.username} | awk 'NR>7 { sum += $9; } END { print sum; }'`);
|
||||||
embed.addField('CPU Usage', cpuUsage.split('\n')[0] ? `${cpuUsage.split('\n')[0]}%` : '0%', true);
|
embed.addField('CPU Usage', cpuUsage.split('\n')[0] ? `${cpuUsage.split('\n')[0]}%` : '0%', true);
|
||||||
embed.addField('Memory', dataConversion(Number(await this.client.util.exec(`memory ${account.username}`)) * 1000), true);
|
embed.addField('Memory', dataConversion(Number(await this.client.util.exec(`memory ${account.username}`)) * 1000), true);
|
||||||
const data = await this.client.redis.get(`storage-${account.username}`) ? dataConversion(Number(await this.client.redis.get(`storage-${account.username}`))) : 'N/A';
|
const data = await this.client.redis.get(`storage-${account.username}`) ? dataConversion(Number(await this.client.redis.get(`storage-${account.username}`))) : 'N/A';
|
||||||
embed.addField('Storage', data, true);
|
embed.addField('Storage', data, true);
|
||||||
let details = '';
|
let details = '';
|
||||||
if (account.locked) details += 'This account is currently locked.\n';
|
if (account.locked) details += 'This account is currently locked.\n';
|
||||||
if (account.permissions.engineer) details += 'This account belongs to an Engineer.\n';
|
if (account.permissions.engineer) details += 'This account belongs to an Engineer.\n';
|
||||||
else if (account.permissions.communityManager) details += 'This account belongs to a Community Manager.\n';
|
else if (account.permissions.communityManager) details += 'This account belongs to a Community Manager.\n';
|
||||||
else if (account.permissions.supervisor) details += 'This account belongs to a Supervisor.\n';
|
else if (account.permissions.supervisor) details += 'This account belongs to a Supervisor.\n';
|
||||||
else if (account.permissions.staff) details += 'This account belongs to a Staff member.\n';
|
else if (account.permissions.staff) details += 'This account belongs to a Staff member.\n';
|
||||||
if (account.root) details += 'This account has root/administrative privileges.\n';
|
if (account.root) details += 'This account has root/administrative privileges.\n';
|
||||||
if (details) embed.addField('Additional Details', details, true);
|
if (details) embed.addField('Additional Details', details, true);
|
||||||
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setTimestamp();
|
embed.setTimestamp();
|
||||||
// @ts-ignore
|
message.channel.createMessage({ embed });
|
||||||
message.channel.createMessage({ embed });
|
} catch (error) {
|
||||||
} catch (error) {
|
await this.client.util.handleError(error, message, this);
|
||||||
await this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
|
@ -1,53 +1,52 @@
|
||||||
/* eslint-disable consistent-return */
|
/* eslint-disable consistent-return */
|
||||||
import moment from 'moment';
|
import moment from 'moment';
|
||||||
import { Message } from 'eris';
|
import { Message } from 'eris';
|
||||||
import { Client } from '..';
|
import { Client } from '..';
|
||||||
import { Command, RichEmbed } from '../class';
|
import { Command, RichEmbed } from '../class';
|
||||||
import { dataConversion } from '../functions';
|
import { dataConversion } from '../functions';
|
||||||
import { AccountInterface } from '../models';
|
import { AccountInterface } from '../models';
|
||||||
|
|
||||||
export default class Whois_User extends Command {
|
export default class Whois_User extends Command {
|
||||||
constructor(client: Client) {
|
constructor(client: Client) {
|
||||||
super(client);
|
super(client);
|
||||||
this.name = 'user';
|
this.name = 'user';
|
||||||
this.description = 'Gets information about your account.';
|
this.description = 'Gets information about your account.';
|
||||||
this.usage = `${this.client.config.prefix}whois user <username | user ID>`;
|
this.usage = `${this.client.config.prefix}whois user <username | user ID>`;
|
||||||
this.enabled = true;
|
this.enabled = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public async run(message: Message, args: string[]) {
|
public async run(message: Message, args: string[]) {
|
||||||
try {
|
try {
|
||||||
let account: AccountInterface;
|
let account: AccountInterface;
|
||||||
if (!args[0]) account = await this.client.db.Account.findOne({ userID: message.author.id });
|
if (!args[0]) account = await this.client.db.Account.findOne({ userID: message.author.id });
|
||||||
else account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0] }] });
|
else account = await this.client.db.Account.findOne({ $or: [{ username: args[0] }, { userID: args[0] }] });
|
||||||
if (!account) return message.channel.createMessage(`***${this.client.stores.emojis.error} You don't have an account.***`);
|
if (!account) return message.channel.createMessage(`***${this.client.stores.emojis.error} You don't have an account.***`);
|
||||||
const embed = new RichEmbed();
|
const embed = new RichEmbed();
|
||||||
embed.setTitle('Account Information');
|
embed.setTitle('Account Information');
|
||||||
if (this.client.users.get(account.userID)) embed.setThumbnail(this.client.users.get(account.userID).avatarURL);
|
if (this.client.users.get(account.userID)) embed.setThumbnail(this.client.users.get(account.userID).avatarURL);
|
||||||
embed.setColor(0x36393f);
|
embed.setColor(0x36393f);
|
||||||
embed.addField('Username', `${account.username} | <@${account.userID}>`, true);
|
embed.addField('Username', `${account.username} | <@${account.userID}>`, true);
|
||||||
embed.addField('ID', account.userID, true);
|
embed.addField('ID', account.userID, true);
|
||||||
embed.addField('Created By', `<@${this.client.users.get(account.createdBy).id}>`, true);
|
embed.addField('Created By', `<@${this.client.users.get(account.createdBy).id}>`, true);
|
||||||
embed.addField('Created At', moment(account.createdAt).format('dddd, MMMM Do YYYY, h:mm:ss A'), true);
|
embed.addField('Created At', moment(account.createdAt).format('dddd, MMMM Do YYYY, h:mm:ss A'), true);
|
||||||
const cpuUsage = await this.client.util.exec(`top -b -n 1 -u ${account.username} | awk 'NR>7 { sum += $9; } END { print sum; }'`);
|
const cpuUsage = await this.client.util.exec(`top -b -n 1 -u ${account.username} | awk 'NR>7 { sum += $9; } END { print sum; }'`);
|
||||||
embed.addField('CPU Usage', cpuUsage.split('\n')[0] ? `${cpuUsage.split('\n')[0]}%` : '0%', true);
|
embed.addField('CPU Usage', cpuUsage.split('\n')[0] ? `${cpuUsage.split('\n')[0]}%` : '0%', true);
|
||||||
embed.addField('Memory', dataConversion(Number(await this.client.util.exec(`memory ${account.username}`)) * 1000), true);
|
embed.addField('Memory', dataConversion(Number(await this.client.util.exec(`memory ${account.username}`)) * 1000), true);
|
||||||
const data = await this.client.redis.get(`storage-${account.username}`) ? dataConversion(Number(await this.client.redis.get(`storage-${account.username}`))) : 'N/A';
|
const data = await this.client.redis.get(`storage-${account.username}`) ? dataConversion(Number(await this.client.redis.get(`storage-${account.username}`))) : 'N/A';
|
||||||
embed.addField('Storage', data, true);
|
embed.addField('Storage', data, true);
|
||||||
let details = '';
|
let details = '';
|
||||||
if (account.locked) details += 'This account is currently locked.\n';
|
if (account.locked) details += 'This account is currently locked.\n';
|
||||||
if (account.permissions.engineer) details += 'This account belongs to an Engineer.\n';
|
if (account.permissions.engineer) details += 'This account belongs to an Engineer.\n';
|
||||||
else if (account.permissions.communityManager) details += 'This account belongs to a Community Manager.\n';
|
else if (account.permissions.communityManager) details += 'This account belongs to a Community Manager.\n';
|
||||||
else if (account.permissions.supervisor) details += 'This account belongs to a Supervisor.\n';
|
else if (account.permissions.supervisor) details += 'This account belongs to a Supervisor.\n';
|
||||||
else if (account.permissions.staff) details += 'This account belongs to a Staff member.\n';
|
else if (account.permissions.staff) details += 'This account belongs to a Staff member.\n';
|
||||||
if (account.root) details += 'This account has root/administrative privileges.\n';
|
if (account.root) details += 'This account has root/administrative privileges.\n';
|
||||||
if (details) embed.addField('Additional Details', details, true);
|
if (details) embed.addField('Additional Details', details, true);
|
||||||
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
embed.setFooter(this.client.user.username, this.client.user.avatarURL);
|
||||||
embed.setTimestamp();
|
embed.setTimestamp();
|
||||||
// @ts-ignore
|
message.channel.createMessage({ embed });
|
||||||
message.channel.createMessage({ embed });
|
} catch (error) {
|
||||||
} catch (error) {
|
this.client.util.handleError(error, message, this);
|
||||||
this.client.util.handleError(error, message, this);
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
14
src/index.ts
14
src/index.ts
|
@ -1,7 +1,7 @@
|
||||||
export { default as Client } from './Client';
|
export { default as Client } from './Client';
|
||||||
export { default as config } from './config.json';
|
export { default as config } from './config.json';
|
||||||
export { default as Classes } from './class';
|
export * from './class';
|
||||||
export { default as Commands } from './commands';
|
export * from './commands';
|
||||||
export { default as Events } from './events';
|
export * from './events';
|
||||||
export { default as Models } from './models';
|
export * from './models';
|
||||||
export { default as Stores } from './stores';
|
export * from './stores';
|
||||||
|
|
128
tsconfig.json
128
tsconfig.json
|
@ -1,64 +1,64 @@
|
||||||
{
|
{
|
||||||
"compilerOptions": {
|
"compilerOptions": {
|
||||||
/* Basic Options */
|
/* Basic Options */
|
||||||
// "incremental": true, /* Enable incremental compilation */
|
// "incremental": true, /* Enable incremental compilation */
|
||||||
"target": "ES2017", /* Specify ECMAScript target version: 'ES3' (default), 'ES5', 'ES2015', 'ES2016', 'ES2017', 'ES2018', 'ES2019' or 'ESNEXT'. */
|
"target": "ES2020", /* Specify ECMAScript target version: 'ES3' (default), 'ES5', 'ES2015', 'ES2016', 'ES2017', 'ES2018', 'ES2019' or 'ESNEXT'. */
|
||||||
"module": "commonjs", /* Specify module code generation: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', or 'ESNext'. */
|
"module": "commonjs", /* Specify module code generation: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', or 'ESNext'. */
|
||||||
// "lib": [], /* Specify library files to be included in the compilation. */
|
// "lib": [], /* Specify library files to be included in the compilation. */
|
||||||
// "allowJs": true, /* Allow javascript files to be compiled. */
|
// "allowJs": true, /* Allow javascript files to be compiled. */
|
||||||
// "checkJs": true, /* Report errors in .js files. */
|
// "checkJs": true, /* Report errors in .js files. */
|
||||||
// "jsx": "preserve", /* Specify JSX code generation: 'preserve', 'react-native', or 'react'. */
|
// "jsx": "preserve", /* Specify JSX code generation: 'preserve', 'react-native', or 'react'. */
|
||||||
"declaration": false, /* Generates corresponding '.d.ts' file. */
|
"declaration": false, /* Generates corresponding '.d.ts' file. */
|
||||||
// "declarationMap": true, /* Generates a sourcemap for each corresponding '.d.ts' file. */
|
// "declarationMap": true, /* Generates a sourcemap for each corresponding '.d.ts' file. */
|
||||||
// "sourceMap": true, /* Generates corresponding '.map' file. */
|
// "sourceMap": true, /* Generates corresponding '.map' file. */
|
||||||
// "outFile": "./", /* Concatenate and emit output to single file. */
|
// "outFile": "./", /* Concatenate and emit output to single file. */
|
||||||
"outDir": "./dist", /* Redirect output structure to the directory. */
|
"outDir": "./dist", /* Redirect output structure to the directory. */
|
||||||
"rootDir": "./src", /* Specify the root directory of input files. Use to control the output directory structure with --outDir. */
|
"rootDir": "./src", /* Specify the root directory of input files. Use to control the output directory structure with --outDir. */
|
||||||
// "composite": true, /* Enable project compilation */
|
// "composite": true, /* Enable project compilation */
|
||||||
// "tsBuildInfoFile": "./", /* Specify file to store incremental compilation information */
|
// "tsBuildInfoFile": "./", /* Specify file to store incremental compilation information */
|
||||||
"removeComments": true, /* Do not emit comments to output. */
|
"removeComments": true, /* Do not emit comments to output. */
|
||||||
// "noEmit": true, /* Do not emit outputs. */
|
// "noEmit": true, /* Do not emit outputs. */
|
||||||
// "importHelpers": true, /* Import emit helpers from 'tslib'. */
|
// "importHelpers": true, /* Import emit helpers from 'tslib'. */
|
||||||
// "downlevelIteration": true, /* Provide full support for iterables in 'for-of', spread, and destructuring when targeting 'ES5' or 'ES3'. */
|
// "downlevelIteration": true, /* Provide full support for iterables in 'for-of', spread, and destructuring when targeting 'ES5' or 'ES3'. */
|
||||||
// "isolatedModules": true, /* Transpile each file as a separate module (similar to 'ts.transpileModule'). */
|
// "isolatedModules": true, /* Transpile each file as a separate module (similar to 'ts.transpileModule'). */
|
||||||
|
|
||||||
/* Strict Type-Checking Options */
|
/* Strict Type-Checking Options */
|
||||||
"strict": false, /* Enable all strict type-checking options. */
|
"strict": false, /* Enable all strict type-checking options. */
|
||||||
// "noImplicitAny": true, /* Raise error on expressions and declarations with an implied 'any' type. */
|
// "noImplicitAny": true, /* Raise error on expressions and declarations with an implied 'any' type. */
|
||||||
// "strictNullChecks": true, /* Enable strict null checks. */
|
// "strictNullChecks": true, /* Enable strict null checks. */
|
||||||
// "strictFunctionTypes": true, /* Enable strict checking of function types. */
|
// "strictFunctionTypes": true, /* Enable strict checking of function types. */
|
||||||
// "strictBindCallApply": true, /* Enable strict 'bind', 'call', and 'apply' methods on functions. */
|
// "strictBindCallApply": true, /* Enable strict 'bind', 'call', and 'apply' methods on functions. */
|
||||||
// "strictPropertyInitialization": true, /* Enable strict checking of property initialization in classes. */
|
// "strictPropertyInitialization": true, /* Enable strict checking of property initialization in classes. */
|
||||||
// "noImplicitThis": true, /* Raise error on 'this' expressions with an implied 'any' type. */
|
// "noImplicitThis": true, /* Raise error on 'this' expressions with an implied 'any' type. */
|
||||||
// "alwaysStrict": true, /* Parse in strict mode and emit "use strict" for each source file. */
|
// "alwaysStrict": true, /* Parse in strict mode and emit "use strict" for each source file. */
|
||||||
|
|
||||||
/* Additional Checks */
|
/* Additional Checks */
|
||||||
// "noUnusedLocals": true, /* Report errors on unused locals. */
|
// "noUnusedLocals": true, /* Report errors on unused locals. */
|
||||||
// "noUnusedParameters": true, /* Report errors on unused parameters. */
|
// "noUnusedParameters": true, /* Report errors on unused parameters. */
|
||||||
// "noImplicitReturns": true, /* Report error when not all code paths in function return a value. */
|
// "noImplicitReturns": true, /* Report error when not all code paths in function return a value. */
|
||||||
// "noFallthroughCasesInSwitch": true, /* Report errors for fallthrough cases in switch statement. */
|
// "noFallthroughCasesInSwitch": true, /* Report errors for fallthrough cases in switch statement. */
|
||||||
|
|
||||||
/* Module Resolution Options */
|
/* Module Resolution Options */
|
||||||
"moduleResolution": "node", /* Specify module resolution strategy: 'node' (Node.js) or 'classic' (TypeScript pre-1.6). */
|
"moduleResolution": "node", /* Specify module resolution strategy: 'node' (Node.js) or 'classic' (TypeScript pre-1.6). */
|
||||||
"resolveJsonModule": true,
|
"resolveJsonModule": true,
|
||||||
// "baseUrl": "./", /* Base directory to resolve non-absolute module names. */
|
// "baseUrl": "./", /* Base directory to resolve non-absolute module names. */
|
||||||
// "paths": {}, /* A series of entries which re-map imports to lookup locations relative to the 'baseUrl'. */
|
// "paths": {}, /* A series of entries which re-map imports to lookup locations relative to the 'baseUrl'. */
|
||||||
// "rootDirs": [], /* List of root folders whose combined content represents the structure of the project at runtime. */
|
// "rootDirs": [], /* List of root folders whose combined content represents the structure of the project at runtime. */
|
||||||
// "typeRoots": [], /* List of folders to include type definitions from. */
|
// "typeRoots": [], /* List of folders to include type definitions from. */
|
||||||
// "types": [], /* Type declaration files to be included in compilation. */
|
// "types": [], /* Type declaration files to be included in compilation. */
|
||||||
// "allowSyntheticDefaultImports": true, /* Allow default imports from modules with no default export. This does not affect code emit, just typechecking. */
|
// "allowSyntheticDefaultImports": true, /* Allow default imports from modules with no default export. This does not affect code emit, just typechecking. */
|
||||||
"esModuleInterop": true /* Enables emit interoperability between CommonJS and ES Modules via creation of namespace objects for all imports. Implies 'allowSyntheticDefaultImports'. */
|
"esModuleInterop": true /* Enables emit interoperability between CommonJS and ES Modules via creation of namespace objects for all imports. Implies 'allowSyntheticDefaultImports'. */
|
||||||
// "preserveSymlinks": true, /* Do not resolve the real path of symlinks. */
|
// "preserveSymlinks": true, /* Do not resolve the real path of symlinks. */
|
||||||
// "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
|
// "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
|
||||||
|
|
||||||
/* Source Map Options */
|
/* Source Map Options */
|
||||||
// "sourceRoot": "", /* Specify the location where debugger should locate TypeScript files instead of source locations. */
|
// "sourceRoot": "", /* Specify the location where debugger should locate TypeScript files instead of source locations. */
|
||||||
// "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
|
// "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
|
||||||
// "inlineSourceMap": true, /* Emit a single file with source maps instead of having a separate file. */
|
// "inlineSourceMap": true, /* Emit a single file with source maps instead of having a separate file. */
|
||||||
// "inlineSources": true, /* Emit the source alongside the sourcemaps within a single file; requires '--inlineSourceMap' or '--sourceMap' to be set. */
|
// "inlineSources": true, /* Emit the source alongside the sourcemaps within a single file; requires '--inlineSourceMap' or '--sourceMap' to be set. */
|
||||||
|
|
||||||
/* Experimental Options */
|
/* Experimental Options */
|
||||||
// "experimentalDecorators": true, /* Enables experimental support for ES7 decorators. */
|
// "experimentalDecorators": true, /* Enables experimental support for ES7 decorators. */
|
||||||
// "emitDecoratorMetadata": true, /* Enables experimental support for emitting type metadata for decorators. */
|
// "emitDecoratorMetadata": true, /* Enables experimental support for emitting type metadata for decorators. */
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -0,0 +1,8 @@
|
||||||
|
import { EmbedOptions } from 'eris';
|
||||||
|
import RichEmbed from '../src/class/RichEmbed';
|
||||||
|
|
||||||
|
declare global {
|
||||||
|
namespace Eris {
|
||||||
|
type MessageContent = string | { content?: string; tts?: boolean; disableEveryone?: boolean; embed?: EmbedOptions | RichEmbed; flags?: number };
|
||||||
|
}
|
||||||
|
}
|
|
@ -0,0 +1,31 @@
|
||||||
|
|
||||||
|
interface PromiseFulfilledResult<T> {
|
||||||
|
status: 'fulfilled';
|
||||||
|
value: T;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface PromiseRejectedResult {
|
||||||
|
status: 'rejected';
|
||||||
|
reason: any;
|
||||||
|
}
|
||||||
|
|
||||||
|
type PromiseSettledResult<T> = PromiseFulfilledResult<T> | PromiseRejectedResult;
|
||||||
|
|
||||||
|
interface PromiseConstructor {
|
||||||
|
/**
|
||||||
|
* Creates a Promise that is resolved with an array of results when all
|
||||||
|
* of the provided Promises resolve or reject.
|
||||||
|
* @param values An array of Promises.
|
||||||
|
* @returns A new Promise.
|
||||||
|
*/
|
||||||
|
allSettled<T extends readonly unknown[] | readonly [unknown]>(values: T):
|
||||||
|
Promise<{ -readonly [P in keyof T]: PromiseSettledResult<T[P] extends PromiseLike<infer U> ? U : T[P]> }>;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Creates a Promise that is resolved with an array of results when all
|
||||||
|
* of the provided Promises resolve or reject.
|
||||||
|
* @param values An array of Promises.
|
||||||
|
* @returns A new Promise.
|
||||||
|
*/
|
||||||
|
allSettled<T>(values: Iterable<T>): Promise<PromiseSettledResult<T extends PromiseLike<infer U> ? U : T>[]>;
|
||||||
|
}
|
|
@ -0,0 +1,15 @@
|
||||||
|
import moment from 'moment';
|
||||||
|
|
||||||
|
declare module 'moment' {
|
||||||
|
interface PreciseRangeValueObject extends moment.MomentObjectOutput {
|
||||||
|
firstDateWasLater: boolean;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface Moment {
|
||||||
|
preciseDiff(d2: moment.MomentInput, returnValueObject?: false): string;
|
||||||
|
preciseDiff(d2: moment.MomentInput, returnValueObject: true): PreciseRangeValueObject;
|
||||||
|
}
|
||||||
|
|
||||||
|
function preciseDiff(d1: moment.MomentInput, d2: moment.MomentInput, returnValueObject?: false): string;
|
||||||
|
function preciseDiff(d1: moment.MomentInput, d2: moment.MomentInput, returnValueObject: true): PreciseRangeValueObject;
|
||||||
|
}
|
Loading…
Reference in New Issue