compiler-discord/src/struct/LanguageHandler.js
1computer1 2cdec2aa2f Modify error handling
Exec errors shouldn't show up anymore
2019-05-21 11:21:18 -04:00

213 lines
6.9 KiB
JavaScript

const { AkairoHandler } = require('discord-akairo');
const { Collection } = require('discord.js');
const Language = require('./Language');
const Queue = require('./Queue');
const childProcess = require('child_process');
const util = require('util');
const path = require('path');
class LanguageHandler extends AkairoHandler {
constructor(client, {
directory,
classToHandle = Language,
extensions = ['.js', '.ts'],
automateCategories,
loadFilter = filepath =>
!this.client.config.languages || this.client.config.languages.includes(path.parse(filepath).name)
}) {
super(client, {
directory,
classToHandle,
extensions,
automateCategories,
loadFilter
});
this.aliases = new Collection();
this.containers = new Collection();
this.queues = new Collection();
}
register(language, filepath) {
super.register(language, filepath);
for (let alias of language.aliases) {
const conflict = this.aliases.get(alias.toLowerCase());
if (conflict) {
throw new TypeError(`Alias conflict of ${alias} between ${language.id} and ${conflict}`);
}
alias = alias.toLowerCase();
this.aliases.set(alias, language.id);
}
}
deregister(language) {
for (let alias of language.aliases) {
alias = alias.toLowerCase();
this.aliases.delete(alias);
}
super.deregister(language);
}
findLanguage(alias) {
return this.modules.get(this.aliases.get(alias.toLowerCase()));
}
async buildDocker() {
if (this.client.config.parallel) {
await Promise.all(this.modules.map(({ loads }) => Promise.all(loads.map(dockerID => this.buildImage(dockerID)))));
return;
}
for (const { loads } of this.modules.values()) {
for (const dockerID of loads) {
// eslint-disable-next-line no-await-in-loop
await this.buildImage(dockerID);
}
}
if (this.client.config.cleanup > 0) {
setInterval(() => this.cleanup().catch(() => null), this.client.config.cleanup * 60 * 1000);
}
}
async buildImage(dockerID) {
const folder = path.join(__dirname, '../../docker', dockerID);
await util.promisify(childProcess.exec)(`docker build -t "1computer1/comp_iler:${dockerID}" ${folder}`);
// eslint-disable-next-line no-console
console.log(`Built image 1computer1/comp_iler:${dockerID}.`);
const concurrent = this.getCompilerConfig(dockerID, 'concurrent', 'number');
this.queues.set(dockerID, new Queue(concurrent));
if (this.client.config.prepare) {
await this.setupContainer(dockerID);
}
}
async setupContainer(dockerID) {
if (this.containers.has(dockerID)) {
return this.containers.get(dockerID);
}
const cpus = this.getCompilerConfig(dockerID, 'cpus', 'string');
const memory = this.getCompilerConfig(dockerID, 'memory', 'string');
const name = `comp_iler-${dockerID}-${Date.now()}`;
const proc = childProcess.spawn('docker', [
'run', '--rm', `--name=${name}`, '-u1000', '-w/tmp/', '-dt',
'--net=none', `--cpus=${cpus}`,
`-m=${memory}`, `--memory-swap=${memory}`,
`1computer1/comp_iler:${dockerID}`, '/bin/sh'
]);
try {
await this.handleSpawn(proc);
this.containers.set(dockerID, { name });
// eslint-disable-next-line no-console
console.log(`Started container ${name}.`);
return this.containers.get(dockerID);
} catch (err) {
throw err;
}
}
evalCode({ language, code, options }) {
const { id: dockerID = language.id, env = {} } = language.runWith(options);
const queue = this.queues.get(dockerID);
return queue.enqueue(async () => {
const { name } = await this.setupContainer(dockerID);
const proc = childProcess.spawn('docker', [
'exec',
`-eCODEDIR=${Date.now()}`,
...Object.entries(env).map(([k, v]) => `-e${k}=${v}`),
name, '/bin/sh', '/var/run/run.sh', code
]);
const timeout = this.getCompilerConfig(dockerID, 'timeout', 'number');
try {
const result = await this.handleSpawn(proc, timeout);
return result;
} catch (err) {
this.containers.delete(dockerID);
try {
await this.kill(name);
} catch (err2) {
// Kill did not work, usually this is because of the container being killed just before.
// Happens when evals are done in quick succession and the container can't handle it.
// Solution is to lower the concurrent setting for that compiler.
}
throw err;
}
});
}
handleSpawn(proc, timeout = null) {
return new Promise((resolve, reject) => {
let handled = false;
if (timeout !== null) {
setTimeout(() => {
handled = true;
reject(new Error('Timed out'));
}, timeout);
}
let data = '';
let error;
proc.stdout.on('data', chunk => {
data += chunk;
});
proc.stderr.on('data', chunk => {
data += chunk;
});
proc.on('error', e => {
error = e;
});
proc.on('close', status => {
if (!handled) {
handled = true;
if (status !== 0 || error) {
if (!error) {
error = new Error(data || 'Something went wrong');
}
reject(error);
} else {
resolve(data);
}
}
});
});
}
async kill(name) {
let cmd;
if (process.platform === 'win32') {
cmd = `docker kill --signal=9 ${name} >nul 2>nul`;
} else {
cmd = `docker kill --signal=9 ${name} >/dev/null 2>/dev/null`;
}
await util.promisify(childProcess.exec)(cmd);
// eslint-disable-next-line no-console
console.log(`Killed container ${name}.`);
}
cleanup() {
return Promise.all(this.containers.map(({ name }) => this.kill(name)));
}
getCompilerConfig(dockerID, key, type) {
const o = this.client.config[key];
return typeof o === type
? o
: o[dockerID] !== null
? o[dockerID]
: o.default;
}
}
module.exports = LanguageHandler;