mirror of
https://github.com/smogon/pokemon-showdown.git
synced 2026-04-25 15:40:31 -05:00
Regular ReadStreams still can't; I now believe they shouldn't have a "default" read method, and you should explicitly choose whether you want to read "by chunks as they become available", "by chunks of a specific line" or "by a delimiter". So you would specifically use `stream.byLine()` or `stream.byChunk([size])`, which would return an `ObjectReadStream<string>`. Inspired by #7195
275 lines
6.6 KiB
TypeScript
275 lines
6.6 KiB
TypeScript
/**
|
|
* Battle Stream
|
|
* Pokemon Showdown - http://pokemonshowdown.com/
|
|
*
|
|
* Supports interacting with a PS battle in Stream format.
|
|
*
|
|
* This format is VERY NOT FINALIZED, please do not use it directly yet.
|
|
*
|
|
* @license MIT
|
|
*/
|
|
|
|
import * as Streams from './../lib/streams';
|
|
import {Battle} from './battle';
|
|
|
|
/**
|
|
* Like string.split(delimiter), but only recognizes the first `limit`
|
|
* delimiters (default 1).
|
|
*
|
|
* `"1 2 3 4".split(" ", 2) => ["1", "2"]`
|
|
*
|
|
* `Utils.splitFirst("1 2 3 4", " ", 1) => ["1", "2 3 4"]`
|
|
*
|
|
* Returns an array of length exactly limit + 1.
|
|
*/
|
|
function splitFirst(str: string, delimiter: string, limit = 1) {
|
|
const splitStr: string[] = [];
|
|
while (splitStr.length < limit) {
|
|
const delimiterIndex = str.indexOf(delimiter);
|
|
if (delimiterIndex >= 0) {
|
|
splitStr.push(str.slice(0, delimiterIndex));
|
|
str = str.slice(delimiterIndex + delimiter.length);
|
|
} else {
|
|
splitStr.push(str);
|
|
str = '';
|
|
}
|
|
}
|
|
splitStr.push(str);
|
|
return splitStr;
|
|
}
|
|
|
|
export class BattleStream extends Streams.ObjectReadWriteStream<string> {
|
|
debug: boolean;
|
|
replay: boolean;
|
|
keepAlive: boolean;
|
|
battle: Battle | null;
|
|
|
|
constructor(options: {debug?: boolean, keepAlive?: boolean, replay?: boolean} = {}) {
|
|
super();
|
|
this.debug = !!options.debug;
|
|
this.replay = !!options.replay;
|
|
this.keepAlive = !!options.keepAlive;
|
|
this.battle = null;
|
|
}
|
|
|
|
_write(chunk: string) {
|
|
try {
|
|
this._writeLines(chunk);
|
|
} catch (err) {
|
|
this.pushError(err, true);
|
|
return;
|
|
}
|
|
if (this.battle) this.battle.sendUpdates();
|
|
}
|
|
|
|
_writeLines(chunk: string) {
|
|
for (const line of chunk.split('\n')) {
|
|
if (line.charAt(0) === '>') {
|
|
const [type, message] = splitFirst(line.slice(1), ' ');
|
|
this._writeLine(type, message);
|
|
}
|
|
}
|
|
}
|
|
|
|
pushMessage(type: string, data: string) {
|
|
if (this.replay) {
|
|
if (type === 'update') {
|
|
this.push(data.replace(/\n\|split\|p[1234]\n([^\n]*)\n(?:[^\n]*)/g, '\n$1'));
|
|
}
|
|
return;
|
|
}
|
|
this.push(`${type}\n${data}`);
|
|
}
|
|
|
|
_writeLine(type: string, message: string) {
|
|
switch (type) {
|
|
case 'start':
|
|
const options = JSON.parse(message);
|
|
options.send = (t: string, data: any) => {
|
|
if (Array.isArray(data)) data = data.join("\n");
|
|
this.pushMessage(t, data);
|
|
if (t === 'end' && !this.keepAlive) this.pushEnd();
|
|
};
|
|
if (this.debug) options.debug = true;
|
|
this.battle = new Battle(options);
|
|
break;
|
|
case 'player':
|
|
const [slot, optionsText] = splitFirst(message, ' ');
|
|
this.battle!.setPlayer(slot as SideID, JSON.parse(optionsText));
|
|
break;
|
|
case 'p1':
|
|
case 'p2':
|
|
case 'p3':
|
|
case 'p4':
|
|
if (message === 'undo') {
|
|
this.battle!.undoChoice(type);
|
|
} else {
|
|
this.battle!.choose(type, message);
|
|
}
|
|
break;
|
|
case 'forcewin':
|
|
case 'forcetie':
|
|
this.battle!.win(type === 'forcewin' ? message as SideID : null);
|
|
break;
|
|
case 'tiebreak':
|
|
this.battle!.tiebreak();
|
|
break;
|
|
}
|
|
}
|
|
|
|
_writeEnd() {
|
|
// if battle already ended, we don't need to pushEnd.
|
|
if (!this.atEOF) this.pushEnd();
|
|
this._destroy();
|
|
}
|
|
|
|
_destroy() {
|
|
if (this.battle) this.battle.destroy();
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Splits a BattleStream into omniscient, spectator, p1, p2, p3 and p4
|
|
* streams, for ease of consumption.
|
|
*/
|
|
export function getPlayerStreams(stream: BattleStream) {
|
|
const streams = {
|
|
omniscient: new Streams.ObjectReadWriteStream({
|
|
write(data: string) {
|
|
void stream.write(data);
|
|
},
|
|
writeEnd() {
|
|
return stream.writeEnd();
|
|
},
|
|
}),
|
|
spectator: new Streams.ObjectReadStream<string>({
|
|
read() {},
|
|
}),
|
|
p1: new Streams.ObjectReadWriteStream({
|
|
write(data: string) {
|
|
void stream.write(data.replace(/(^|\n)/g, `$1>p1 `));
|
|
},
|
|
}),
|
|
p2: new Streams.ObjectReadWriteStream({
|
|
write(data: string) {
|
|
void stream.write(data.replace(/(^|\n)/g, `$1>p2 `));
|
|
},
|
|
}),
|
|
p3: new Streams.ObjectReadWriteStream({
|
|
write(data: string) {
|
|
void stream.write(data.replace(/(^|\n)/g, `$1>p3 `));
|
|
},
|
|
}),
|
|
p4: new Streams.ObjectReadWriteStream({
|
|
write(data: string) {
|
|
void stream.write(data.replace(/(^|\n)/g, `$1>p4 `));
|
|
},
|
|
}),
|
|
};
|
|
(async () => {
|
|
for await (const chunk of stream) {
|
|
const [type, data] = splitFirst(chunk, `\n`);
|
|
switch (type) {
|
|
case 'update':
|
|
streams.omniscient.push(Battle.extractUpdateForSide(data, 'omniscient'));
|
|
streams.spectator.push(Battle.extractUpdateForSide(data, 'spectator'));
|
|
streams.p1.push(Battle.extractUpdateForSide(data, 'p1'));
|
|
streams.p2.push(Battle.extractUpdateForSide(data, 'p2'));
|
|
streams.p3.push(Battle.extractUpdateForSide(data, 'p3'));
|
|
streams.p4.push(Battle.extractUpdateForSide(data, 'p4'));
|
|
break;
|
|
case 'sideupdate':
|
|
const [side, sideData] = splitFirst(data, `\n`);
|
|
streams[side as SideID].push(sideData);
|
|
break;
|
|
case 'end':
|
|
// ignore
|
|
break;
|
|
}
|
|
}
|
|
for (const s of Object.values(streams)) {
|
|
s.pushEnd();
|
|
}
|
|
})().catch(err => {
|
|
for (const s of Object.values(streams)) {
|
|
s.pushError(err, true);
|
|
}
|
|
});
|
|
return streams;
|
|
}
|
|
|
|
export abstract class BattlePlayer {
|
|
readonly stream: Streams.ObjectReadWriteStream<string>;
|
|
readonly log: string[];
|
|
readonly debug: boolean;
|
|
|
|
constructor(playerStream: Streams.ObjectReadWriteStream<string>, debug = false) {
|
|
this.stream = playerStream;
|
|
this.log = [];
|
|
this.debug = debug;
|
|
}
|
|
|
|
async start() {
|
|
for await (const chunk of this.stream) {
|
|
this.receive(chunk);
|
|
}
|
|
}
|
|
|
|
receive(chunk: string) {
|
|
for (const line of chunk.split('\n')) {
|
|
this.receiveLine(line);
|
|
}
|
|
}
|
|
|
|
receiveLine(line: string) {
|
|
if (this.debug) console.log(line);
|
|
if (line.charAt(0) !== '|') return;
|
|
const [cmd, rest] = splitFirst(line.slice(1), '|');
|
|
if (cmd === 'request') return this.receiveRequest(JSON.parse(rest));
|
|
if (cmd === 'error') return this.receiveError(new Error(rest));
|
|
this.log.push(line);
|
|
}
|
|
|
|
abstract receiveRequest(request: AnyObject): void;
|
|
|
|
receiveError(error: Error) {
|
|
throw error;
|
|
}
|
|
|
|
choose(choice: string) {
|
|
void this.stream.write(choice);
|
|
}
|
|
}
|
|
|
|
export class BattleTextStream extends Streams.ReadWriteStream {
|
|
readonly battleStream: BattleStream;
|
|
currentMessage: string;
|
|
|
|
constructor(options: {debug?: boolean}) {
|
|
super();
|
|
this.battleStream = new BattleStream(options);
|
|
this.currentMessage = '';
|
|
}
|
|
|
|
async start() {
|
|
for await (let message of this.battleStream) {
|
|
if (!message.endsWith('\n')) message += '\n';
|
|
this.push(message + '\n');
|
|
}
|
|
this.pushEnd();
|
|
}
|
|
|
|
_write(message: string | Buffer) {
|
|
this.currentMessage += '' + message;
|
|
const index = this.currentMessage.lastIndexOf('\n');
|
|
if (index >= 0) {
|
|
void this.battleStream.write(this.currentMessage.slice(0, index));
|
|
this.currentMessage = this.currentMessage.slice(index + 1);
|
|
}
|
|
}
|
|
|
|
_writeEnd() {
|
|
return this.battleStream.writeEnd();
|
|
}
|
|
}
|