/* eslint-disable @typescript-eslint/no-explicit-any */
import java from 'java';
import { AbstractAPIComponent } from './AbstractAPIComponent';
/**
* API Component that generates random numbers using the xorshift128+
* ({@link https://libgdx.badlogicgames.com/ci/nightlies/docs/api/com/badlogic/gdx/math/RandomXS128.html|RandomXS123})
* algorithm provided by the libgdx API
*
* @example
* const seed: number = 1337;
* const rng = new Random('./path/to/stsJar', seed);
*
* const maxValue: number = 5;
* const randomNumberFrom0To5: number = rng.randomInt(maxValue);
*/
export class Random extends AbstractAPIComponent {
private readonly _object: any;
private readonly _seed: number;
/**
* Create a new random number generator with a specified seed
* @param {string} stsJarPath Path to the `desktop-1.0.jar` Slay the Spire game file
* @param {number} seed Seed used to generate pseudo-random numbers
*/
public constructor(stsJarPath: string, seed: number) {
super(stsJarPath);
this._object = java.newInstanceSync(
'com.megacrit.cardcrawl.random.Random',
java.newLong(seed),
);
this._seed = seed;
}
/**
* Generate a random integer between the values 0 to `maxValue`
* @param {number} maxValue Maximum integer value to be generated
* @returns {number}
*/
public randomInt(maxValue: number): number {
if (this._object === null) throw new Error('Instance of Random has not been initialized');
return this._object.randomSync(maxValue);
}
/**
* Generate a random long
* @returns {number}
*/
public randomLong(): any {
if (this._object === null) throw new Error('Instance of Random has not been initialized');
return this._object.randomLongSync();
}
/**
* Get the seed used to generate random values
* @returns {number}
*/
get seed(): number {
return this._seed;
}
/**
* Get the raw Java instance of "com.megacrit.cardcrawl.random.Random"
*/
get object(): any {
return this._object;
}
}
Source