mirror of
https://github.com/bitburner-official/bitburner-src.git
synced 2024-11-10 17:53:55 +01:00
81 lines
2.6 KiB
JavaScript
81 lines
2.6 KiB
JavaScript
/* Generic Reviver, toJSON, and fromJSON functions used for saving and loading objects */
|
|
|
|
// A generic "smart reviver" function.
|
|
// Looks for object values with a `ctor` property and
|
|
// a `data` property. If it finds them, and finds a matching
|
|
// constructor that has a `fromJSON` property on it, it hands
|
|
// off to that `fromJSON` fuunction, passing in the value.
|
|
function Reviver(key, value) {
|
|
var ctor;
|
|
if (value == null) {
|
|
console.log("Reviver WRONGLY called with key: " + key + ", and value: " + value);
|
|
return 0;
|
|
}
|
|
|
|
if (typeof value === "object" &&
|
|
typeof value.ctor === "string" &&
|
|
typeof value.data !== "undefined") {
|
|
// Compatibility for version v0.43.1
|
|
// TODO Remove this eventually
|
|
if (value.ctor === "AllServersMap") {
|
|
console.log('Converting AllServersMap for v0.43.1');
|
|
return value.data;
|
|
}
|
|
|
|
ctor = Reviver.constructors[value.ctor] || window[value.ctor];
|
|
|
|
if (typeof ctor === "function" &&
|
|
typeof ctor.fromJSON === "function") {
|
|
|
|
return ctor.fromJSON(value);
|
|
}
|
|
}
|
|
return value;
|
|
}
|
|
Reviver.constructors = {}; // A list of constructors the smart reviver should know about
|
|
|
|
// A generic "toJSON" function that creates the data expected
|
|
// by Reviver.
|
|
// `ctorName` The name of the constructor to use to revive it
|
|
// `obj` The object being serialized
|
|
// `keys` (Optional) Array of the properties to serialize,
|
|
// if not given then all of the objects "own" properties
|
|
// that don't have function values will be serialized.
|
|
// (Note: If you list a property in `keys`, it will be serialized
|
|
// regardless of whether it's an "own" property.)
|
|
// Returns: The structure (which will then be turned into a string
|
|
// as part of the JSON.stringify algorithm)
|
|
function Generic_toJSON(ctorName, obj, keys) {
|
|
var data, index, key;
|
|
|
|
if (!keys) {
|
|
keys = Object.keys(obj); // Only "own" properties are included
|
|
}
|
|
|
|
data = {};
|
|
for (let index = 0; index < keys.length; ++index) {
|
|
key = keys[index];
|
|
data[key] = obj[key];
|
|
}
|
|
return {ctor: ctorName, data: data};
|
|
}
|
|
|
|
// A generic "fromJSON" function for use with Reviver: Just calls the
|
|
// constructor function with no arguments, then applies all of the
|
|
// key/value pairs from the raw data to the instance. Only useful for
|
|
// constructors that can be reasonably called without arguments!
|
|
// `ctor` The constructor to call
|
|
// `data` The data to apply
|
|
// Returns: The object
|
|
function Generic_fromJSON(ctor, data) {
|
|
var obj, name;
|
|
|
|
obj = new ctor();
|
|
for (name in data) {
|
|
obj[name] = data[name];
|
|
}
|
|
return obj;
|
|
}
|
|
|
|
export {Reviver, Generic_toJSON, Generic_fromJSON};
|