<feat: New project structure>

<feat: New release>
This commit is contained in:
Alessandro Autiero
2023-09-02 15:34:15 +02:00
parent 64b33102f4
commit b41e22adeb
953 changed files with 1373072 additions and 0 deletions

74
cli/lib/cli.dart Normal file
View File

@@ -0,0 +1,74 @@
import 'dart:io';
import 'package:args/args.dart';
import 'package:reboot_cli/src/game.dart';
import 'package:reboot_cli/src/reboot.dart';
import 'package:reboot_cli/src/server.dart';
import 'package:reboot_common/common.dart';
import 'package:reboot_common/src/model/fortnite_version.dart';
import 'package:reboot_common/src/util/matchmaker.dart' as matchmaker;
late String? username;
late bool host;
late bool verbose;
late String dll;
late FortniteVersion version;
late bool autoRestart;
void main(List<String> args) async {
stdout.writeln("Reboot Launcher");
stdout.writeln("Wrote by Auties00");
stdout.writeln("Version 1.0");
kill();
var parser = ArgParser()
..addOption("path", mandatory: true)
..addOption("username")
..addOption("server-type", allowed: ServerType.values.map((entry) => entry.name), defaultsTo: ServerType.embedded.name)
..addOption("server-host")
..addOption("server-port")
..addOption("matchmaking-address")
..addOption("dll", defaultsTo: rebootDllFile.path)
..addFlag("update", defaultsTo: true, negatable: true)
..addFlag("log", defaultsTo: false)
..addFlag("host", defaultsTo: false)
..addFlag("auto-restart", defaultsTo: false, negatable: true);
var result = parser.parse(args);
dll = result["dll"];
host = result["host"];
username = result["username"] ?? kDefaultPlayerName;
verbose = result["log"];
version = FortniteVersion(name: "Dummy", location: Directory(result["path"]));
await downloadRequiredDLLs();
if(result["update"]) {
stdout.writeln("Updating reboot dll...");
try {
await downloadRebootDll(rebootDownloadUrl, 0);
}catch(error){
stderr.writeln("Cannot update reboot dll: $error");
}
}
stdout.writeln("Launching game...");
var executable = await version.executable;
if(executable == null){
throw Exception("Missing game executable at: ${version.location.path}");
}
var started = await startServerCli(
result["server-host"],
result["server-port"],
ServerType.values.firstWhere((element) => element.name == result["server-type"])
);
if(!started){
stderr.writeln("Cannot start server!");
return;
}
matchmaker.writeMatchmakingIp(result["matchmaking-address"]);
autoRestart = result["auto-restart"];
await startGame();
}

114
cli/lib/src/game.dart Normal file
View File

@@ -0,0 +1,114 @@
import 'dart:convert';
import 'dart:io';
import 'package:process_run/process_run.dart';
import 'package:reboot_common/common.dart';
import 'package:reboot_cli/cli.dart';
Process? _gameProcess;
Process? _launcherProcess;
Process? _eacProcess;
Future<void> startGame() async {
await _startLauncherProcess(version);
await _startEacProcess(version);
var executable = await version.executable;
if (executable == null) {
throw Exception("${version.location.path} no longer contains a Fortnite executable, did you delete or move it?");
}
if (username == null) {
username = "Reboot${host ? 'Host' : 'Player'}";
stdout.writeln("No username was specified, using $username by default. Use --username to specify one");
}
_gameProcess = await Process.start(executable.path, createRebootArgs(username!, "", host, ""))
..exitCode.then((_) => _onClose())
..outLines.forEach((line) => _onGameOutput(line, dll, host, verbose));
_injectOrShowError("cobalt.dll");
}
Future<void> _startLauncherProcess(FortniteVersion dummyVersion) async {
if (dummyVersion.launcher == null) {
return;
}
_launcherProcess = await Process.start(dummyVersion.launcher!.path, []);
suspend(_launcherProcess!.pid);
}
Future<void> _startEacProcess(FortniteVersion dummyVersion) async {
if (dummyVersion.eacExecutable == null) {
return;
}
_eacProcess = await Process.start(dummyVersion.eacExecutable!.path, []);
suspend(_eacProcess!.pid);
}
void _onGameOutput(String line, String dll, bool hosting, bool verbose) {
if(verbose) {
stdout.writeln(line);
}
if (line.contains(shutdownLine)) {
_onClose();
return;
}
if(cannotConnectErrors.any((element) => line.contains(element))){
stderr.writeln("The backend doesn't work! Token expired");
_onClose();
return;
}
if(line.contains("Region ")){
if(hosting) {
_injectOrShowError(dll, false);
}else {
_injectOrShowError("console.dll");
}
_injectOrShowError("memoryleak.dll");
}
}
void _kill() {
_gameProcess?.kill(ProcessSignal.sigabrt);
_launcherProcess?.kill(ProcessSignal.sigabrt);
_eacProcess?.kill(ProcessSignal.sigabrt);
}
Future<void> _injectOrShowError(String binary, [bool locate = true]) async {
if (_gameProcess == null) {
return;
}
try {
stdout.writeln("Injecting $binary...");
var dll = locate ? File("${assetsDirectory.path}\\dlls\\$binary") : File(binary);
if(!dll.existsSync()){
throw Exception("Cannot inject $dll: missing file");
}
await injectDll(_gameProcess!.pid, dll.path);
} catch (exception) {
throw Exception("Cannot inject binary: $binary");
}
}
void _onClose() {
_kill();
sleep(const Duration(seconds: 3));
stdout.writeln("The game was closed");
if(autoRestart){
stdout.writeln("Restarting automatically game");
startGame();
return;
}
exit(0);
}

55
cli/lib/src/reboot.dart Normal file
View File

@@ -0,0 +1,55 @@
import 'dart:io';
import 'package:archive/archive_io.dart';
import 'package:http/http.dart' as http;
import 'package:reboot_common/common.dart';
// TODO: Use github
const String _baseDownload = "https://cdn.discordapp.com/attachments/1095351875961901057/1110968021373169674/cobalt.dll";
const String _consoleDownload = "https://cdn.discordapp.com/attachments/1095351875961901057/1110968095033524234/console.dll";
const String _memoryFixDownload = "https://cdn.discordapp.com/attachments/1095351875961901057/1110968141556756581/memoryleak.dll";
const String _embeddedConfigDownload = "https://cdn.discordapp.com/attachments/1026121175878881290/1040679319351066644/embedded.zip";
Future<void> downloadRequiredDLLs() async {
stdout.writeln("Downloading necessary components...");
var consoleDll = File("${assetsDirectory.path}\\dlls\\console.dll");
if(!consoleDll.existsSync()){
var response = await http.get(Uri.parse(_consoleDownload));
if(response.statusCode != 200){
throw Exception("Cannot download console.dll");
}
await consoleDll.writeAsBytes(response.bodyBytes);
}
var craniumDll = File("${assetsDirectory.path}\\dlls\\cobalt.dll");
if(!craniumDll.existsSync()){
var response = await http.get(Uri.parse(_baseDownload));
if(response.statusCode != 200){
throw Exception("Cannot download cobalt.dll");
}
await craniumDll.writeAsBytes(response.bodyBytes);
}
var memoryFixDll = File("${assetsDirectory.path}\\dlls\\memoryleak.dll");
if(!memoryFixDll.existsSync()){
var response = await http.get(Uri.parse(_memoryFixDownload));
if(response.statusCode != 200){
throw Exception("Cannot download memoryleak.dll");
}
await memoryFixDll.writeAsBytes(response.bodyBytes);
}
if(!authenticatorDirectory.existsSync()){
var response = await http.get(Uri.parse(_embeddedConfigDownload));
if(response.statusCode != 200){
throw Exception("Cannot download embedded server config");
}
var tempZip = File("${tempDirectory.path}/reboot_config.zip");
await tempZip.writeAsBytes(response.bodyBytes);
await extractFileToDisk(tempZip.path, authenticatorDirectory.path);
}
}

74
cli/lib/src/server.dart Normal file
View File

@@ -0,0 +1,74 @@
import 'dart:io';
import 'package:reboot_common/common.dart';
import 'package:reboot_common/src/util/authenticator.dart' as server;
Future<bool> startServerCli(String? host, String? port, ServerType type) async {
stdout.writeln("Starting backend server...");
switch(type){
case ServerType.local:
var result = await server.ping(host ?? kDefaultAuthenticatorHost, port ?? kDefaultAuthenticatorPort);
if(result == null){
throw Exception("Local backend server is not running");
}
stdout.writeln("Detected local backend server");
return true;
case ServerType.embedded:
stdout.writeln("Starting an embedded server...");
await server.startEmbeddedAuthenticator(false);
var result = await server.ping(host ?? kDefaultAuthenticatorHost, port ?? kDefaultAuthenticatorPort);
if(result == null){
throw Exception("Cannot start embedded server");
}
return true;
case ServerType.remote:
if(host == null){
throw Exception("Missing host for remote server");
}
if(port == null){
throw Exception("Missing host for remote server");
}
stdout.writeln("Starting a reverse proxy to $host:$port");
return await _changeReverseProxyState(host, port) != null;
}
}
Future<HttpServer?> _changeReverseProxyState(String host, String port) async {
host = host.trim();
if(host.isEmpty){
throw Exception("Missing host name");
}
port = port.trim();
if(port.isEmpty){
throw Exception("Missing port");
}
if(int.tryParse(port) == null){
throw Exception("Invalid port, use only numbers");
}
try{
var uri = await server.ping(host, port);
if(uri == null){
return null;
}
return await server.startRemoteAuthenticatorProxy(uri);
}catch(error){
throw Exception("Cannot start reverse proxy");
}
}
void kill() async {
try {
await Process.run("taskkill", ["/f", "/im", "FortniteLauncher.exe"]);
await Process.run("taskkill", ["/f", "/im", "FortniteClient-Win64-Shipping_EAC.exe"]);
}catch(_){
}
}

20
cli/pubspec.yaml Normal file
View File

@@ -0,0 +1,20 @@
name: reboot_cli
description: Command Line Interface for Project Reboot
version: "1.0.0"
publish_to: 'none'
environment:
sdk: ">=2.19.0 <=3.3.3"
dependencies:
reboot_common:
path: ./../common
args: ^2.3.1
process_run: ^0.13.1
dependency_overrides:
xml: ^6.3.0
dev_dependencies:
flutter_lints: ^2.0.1

23
common/lib/common.dart Normal file
View File

@@ -0,0 +1,23 @@
export 'package:reboot_common/src/constant/authenticator.dart';
export 'package:reboot_common/src/constant/game.dart';
export 'package:reboot_common/src/constant/matchmaker.dart';
export 'package:reboot_common/src/constant/os.dart';
export 'package:reboot_common/src/constant/supabase.dart';
export 'package:reboot_common/src/model/fortnite_build.dart';
export 'package:reboot_common/src/model/fortnite_version.dart';
export 'package:reboot_common/src/model/game_instance.dart';
export 'package:reboot_common/src/model/server_result.dart';
export 'package:reboot_common/src/model/server_type.dart';
export 'package:reboot_common/src/model/update_status.dart';
export 'package:reboot_common/src/model/update_timer.dart';
export 'package:reboot_common/src/util/authenticator.dart';
export 'package:reboot_common/src/util/build.dart';
export 'package:reboot_common/src/util/matchmaker.dart';
export 'package:reboot_common/src/util/network.dart';
export 'package:reboot_common/src/util/patcher.dart';
export 'package:reboot_common/src/util/path.dart';
export 'package:reboot_common/src/util/process.dart';
export 'package:reboot_common/src/util/reboot.dart';

View File

@@ -0,0 +1,2 @@
const String kDefaultAuthenticatorHost = "127.0.0.1";
const String kDefaultAuthenticatorPort = "3551";

View File

@@ -0,0 +1,13 @@
const String kDefaultPlayerName = "Player";
const String shutdownLine = "FOnlineSubsystemGoogleCommon::Shutdown()";
const List<String> corruptedBuildErrors = [
"when 0 bytes remain",
"Pak chunk signature verification failed!"
];
const List<String> cannotConnectErrors = [
"port 3551 failed: Connection refused",
"Unable to login to Fortnite servers",
"HTTP 400 response from ",
"Network failure when attempting to check platform restrictions",
"UOnlineAccountCommon::ForceLogout"
];

View File

@@ -0,0 +1,2 @@
const String kDefaultMatchmakerHost = "127.0.0.1";
const String kDefaultMatchmakerPort = "8080";

View File

@@ -0,0 +1 @@
const int appBarWidth = 2;

View File

@@ -0,0 +1,2 @@
const String supabaseUrl = 'https://drxuhdtyigthmjfhjgfl.supabase.co';
const String supabaseAnonKey = 'eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJpc3MiOiJzdXBhYmFzZSIsInJlZiI6ImRyeHVoZHR5aWd0aG1qZmhqZ2ZsIiwicm9sZSI6ImFub24iLCJpYXQiOjE2ODUzMDU4NjYsImV4cCI6MjAwMDg4MTg2Nn0.unuO67xf9CZgHi-3aXmC5p3RAktUfW7WwqDY-ccFN1M';

View File

@@ -0,0 +1,6 @@
class FortniteBuild {
final String version;
final String link;
FortniteBuild({required this.version, required this.link});
}

View File

@@ -0,0 +1,17 @@
import 'dart:io';
class FortniteVersion {
String name;
Directory location;
FortniteVersion.fromJson(json)
: name = json["name"],
location = Directory(json["location"]);
FortniteVersion({required this.name, required this.location});
Map<String, dynamic> toJson() => {
'name': name,
'location': location.path
};
}

View File

@@ -0,0 +1,48 @@
import 'dart:io';
class GameInstance {
final int gamePid;
final int? launcherPid;
final int? eacPid;
int? watchPid;
bool hosting;
bool tokenError;
bool linkedHosting;
GameInstance(this.gamePid, this.launcherPid, this.eacPid, this.hosting, this.linkedHosting)
: tokenError = false,
assert(!linkedHosting || !hosting, "Only a game instance can have a linked hosting server");
GameInstance.fromJson(Map<String, dynamic>? json) :
gamePid = json?["game"] ?? -1,
launcherPid = json?["launcher"],
eacPid = json?["eac"],
watchPid = json?["watchPid"],
hosting = json?["hosting"] ?? false,
tokenError = json?["tokenError"] ?? false,
linkedHosting = json?["linkedHosting"] ?? false;
void kill() {
Process.killPid(gamePid, ProcessSignal.sigabrt);
if(launcherPid != null) {
Process.killPid(launcherPid!, ProcessSignal.sigabrt);
}
if(eacPid != null) {
Process.killPid(eacPid!, ProcessSignal.sigabrt);
}
if(watchPid != null) {
Process.killPid(watchPid!, ProcessSignal.sigabrt);
}
}
Map<String, dynamic> toJson() => {
'game': gamePid,
'launcher': launcherPid,
'eac': eacPid,
'watch': watchPid,
'hosting': hosting,
'tokenError': tokenError,
'linkedHosting': linkedHosting
};
}

View File

@@ -0,0 +1,23 @@
class ServerResult {
final ServerResultType type;
final Object? error;
final StackTrace? stackTrace;
ServerResult(this.type, {this.error, this.stackTrace});
}
enum ServerResultType {
missingHostError,
missingPortError,
illegalPortError,
freeingPort,
freePortSuccess,
freePortError,
pingingRemote,
pingingLocal,
pingError,
startSuccess,
startError;
bool get isError => name.contains("Error");
}

View File

@@ -0,0 +1,5 @@
enum ServerType {
embedded,
remote,
local
}

View File

@@ -0,0 +1,6 @@
enum UpdateStatus {
waiting,
started,
success,
error
}

View File

@@ -0,0 +1,6 @@
enum UpdateTimer {
never,
hour,
day,
week
}

View File

@@ -0,0 +1,79 @@
import 'dart:convert';
import 'dart:io';
import 'package:process_run/process_run.dart';
import 'package:reboot_common/common.dart';
import 'package:shelf/shelf_io.dart';
import 'package:shelf_proxy/shelf_proxy.dart';
final authenticatorLogFile = File("${logsDirectory.path}\\authenticator.log");
final authenticatorDirectory = Directory("${assetsDirectory.path}\\lawin");
final authenticatorExecutable = File("${authenticatorDirectory.path}\\run.bat");
Future<Process> startEmbeddedAuthenticator(bool detached) async {
if(!authenticatorExecutable.existsSync()) {
throw StateError("${authenticatorExecutable.path} doesn't exist");
}
var process = await Process.start(
authenticatorExecutable.path,
[],
workingDirectory: authenticatorDirectory.path,
mode: detached ? ProcessStartMode.detached : ProcessStartMode.normal
);
if(!detached) {
authenticatorLogFile.createSync(recursive: true);
process.outLines.forEach((element) => authenticatorLogFile.writeAsStringSync("$element\n", mode: FileMode.append));
process.errLines.forEach((element) => authenticatorLogFile.writeAsStringSync("$element\n", mode: FileMode.append));
}
return process;
}
Future<HttpServer> startRemoteAuthenticatorProxy(Uri uri) async => await serve(proxyHandler(uri), kDefaultAuthenticatorHost, int.parse(kDefaultAuthenticatorPort));
Future<bool> isAuthenticatorPortFree() async => isPortFree(int.parse(kDefaultAuthenticatorPort));
Future<bool> freeAuthenticatorPort() async {
var releaseBat = File("${assetsDirectory.path}\\lawin\\kill_lawin.bat");
await Process.run(releaseBat.path, []);
var standardResult = await isAuthenticatorPortFree();
if(standardResult) {
return true;
}
var elevatedResult = await runElevatedProcess(releaseBat.path, "");
if(!elevatedResult) {
return false;
}
return await isAuthenticatorPortFree();
}
Future<Uri?> pingSelf(String port) async => ping(kDefaultAuthenticatorHost, port);
Future<Uri?> ping(String host, String port, [bool https=false]) async {
var hostName = _getHostName(host);
var declaredScheme = _getScheme(host);
try{
var uri = Uri(
scheme: declaredScheme ?? (https ? "https" : "http"),
host: hostName,
port: int.parse(port),
path: "unknown"
);
var client = HttpClient()
..connectionTimeout = const Duration(seconds: 5);
var request = await client.getUrl(uri);
var response = await request.close();
var body = utf8.decode(await response.single);
return body.contains("epicgames") || body.contains("lawinserver") ? uri : null;
}catch(_){
return https || declaredScheme != null ? null : await ping(host, port, true);
}
}
String? _getHostName(String host) => host.replaceFirst("http://", "").replaceFirst("https://", "");
String? _getScheme(String host) => host.startsWith("http://") ? "http" : host.startsWith("https://") ? "https" : null;

View File

@@ -0,0 +1,152 @@
import 'dart:async';
import 'dart:io';
import 'dart:isolate';
import 'package:http/http.dart' as http;
import 'package:path/path.dart' as path;
import 'package:reboot_common/common.dart';
final Uri _manifestSourceUrl = Uri.parse(
"https://raw.githubusercontent.com/simplyblk/Fortnitebuilds/main/README.md");
Future<List<FortniteBuild>> fetchBuilds(ignored) async {
var response = await http.get(_manifestSourceUrl);
if (response.statusCode != 200) {
throw Exception("Erroneous status code: ${response.statusCode}");
}
var results = <FortniteBuild>[];
for (var line in response.body.split("\n")) {
if(!line.startsWith("|")) {
continue;
}
var parts = line.substring(1, line.length - 1).split("|");
if(parts.isEmpty) {
continue;
}
var link = parts.last.trim();
if(!link.endsWith(".zip") && !link.endsWith(".rar")) {
continue;
}
var version = parts.first.trim();
version = version.substring(0, version.indexOf("-"));
results.add(FortniteBuild(version: "Fortnite $version", link: link));
}
return results;
}
Future<void> downloadArchiveBuild(ArchiveDownloadOptions options) async {
var stopped = _setupLifecycle(options);
var outputDir = Directory("${options.destination.path}\\.build");
outputDir.createSync(recursive: true);
try {
options.destination.createSync(recursive: true);
var fileName = options.archiveUrl.substring(options.archiveUrl.lastIndexOf("/") + 1);
var extension = path.extension(fileName);
var tempFile = File("${outputDir.path}\\$fileName");
if(tempFile.existsSync()) {
tempFile.deleteSync(recursive: true);
}
await _download(options, tempFile, stopped);
await _extract(stopped, extension, tempFile, options);
delete(outputDir);
} catch(message) {
throw Exception("Cannot download build: $message");
}
}
Future<void> _download(ArchiveDownloadOptions options, File tempFile, Completer<dynamic> stopped) async {
var client = http.Client();
var request = http.Request("GET", Uri.parse(options.archiveUrl));
request.headers['Connection'] = 'Keep-Alive';
var response = await client.send(request);
if (response.statusCode != 200) {
throw Exception("Erroneous status code: ${response.statusCode}");
}
var startTime = DateTime.now().millisecondsSinceEpoch;
var length = response.contentLength!;
var received = 0;
var sink = tempFile.openWrite();
var subscription = response.stream.listen((data) async {
received += data.length;
var now = DateTime.now();
var progress = (received / length) * 100;
var msLeft = startTime + (now.millisecondsSinceEpoch - startTime) * length / received - now.millisecondsSinceEpoch;
var minutesLeft = (msLeft / 1000 / 60).round();
options.port.send(ArchiveDownloadProgress(progress, minutesLeft, false));
sink.add(data);
});
await Future.any([stopped.future, subscription.asFuture()]);
if(stopped.isCompleted) {
await subscription.cancel();
}else {
await sink.flush();
await sink.close();
await sink.done;
}
}
Future<void> _extract(Completer<dynamic> stopped, String extension, File tempFile, ArchiveDownloadOptions options) async {
if(stopped.isCompleted) {
return;
}
options.port.send(ArchiveDownloadProgress(0, -1, true));
Process? process;
switch (extension.toLowerCase()) {
case '.zip':
process = await Process.start(
'tar',
['-xf', tempFile.path, '-C', options.destination.path],
mode: ProcessStartMode.inheritStdio
);
break;
case '.rar':
process = await Process.start(
'${assetsDirectory.path}\\misc\\winrar.exe',
['x', tempFile.path, '*.*', options.destination.path],
mode: ProcessStartMode.inheritStdio
);
break;
default:
throw ArgumentError("Unexpected file extension: $extension}");
}
await Future.any([stopped.future, process.exitCode]);
}
Completer<dynamic> _setupLifecycle(ArchiveDownloadOptions options) {
var stopped = Completer();
var lifecyclePort = ReceivePort();
lifecyclePort.listen((message) {
if(message == "kill") {
stopped.complete();
}
});
options.port.send(lifecyclePort.sendPort);
return stopped;
}
class ArchiveDownloadOptions {
String archiveUrl;
Directory destination;
SendPort port;
ArchiveDownloadOptions(this.archiveUrl, this.destination, this.port);
}
class ArchiveDownloadProgress {
final double progress;
final int minutesLeft;
final bool extracting;
ArchiveDownloadProgress(this.progress, this.minutesLeft, this.extracting);
}

View File

@@ -0,0 +1,38 @@
import 'dart:io';
import 'package:ini/ini.dart';
import 'package:reboot_common/common.dart';
Future<void> writeMatchmakingIp(String text) async {
var file = File("${assetsDirectory.path}\\lawin\\Config\\config.ini");
if(!file.existsSync()){
return;
}
var splitIndex = text.indexOf(":");
var ip = splitIndex != -1 ? text.substring(0, splitIndex) : text;
var port = splitIndex != -1 ? text.substring(splitIndex + 1) : "7777";
var config = Config.fromString(file.readAsStringSync());
config.set("GameServer", "ip", ip);
config.set("GameServer", "port", port);
file.writeAsStringSync(config.toString());
}
Future<bool> isMatchmakerPortFree() async => isPortFree(int.parse(kDefaultMatchmakerPort));
Future<bool> freeMatchmakerPort() async {
var releaseBat = File("${assetsDirectory.path}\\lawin\\kill_matchmaker.bat");
await Process.run(releaseBat.path, []);
var standardResult = await isMatchmakerPortFree();
if(standardResult) {
return true;
}
var elevatedResult = await runElevatedProcess(releaseBat.path, "");
if(!elevatedResult) {
return false;
}
return await isMatchmakerPortFree();
}

View File

@@ -0,0 +1,22 @@
import 'dart:io';
import 'package:reboot_common/common.dart';
bool isLocalHost(String host) => host.trim() == "127.0.0.1"
|| host.trim().toLowerCase() == "localhost"
|| host.trim() == "0.0.0.0";
Future<bool> isPortFree(int port) async {
try {
final server = await ServerSocket.bind(InternetAddress.anyIPv4, port);
await server.close();
return true;
} catch (e) {
return false;
}
}
Future<void> resetWinNat() async {
var binary = File("${authenticatorDirectory.path}\\winnat.bat");
await runElevatedProcess(binary.path, "");
}

View File

@@ -0,0 +1,58 @@
import 'dart:io';
import 'dart:typed_data';
final Uint8List _originalHeadless = Uint8List.fromList([
45, 0, 105, 0, 110, 0, 118, 0, 105, 0, 116, 0, 101, 0, 115, 0, 101, 0, 115, 0, 115, 0, 105, 0, 111, 0, 110, 0, 32, 0, 45, 0, 105, 0, 110, 0, 118, 0, 105, 0, 116, 0, 101, 0, 102, 0, 114, 0, 111, 0, 109, 0, 32, 0, 45, 0, 112, 0, 97, 0, 114, 0, 116, 0, 121, 0, 95, 0, 106, 0, 111, 0, 105, 0, 110, 0, 105, 0, 110, 0, 102, 0, 111, 0, 95, 0, 116, 0, 111, 0, 107, 0, 101, 0, 110, 0, 32, 0, 45, 0, 114, 0, 101, 0, 112, 0, 108, 0, 97, 0, 121, 0
]);
final Uint8List _patchedHeadless = Uint8List.fromList([
45, 0, 108, 0, 111, 0, 103, 0, 32, 0, 45, 0, 110, 0, 111, 0, 115, 0, 112, 0, 108, 0, 97, 0, 115, 0, 104, 0, 32, 0, 45, 0, 110, 0, 111, 0, 115, 0, 111, 0, 117, 0, 110, 0, 100, 0, 32, 0, 45, 0, 110, 0, 117, 0, 108, 0, 108, 0, 114, 0, 104, 0, 105, 0, 32, 0, 45, 0, 117, 0, 115, 0, 101, 0, 111, 0, 108, 0, 100, 0, 105, 0, 116, 0, 101, 0, 109, 0, 99, 0, 97, 0, 114, 0, 100, 0, 115, 0, 32, 0, 32, 0, 32, 0, 32, 0, 32, 0, 32, 0, 32, 0
]);
final Uint8List _originalMatchmaking = Uint8List.fromList([
63, 0, 69, 0, 110, 0, 99, 0, 114, 0, 121, 0, 112, 0, 116, 0, 105, 0, 111, 0, 110, 0, 84, 0, 111, 0, 107, 0, 101, 0, 110, 0, 61
]);
final Uint8List _patchedMatchmaking = Uint8List.fromList([
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0
]);
Future<bool> patchHeadless(File file) async =>
_patch(file, _originalHeadless, _patchedHeadless);
Future<bool> patchMatchmaking(File file) async =>
await _patch(file, _originalMatchmaking, _patchedMatchmaking);
Future<bool> _patch(File file, Uint8List original, Uint8List patched) async {
try {
if(original.length != patched.length){
throw Exception("Cannot mutate length of binary file");
}
var read = await file.readAsBytes();
var length = await file.length();
var offset = 0;
var counter = 0;
while(offset < length){
if(read[offset] == original[counter]){
counter++;
}else {
counter = 0;
}
offset++;
if(counter == original.length){
for(var index = 0; index < patched.length; index++){
read[offset - counter + index] = patched[index];
}
await file.writeAsBytes(read, mode: FileMode.write);
return true;
}
}
return false;
}catch(_){
return false;
}
}

View File

@@ -0,0 +1,80 @@
import 'dart:io';
import 'dart:isolate';
import 'package:reboot_common/common.dart';
import 'package:path/path.dart' as path;
Directory get installationDirectory =>
File(Platform.resolvedExecutable).parent;
Directory get assetsDirectory {
var directory = Directory("${installationDirectory.path}\\data\\flutter_assets\\assets");
if(directory.existsSync()) {
return directory;
}
return installationDirectory;
}
Directory get logsDirectory =>
Directory("${installationDirectory.path}\\logs");
Directory get settingsDirectory =>
Directory("${installationDirectory.path}\\settings");
Directory get tempDirectory =>
Directory(Platform.environment["Temp"]!);
Future<bool> delete(FileSystemEntity file) async {
try {
await file.delete(recursive: true);
return true;
}catch(_){
return Future.delayed(const Duration(seconds: 5)).then((value) async {
try {
await file.delete(recursive: true);
return true;
}catch(_){
return false;
}
});
}
}
extension FortniteVersionExtension on FortniteVersion {
static File? findExecutable(Directory directory, String name) {
try{
var result = directory.listSync(recursive: true)
.firstWhere((element) => path.basename(element.path) == name);
return File(result.path);
}catch(_){
return null;
}
}
Future<File?> get executable async {
var result = findExecutable(location, "FortniteClient-Win64-Shipping-Reboot.exe");
if(result != null) {
return result;
}
var original = findExecutable(location, "FortniteClient-Win64-Shipping.exe");
if(original == null) {
return null;
}
var output = File("${original.parent.path}\\FortniteClient-Win64-Shipping-Reboot.exe");
await original.copy(output.path);
await Future.wait([
Isolate.run(() => patchMatchmaking(output)),
Isolate.run(() => patchHeadless(output)),
]);
return output;
}
File? get launcher => findExecutable(location, "FortniteLauncher.exe");
File? get eacExecutable => findExecutable(location, "FortniteClient-Win64-Shipping_EAC.exe");
File? get splashBitmap => findExecutable(location, "Splash.bmp");
}

View File

@@ -0,0 +1,176 @@
// ignore_for_file: non_constant_identifier_names
import 'dart:async';
import 'dart:ffi';
import 'dart:isolate';
import 'package:ffi/ffi.dart';
import 'package:win32/win32.dart';
final _ntdll = DynamicLibrary.open('ntdll.dll');
final _kernel32 = DynamicLibrary.open('kernel32.dll');
final _CreateRemoteThread = _kernel32.lookupFunction<
IntPtr Function(
IntPtr hProcess,
Pointer<SECURITY_ATTRIBUTES> lpThreadAttributes,
IntPtr dwStackSize,
Pointer loadLibraryAddress,
Pointer lpParameter,
Uint32 dwCreationFlags,
Pointer<Uint32> lpThreadId),
int Function(
int hProcess,
Pointer<SECURITY_ATTRIBUTES> lpThreadAttributes,
int dwStackSize,
Pointer loadLibraryAddress,
Pointer lpParameter,
int dwCreationFlags,
Pointer<Uint32> lpThreadId)>('CreateRemoteThread');
Future<void> injectDll(int pid, String dll) async {
var process = OpenProcess(
0x43A,
0,
pid
);
var processAddress = GetProcAddress(
GetModuleHandle("KERNEL32".toNativeUtf16()),
"LoadLibraryA".toNativeUtf8()
);
if (processAddress == nullptr) {
throw Exception("Cannot get process address for pid $pid");
}
var dllAddress = VirtualAllocEx(
process,
nullptr,
dll.length + 1,
0x3000,
0x4
);
var writeMemoryResult = WriteProcessMemory(
process,
dllAddress,
dll.toNativeUtf8(),
dll.length,
nullptr
);
if (writeMemoryResult != 1) {
throw Exception("Memory write failed");
}
var createThreadResult = _CreateRemoteThread(
process,
nullptr,
0,
processAddress,
dllAddress,
0,
nullptr
);
if (createThreadResult == -1) {
throw Exception("Thread creation failed");
}
var closeResult = CloseHandle(process);
if(closeResult != 1){
throw Exception("Cannot close handle");
}
}
Future<bool> runElevatedProcess(String executable, String args) async {
var shellInput = calloc<SHELLEXECUTEINFO>();
shellInput.ref.lpFile = executable.toNativeUtf16();
shellInput.ref.lpParameters = args.toNativeUtf16();
shellInput.ref.nShow = SW_HIDE;
shellInput.ref.fMask = ES_AWAYMODE_REQUIRED;
shellInput.ref.lpVerb = "runas".toNativeUtf16();
shellInput.ref.cbSize = sizeOf<SHELLEXECUTEINFO>();
var shellResult = ShellExecuteEx(shellInput);
return shellResult == 1;
}
int startBackgroundProcess(String executable, List<String> args) {
var executablePath = TEXT('$executable ${args.map((entry) => '"$entry"').join(" ")}');
var startupInfo = calloc<STARTUPINFO>();
var processInfo = calloc<PROCESS_INFORMATION>();
var success = CreateProcess(
nullptr,
executablePath,
nullptr,
nullptr,
FALSE,
CREATE_NO_WINDOW,
nullptr,
nullptr,
startupInfo,
processInfo
);
if (success == 0) {
var error = GetLastError();
throw Exception("Cannot start process: $error");
}
var pid = processInfo.ref.dwProcessId;
free(startupInfo);
free(processInfo);
return pid;
}
int _NtResumeProcess(int hWnd) {
final function = _ntdll.lookupFunction<Int32 Function(IntPtr hWnd),
int Function(int hWnd)>('NtResumeProcess');
return function(hWnd);
}
int _NtSuspendProcess(int hWnd) {
final function = _ntdll.lookupFunction<Int32 Function(IntPtr hWnd),
int Function(int hWnd)>('NtSuspendProcess');
return function(hWnd);
}
bool suspend(int pid) {
final processHandle = OpenProcess(PROCESS_SUSPEND_RESUME, FALSE, pid);
final result = _NtSuspendProcess(processHandle);
CloseHandle(processHandle);
return result == 0;
}
bool resume(int pid) {
final processHandle = OpenProcess(PROCESS_SUSPEND_RESUME, FALSE, pid);
final result = _NtResumeProcess(processHandle);
CloseHandle(processHandle);
return result == 0;
}
void _watchProcess(int pid) {
final processHandle = OpenProcess(SYNCHRONIZE, FALSE, pid);
WaitForSingleObject(processHandle, INFINITE);
CloseHandle(processHandle);
}
Future<bool> watchProcess(int pid) async {
var completer = Completer<bool>();
var exitPort = ReceivePort();
exitPort.listen((_) {
if(!completer.isCompleted) {
completer.complete(true);
}
});
var errorPort = ReceivePort();
errorPort.listen((_) => completer.complete(false));
await Isolate.spawn(
_watchProcess,
pid,
onExit: exitPort.sendPort,
onError: errorPort.sendPort,
errorsAreFatal: true
);
return completer.future;
}

View File

@@ -0,0 +1,92 @@
import 'dart:io';
import 'dart:math';
import 'package:archive/archive_io.dart';
import 'package:crypto/crypto.dart';
import 'package:http/http.dart' as http;
import 'package:path/path.dart' as path;
import 'package:reboot_common/common.dart';
const String rebootDownloadUrl =
"https://nightly.link/Milxnor/Project-Reboot-3.0/workflows/msbuild/main/Release.zip";
final File rebootDllFile = File("${assetsDirectory.path}\\dlls\\reboot.dll");
List<String> createRebootArgs(String username, String password, bool host, String additionalArgs) {
if(password.isEmpty) {
username = username.isEmpty ? kDefaultPlayerName : username;
username = host ? "$username${Random().nextInt(1000)}" : username;
username = '$username@projectreboot.dev';
}
password = password.isNotEmpty ? password : "Rebooted";
var args = [
"-epicapp=Fortnite",
"-epicenv=Prod",
"-epiclocale=en-us",
"-epicportal",
"-skippatchcheck",
"-nobe",
"-fromfl=eac",
"-fltoken=3db3ba5dcbd2e16703f3978d",
"-caldera=eyJhbGciOiJFUzI1NiIsInR5cCI6IkpXVCJ9.eyJhY2NvdW50X2lkIjoiYmU5ZGE1YzJmYmVhNDQwN2IyZjQwZWJhYWQ4NTlhZDQiLCJnZW5lcmF0ZWQiOjE2Mzg3MTcyNzgsImNhbGRlcmFHdWlkIjoiMzgxMGI4NjMtMmE2NS00NDU3LTliNTgtNGRhYjNiNDgyYTg2IiwiYWNQcm92aWRlciI6IkVhc3lBbnRpQ2hlYXQiLCJub3RlcyI6IiIsImZhbGxiYWNrIjpmYWxzZX0.VAWQB67RTxhiWOxx7DBjnzDnXyyEnX7OljJm-j2d88G_WgwQ9wrE6lwMEHZHjBd1ISJdUO1UVUqkfLdU5nofBQ",
"-AUTH_LOGIN=$username",
"-AUTH_PASSWORD=${password.isNotEmpty ? password : "Rebooted"}",
"-AUTH_TYPE=epic"
];
if(host){
args.addAll([
"-nullrhi",
"-nosplash",
"-nosound",
]);
}
if(additionalArgs.isNotEmpty){
args.addAll(additionalArgs.split(" "));
}
return args;
}
Future<int> downloadRebootDll(String url, int? lastUpdateMs) async {
Directory? outputDir;
var now = DateTime.now();
try {
var lastUpdate = await _getLastUpdate(lastUpdateMs);
var exists = await rebootDllFile.exists();
if (lastUpdate != null && now.difference(lastUpdate).inHours <= 24 && exists) {
return lastUpdateMs!;
}
var response = await http.get(Uri.parse(rebootDownloadUrl));
outputDir = await installationDirectory.createTemp("reboot_out");
var tempZip = File("${outputDir.path}\\reboot.zip");
await tempZip.writeAsBytes(response.bodyBytes);
await extractFileToDisk(tempZip.path, outputDir.path);
var rebootDll = File(outputDir.listSync().firstWhere((element) => path.extension(element.path) == ".dll").path);
if (!exists || sha1.convert(await rebootDllFile.readAsBytes()) != sha1.convert(await rebootDll.readAsBytes())) {
await rebootDllFile.writeAsBytes(await rebootDll.readAsBytes());
}
return now.millisecondsSinceEpoch;
}catch(message) {
if(url == rebootDownloadUrl){
var asset = File('${assetsDirectory.path}\\dlls\\reboot.dll');
await rebootDllFile.writeAsBytes(asset.readAsBytesSync());
return now.millisecondsSinceEpoch;
}
throw Exception("Cannot download reboot.zip, invalid zip: $message");
}finally{
if(outputDir != null) {
delete(outputDir);
}
}
}
Future<DateTime?> _getLastUpdate(int? lastUpdateMs) async {
return lastUpdateMs != null
? DateTime.fromMillisecondsSinceEpoch(lastUpdateMs)
: null;
}

21
common/pubspec.yaml Normal file
View File

@@ -0,0 +1,21 @@
name: reboot_common
version: "1.0.0"
publish_to: 'none'
environment:
sdk: ">=2.19.0 <=3.3.3"
dependencies:
win32: 3.0.0
ffi: ^2.1.0
path: ^1.8.3
http: ^1.1.0
crypto: ^3.0.2
archive: ^3.3.7
ini: ^2.1.0
shelf_proxy: ^1.0.2
process_run: ^0.13.1
dev_dependencies:
flutter_lints: ^2.0.1

View File

@@ -0,0 +1,11 @@
# Do not remove/change, this redirects epicgames xmpp to lawinserver xmpp
[OnlineSubsystemMcp.Xmpp]
bUseSSL=false
ServerAddr="ws://127.0.0.1"
ServerPort=80
# Do not remove/change, this redirects epicgames xmpp to lawinserver xmpp
[OnlineSubsystemMcp.Xmpp Prod]
bUseSSL=false
ServerAddr="ws://127.0.0.1"
ServerPort=80

View File

@@ -0,0 +1,21 @@
[/Script/FortniteGame.FortGlobals]
bAllowLogout=true # Enables log out button.
[/Script/FortniteGame.FortChatManager]
bShouldRequestGeneralChatRooms=true # Request for chat rooms (global chat and founders chat).
bShouldJoinGlobalChat=true
bShouldJoinFounderChat=true
bIsAthenaGlobalChatEnabled=true # Battle royale global chat.
[/Script/FortniteGame.FortTextHotfixConfig]
+TextReplacements=(Category=Game, Namespace="", bIsMinimalPatch=True, Key="D5ECE3CD484655CBAE1DB6922C1D87C7", NativeString="Getting Started", LocalizedStrings=(("ar","مرحبًا بك في LawinServer!"),("en","Welcome to LawinServer!"),("de","Willkommen bei LawinServer!"),("es","¡Bienvenidos a LawinServer!"),("es-419","¡Bienvenidos a LawinServer!"),("fr","Bienvenue sur LawinServer !"),("it","Benvenuto in LawinServer!"),("ja","LawinServerへようこそ"),("ko","LawinServer에 오신 것을 환영합니다!"),("pl","Witaj w LawinServerze!"),("pt-BR","Bem-vindo ao LawinServer!"),("ru","Добро пожаловать в LawinServer!"),("tr","LavinServer'a Hoş Geldiniz!")))
+TextReplacements=(Category=Game, Namespace="", bIsMinimalPatch=True, Key="CD9D4C7A4486689DB9D16B8A7E290B08", NativeString="Not bad! So, what you'd call this place?", LocalizedStrings=(("ar","استمتع بتجربة لعب استثنائية!"),("en","Have a phenomenal gaming experience!"),("de","Wünsche allen ein wunderbares Spielerlebnis!"),("es","¡Que disfrutes de tu experiencia de videojuegos!"),("es-419","¡Ten una experiencia de juego espectacular!"),("fr","Un bon jeu à toutes et à tous !"),("it","Ti auguriamo un'esperienza di gioco fenomenale!"),("ja","驚きの体験をしよう!"),("ko","게임에서 환상적인 경험을 해보세요!"),("pl","Życzymy fenomenalnej gry!"),("pt-BR","Tenha uma experiência de jogo fenomenal!"),("ru","Желаю невероятно приятной игры!"),("tr","Muhteşem bir oyun deneyimi yaşamanı dileriz!")))
[/Script/FortniteGame.FortGameInstance]
!FrontEndPlaylistData=ClearArray
+FrontEndPlaylistData=(PlaylistName=Playlist_DefaultSolo, PlaylistAccess=(bEnabled=True, bIsDefaultPlaylist=true, bVisibleWhenDisabled=false, bDisplayAsNew=false, CategoryIndex=0, bDisplayAsLimitedTime=false, DisplayPriority=3))
+FrontEndPlaylistData=(PlaylistName=Playlist_DefaultDuo, PlaylistAccess=(bEnabled=True, bIsDefaultPlaylist=true, bVisibleWhenDisabled=false, bDisplayAsNew=false, CategoryIndex=0, bDisplayAsLimitedTime=false, DisplayPriority=4))
+FrontEndPlaylistData=(PlaylistName=Playlist_Trios, PlaylistAccess=(bEnabled=true, bIsDefaultPlaylist=true, bVisibleWhenDisabled=false, bDisplayAsNew=False, bDisplayAsLimitedTime=false, DisplayPriority=5, CategoryIndex=0))
+FrontEndPlaylistData=(PlaylistName=Playlist_DefaultSquad, PlaylistAccess=(bEnabled=true, bIsDefaultPlaylist=true, bVisibleWhenDisabled=false, bDisplayAsNew=false, CategoryIndex=0, bDisplayAsLimitedTime=false, DisplayPriority=6))
+FrontEndPlaylistData=(PlaylistName=Playlist_PlaygroundV2, PlaylistAccess=(bEnabled=true, bIsDefaultPlaylist=false, bVisibleWhenDisabled=false, bDisplayAsNew=false, CategoryIndex=2, bDisplayAsLimitedTime=false, DisplayPriority=16))
+FrontEndPlaylistData=(PlaylistName=Playlist_Campaign, PlaylistAccess=(bEnabled=true, bInvisibleWhenEnabled=true))

View File

@@ -0,0 +1,13 @@
[/Script/FortniteGame.FortRuntimeOptions]
bEnableGlobalChat=true # Enable global chat.
bEnableMexiCola=true # Enable the new friends tab (v19.00+).
bLoadDirectlyIntoLobby=false # Enable the Select Game Mode screen.
bEnableSocialTab=true # Enable the Rift Tour frontend section (v17.30).
!SocialRTInfo=ClearArray
+SocialRTInfo=(SlotId=1,StartsAtUTC=9999.08.06-22.00.00)
+SocialRTInfo=(SlotId=2,StartsAtUTC=9999.08.07-18.00.00)
+SocialRTInfo=(SlotId=3,StartsAtUTC=9999.08.08-04.00.00)
+SocialRTInfo=(SlotId=4,StartsAtUTC=9999.08.08-14.00.00)
+SocialRTInfo=(SlotId=5,StartsAtUTC=9999.08.08-22.00.00)
!ExperimentalCohortPercent=ClearArray
+ExperimentalCohortPercent=(CohortPercent=100,ExperimentNum=20) # Supervised settings bug fix.

View File

@@ -0,0 +1,35 @@
{
"//": "BR Item Shop Config",
"daily1": {
"itemGrants": [""],
"price": 0
},
"daily2": {
"itemGrants": [""],
"price": 0
},
"daily3": {
"itemGrants": [""],
"price": 0
},
"daily4": {
"itemGrants": [""],
"price": 0
},
"daily5": {
"itemGrants": [""],
"price": 0
},
"daily6": {
"itemGrants": [""],
"price": 0
},
"featured1": {
"itemGrants": [""],
"price": 0
},
"featured2": {
"itemGrants": [""],
"price": 0
}
}

19
dependencies/lawin/Config/config.ini vendored Normal file
View File

@@ -0,0 +1,19 @@
[Config]
# If this is set to false, it will use the email to display name method.
bUseConfigDisplayName=false
# Your fortnite display name (will only be used if the property above is set to true).
displayName=LawinServer
[Profile]
# If this is set to true, every BR and StW seasonal quest will be on complete. Works for Battle Royale from Season 3 to Season 21 and for Save the World from Season 2 to Season X.
bCompletedSeasonalQuests=false
# If this is set to true, all Save the World events will be displayed in lobby.
bAllSTWEventsActivated=false
[GameServer]
# Matchmaker gameserver config, you can use this to connect to gameservers like rift (titanium), fortmp, etc... (they have to be hosting though).
# IP the matchmaker will use upon join.
ip=127.0.0.1
# PORT the matchmaker will use upon join.
port=7777

674
dependencies/lawin/LICENSE vendored Normal file
View File

@@ -0,0 +1,674 @@
GNU GENERAL PUBLIC LICENSE
Version 3, 29 June 2007
Copyright (C) 2007 Free Software Foundation, Inc. <https://fsf.org/>
Everyone is permitted to copy and distribute verbatim copies
of this license document, but changing it is not allowed.
Preamble
The GNU General Public License is a free, copyleft license for
software and other kinds of works.
The licenses for most software and other practical works are designed
to take away your freedom to share and change the works. By contrast,
the GNU General Public License is intended to guarantee your freedom to
share and change all versions of a program--to make sure it remains free
software for all its users. We, the Free Software Foundation, use the
GNU General Public License for most of our software; it applies also to
any other work released this way by its authors. You can apply it to
your programs, too.
When we speak of free software, we are referring to freedom, not
price. Our General Public Licenses are designed to make sure that you
have the freedom to distribute copies of free software (and charge for
them if you wish), that you receive source code or can get it if you
want it, that you can change the software or use pieces of it in new
free programs, and that you know you can do these things.
To protect your rights, we need to prevent others from denying you
these rights or asking you to surrender the rights. Therefore, you have
certain responsibilities if you distribute copies of the software, or if
you modify it: responsibilities to respect the freedom of others.
For example, if you distribute copies of such a program, whether
gratis or for a fee, you must pass on to the recipients the same
freedoms that you received. You must make sure that they, too, receive
or can get the source code. And you must show them these terms so they
know their rights.
Developers that use the GNU GPL protect your rights with two steps:
(1) assert copyright on the software, and (2) offer you this License
giving you legal permission to copy, distribute and/or modify it.
For the developers' and authors' protection, the GPL clearly explains
that there is no warranty for this free software. For both users' and
authors' sake, the GPL requires that modified versions be marked as
changed, so that their problems will not be attributed erroneously to
authors of previous versions.
Some devices are designed to deny users access to install or run
modified versions of the software inside them, although the manufacturer
can do so. This is fundamentally incompatible with the aim of
protecting users' freedom to change the software. The systematic
pattern of such abuse occurs in the area of products for individuals to
use, which is precisely where it is most unacceptable. Therefore, we
have designed this version of the GPL to prohibit the practice for those
products. If such problems arise substantially in other domains, we
stand ready to extend this provision to those domains in future versions
of the GPL, as needed to protect the freedom of users.
Finally, every program is threatened constantly by software patents.
States should not allow patents to restrict development and use of
software on general-purpose computers, but in those that do, we wish to
avoid the special danger that patents applied to a free program could
make it effectively proprietary. To prevent this, the GPL assures that
patents cannot be used to render the program non-free.
The precise terms and conditions for copying, distribution and
modification follow.
TERMS AND CONDITIONS
0. Definitions.
"This License" refers to version 3 of the GNU General Public License.
"Copyright" also means copyright-like laws that apply to other kinds of
works, such as semiconductor masks.
"The Program" refers to any copyrightable work licensed under this
License. Each licensee is addressed as "you". "Licensees" and
"recipients" may be individuals or organizations.
To "modify" a work means to copy from or adapt all or part of the work
in a fashion requiring copyright permission, other than the making of an
exact copy. The resulting work is called a "modified version" of the
earlier work or a work "based on" the earlier work.
A "covered work" means either the unmodified Program or a work based
on the Program.
To "propagate" a work means to do anything with it that, without
permission, would make you directly or secondarily liable for
infringement under applicable copyright law, except executing it on a
computer or modifying a private copy. Propagation includes copying,
distribution (with or without modification), making available to the
public, and in some countries other activities as well.
To "convey" a work means any kind of propagation that enables other
parties to make or receive copies. Mere interaction with a user through
a computer network, with no transfer of a copy, is not conveying.
An interactive user interface displays "Appropriate Legal Notices"
to the extent that it includes a convenient and prominently visible
feature that (1) displays an appropriate copyright notice, and (2)
tells the user that there is no warranty for the work (except to the
extent that warranties are provided), that licensees may convey the
work under this License, and how to view a copy of this License. If
the interface presents a list of user commands or options, such as a
menu, a prominent item in the list meets this criterion.
1. Source Code.
The "source code" for a work means the preferred form of the work
for making modifications to it. "Object code" means any non-source
form of a work.
A "Standard Interface" means an interface that either is an official
standard defined by a recognized standards body, or, in the case of
interfaces specified for a particular programming language, one that
is widely used among developers working in that language.
The "System Libraries" of an executable work include anything, other
than the work as a whole, that (a) is included in the normal form of
packaging a Major Component, but which is not part of that Major
Component, and (b) serves only to enable use of the work with that
Major Component, or to implement a Standard Interface for which an
implementation is available to the public in source code form. A
"Major Component", in this context, means a major essential component
(kernel, window system, and so on) of the specific operating system
(if any) on which the executable work runs, or a compiler used to
produce the work, or an object code interpreter used to run it.
The "Corresponding Source" for a work in object code form means all
the source code needed to generate, install, and (for an executable
work) run the object code and to modify the work, including scripts to
control those activities. However, it does not include the work's
System Libraries, or general-purpose tools or generally available free
programs which are used unmodified in performing those activities but
which are not part of the work. For example, Corresponding Source
includes interface definition files associated with source files for
the work, and the source code for shared libraries and dynamically
linked subprograms that the work is specifically designed to require,
such as by intimate data communication or control flow between those
subprograms and other parts of the work.
The Corresponding Source need not include anything that users
can regenerate automatically from other parts of the Corresponding
Source.
The Corresponding Source for a work in source code form is that
same work.
2. Basic Permissions.
All rights granted under this License are granted for the term of
copyright on the Program, and are irrevocable provided the stated
conditions are met. This License explicitly affirms your unlimited
permission to run the unmodified Program. The output from running a
covered work is covered by this License only if the output, given its
content, constitutes a covered work. This License acknowledges your
rights of fair use or other equivalent, as provided by copyright law.
You may make, run and propagate covered works that you do not
convey, without conditions so long as your license otherwise remains
in force. You may convey covered works to others for the sole purpose
of having them make modifications exclusively for you, or provide you
with facilities for running those works, provided that you comply with
the terms of this License in conveying all material for which you do
not control copyright. Those thus making or running the covered works
for you must do so exclusively on your behalf, under your direction
and control, on terms that prohibit them from making any copies of
your copyrighted material outside their relationship with you.
Conveying under any other circumstances is permitted solely under
the conditions stated below. Sublicensing is not allowed; section 10
makes it unnecessary.
3. Protecting Users' Legal Rights From Anti-Circumvention Law.
No covered work shall be deemed part of an effective technological
measure under any applicable law fulfilling obligations under article
11 of the WIPO copyright treaty adopted on 20 December 1996, or
similar laws prohibiting or restricting circumvention of such
measures.
When you convey a covered work, you waive any legal power to forbid
circumvention of technological measures to the extent such circumvention
is effected by exercising rights under this License with respect to
the covered work, and you disclaim any intention to limit operation or
modification of the work as a means of enforcing, against the work's
users, your or third parties' legal rights to forbid circumvention of
technological measures.
4. Conveying Verbatim Copies.
You may convey verbatim copies of the Program's source code as you
receive it, in any medium, provided that you conspicuously and
appropriately publish on each copy an appropriate copyright notice;
keep intact all notices stating that this License and any
non-permissive terms added in accord with section 7 apply to the code;
keep intact all notices of the absence of any warranty; and give all
recipients a copy of this License along with the Program.
You may charge any price or no price for each copy that you convey,
and you may offer support or warranty protection for a fee.
5. Conveying Modified Source Versions.
You may convey a work based on the Program, or the modifications to
produce it from the Program, in the form of source code under the
terms of section 4, provided that you also meet all of these conditions:
a) The work must carry prominent notices stating that you modified
it, and giving a relevant date.
b) The work must carry prominent notices stating that it is
released under this License and any conditions added under section
7. This requirement modifies the requirement in section 4 to
"keep intact all notices".
c) You must license the entire work, as a whole, under this
License to anyone who comes into possession of a copy. This
License will therefore apply, along with any applicable section 7
additional terms, to the whole of the work, and all its parts,
regardless of how they are packaged. This License gives no
permission to license the work in any other way, but it does not
invalidate such permission if you have separately received it.
d) If the work has interactive user interfaces, each must display
Appropriate Legal Notices; however, if the Program has interactive
interfaces that do not display Appropriate Legal Notices, your
work need not make them do so.
A compilation of a covered work with other separate and independent
works, which are not by their nature extensions of the covered work,
and which are not combined with it such as to form a larger program,
in or on a volume of a storage or distribution medium, is called an
"aggregate" if the compilation and its resulting copyright are not
used to limit the access or legal rights of the compilation's users
beyond what the individual works permit. Inclusion of a covered work
in an aggregate does not cause this License to apply to the other
parts of the aggregate.
6. Conveying Non-Source Forms.
You may convey a covered work in object code form under the terms
of sections 4 and 5, provided that you also convey the
machine-readable Corresponding Source under the terms of this License,
in one of these ways:
a) Convey the object code in, or embodied in, a physical product
(including a physical distribution medium), accompanied by the
Corresponding Source fixed on a durable physical medium
customarily used for software interchange.
b) Convey the object code in, or embodied in, a physical product
(including a physical distribution medium), accompanied by a
written offer, valid for at least three years and valid for as
long as you offer spare parts or customer support for that product
model, to give anyone who possesses the object code either (1) a
copy of the Corresponding Source for all the software in the
product that is covered by this License, on a durable physical
medium customarily used for software interchange, for a price no
more than your reasonable cost of physically performing this
conveying of source, or (2) access to copy the
Corresponding Source from a network server at no charge.
c) Convey individual copies of the object code with a copy of the
written offer to provide the Corresponding Source. This
alternative is allowed only occasionally and noncommercially, and
only if you received the object code with such an offer, in accord
with subsection 6b.
d) Convey the object code by offering access from a designated
place (gratis or for a charge), and offer equivalent access to the
Corresponding Source in the same way through the same place at no
further charge. You need not require recipients to copy the
Corresponding Source along with the object code. If the place to
copy the object code is a network server, the Corresponding Source
may be on a different server (operated by you or a third party)
that supports equivalent copying facilities, provided you maintain
clear directions next to the object code saying where to find the
Corresponding Source. Regardless of what server hosts the
Corresponding Source, you remain obligated to ensure that it is
available for as long as needed to satisfy these requirements.
e) Convey the object code using peer-to-peer transmission, provided
you inform other peers where the object code and Corresponding
Source of the work are being offered to the general public at no
charge under subsection 6d.
A separable portion of the object code, whose source code is excluded
from the Corresponding Source as a System Library, need not be
included in conveying the object code work.
A "User Product" is either (1) a "consumer product", which means any
tangible personal property which is normally used for personal, family,
or household purposes, or (2) anything designed or sold for incorporation
into a dwelling. In determining whether a product is a consumer product,
doubtful cases shall be resolved in favor of coverage. For a particular
product received by a particular user, "normally used" refers to a
typical or common use of that class of product, regardless of the status
of the particular user or of the way in which the particular user
actually uses, or expects or is expected to use, the product. A product
is a consumer product regardless of whether the product has substantial
commercial, industrial or non-consumer uses, unless such uses represent
the only significant mode of use of the product.
"Installation Information" for a User Product means any methods,
procedures, authorization keys, or other information required to install
and execute modified versions of a covered work in that User Product from
a modified version of its Corresponding Source. The information must
suffice to ensure that the continued functioning of the modified object
code is in no case prevented or interfered with solely because
modification has been made.
If you convey an object code work under this section in, or with, or
specifically for use in, a User Product, and the conveying occurs as
part of a transaction in which the right of possession and use of the
User Product is transferred to the recipient in perpetuity or for a
fixed term (regardless of how the transaction is characterized), the
Corresponding Source conveyed under this section must be accompanied
by the Installation Information. But this requirement does not apply
if neither you nor any third party retains the ability to install
modified object code on the User Product (for example, the work has
been installed in ROM).
The requirement to provide Installation Information does not include a
requirement to continue to provide support service, warranty, or updates
for a work that has been modified or installed by the recipient, or for
the User Product in which it has been modified or installed. Access to a
network may be denied when the modification itself materially and
adversely affects the operation of the network or violates the rules and
protocols for communication across the network.
Corresponding Source conveyed, and Installation Information provided,
in accord with this section must be in a format that is publicly
documented (and with an implementation available to the public in
source code form), and must require no special password or key for
unpacking, reading or copying.
7. Additional Terms.
"Additional permissions" are terms that supplement the terms of this
License by making exceptions from one or more of its conditions.
Additional permissions that are applicable to the entire Program shall
be treated as though they were included in this License, to the extent
that they are valid under applicable law. If additional permissions
apply only to part of the Program, that part may be used separately
under those permissions, but the entire Program remains governed by
this License without regard to the additional permissions.
When you convey a copy of a covered work, you may at your option
remove any additional permissions from that copy, or from any part of
it. (Additional permissions may be written to require their own
removal in certain cases when you modify the work.) You may place
additional permissions on material, added by you to a covered work,
for which you have or can give appropriate copyright permission.
Notwithstanding any other provision of this License, for material you
add to a covered work, you may (if authorized by the copyright holders of
that material) supplement the terms of this License with terms:
a) Disclaiming warranty or limiting liability differently from the
terms of sections 15 and 16 of this License; or
b) Requiring preservation of specified reasonable legal notices or
author attributions in that material or in the Appropriate Legal
Notices displayed by works containing it; or
c) Prohibiting misrepresentation of the origin of that material, or
requiring that modified versions of such material be marked in
reasonable ways as different from the original version; or
d) Limiting the use for publicity purposes of names of licensors or
authors of the material; or
e) Declining to grant rights under trademark law for use of some
trade names, trademarks, or service marks; or
f) Requiring indemnification of licensors and authors of that
material by anyone who conveys the material (or modified versions of
it) with contractual assumptions of liability to the recipient, for
any liability that these contractual assumptions directly impose on
those licensors and authors.
All other non-permissive additional terms are considered "further
restrictions" within the meaning of section 10. If the Program as you
received it, or any part of it, contains a notice stating that it is
governed by this License along with a term that is a further
restriction, you may remove that term. If a license document contains
a further restriction but permits relicensing or conveying under this
License, you may add to a covered work material governed by the terms
of that license document, provided that the further restriction does
not survive such relicensing or conveying.
If you add terms to a covered work in accord with this section, you
must place, in the relevant source files, a statement of the
additional terms that apply to those files, or a notice indicating
where to find the applicable terms.
Additional terms, permissive or non-permissive, may be stated in the
form of a separately written license, or stated as exceptions;
the above requirements apply either way.
8. Termination.
You may not propagate or modify a covered work except as expressly
provided under this License. Any attempt otherwise to propagate or
modify it is void, and will automatically terminate your rights under
this License (including any patent licenses granted under the third
paragraph of section 11).
However, if you cease all violation of this License, then your
license from a particular copyright holder is reinstated (a)
provisionally, unless and until the copyright holder explicitly and
finally terminates your license, and (b) permanently, if the copyright
holder fails to notify you of the violation by some reasonable means
prior to 60 days after the cessation.
Moreover, your license from a particular copyright holder is
reinstated permanently if the copyright holder notifies you of the
violation by some reasonable means, this is the first time you have
received notice of violation of this License (for any work) from that
copyright holder, and you cure the violation prior to 30 days after
your receipt of the notice.
Termination of your rights under this section does not terminate the
licenses of parties who have received copies or rights from you under
this License. If your rights have been terminated and not permanently
reinstated, you do not qualify to receive new licenses for the same
material under section 10.
9. Acceptance Not Required for Having Copies.
You are not required to accept this License in order to receive or
run a copy of the Program. Ancillary propagation of a covered work
occurring solely as a consequence of using peer-to-peer transmission
to receive a copy likewise does not require acceptance. However,
nothing other than this License grants you permission to propagate or
modify any covered work. These actions infringe copyright if you do
not accept this License. Therefore, by modifying or propagating a
covered work, you indicate your acceptance of this License to do so.
10. Automatic Licensing of Downstream Recipients.
Each time you convey a covered work, the recipient automatically
receives a license from the original licensors, to run, modify and
propagate that work, subject to this License. You are not responsible
for enforcing compliance by third parties with this License.
An "entity transaction" is a transaction transferring control of an
organization, or substantially all assets of one, or subdividing an
organization, or merging organizations. If propagation of a covered
work results from an entity transaction, each party to that
transaction who receives a copy of the work also receives whatever
licenses to the work the party's predecessor in interest had or could
give under the previous paragraph, plus a right to possession of the
Corresponding Source of the work from the predecessor in interest, if
the predecessor has it or can get it with reasonable efforts.
You may not impose any further restrictions on the exercise of the
rights granted or affirmed under this License. For example, you may
not impose a license fee, royalty, or other charge for exercise of
rights granted under this License, and you may not initiate litigation
(including a cross-claim or counterclaim in a lawsuit) alleging that
any patent claim is infringed by making, using, selling, offering for
sale, or importing the Program or any portion of it.
11. Patents.
A "contributor" is a copyright holder who authorizes use under this
License of the Program or a work on which the Program is based. The
work thus licensed is called the contributor's "contributor version".
A contributor's "essential patent claims" are all patent claims
owned or controlled by the contributor, whether already acquired or
hereafter acquired, that would be infringed by some manner, permitted
by this License, of making, using, or selling its contributor version,
but do not include claims that would be infringed only as a
consequence of further modification of the contributor version. For
purposes of this definition, "control" includes the right to grant
patent sublicenses in a manner consistent with the requirements of
this License.
Each contributor grants you a non-exclusive, worldwide, royalty-free
patent license under the contributor's essential patent claims, to
make, use, sell, offer for sale, import and otherwise run, modify and
propagate the contents of its contributor version.
In the following three paragraphs, a "patent license" is any express
agreement or commitment, however denominated, not to enforce a patent
(such as an express permission to practice a patent or covenant not to
sue for patent infringement). To "grant" such a patent license to a
party means to make such an agreement or commitment not to enforce a
patent against the party.
If you convey a covered work, knowingly relying on a patent license,
and the Corresponding Source of the work is not available for anyone
to copy, free of charge and under the terms of this License, through a
publicly available network server or other readily accessible means,
then you must either (1) cause the Corresponding Source to be so
available, or (2) arrange to deprive yourself of the benefit of the
patent license for this particular work, or (3) arrange, in a manner
consistent with the requirements of this License, to extend the patent
license to downstream recipients. "Knowingly relying" means you have
actual knowledge that, but for the patent license, your conveying the
covered work in a country, or your recipient's use of the covered work
in a country, would infringe one or more identifiable patents in that
country that you have reason to believe are valid.
If, pursuant to or in connection with a single transaction or
arrangement, you convey, or propagate by procuring conveyance of, a
covered work, and grant a patent license to some of the parties
receiving the covered work authorizing them to use, propagate, modify
or convey a specific copy of the covered work, then the patent license
you grant is automatically extended to all recipients of the covered
work and works based on it.
A patent license is "discriminatory" if it does not include within
the scope of its coverage, prohibits the exercise of, or is
conditioned on the non-exercise of one or more of the rights that are
specifically granted under this License. You may not convey a covered
work if you are a party to an arrangement with a third party that is
in the business of distributing software, under which you make payment
to the third party based on the extent of your activity of conveying
the work, and under which the third party grants, to any of the
parties who would receive the covered work from you, a discriminatory
patent license (a) in connection with copies of the covered work
conveyed by you (or copies made from those copies), or (b) primarily
for and in connection with specific products or compilations that
contain the covered work, unless you entered into that arrangement,
or that patent license was granted, prior to 28 March 2007.
Nothing in this License shall be construed as excluding or limiting
any implied license or other defenses to infringement that may
otherwise be available to you under applicable patent law.
12. No Surrender of Others' Freedom.
If conditions are imposed on you (whether by court order, agreement or
otherwise) that contradict the conditions of this License, they do not
excuse you from the conditions of this License. If you cannot convey a
covered work so as to satisfy simultaneously your obligations under this
License and any other pertinent obligations, then as a consequence you may
not convey it at all. For example, if you agree to terms that obligate you
to collect a royalty for further conveying from those to whom you convey
the Program, the only way you could satisfy both those terms and this
License would be to refrain entirely from conveying the Program.
13. Use with the GNU Affero General Public License.
Notwithstanding any other provision of this License, you have
permission to link or combine any covered work with a work licensed
under version 3 of the GNU Affero General Public License into a single
combined work, and to convey the resulting work. The terms of this
License will continue to apply to the part which is the covered work,
but the special requirements of the GNU Affero General Public License,
section 13, concerning interaction through a network will apply to the
combination as such.
14. Revised Versions of this License.
The Free Software Foundation may publish revised and/or new versions of
the GNU General Public License from time to time. Such new versions will
be similar in spirit to the present version, but may differ in detail to
address new problems or concerns.
Each version is given a distinguishing version number. If the
Program specifies that a certain numbered version of the GNU General
Public License "or any later version" applies to it, you have the
option of following the terms and conditions either of that numbered
version or of any later version published by the Free Software
Foundation. If the Program does not specify a version number of the
GNU General Public License, you may choose any version ever published
by the Free Software Foundation.
If the Program specifies that a proxy can decide which future
versions of the GNU General Public License can be used, that proxy's
public statement of acceptance of a version permanently authorizes you
to choose that version for the Program.
Later license versions may give you additional or different
permissions. However, no additional obligations are imposed on any
author or copyright holder as a result of your choosing to follow a
later version.
15. Disclaimer of Warranty.
THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
16. Limitation of Liability.
IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
SUCH DAMAGES.
17. Interpretation of Sections 15 and 16.
If the disclaimer of warranty and limitation of liability provided
above cannot be given local legal effect according to their terms,
reviewing courts shall apply local law that most closely approximates
an absolute waiver of all civil liability in connection with the
Program, unless a warranty or assumption of liability accompanies a
copy of the Program in return for a fee.
END OF TERMS AND CONDITIONS
How to Apply These Terms to Your New Programs
If you develop a new program, and you want it to be of the greatest
possible use to the public, the best way to achieve this is to make it
free software which everyone can redistribute and change under these terms.
To do so, attach the following notices to the program. It is safest
to attach them to the start of each source file to most effectively
state the exclusion of warranty; and each file should have at least
the "copyright" line and a pointer to where the full notice is found.
<one line to give the program's name and a brief idea of what it does.>
Copyright (C) <year> <name of author>
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <https://www.gnu.org/licenses/>.
Also add information on how to contact you by electronic and paper mail.
If the program does terminal interaction, make it output a short
notice like this when it starts in an interactive mode:
<program> Copyright (C) <year> <name of author>
This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
This is free software, and you are welcome to redistribute it
under certain conditions; type `show c' for details.
The hypothetical commands `show w' and `show c' should show the appropriate
parts of the General Public License. Of course, your program's commands
might be different; for a GUI interface, you would use an "about box".
You should also get your employer (if you work as a programmer) or school,
if any, to sign a "copyright disclaimer" for the program, if necessary.
For more information on this, and how to apply and follow the GNU GPL, see
<https://www.gnu.org/licenses/>.
The GNU General Public License does not permit incorporating your program
into proprietary programs. If your program is a subroutine library, you
may consider it more useful to permit linking proprietary applications with
the library. If this is what you want to do, use the GNU Lesser General
Public License instead of this License. But first, please read
<https://www.gnu.org/licenses/why-not-lgpl.html>.

65
dependencies/lawin/README.md vendored Normal file
View File

@@ -0,0 +1,65 @@
<div align=center>
<img src="https://cdn.discordapp.com/attachments/927739901540188200/930871981874757632/lawinserver.png" alt="LawinServer Logo">
### LawinServer is a private server that supports all Fortnite versions!
</div>
<br>
## Features:
### Save the World:
- CloudStorage and ClientSettings (Settings saving)
- Llama purchasing and opening with random loot
- Every Hero, Weapon, Defender and Resource
- Crafting items in Backpack
- Transferring items to and from Storage
- Modifying and upgrading Schematic perks
- Supercharging items
- Leveling up and Evolving items
- Upgrading item rarity
- Hero, Defender, Survivor, Team Perk and Gadget equipping
- Research level resetting and upgrading
- Upgrade level resetting and upgrading
- Autofill survivors
- Recycling and destroying items
- Collection Book slotting and unslotting
- Claiming Daily Rewards
- Claiming Quest and Collection Book Rewards
- Modifying quickbars in Backpack
- Activating XP Boosts
- Correct Events in Frontend up to Season 11 (Can change)
- Buying Skill Tree perks
- Quests pinning
- Switching between Hero Loadouts
- Favoriting items
- Marking items as seen
- Changing items in Locker
- Changing banner icon and banner color
- Changing items edit styles
- Support a Creator with specific codes
- Fully working daily challenges system (New daily challenge every day, replacing daily challenges, etc...)
- Item transformation
- Event Quests from Season 2 up to Season X (Can change)
### Battle Royale:
- CloudStorage and ClientSettings (Settings saving)
- Winterfest presents opening (11.31, 19.01 & 23.10)
- Purchasing Item Shop items
- Refunding cosmetics in the refund tab
- Favoriting items
- Marking items as seen
- Changing items in Locker
- Changing banner icon and banner color
- Changing items edit styles
- Support a Creator with specific codes
- Fully working daily challenges system (New daily challenge every day, replacing daily challenges, etc...)
- Seasonal Quests from Season 3 up to Season 21 (Can change)
- Purchasable battle pass from Season 2 to Season 10 (Can change)
- Discovery Tab
## How to use?
1) Install [NodeJS](https://nodejs.org/en/)
2) Run "install_packages.bat" (This file isn't required after the packages are installed.)
3) Run "start.bat", It should say "Started listening on port 3551"
4) Use something to redirect the fortnite servers to localhost:3551 (Which could be fiddler, ssl bypass that redirects servers, etc...)

View File

@@ -0,0 +1,11 @@
# Do not remove/change, this redirects epicgames xmpp to lawinserver xmpp
[OnlineSubsystemMcp.Xmpp]
bUseSSL=false
ServerAddr="ws://127.0.0.1"
ServerPort=80
# Do not remove/change, this redirects epicgames xmpp to lawinserver xmpp
[OnlineSubsystemMcp.Xmpp Prod]
bUseSSL=false
ServerAddr="ws://127.0.0.1"
ServerPort=80

View File

@@ -0,0 +1,21 @@
[/Script/FortniteGame.FortGlobals]
bAllowLogout=true # Enables log out button.
[/Script/FortniteGame.FortChatManager]
bShouldRequestGeneralChatRooms=true # Request for chat rooms (global chat and founders chat).
bShouldJoinGlobalChat=true
bShouldJoinFounderChat=true
bIsAthenaGlobalChatEnabled=true # Battle royale global chat.
[/Script/FortniteGame.FortTextHotfixConfig]
+TextReplacements=(Category=Game, Namespace="", bIsMinimalPatch=True, Key="D5ECE3CD484655CBAE1DB6922C1D87C7", NativeString="Getting Started", LocalizedStrings=(("ar","مرحبًا بك في LawinServer!"),("en","Welcome to LawinServer!"),("de","Willkommen bei LawinServer!"),("es","¡Bienvenidos a LawinServer!"),("es-419","¡Bienvenidos a LawinServer!"),("fr","Bienvenue sur LawinServer !"),("it","Benvenuto in LawinServer!"),("ja","LawinServerへようこそ"),("ko","LawinServer에 오신 것을 환영합니다!"),("pl","Witaj w LawinServerze!"),("pt-BR","Bem-vindo ao LawinServer!"),("ru","Добро пожаловать в LawinServer!"),("tr","LavinServer'a Hoş Geldiniz!")))
+TextReplacements=(Category=Game, Namespace="", bIsMinimalPatch=True, Key="CD9D4C7A4486689DB9D16B8A7E290B08", NativeString="Not bad! So, what you'd call this place?", LocalizedStrings=(("ar","استمتع بتجربة لعب استثنائية!"),("en","Have a phenomenal gaming experience!"),("de","Wünsche allen ein wunderbares Spielerlebnis!"),("es","¡Que disfrutes de tu experiencia de videojuegos!"),("es-419","¡Ten una experiencia de juego espectacular!"),("fr","Un bon jeu à toutes et à tous !"),("it","Ti auguriamo un'esperienza di gioco fenomenale!"),("ja","驚きの体験をしよう!"),("ko","게임에서 환상적인 경험을 해보세요!"),("pl","Życzymy fenomenalnej gry!"),("pt-BR","Tenha uma experiência de jogo fenomenal!"),("ru","Желаю невероятно приятной игры!"),("tr","Muhteşem bir oyun deneyimi yaşamanı dileriz!")))
[/Script/FortniteGame.FortGameInstance]
!FrontEndPlaylistData=ClearArray
+FrontEndPlaylistData=(PlaylistName=Playlist_DefaultSolo, PlaylistAccess=(bEnabled=True, bIsDefaultPlaylist=true, bVisibleWhenDisabled=false, bDisplayAsNew=false, CategoryIndex=0, bDisplayAsLimitedTime=false, DisplayPriority=3))
+FrontEndPlaylistData=(PlaylistName=Playlist_DefaultDuo, PlaylistAccess=(bEnabled=True, bIsDefaultPlaylist=true, bVisibleWhenDisabled=false, bDisplayAsNew=false, CategoryIndex=0, bDisplayAsLimitedTime=false, DisplayPriority=4))
+FrontEndPlaylistData=(PlaylistName=Playlist_Trios, PlaylistAccess=(bEnabled=true, bIsDefaultPlaylist=true, bVisibleWhenDisabled=false, bDisplayAsNew=False, bDisplayAsLimitedTime=false, DisplayPriority=5, CategoryIndex=0))
+FrontEndPlaylistData=(PlaylistName=Playlist_DefaultSquad, PlaylistAccess=(bEnabled=true, bIsDefaultPlaylist=true, bVisibleWhenDisabled=false, bDisplayAsNew=false, CategoryIndex=0, bDisplayAsLimitedTime=false, DisplayPriority=6))
+FrontEndPlaylistData=(PlaylistName=Playlist_PlaygroundV2, PlaylistAccess=(bEnabled=true, bIsDefaultPlaylist=false, bVisibleWhenDisabled=false, bDisplayAsNew=false, CategoryIndex=2, bDisplayAsLimitedTime=false, DisplayPriority=16))
+FrontEndPlaylistData=(PlaylistName=Playlist_Campaign, PlaylistAccess=(bEnabled=true, bInvisibleWhenEnabled=true))

View File

@@ -0,0 +1,13 @@
[/Script/FortniteGame.FortRuntimeOptions]
bEnableGlobalChat=true # Enable global chat.
bEnableMexiCola=true # Enable the new friends tab (v19.00+).
bLoadDirectlyIntoLobby=false # Enable the Select Game Mode screen.
bEnableSocialTab=true # Enable the Rift Tour frontend section (v17.30).
!SocialRTInfo=ClearArray
+SocialRTInfo=(SlotId=1,StartsAtUTC=9999.08.06-22.00.00)
+SocialRTInfo=(SlotId=2,StartsAtUTC=9999.08.07-18.00.00)
+SocialRTInfo=(SlotId=3,StartsAtUTC=9999.08.08-04.00.00)
+SocialRTInfo=(SlotId=4,StartsAtUTC=9999.08.08-14.00.00)
+SocialRTInfo=(SlotId=5,StartsAtUTC=9999.08.08-22.00.00)
!ExperimentalCohortPercent=ClearArray
+ExperimentalCohortPercent=(CohortPercent=100,ExperimentNum=20) # Supervised settings bug fix.

View File

@@ -0,0 +1,35 @@
{
"//": "BR Item Shop Config",
"daily1": {
"itemGrants": [""],
"price": 0
},
"daily2": {
"itemGrants": [""],
"price": 0
},
"daily3": {
"itemGrants": [""],
"price": 0
},
"daily4": {
"itemGrants": [""],
"price": 0
},
"daily5": {
"itemGrants": [""],
"price": 0
},
"daily6": {
"itemGrants": [""],
"price": 0
},
"featured1": {
"itemGrants": [""],
"price": 0
},
"featured2": {
"itemGrants": [""],
"price": 0
}
}

View File

@@ -0,0 +1,19 @@
[Config]
# If this is set to false, it will use the email to display name method.
bUseConfigDisplayName=false
# Your fortnite display name (will only be used if the property above is set to true).
displayName=LawinServer
[Profile]
# If this is set to true, every BR and StW seasonal quest will be on complete. Works for Battle Royale from Season 3 to Season 21 and for Save the World from Season 2 to Season X.
bCompletedSeasonalQuests=false
# If this is set to true, all Save the World events will be displayed in lobby.
bAllSTWEventsActivated=false
[GameServer]
# Matchmaker gameserver config, you can use this to connect to gameservers like rift (titanium), fortmp, etc... (they have to be hosting though).
# IP the matchmaker will use upon join.
ip=127.0.0.1
# PORT the matchmaker will use upon join.
port=7777

Binary file not shown.

108361
dependencies/lawin/dist/profiles/athena.json vendored Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,178 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "collection_book_people0",
"version": "no_version",
"items": {
"CollectionBookPage:pageHeroes_Commando": {
"templateId": "CollectionBookPage:pageHeroes_Commando",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageHeroes_Constructor": {
"templateId": "CollectionBookPage:pageHeroes_Constructor",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageHeroes_Ninja": {
"templateId": "CollectionBookPage:pageHeroes_Ninja",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageHeroes_Outlander": {
"templateId": "CollectionBookPage:pageHeroes_Outlander",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pagePeople_Defenders": {
"templateId": "CollectionBookPage:pagePeople_Defenders",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pagePeople_Survivors": {
"templateId": "CollectionBookPage:pagePeople_Survivors",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pagePeople_Leads": {
"templateId": "CollectionBookPage:pagePeople_Leads",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pagePeople_UniqueLeads": {
"templateId": "CollectionBookPage:pagePeople_UniqueLeads",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Winter2017_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_Winter2017_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Halloween2017_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_Halloween2017_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Halloween2017_Workers": {
"templateId": "CollectionBookPage:PageSpecial_Halloween2017_Workers",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_ChineseNewYear2018_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_ChineseNewYear2018_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_SpringItOn2018_People": {
"templateId": "CollectionBookPage:PageSpecial_SpringItOn2018_People",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Blockbuster2018_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_Blockbuster2018_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_ShadowOps_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_ShadowOps_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RoadTrip2018_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_RoadTrip2018_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_WildWest_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_WildWest_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZone_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_StormZone_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Scavenger_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_Scavenger_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
}
},
"stats": {
"attributes": {
"inventory_limit_bonus": 0
}
},
"commandRevision": 0
}

View File

@@ -0,0 +1,458 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "collection_book_schematics0",
"version": "no_version",
"items": {
"CollectionBookPage:pageMelee_Axes_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Axes_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Axes_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Axes_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Clubs_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Clubs_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Clubs_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Clubs_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Scythes_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Scythes_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Scythes_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Scythes_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Spears_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Spears_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Spears_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Spears_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Swords_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Swords_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Swords_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Swords_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Tools_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Tools_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Tools_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Tools_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Assault_Weapons": {
"templateId": "CollectionBookPage:pageRanged_Assault_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Assault_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageRanged_Assault_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Shotgun_Weapons": {
"templateId": "CollectionBookPage:pageRanged_Shotgun_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Shotgun_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageRanged_Shotgun_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:page_Ranged_Pistols_Weapons": {
"templateId": "CollectionBookPage:page_Ranged_Pistols_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:page_Ranged_Pistols_Weapons_Crystal": {
"templateId": "CollectionBookPage:page_Ranged_Pistols_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Snipers_Weapons": {
"templateId": "CollectionBookPage:pageRanged_Snipers_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Snipers_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageRanged_Snipers_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Explosive_Weapons": {
"templateId": "CollectionBookPage:pageRanged_Explosive_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageTraps_Wall": {
"templateId": "CollectionBookPage:pageTraps_Wall",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageTraps_Ceiling": {
"templateId": "CollectionBookPage:pageTraps_Ceiling",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageTraps_Floor": {
"templateId": "CollectionBookPage:pageTraps_Floor",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_Medieval": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_Medieval",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_Medieval_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_Medieval_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_Medieval": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_Medieval",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_Medieval_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_Medieval_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Winter2017_Weapons": {
"templateId": "CollectionBookPage:PageSpecial_Winter2017_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Winter2017_Weapons_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Winter2017_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RatRod_Weapons": {
"templateId": "CollectionBookPage:PageSpecial_RatRod_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RatRod_Weapons_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_RatRod_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_Winter2017": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_Winter2017",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_Winter2017_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_Winter2017_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_Winter2017": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_Winter2017",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_Winter2017_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_Winter2017_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_ChineseNewYear2018": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_ChineseNewYear2018",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Crystal_ChineseNewYear2018": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Crystal_ChineseNewYear2018",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Ranged": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Ranged",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Melee": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Melee",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Ranged_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Ranged_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Melee_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Melee_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Blockbuster2018_Ranged": {
"templateId": "CollectionBookPage:PageSpecial_Blockbuster2018_Ranged",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Blockbuster2018_Ranged_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Blockbuster2018_Ranged_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RoadTrip2018_Weapons": {
"templateId": "CollectionBookPage:PageSpecial_RoadTrip2018_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RoadTrip2018_Weapons_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_RoadTrip2018_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_StormZone2": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_StormZone2",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_StormZone2_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_StormZone2_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_StormZone2": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_StormZone2",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_StormZone2_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_StormZone2_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Hydraulic": {
"templateId": "CollectionBookPage:PageSpecial_Hydraulic",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Hydraulic_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Hydraulic_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Scavenger": {
"templateId": "CollectionBookPage:PageSpecial_Scavenger",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Scavenger_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Scavenger_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:test_TestPage": {
"templateId": "CollectionBookPage:test_TestPage",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
}
},
"stats": {
"attributes": {
"inventory_limit_bonus": 0
}
},
"commandRevision": 0
}

View File

@@ -0,0 +1,15 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "collections",
"version": "no_version",
"items": {},
"stats": {
"attributes": {}
},
"commandRevision": 0
}

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,18 @@
{
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "common_public",
"version": "no_version",
"items": {},
"stats": {
"attributes": {
"banner_color": "DefaultColor15",
"homebase_name": "",
"banner_icon": "SurvivalBannerStonewoodComplete"
}
},
"commandRevision": 0
}

View File

@@ -0,0 +1,15 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "creative",
"version": "no_version",
"items": {},
"stats": {
"attributes": {}
},
"commandRevision": 0
}

View File

@@ -0,0 +1,231 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "metadata",
"version": "no_version",
"items": {
"Outpost:outpostcore_pve_03": {
"templateId": "Outpost:outpostcore_pve_03",
"attributes": {
"cloud_save_info": {
"saveCount": 319,
"savedRecords": [
{
"recordIndex": 0,
"archiveNumber": 1,
"recordFilename": "eb192023-7db8-4bc0-b3e4-bf060c7baf87_r0_a1.sav"
}
]
},
"level": 10,
"outpost_core_info": {
"placedBuildings": [
{
"buildingTag": "Outpost.BuildingActor.Building.00",
"placedTag": "Outpost.PlacementActor.Placement.01"
},
{
"buildingTag": "Outpost.BuildingActor.Building.01",
"placedTag": "Outpost.PlacementActor.Placement.00"
},
{
"buildingTag": "Outpost.BuildingActor.Building.02",
"placedTag": "Outpost.PlacementActor.Placement.05"
},
{
"buildingTag": "Outpost.BuildingActor.Building.03",
"placedTag": "Outpost.PlacementActor.Placement.02"
}
],
"accountsWithEditPermission": [],
"highestEnduranceWaveReached": 30
}
},
"quantity": 1
},
"Outpost:outpostcore_pve_02": {
"templateId": "Outpost:outpostcore_pve_02",
"attributes": {
"cloud_save_info": {
"saveCount": 603,
"savedRecords": [
{
"recordIndex": 0,
"archiveNumber": 0,
"recordFilename": "76fe0295-aee2-463a-9229-d9933b4969b8_r0_a0.sav"
}
]
},
"level": 10,
"outpost_core_info": {
"placedBuildings": [
{
"buildingTag": "Outpost.BuildingActor.Building.00",
"placedTag": "Outpost.PlacementActor.Placement.00"
},
{
"buildingTag": "Outpost.BuildingActor.Building.01",
"placedTag": "Outpost.PlacementActor.Placement.01"
},
{
"buildingTag": "Outpost.BuildingActor.Building.02",
"placedTag": "Outpost.PlacementActor.Placement.04"
},
{
"buildingTag": "Outpost.BuildingActor.Building.03",
"placedTag": "Outpost.PlacementActor.Placement.03"
},
{
"buildingTag": "Outpost.BuildingActor.Building.04",
"placedTag": "Outpost.PlacementActor.Placement.02"
}
],
"accountsWithEditPermission": [],
"highestEnduranceWaveReached": 30
}
},
"quantity": 1
},
"Outpost:outpostcore_pve_04": {
"templateId": "Outpost:outpostcore_pve_04",
"attributes": {
"cloud_save_info": {
"saveCount": 77,
"savedRecords": [
{
"recordIndex": 0,
"archiveNumber": 1,
"recordFilename": "940037e4-87d2-499e-8d00-cdb2dfa326b9_r0_a1.sav"
}
]
},
"level": 10,
"outpost_core_info": {
"placedBuildings": [
{
"buildingTag": "Outpost.BuildingActor.Building.00",
"placedTag": "Outpost.PlacementActor.Placement.00"
},
{
"buildingTag": "Outpost.BuildingActor.Building.01",
"placedTag": "Outpost.PlacementActor.Placement.01"
},
{
"buildingTag": "Outpost.BuildingActor.Building.02",
"placedTag": "Outpost.PlacementActor.Placement.03"
},
{
"buildingTag": "Outpost.BuildingActor.Building.03",
"placedTag": "Outpost.PlacementActor.Placement.05"
}
],
"accountsWithEditPermission": [],
"highestEnduranceWaveReached": 30
}
},
"quantity": 1
},
"Outpost:outpostcore_pve_01": {
"templateId": "Outpost:outpostcore_pve_01",
"attributes": {
"cloud_save_info": {
"saveCount": 851,
"savedRecords": [
{
"recordIndex": 0,
"archiveNumber": 0,
"recordFilename": "a1d68ce6-63a5-499a-946f-9e0c825572d7_r0_a0.sav"
}
]
},
"level": 10,
"outpost_core_info": {
"placedBuildings": [
{
"buildingTag": "Outpost.BuildingActor.Building.00",
"placedTag": "Outpost.PlacementActor.Placement.00"
},
{
"buildingTag": "Outpost.BuildingActor.Building.01",
"placedTag": "Outpost.PlacementActor.Placement.02"
},
{
"buildingTag": "Outpost.BuildingActor.Building.02",
"placedTag": "Outpost.PlacementActor.Placement.01"
},
{
"buildingTag": "Outpost.BuildingActor.Building.03",
"placedTag": "Outpost.PlacementActor.Placement.05"
}
],
"accountsWithEditPermission": [],
"highestEnduranceWaveReached": 30
}
},
"quantity": 1
},
"DeployableBaseCloudSave:testdeployablebaseitemdef": {
"templateId": "DeployableBaseCloudSave:testdeployablebaseitemdef",
"attributes": {
"tier_progression": {
"progressionInfo": [
{
"progressionLayoutGuid": "B70B5C69-437E-75C5-CB91-7E913F3B5294",
"highestDefeatedTier": 0
},
{
"progressionLayoutGuid": "04FD086F-4A99-823B-06C3-979A8F408960",
"highestDefeatedTier": 4
},
{
"progressionLayoutGuid": "D3D31F40-45D8-FD77-67E6-5FBAB0550417",
"highestDefeatedTier": 1
},
{
"progressionLayoutGuid": "92A17A43-4EDC-8F69-688F-24BB3A3D8AEF",
"highestDefeatedTier": 3
},
{
"progressionLayoutGuid": "A2D8DB3E-457E-279B-58F5-AA9BA2FDC547",
"highestDefeatedTier": 4
},
{
"progressionLayoutGuid": "5AAB9A15-49F5-0D74-0B22-BB9686396E8F",
"highestDefeatedTier": 1
},
{
"progressionLayoutGuid": "9077163A-4664-1993-5A20-D28170404FD6",
"highestDefeatedTier": 3
},
{
"progressionLayoutGuid": "FB679125-49BC-0025-48F3-22A1B8085189",
"highestDefeatedTier": 4
}
]
},
"cloud_save_info": {
"saveCount": 11,
"savedRecords": [
{
"recordIndex": 0,
"archiveNumber": 1,
"recordFilename": "2FA8CFBB-4973-CCF0-EEA8-BEBC37D99F52_r0_a1.sav"
}
]
},
"level": 0
},
"quantity": 1
}
},
"stats": {
"attributes": {
"inventory_limit_bonus": 0
}
},
"commandRevision": 0
}

View File

@@ -0,0 +1,17 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "outpost0",
"version": "no_version",
"items": {},
"stats": {
"attributes": {
"inventory_limit_bonus": 0
}
},
"commandRevision": 0
}

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,694 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "theater0",
"version": "no_version",
"items": {
"3d81f6f3-1290-326e-dfee-e577af2e9fbb": {
"templateId": "Ingredient:ingredient_blastpowder",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"70ff3716-d732-c472-b1d8-0a20d48dd607": {
"templateId": "Ingredient:ingredient_ore_silver",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"48059439-88b0-a779-daae-36d9495f079e": {
"templateId": "Ingredient:ingredient_ore_alloy",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"7dd4a423-0b6f-3abb-757c-88077adcaacc": {
"templateId": "Ingredient:ingredient_crystal_sunbeam",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"694a4c8d-67b6-f903-85bf-f33d4e7a6859": {
"templateId": "Ingredient:ingredient_ore_obsidian",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"97feb4c9-2290-fd4b-c356-7f346ba67e39": {
"templateId": "Ingredient:ingredient_mechanical_parts_t05",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"25ff4168-8eb9-a5cc-4900-d06cdb8004ab": {
"templateId": "Ingredient:ingredient_mechanical_parts_t02",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"a63022b8-6467-a347-7c11-37d483d45d08": {
"templateId": "Ingredient:ingredient_rare_powercell",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"7e0d23d2-24dc-9579-4f32-507758107bd3": {
"templateId": "Ingredient:ingredient_resin",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"d44ad9ed-a5d3-0642-a865-083061aeb4e6": {
"templateId": "Ingredient:ingredient_powder_t05",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"2011030e-dbce-a02b-c086-ec8a99f16aeb": {
"templateId": "Ingredient:ingredient_crystal_quartz",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"7d43d569-e170-bd46-dfb2-92828ff0c98d": {
"templateId": "Ingredient:ingredient_rare_mechanism",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"1db23fbf-1ab5-72d9-2b20-50eacebda6d5": {
"templateId": "Ingredient:ingredient_nuts_bolts",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 0,
"itemSource": ""
},
"quantity": 999
},
"024aa359-e313-168a-3738-31ae4f04cfb2": {
"templateId": "Ingredient:ingredient_ore_brightcore",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"da7680a3-072e-3e3f-3ed6-bf71159f6df0": {
"templateId": "Ingredient:ingredient_planks",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"10aec620-f4b9-aadd-da3e-5d4a8f87225b": {
"templateId": "Ingredient:ingredient_ore_malachite",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"161217ac-5b39-a93e-a1d8-7f7667646624": {
"templateId": "Ingredient:ingredient_crystal_shadowshard",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"f33663f5-bf16-9315-8df2-91800944b3e8": {
"templateId": "Ingredient:ingredient_twine_t05",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"aa4a3cce-9bb5-50ef-4c59-f959e89c3992": {
"templateId": "Ingredient:ingredient_twine_t01",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"e9eca1e1-7665-1315-de97-6583394e0af1": {
"templateId": "Ingredient:ingredient_batteries",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"d1fd9cb3-0d51-6d7c-e937-9b07406ba42e": {
"templateId": "Ingredient:ingredient_twine_t04",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"7d8f824d-cec2-01d5-0efc-c30073402de2": {
"templateId": "Ingredient:ingredient_herbs",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"bdb45648-18f6-fdc6-8252-b717043f0021": {
"templateId": "Ingredient:ingredient_mechanical_parts_t04",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"ddc2382e-faf9-14dd-c721-c659660540a8": {
"templateId": "Ingredient:ingredient_ore_copper",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"75582a66-bc3e-958a-1943-79a56150d0bb": {
"templateId": "Ingredient:ingredient_powder_t03",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"b4616de1-caf4-3652-a613-edb932df71e0": {
"templateId": "Ingredient:ingredient_mechanical_parts_t01",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"bdc338a8-3667-e7e4-280d-5d4e4255b3f1": {
"templateId": "Ingredient:ingredient_twine_t02",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"d17582f7-eb63-a4a6-cd4d-ff3d68e69757": {
"templateId": "Ingredient:ingredient_powder_t01",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"25e43cee-7dc7-348b-40bc-20b8850468ba": {
"templateId": "Ingredient:ingredient_duct_tape",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"720bc675-44e2-ff74-6e5c-eec23b493bd1": {
"templateId": "Ingredient:ingredient_twine_t03",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"0e2094f2-9c35-9e51-58ea-a87ec89fa758": {
"templateId": "Ingredient:ingredient_powder_t02",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"1cf850a0-1797-4fe8-dd94-34152756c80b": {
"templateId": "Ingredient:ingredient_bacon",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 0,
"itemSource": ""
},
"quantity": 999
},
"7fe47331-1cbd-4606-c12e-6df2c1dc13a3": {
"templateId": "Ingredient:ingredient_mechanical_parts_t03",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"42d429fc-a4cf-974d-2bce-17c6b872c96e": {
"templateId": "Ingredient:ingredient_ore_coal",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"124d77cc-8cd4-fdcc-efe1-c18ee63587eb": {
"templateId": "Ingredient:ingredient_flowers",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"ea2a6495-4b9e-59df-0163-5e5e8f52467e": {
"templateId": "Ingredient:ingredient_powder_t04",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"6291ab77-ec9b-1b35-ccb0-063519415f6d": {
"templateId": "WorldItem:wooditemdata",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"2d7953c0-752f-c2a7-ebef-90b45cb30b5b": {
"templateId": "WorldItem:stoneitemdata",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"06f471d5-046b-50f6-3f07-9aa670b6fecb": {
"templateId": "WorldItem:metalitemdata",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"003e7a8c-92eb-13c1-6b0e-aafad8f3d81d": {
"templateId": "Weapon:edittool",
"attributes": {
"clipSizeScale": 0,
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"baseClipSize": 0,
"durability": 1,
"itemSource": ""
},
"quantity": 1
},
"bcb13e35-c030-cf2a-a003-16377320beda": {
"templateId": "Weapon:buildingitemdata_wall",
"attributes": {
"clipSizeScale": 0,
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"baseClipSize": 0,
"durability": 1,
"itemSource": ""
},
"quantity": 1
},
"97ba026b-a36c-6827-e9d7-21bc6a1f9c53": {
"templateId": "Weapon:buildingitemdata_floor",
"attributes": {
"clipSizeScale": 0,
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"baseClipSize": 0,
"durability": 1,
"itemSource": ""
},
"quantity": 1
},
"15c02d16-11f6-ffd1-e8bb-4b5d56bd5bd9": {
"templateId": "Weapon:buildingitemdata_stair_w",
"attributes": {
"clipSizeScale": 0,
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"baseClipSize": 0,
"durability": 1,
"itemSource": ""
},
"quantity": 1
},
"f603c8af-e326-202e-3b12-b5fd2517e5c2": {
"templateId": "Weapon:buildingitemdata_roofs",
"attributes": {
"clipSizeScale": 0,
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"baseClipSize": 0,
"durability": 1,
"itemSource": ""
},
"quantity": 1
},
"baa4f86c-708c-7689-0859-fbfdb1bc623a": {
"templateId": "Ammo:ammodatabulletsmedium",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"240894a2-f99a-214d-ce50-2dac39394699": {
"templateId": "Ammo:ammodatashells",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": "None"
},
"quantity": 999
},
"1a0c69f4-2c23-a5c9-34a0-f48c45637171": {
"templateId": "Ammo:ammodataenergycell",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": ""
},
"quantity": 999
},
"a92b1e7e-5812-0bfd-0107-f7b97ed166fa": {
"templateId": "Ammo:ammodatabulletsheavy",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": "None"
},
"quantity": 999
},
"7516967c-e831-4c3a-1a24-03834756f532": {
"templateId": "Ammo:ammodatabulletslight",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": "None"
},
"quantity": 999
},
"23220ed0-29d4-3da1-6e0e-6df46a19752d": {
"templateId": "Ammo:ammodataexplosive",
"attributes": {
"loadedAmmo": 0,
"inventory_overflow_date": false,
"level": 0,
"alterationDefinitions": [],
"durability": 1,
"itemSource": "None"
},
"quantity": 999
}
},
"stats": {
"attributes": {
"player_loadout": {
"bPlayerIsNew": false,
"pinnedSchematicInstances": [],
"primaryQuickBarRecord": {
"slots": [
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
}
]
},
"secondaryQuickBarRecord": {
"slots": [
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
},
{
"items": []
}
]
},
"zonesCompleted": 0
},
"theater_unique_id": "",
"past_lifetime_zones_completed": 0,
"last_event_instance_key": "",
"last_zones_completed": 0,
"inventory_limit_bonus": 0
}
},
"profileLockExpiration": "0001-01-01T00:00:00.000Z",
"commandRevision": 0
}

Binary file not shown.

After

Width:  |  Height:  |  Size: 18 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 60 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 34 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 38 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 117 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 398 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 291 KiB

View File

@@ -0,0 +1,461 @@
{
"battleBundleOfferId": "259920BC42F0AAC7C8672D856C9B622C",
"battlePassOfferId": "2E43CCD24C3BE8F5ABBDF28E233B9350",
"tierOfferId": "AF1B7AC14A5F6A9ED255B88902120757",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 60,
"AthenaCharacter:cid_486_athena_commando_f_streetracerdrift": 1,
"AthenaCharacter:cid_488_athena_commando_m_rustremix": 1,
"Token:athenaseasonmergedxpboosts": 1,
"ChallengeBundleSchedule:season10_seasonx_schedule": 1,
"ChallengeBundleSchedule:season10_blackknight_schedule": 1,
"ChallengeBundleSchedule:season10_djyonger_schedule": 1,
"ChallengeBundleSchedule:season10_drift_schedule": 1,
"ChallengeBundleSchedule:season10_rustlord_schedule": 1,
"ChallengeBundleSchedule:season10_sparkle_schedule": 1,
"ChallengeBundleSchedule:season10_teknique_schedule": 1,
"ChallengeBundleSchedule:season10_voyager_schedule": 1,
"ChallengeBundleSchedule:season10_mission_schedule": 1,
"ChallengeBundleSchedule:season10_seasonlevel_mission_schedule": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasonxpboost": 30
},
{
"AthenaDance:emoji_redknight": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_107_graffitiremix": 1
},
{
"HomebaseBannerIcon:brs10dragonegg": 1
},
{
"AthenaGlider:glider_id_166_rustlordremix": 1
},
{
"AthenaDance:spid_150_icedragon": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaLoadingScreen:lsid_161_h7outfitsa": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_024_showdown": 1
},
{
"HomebaseBannerIcon:brs10medievalknight": 1
},
{
"AthenaDance:spid_140_moistymire": 1
},
{
"AthenaPickaxe:pickaxe_id_245_voyagerremix1h": 1
},
{
"AthenaLoadingScreen:lsid_155_akdrift": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:emoji_crackshot": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:spid_149_fireice": 1
},
{
"AthenaSkyDiveContrail:trails_id_074_driftlightning": 1
},
{
"AthenaLoadingScreen:lsid_151_jmsparkle": 1
},
{
"AthenaCharacter:cid_483_athena_commando_f_graffitiremix": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaDance:emoji_popcorn": 1
},
{
"HomebaseBannerIcon:brs10kevincube": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaBackpack:petcarrier_012_drift_fox": 1
},
{
"AthenaLoadingScreen:lsid_154_ijcuddle": 1
},
{
"AthenaDance:emoji_lifepreserver": 1
},
{
"AthenaDance:eid_jaywalking": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brs10astronaut": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_106_djremix": 1
},
{
"AthenaLoadingScreen:lsid_158_ntdurrr": 1
},
{
"AthenaDance:toy_015_bottle": 1
},
{
"AthenaDance:spid_138_sparklespecialist": 1
},
{
"AthenaGlider:glider_id_163_djremix": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaLoadingScreen:lsid_175_jmtomato": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_065_djremix": 1
},
{
"AthenaDance:emoji_coolpepper": 1
},
{
"CosmeticVariantToken:vtid_286_petcarrier_driftfox_styleb": 1
},
{
"AthenaLoadingScreen:lsid_160_ktvendetta": 1
},
{
"AthenaCharacter:cid_487_athena_commando_m_djremix": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:spid_135_riskyreels": 1
},
{
"HomebaseBannerIcon:brs10britebomber": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_156_akbrite": 1
},
{
"AthenaDance:toy_020_bottle_fancy": 1
},
{
"CosmeticVariantToken:vtid_288_djremix_headgearb": 1
},
{
"AthenaPickaxe:pickaxe_id_242_sparkleremix": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaLoadingScreen:lsid_162_h7outfitsb": 1
},
{
"AthenaDance:emoji_crossswords": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_105_cube": 1
},
{
"HomebaseBannerIcon:brs10grid": 1
},
{
"AthenaDance:spid_139_tiltedmap": 1
},
{
"AthenaDance:eid_treadmilldance": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"CosmeticVariantToken:vtid_287_petcarrier_driftfox_stylec": 1
},
{
"AthenaLoadingScreen:lsid_164_smcrackshot": 1
},
{
"AthenaSkyDiveContrail:trails_id_066_tacticalhud": 1
},
{
"HomebaseBannerIcon:brs10westernhats": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaCharacter:cid_485_athena_commando_f_sparkleremix": 1
},
{
"AthenaBackpack:bid_318_sparkleremix": 1
},
{
"AthenaDance:spid_134_dustydepot": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaLoadingScreen:lsid_159_ktfirewalker": 1
},
{
"CosmeticVariantToken:vtid_290_sparkleremix_hairstyleb": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaGlider:glider_id_169_voyagerremix": 1
},
{
"HomebaseBannerIcon:brs10boombox": 1
},
{
"AthenaDance:eid_breakdance2": 1
},
{
"AthenaLoadingScreen:lsid_177_ijllama": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaSkyDiveContrail:trails_id_075_celestial": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_109_rustremix": 1
},
{
"HomebaseBannerIcon:brs10doublepump": 1
},
{
"AthenaLoadingScreen:lsid_176_smvolcano": 1
},
{
"AthenaCharacter:cid_489_athena_commando_m_voyagerremix": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaDance:emoji_sweaty": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_022_daydream": 1
},
{
"AthenaDance:spid_132_blackknight": 1
},
{
"CosmeticVariantToken:vtid_291_voyagerremix_stageb": 1
},
{
"AthenaLoadingScreen:lsid_152_jmluxe": 1
},
{
"AthenaGlider:glider_id_165_knightremix": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaItemWrap:wrap_110_streetracerdriftremix": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"CosmeticVariantToken:vtid_289_djremix_headgearc": 1
},
{
"AthenaCharacter:cid_484_athena_commando_m_knightremix": 1,
"AthenaBackpack:bid_317_knightremix": 1
}
],
"freeRewards": [
{},
{
"AthenaDance:spid_136_rocketlaunch": 1
},
{},
{
"AthenaLoadingScreen:lsid_163_smrocketride": 1
},
{},
{
"AthenaSkyDiveContrail:trails_id_068_popcorn": 1
},
{},
{
"AthenaDance:emoji_boogiebomb": 1
},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{
"AthenaDance:eid_happyskipping": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brs10rift": 1
},
{},
{},
{},
{
"AthenaItemWrap:wrap_108_knightremix": 1
},
{},
{},
{},
{
"AthenaDance:spid_133_butterfly": 1
},
{},
{},
{},
{
"AthenaGlider:glider_id_164_graffitiremix": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaBackpack:bid_320_rustlordremix": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brs1080sllama": 1
},
{},
{},
{},
{
"AthenaDance:eid_blowingbubbles": 1
},
{},
{},
{},
{
"AthenaMusicPack:musicpack_023_og": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brs10shades": 1
},
{},
{},
{},
{
"AthenaDance:spid_142_cuberune": 1
},
{},
{},
{},
{
"AthenaLoadingScreen:lsid_153_ijdriftboard": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,318 @@
{
"battlePassOfferId": "C3BA14F04F4D56FC1D490F8011B56553",
"tierOfferId": "F86AC2ED4B3EA4B2D65EF1B2629572A0",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 10,
"AthenaCharacter:cid_032_athena_commando_m_medieval": 1,
"AthenaBackpack:bid_001_bluesquire": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasontierboost": 5
},
{
"HomebaseBannerIcon:brseason02bush": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_clapping": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaPickaxe:pickaxe_id_012_district": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason02lionherald": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_rip": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaGlider:glider_id_004_disco": 1
},
{
"HomebaseBannerIcon:brseason02catsoldier": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason02dragon": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_rage": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaCharacter:cid_033_athena_commando_f_medieval": 1,
"AthenaBackpack:bid_002_royaleknight": 1
},
{
"AthenaDance:emoji_peacesign": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason02planet": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_disco": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:eid_worm": 1
},
{
"HomebaseBannerIcon:brseason02bowling": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason02monstertruck": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_exclamation": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaPickaxe:pickaxe_id_011_medieval": 1
},
{
"AthenaDance:emoji_armflex": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason02icecream": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_mvp": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaGlider:glider_id_003_district": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason02log": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_baited": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:eid_floss": 1
},
{
"HomebaseBannerIcon:brseason02cake": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason02tank": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_salty": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaCharacter:cid_039_athena_commando_f_disco": 1
},
{
"AthenaDance:emoji_stealthy": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason02gasmask": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_potatoaim": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaPickaxe:pickaxe_id_013_teslacoil": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason02vulture": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_onfire": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaCharacter:cid_035_athena_commando_m_medieval": 1,
"AthenaBackpack:bid_004_blackknight": 1
}
],
"freeRewards": [
{},
{
"AthenaDance:emoji_lol": 1
},
{},
{},
{
"AthenaDance:eid_wave": 1
},
{},
{},
{
"HomebaseBannerIcon:brseason02salt": 1
},
{},
{},
{
"AthenaDance:emoji_hearthands": 1
},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{
"AthenaDance:emoji_bullseye": 1
},
{},
{},
{
"AthenaDance:eid_ridethepony_athena": 1
},
{},
{},
{
"AccountResource:athenaseasonalxp": 1000
},
{},
{},
{
"HomebaseBannerIcon:brseason02crosshair": 1
},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{
"HomebaseBannerIcon:brseason02shark": 1
},
{},
{},
{
"AthenaGlider:glider_id_002_medieval": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,442 @@
{
"battleBundleOfferId": "70487F4C4673CC98F2FEBEBB26505F44",
"battlePassOfferId": "2331626809474871A3A44C47C1D8742E",
"tierOfferId": "E2D7975EFEC54A45900D8D9A6D9D273C",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 10,
"AthenaCharacter:cid_080_athena_commando_m_space": 1,
"ChallengeBundleSchedule:season3_challenge_schedule": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasontierboost": 5
},
{
"HomebaseBannerIcon:brseason03egg": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_wow": 1
},
{
"AthenaLoadingScreen:lsid_005_suppressedpistol": 1
},
{
"AthenaPickaxe:pickaxe_id_027_scavenger": 1
},
{
"AthenaDance:emoji_thief": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason03bee": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_003_pickaxes": 1
},
{
"HomebaseBannerIcon:brseason03worm": 1
},
{
"AthenaDance:emoji_heartbroken": 1
},
{
"AthenaGlider:glider_id_015_brite": 1
},
{
"HomebaseBannerIcon:brseason03paw": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:emoji_boombox": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_002_rainbow": 1
},
{
"HomebaseBannerIcon:brseason03sun": 1
},
{
"AthenaDance:emoji_rocketride": 1
},
{
"AthenaCharacter:cid_082_athena_commando_m_scavenger": 1
},
{
"HomebaseBannerIcon:brseason03falcon": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason03chick": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_004_tacticalshotgun": 1
},
{
"HomebaseBannerIcon:brseason03dogcollar": 1
},
{
"AthenaDance:emoji_bush": 1
},
{
"AthenaDance:eid_takethel": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason03crescentmoon": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_004_bluestreak": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:emoji_awww": 1
},
{
"AthenaGlider:glider_id_016_tactical": 1
},
{
"HomebaseBannerIcon:brseason03crab": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason03tophat": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_001_brite": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:emoji_thumbsup": 1
},
{
"AthenaBackpack:bid_024_space": 1
},
{
"AthenaDance:emoji_thumbsdown": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaSkyDiveContrail:trails_id_001_disco": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_1hp": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brseason03wing": 1
},
{
"AthenaCharacter:cid_081_athena_commando_f_space": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:emoji_hotdawg": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_006_minigun": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brseason03snake": 1
},
{
"AthenaDance:eid_bestmates": 1
},
{
"AthenaDance:emoji_hoarder": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason03teddybear": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_005_bubbles": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaCharacter:cid_088_athena_commando_m_spaceblack": 1
},
{
"AthenaBackpack:bid_028_spaceblack": 1
},
{
"HomebaseBannerIcon:brseason03happycloud": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:emoji_200iqplay": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_002_raptor": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brseason03wolf": 1
},
{
"AthenaPickaxe:pickaxe_id_029_assassin": 1
},
{
"AthenaDance:emoji_flamingrage": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason03whale": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_003_fire": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:emoji_kaboom": 1
},
{
"AthenaCharacter:cid_083_athena_commando_f_tactical": 1
},
{
"HomebaseBannerIcon:brseason03lightning": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:emoji_majestic": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_007_tacticalcommando": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brseason03flail": 1
},
{
"AthenaDance:eid_robot": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:emoji_number1": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"HomebaseBannerIcon:brseason03dinosaurskull": 1
},
{
"AthenaCharacter:cid_084_athena_commando_m_assassin": 1,
"ChallengeBundleSchedule:season3_tier_100_schedule": 1
}
],
"freeRewards": [
{},
{
"ChallengeBundleSchedule:season3_tier_2_schedule": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason03donut": 1
},
{},
{},
{},
{
"AthenaDance:eid_salute": 1
},
{},
{},
{},
{
"AthenaDance:emoji_inlove": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaBackpack:bid_025_tactical": 1
},
{},
{},
{},
{
"AthenaDance:emoji_goodgame": 1
},
{},
{},
{},
{
"AthenaLoadingScreen:lsid_008_keyart": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason03eagle": 1
},
{},
{},
{},
{
"AthenaDance:emoji_positivity": 1
},
{},
{},
{},
{
"AthenaPickaxe:pickaxe_id_028_space": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason03shootingstar": 1
},
{},
{},
{},
{
"AthenaDance:emoji_aplus": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,444 @@
{
"battleBundleOfferId": "884CE68998C44AC58D85C5A9883DE1A6",
"battlePassOfferId": "76EA7FE9787744B09B79FF3FC5E39D0C",
"tierOfferId": "E9527AF46F4B4A9CAE98D91F2AA53CB6",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 10,
"AthenaCharacter:cid_115_athena_commando_m_carbideblue": 1,
"AthenaCharacter:cid_125_athena_commando_m_tacticalwoodland": 1,
"ChallengeBundleSchedule:season4_challenge_schedule": 1,
"Token:athenaseasonmergedxpboosts": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasontierboost": 5
},
{
"AthenaDance:spid_002_xmark": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_dynamite": 1
},
{
"AthenaLoadingScreen:lsid_017_carbide": 1
},
{
"AthenaPickaxe:pickaxe_id_045_valor": 1
},
{
"AthenaDance:emoji_camera": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:spid_006_rainbow": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_018_rex": 1
},
{
"HomebaseBannerIcon:brseason04heroemblem": 1
},
{
"AthenaDance:spid_007_smilegg": 1
},
{
"AthenaGlider:glider_id_035_candy": 1
},
{
"HomebaseBannerIcon:brseason04spraycan": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:emoji_zzz": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_010_retroscifi": 1
},
{
"HomebaseBannerIcon:brseason04dogbowl": 1
},
{
"AthenaDance:spid_008_hearts": 1
},
{
"AthenaCharacter:cid_120_athena_commando_f_graffiti": 1
},
{
"AthenaDance:emoji_babyseal": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason04duck": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_019_tacticaljungle": 1
},
{
"AthenaDance:spid_004_chalkoutline": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:eid_popcorn": 1
},
{
"HomebaseBannerIcon:brseason04fence": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:spid_019_circle": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_012_spraypaint": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:spid_011_looted": 1
},
{
"AthenaGlider:glider_id_033_valor": 1
},
{
"HomebaseBannerIcon:brseason04only90skids": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:spid_003_arrow": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_021_leviathan": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:emoji_plotting": 1
},
{
"AthenaCharacter:cid_119_athena_commando_f_candy": 1
},
{
"AthenaDance:spid_012_royalstroll": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaSkyDiveContrail:trails_id_008_lightning": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_chicken": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:spid_005_abstract": 1
},
{
"AthenaBackpack:bid_047_candy": 1
},
{
"AthenaDance:spid_021_doit": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"HomebaseBannerIcon:brseason04pencil": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_024_graffiti": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:spid_020_threellamas": 1
},
{
"AthenaDance:eid_hype": 1
},
{
"AthenaDance:emoji_crabby": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:spid_009_window": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_009_hearts": 1
},
{
"HomebaseBannerIcon:brseason04blitz": 1
},
{
"AthenaDance:spid_013_trapwarning": 1
},
{
"AthenaCharacter:cid_118_athena_commando_f_valor": 1
},
{
"AthenaDance:spid_014_raven": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:emoji_rabid": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_023_candy": 1
},
{
"HomebaseBannerIcon:brseason04filmcamera": 1
},
{
"AthenaDance:spid_015_lips": 1
},
{
"AthenaGlider:glider_id_034_carbideblue": 1
},
{
"AthenaDance:spid_016_ponytail": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason04bow": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_013_shootingstar": 1
},
{
"AthenaLoadingScreen:lsid_022_britegunner": 1
},
{
"AthenaDance:spid_017_splattershot": 1
},
{
"AthenaCharacter:cid_117_athena_commando_m_tacticaljungle": 1
},
{
"HomebaseBannerIcon:brseason04seaserpent": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:emoji_banana": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_025_raven": 1
},
{
"HomebaseBannerIcon:brseason04villainemblem": 1
},
{
"AthenaDance:spid_010_tunnel": 1
},
{
"AthenaDance:eid_groovejam": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:emoji_celebrate": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:spid_018_shadowops": 1
},
{
"AthenaCharacter:cid_116_athena_commando_m_carbideblack": 1,
"ChallengeBundleSchedule:season4_progressiveb_schedule": 1
}
],
"freeRewards": [
{},
{
"ChallengeBundleSchedule:season4_starterchallenge_schedule": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason04goo": 1
},
{},
{},
{},
{
"AthenaBackpack:bid_045_tacticaljungle": 1
},
{},
{},
{},
{
"AthenaDance:emoji_angel": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaDance:emoji_teamwork": 1
},
{},
{},
{},
{
"AthenaDance:eid_goodvibes": 1
},
{},
{},
{},
{
"AthenaLoadingScreen:lsid_020_supplydrop": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason04chains": 1
},
{},
{},
{},
{
"AthenaDance:emoji_rainbow": 1
},
{},
{},
{},
{
"AthenaPickaxe:pickaxe_id_046_candy": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason04teef": 1
},
{},
{},
{},
{
"AthenaDance:eid_kungfusalute": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,453 @@
{
"battleBundleOfferId": "FF77356F424644529049280AFC8A795E",
"battlePassOfferId": "D51A2F28AAF843C0B208F14197FBFE91",
"tierOfferId": "4B2E310BC1AE40B292A16D5AAD747E0A",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 10,
"AthenaCharacter:cid_163_athena_commando_f_viking": 1,
"AthenaCharacter:cid_161_athena_commando_m_drift": 1,
"ChallengeBundleSchedule:season5_paid_schedule": 1,
"Token:athenaseasonmergedxpboosts": 1,
"ChallengeBundleSchedule:season5_progressivea_schedule": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasontierboost": 5
},
{
"HomebaseBannerIcon:brseason05tictactoe": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_go": 1
},
{
"AthenaDance:spid_038_sushi": 1
},
{
"AthenaGlider:glider_id_050_streetracercobra": 1
},
{
"HomebaseBannerIcon:brseason05shoppingcart": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_001_basketball": 1
},
{
"AthenaDance:spid_024_boogie": 1
},
{
"AthenaLoadingScreen:lsid_046_vikingpattern": 1
},
{
"HomebaseBannerIcon:brseason05dolphin": 1
},
{
"AthenaPickaxe:pickaxe_id_073_balloon": 1
},
{
"AthenaDance:emoji_poolparty": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_034_abstrakt": 1
},
{
"AthenaSkyDiveContrail:trails_id_017_lanterns": 1
},
{
"HomebaseBannerIcon:brseason05kitsune": 1
},
{
"AthenaDance:spid_036_strawberrypaws": 1
},
{
"AthenaCharacter:cid_162_athena_commando_f_streetracer": 1
},
{
"AthenaDance:emoji_prickly": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_002_golfball": 1
},
{
"AthenaLoadingScreen:lsid_045_vikingfemale": 1
},
{
"AthenaDance:spid_030_luchador": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:eid_youreawesome": 1
},
{
"HomebaseBannerIcon:brseason05flowyhat": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaLoadingScreen:lsid_040_lifeguard": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_018_runes": 1
},
{
"AthenaDance:emoji_stop": 1
},
{
"AthenaDance:spid_034_goodvibes": 1
},
{
"AthenaGlider:glider_id_048_viking": 1
},
{
"AthenaDance:spid_028_durrr": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_003_beachball": 1
},
{
"AthenaLoadingScreen:lsid_039_jailbirds": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:emoji_embarrassed": 1
},
{
"AthenaCharacter:cid_166_athena_commando_f_lifeguard": 1
},
{
"AthenaDance:spid_033_fakedoor": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason05golf": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_alarm": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:spid_037_drift": 1
},
{
"AthenaBackpack:bid_071_vikingfemale": 1
},
{
"HomebaseBannerIcon:brseason05icecreamtruck": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_005_golfballelite": 1
},
{
"AthenaLoadingScreen:lsid_044_flytrap": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brseason05palms": 1
},
{
"AthenaDance:eid_swipeit": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaLoadingScreen:lsid_042_omen": 1
},
{
"AthenaDance:emoji_tattered": 1
},
{
"AthenaSkyDiveContrail:trails_id_016_ice": 1
},
{
"HomebaseBannerIcon:brseason05spiderbadass": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaCharacter:cid_167_athena_commando_m_tacticalbadass": 1
},
{
"AthenaDance:spid_035_nordicllama": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_006_beachballelite": 1
},
{
"HomebaseBannerIcon:brseason05racingcheckers": 1
},
{
"AthenaLoadingScreen:lsid_043_redknight": 1
},
{
"AthenaDance:emoji_tasty": 1
},
{
"AthenaGlider:glider_id_049_lifeguard": 1
},
{
"AthenaDance:spid_032_potatoaim": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason05scubagear": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_007_tp": 1
},
{
"AthenaDance:emoji_badapple": 1
},
{
"AthenaLoadingScreen:lsid_035_bandolier": 1
},
{
"AthenaCharacter:cid_173_athena_commando_f_starfishuniform": 1
},
{
"HomebaseBannerIcon:brseason05cobra": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_004_basketballelite": 1
},
{
"AthenaDance:emoji_stinky": 1
},
{
"AthenaLoadingScreen:lsid_037_tomatohead": 1
},
{
"AthenaDance:spid_039_yummy": 1
},
{
"AthenaDance:eid_hiphops5": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:emoji_potofgold": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:spid_026_darkviking": 1
},
{
"AthenaCharacter:cid_165_athena_commando_m_darkviking": 1,
"ChallengeBundleSchedule:season5_progressiveb_schedule": 1
}
],
"freeRewards": [
{},
{
"AthenaDance:spid_025_crazycastle": 1
},
{},
{
"AthenaLoadingScreen:lsid_036_drift": 1
},
{},
{
"AthenaDance:eid_stagebow": 1
},
{},
{
"AthenaDance:emoji_rockon": 1
},
{},
{},
{
"HomebaseBannerIcon:brseason05vikingship": 1
},
{},
{},
{
"AthenaBackpack:bid_075_tacticalbadass": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaGlider:glider_id_055_streetracerblack": 1
},
{},
{},
{},
{
"AthenaDance:spid_031_pixels": 1
},
{},
{},
{},
{
"AthenaPickaxe:pickaxe_id_071_streetracer": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaBackpack:bid_074_lifeguardfemale": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason05dinosaur": 1
},
{},
{},
{},
{
"AthenaDance:eid_calculated": 1
},
{},
{},
{},
{
"AthenaLoadingScreen:lsid_038_highexplosives": 1
},
{},
{},
{},
{
"AthenaSkyDiveContrail:trails_id_011_glitch": 1
},
{},
{},
{},
{
"AthenaDance:emoji_trap": 1
},
{},
{},
{},
{
"AthenaDance:spid_029_lasershark": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,453 @@
{
"battleBundleOfferId": "19D4A5ACC90B4CDF88766A0C8A6D13FB",
"battlePassOfferId": "9C8D0323775A4F59A1D4283E3FDB356C",
"tierOfferId": "A6FE59C497B844068E1B5D84396F19BA",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 10,
"AthenaCharacter:cid_233_athena_commando_m_fortnitedj": 1,
"AthenaCharacter:cid_237_athena_commando_f_cowgirl": 1,
"ChallengeBundleSchedule:season6_paid_schedule": 1,
"Token:athenaseasonmergedxpboosts": 1,
"ChallengeBundleSchedule:season6_progressivea_schedule": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasontierboost": 5
},
{
"HomebaseBannerIcon:brseason06pickaxebr": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_bang": 1
},
{
"AthenaDance:spid_058_cowgirl": 1
},
{
"AthenaGlider:glider_id_079_redriding": 1
},
{
"HomebaseBannerIcon:brseason06campfire": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaLoadingScreen:lsid_052_emoticoncollage": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaBackpack:petcarrier_001_dog": 1
},
{
"AthenaMusicPack:musicpack_001_floss": 1
},
{
"HomebaseBannerIcon:brseason06phantom": 1
},
{
"AthenaPickaxe:pickaxe_id_103_fortnitedj": 1
},
{
"AthenaDance:emoji_witchsbrew": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_024_dieselsmoke": 1
},
{
"AthenaDance:spid_050_fullmoon": 1
},
{
"AthenaLoadingScreen:lsid_057_bunnies": 1
},
{
"HomebaseBannerIcon:brseason06zigzag": 1
},
{
"AthenaCharacter:cid_234_athena_commando_m_llamarider": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaLoadingScreen:lsid_058_djconcept": 1
},
{
"AthenaDance:emoji_plunger": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_007_tomato": 1
},
{
"AthenaBackpack:petcarrier_002_chameleon": 1
},
{
"AthenaDance:spid_056_manholecover": 1
},
{
"AthenaDance:eid_runningman": 1
},
{
"HomebaseBannerIcon:brseason06dice": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaLoadingScreen:lsid_055_valkyrie": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_023_fireflies": 1
},
{
"AthenaDance:spid_060_dayofdead": 1
},
{
"AthenaDance:emoji_camper": 1
},
{
"AthenaGlider:glider_id_080_prairiepusher": 1
},
{
"AthenaDance:spid_059_dj": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaBackpack:petcarrier_003_dragon": 1
},
{
"AthenaLoadingScreen:lsid_056_fate": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:emoji_ghost": 1
},
{
"AthenaCharacter:cid_231_athena_commando_f_redriding": 1
},
{
"AthenaDance:spid_055_wallcrawler": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason06rift": 1
},
{
"AthenaDance:emoji_blackcat": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_002_spooky": 1
},
{
"AthenaDance:spid_049_cactusmaze": 1
},
{
"AthenaBackpack:bid_119_vampirefemale": 1
},
{
"HomebaseBannerIcon:brseason06bat": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"CosmeticVariantToken:vtid_033_petcarrier_dog_styleb": 1
},
{
"AthenaLoadingScreen:lsid_050_tomatotemple": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brseason06carbonfiber": 1
},
{
"AthenaDance:eid_octopus": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaLoadingScreen:lsid_054_scuba": 1
},
{
"AthenaDance:emoji_meet": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaSkyDiveContrail:trails_id_026_bats": 1
},
{
"HomebaseBannerIcon:brseason06polkadots": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaCharacter:cid_227_athena_commando_f_vampire": 1
},
{
"AthenaDance:spid_047_gremlins": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"CosmeticVariantToken:vtid_035_petcarrier_dragon_styleb": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_008_tomatoelite": 1
},
{
"HomebaseBannerIcon:brseason06housefly": 1
},
{
"AthenaLoadingScreen:lsid_059_vampire": 1
},
{
"AthenaGlider:glider_id_078_vampire": 1
},
{
"AthenaDance:spid_045_oni": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason06skulltrooper": 1
},
{
"AthenaSkyDiveContrail:trails_id_022_greensmoke": 1
},
{
"AthenaLoadingScreen:lsid_051_ravage": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaCharacter:cid_232_athena_commando_f_halloweentomato": 1
},
{
"AthenaBackpack:bid_122_halloweentomato": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:spid_046_pixelraven": 1
},
{
"CosmeticVariantToken:vtid_034_petcarrier_dog_stylec": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_003_ogremix": 1
},
{
"AthenaLoadingScreen:lsid_061_werewolf": 1
},
{
"AthenaDance:emoji_clown": 1
},
{
"AthenaDance:eid_flamenco": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"CosmeticVariantToken:vtid_036_petcarrier_dragon_stylec": 1
},
{
"AthenaDance:spid_062_werewolf": 1
},
{
"AthenaCharacter:cid_230_athena_commando_m_werewolf": 1,
"ChallengeBundleSchedule:season6_progressiveb_schedule": 1
}
],
"freeRewards": [
{},
{
"AthenaDance:spid_061_spiderweb": 1
},
{},
{
"AthenaLoadingScreen:lsid_060_cowgirl": 1
},
{},
{
"AthenaDance:eid_regalwave": 1
},
{},
{
"AthenaDance:emoji_battlebus": 1
},
{},
{},
{
"HomebaseBannerIcon:brseason06floatingisland": 1
},
{},
{},
{
"AthenaBackpack:bid_121_redriding": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaGlider:glider_id_081_cowboygunslinger": 1
},
{},
{},
{},
{
"AthenaDance:spid_053_ggpotion": 1
},
{},
{},
{},
{
"AthenaPickaxe:pickaxe_id_102_redriding": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaBackpack:bid_123_fortnitedj": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason06handhorns": 1
},
{},
{},
{},
{
"AthenaDance:eid_needtogo": 1
},
{},
{},
{},
{
"AthenaLoadingScreen:lsid_053_supplyllama": 1
},
{},
{},
{},
{
"AthenaSkyDiveContrail:trails_id_025_jackolantern": 1
},
{},
{},
{},
{
"AthenaDance:emoji_tp": 1
},
{},
{},
{},
{
"AthenaDance:spid_051_gameover": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,454 @@
{
"battleBundleOfferId": "347A90158C64424980E8C1B3DC088F37",
"battlePassOfferId": "3A3C99847F144AF3A030DB5690477F5A",
"tierOfferId": "64A3020B098841A7805EE257D68C554F",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 10,
"AthenaCharacter:cid_287_athena_commando_m_arcticsniper": 1,
"AthenaCharacter:cid_286_athena_commando_f_neoncat": 1,
"ChallengeBundleSchedule:season7_paid_schedule": 1,
"Token:athenaseasonmergedxpboosts": 1,
"ChallengeBundleSchedule:season7_progressivea_schedule": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasontierboost": 5
},
{
"HomebaseBannerIcon:brseason07wreath": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_001_arcticcamo": 1
},
{
"AthenaDance:emoji_mistletoe": 1
},
{
"AthenaBackpack:bid_160_tacticalsantamale": 1
},
{
"AthenaDance:spid_068_eviltree": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_002_holidaygreen": 1
},
{
"AthenaLoadingScreen:lsid_080_gingerbread": 1
},
{
"AthenaMusicPack:musicpack_004_holiday": 1
},
{
"HomebaseBannerIcon:brseason07merryface": 1
},
{
"AthenaGlider:glider_id_101_tacticalsanta": 1
},
{
"AthenaDance:emoji_ggwreath": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaBackpack:petcarrier_004_hamster": 1
},
{
"AthenaDance:spid_069_bagofcoal": 1
},
{
"AthenaSkyDiveContrail:trails_id_032_stringlights": 1
},
{
"AthenaLoadingScreen:lsid_075_tacticalsanta": 1
},
{
"AthenaCharacter:cid_279_athena_commando_m_tacticalsanta": 1,
"ChallengeBundleSchedule:season7_sgtwinter_schedule": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:emoji_gingerbreadhappy": 1
},
{
"AthenaItemWrap:wrap_003_anodizedred": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_010_icepuck": 1
},
{
"HomebaseBannerIcon:brseason07tartan": 1
},
{
"AthenaLoadingScreen:lsid_083_crackshot": 1
},
{
"AthenaDance:eid_wristflick": 1
},
{
"AthenaDance:emoji_gingerbreadmad": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaBackpack:petcarrier_005_wolf": 1
},
{
"AthenaDance:spid_071_neoncat": 1
},
{
"AthenaSkyDiveContrail:trails_id_037_glyphs": 1
},
{
"HomebaseBannerIcon:brseason07iceninjastar": 1
},
{
"AthenaGlider:glider_id_104_durrburger": 1
},
{
"AthenaLoadingScreen:lsid_081_tenderdefender": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_004_durrburgerpjs": 1
},
{
"AthenaDance:spid_072_mothhead": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:emoji_mittens": 1
},
{
"AthenaCharacter:cid_281_athena_commando_f_snowboard": 1
},
{
"AthenaDance:spid_073_porthole": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brseason07meat": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"CosmeticVariantToken:vtid_054_petcarrier_hamster_styleb": 1
},
{
"AthenaDance:emoji_huskwow": 1
},
{
"AthenaDance:spid_074_cuddlehula": 1
},
{
"AthenaBackpack:bid_162_yetimale": 1
},
{
"HomebaseBannerIcon:brseason07trash": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaSkyDiveContrail:trails_id_036_fiberoptics": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_006_ice": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brseason07sun": 1
},
{
"AthenaDance:eid_getfunky": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaLoadingScreen:lsid_076_medics": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"CosmeticVariantToken:vtid_056_petcarrier_wolf_styleb": 1
},
{
"AthenaDance:emoji_penguin": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:spid_081_bananas": 1
},
{
"AthenaCharacter:cid_278_athena_commando_m_yeti": 1
},
{
"AthenaDance:spid_076_yeti": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaItemWrap:wrap_005_carbonfiber": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_009_burgerelite": 1
},
{
"HomebaseBannerIcon:brseason07shackle": 1
},
{
"AthenaLoadingScreen:lsid_074_darkbomber": 1
},
{
"AthenaGlider:glider_id_100_yeti": 1
},
{
"AthenaDance:spid_077_baited": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"CosmeticVariantToken:vtid_055_petcarrier_hamster_stylec": 1
},
{
"HomebaseBannerIcon:brseason07octopus": 1
},
{
"AthenaSkyDiveContrail:trails_id_034_swirlysmoke": 1
},
{
"AthenaDance:emoji_durrrburger": 1
},
{
"AthenaCharacter:cid_245_athena_commando_f_durrburgerpjs": 1
},
{
"Token:athenaseasonfriendxpboost": 5
},
{
"AthenaDance:spid_078_pixelramirez": 1
},
{
"AthenaLoadingScreen:lsid_078_skulltrooper": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_006_twist": 1
},
{
"CosmeticVariantToken:vtid_057_petcarrier_wolf_stylec": 1
},
{
"AthenaDance:emoji_fkey": 1
},
{
"AthenaDance:eid_hiphops7": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaLoadingScreen:lsid_073_dustydepot": 1
},
{
"AthenaDance:spid_079_catgirl": 1
},
{
"AthenaCharacter:cid_288_athena_commando_m_iceking": 1,
"ChallengeBundleSchedule:season7_iceking_schedule": 1
}
],
"freeRewards": [
{},
{
"AthenaDance:spid_067_ggsnowman": 1
},
{},
{
"AthenaLoadingScreen:lsid_079_plane": 1
},
{},
{
"AthenaSkyDiveContrail:trails_id_033_snowflakes": 1
},
{},
{
"AthenaDance:emoji_iceheart": 1
},
{},
{},
{
"HomebaseBannerIcon:brseason07plane": 1
},
{},
{},
{
"AthenaDance:eid_golfclap": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaBackpack:bid_161_snowboardfemale": 1
},
{},
{},
{},
{
"AthenaDance:spid_070_hohoho": 1
},
{},
{},
{},
{
"AthenaGlider:glider_id_105_snowboard": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaPickaxe:pickaxe_id_126_yeti": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brseason07infinityblade": 1
},
{},
{},
{},
{
"AthenaDance:eid_micdrop": 1
},
{},
{},
{},
{
"AthenaLoadingScreen:lsid_082_neoncat": 1
},
{},
{},
{},
{
"AthenaMusicPack:musicpack_005_disco": 1
},
{},
{},
{},
{
"AthenaDance:emoji_hotchocolate": 1
},
{},
{},
{},
{
"AthenaDance:spid_075_meltingsnowman": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,453 @@
{
"battleBundleOfferId": "18D9DA48000A40BFAEBAC55A99C55221",
"battlePassOfferId": "77F31B7F83FB422195DA60CDE683671D",
"tierOfferId": "E07E41D52D4A425F8DC6592496B75301",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 60,
"AthenaCharacter:cid_347_athena_commando_m_pirateprogressive": 1,
"AthenaCharacter:cid_346_athena_commando_m_dragonninja": 1,
"ChallengeBundleSchedule:season8_paid_schedule": 1,
"ChallengeBundleSchedule:season8_cumulative_schedule": 1,
"Token:athenaseasonmergedxpboosts": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasonxpboost": 30
},
{
"HomebaseBannerIcon:brs8pineapple": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_020_tropicalcamo": 1
},
{
"AthenaDance:spid_091_dragonninja": 1
},
{
"AthenaBackpack:bid_218_medusa": 1
},
{
"HomebaseBannerIcon:brs8jellyfish": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaLoadingScreen:lsid_106_treasuremap": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_007_pirate": 1
},
{
"AthenaDance:emoji_palmtree": 1
},
{
"AthenaDance:spid_092_bananapeel": 1
},
{
"AthenaGlider:glider_id_124_medusa": 1
},
{
"AthenaDance:emoji_octopirate": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaBackpack:petcarrier_007_woodsy": 1
},
{
"AthenaDance:spid_103_mermaid": 1
},
{
"AthenaSkyDiveContrail:trails_id_046_clover": 1
},
{
"AthenaLoadingScreen:lsid_100_stpattyday": 1
},
{
"AthenaCharacter:cid_348_athena_commando_f_medusa": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaDance:emoji_4leafclover": 1
},
{
"AthenaDance:toy_014_bouncyball": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_021_pirate": 1
},
{
"HomebaseBannerIcon:brs8ziggurat": 1
},
{
"AthenaLoadingScreen:lsid_101_icequeen": 1
},
{
"AthenaDance:eid_conga": 1
},
{
"AthenaDance:emoji_spicy": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"CosmeticVariantToken:vtid_129_petcarrier_woodsy_styleb": 1
},
{
"AthenaDance:spid_099_key": 1
},
{
"AthenaSkyDiveContrail:trails_id_048_spectral": 1
},
{
"HomebaseBannerIcon:brs8coconuts": 1
},
{
"AthenaGlider:glider_id_123_masterkey": 1
},
{
"AthenaLoadingScreen:lsid_102_triceraops": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_023_aztec": 1
},
{
"AthenaDance:spid_094_wootdog": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"AthenaDance:emoji_skullbrite": 1
},
{
"AthenaCharacter:cid_349_athena_commando_m_banana": 1
},
{
"AthenaDance:spid_095_loveranger": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"HomebaseBannerIcon:brs8foxhead": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaBackpack:petcarrier_008_fox": 1
},
{
"AthenaDance:emoji_aztecmask": 1
},
{
"AthenaDance:spid_096_fallenloveranger": 1
},
{
"AthenaPickaxe:pickaxe_id_165_masterkey": 1
},
{
"HomebaseBannerIcon:brs8roach": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaSkyDiveContrail:trails_id_044_lava": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_017_dragonninja": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brs8whaletail": 1
},
{
"AthenaDance:eid_banana": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaLoadingScreen:lsid_103_spraycollage": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"CosmeticVariantToken:vtid_131_petcarrier_fox_styleb": 1
},
{
"AthenaDance:spid_101_britebomber": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:emoji_200m": 1
},
{
"AthenaCharacter:cid_351_athena_commando_f_fireelf": 1
},
{
"HomebaseBannerIcon:brs8tigerstripes": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaLoadingScreen:lsid_097_powerchord": 1
},
{
"AthenaDance:spid_097_fireelf": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_019_tiger": 1
},
{
"AthenaDance:emoji_cuddle": 1
},
{
"AthenaGlider:glider_id_128_bootybuoy": 1
},
{
"AthenaDance:spid_100_salty": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"CosmeticVariantToken:vtid_130_petcarrier_woodsy_stylec": 1
},
{
"AthenaLoadingScreen:lsid_104_masterkey": 1
},
{
"AthenaSkyDiveContrail:trails_id_047_ammobelt": 1
},
{
"HomebaseBannerIcon:brs8crystalllama": 1
},
{
"AthenaCharacter:cid_350_athena_commando_m_masterkey": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaDance:emoji_angryvolcano": 1
},
{
"AthenaDance:spid_098_shiny": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_009_starpower": 1
},
{
"CosmeticVariantToken:vtid_132_petcarrier_fox_stylec": 1
},
{
"AthenaLoadingScreen:lsid_105_blackwidow": 1
},
{
"AthenaDance:eid_hulahoop": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_022_gemstone": 1
},
{
"CosmeticVariantToken:vtid_128_masterkey_styleb": 1
},
{
"AthenaCharacter:cid_352_athena_commando_f_shiny": 1,
"ChallengeBundleSchedule:season8_shiny_schedule": 1
}
],
"freeRewards": [
{},
{
"AthenaDance:spid_102_ggaztec": 1
},
{},
{
"AthenaLoadingScreen:lsid_099_piratetheme": 1
},
{},
{
"AthenaSkyDiveContrail:trails_id_045_undertow": 1
},
{},
{
"AthenaDance:emoji_sun": 1
},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{
"AthenaDance:eid_happywave": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brs8jollyroger": 1
},
{},
{},
{},
{
"AthenaBackpack:bid_215_masterkey": 1
},
{},
{},
{},
{
"AthenaDance:spid_090_dancefloorbox": 1
},
{},
{},
{},
{
"AthenaGlider:glider_id_129_fireelf": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaPickaxe:pickaxe_id_167_medusa": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brs8treasurechest": 1
},
{},
{},
{},
{
"AthenaDance:eid_youboreme": 1
},
{},
{},
{},
{
"AthenaLoadingScreen:lsid_098_dragonninja": 1
},
{},
{},
{},
{
"AthenaMusicPack:musicpack_008_coral": 1
},
{},
{},
{},
{
"AthenaDance:emoji_ggjellyfish": 1
},
{},
{},
{},
{
"AthenaDance:spid_093_theend": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,458 @@
{
"battleBundleOfferId": "C7190ACA4E5E228A94CA3CB9C3FC7AE9",
"battlePassOfferId": "73E6EE6F4526EF97450D1592C3DB0EF5",
"tierOfferId": "33E185A84ED7B64F2856E69AADFD092C",
"paidRewards": [
{
"Token:athenaseasonxpboost": 50,
"Token:athenaseasonfriendxpboost": 60,
"AthenaCharacter:cid_408_athena_commando_f_strawberrypilot": 1,
"AthenaCharacter:cid_403_athena_commando_m_rooster": 1,
"ChallengeBundleSchedule:season9_paid_schedule": 1,
"ChallengeBundleSchedule:season9_cumulative_schedule": 1,
"ChallengeBundleSchedule:season9_fortbyte_schedule": 1,
"Token:athenaseasonmergedxpboosts": 1
},
{
"Token:athenaseasonxpboost": 10,
"Token:athenanextseasonxpboost": 30
},
{
"AthenaDance:emoji_tomatohead": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_060_rooster": 1
},
{
"AthenaDance:spid_109_strawberrypilot": 1
},
{
"AthenaPickaxe:pickaxe_id_211_bunkerman_1h": 1
},
{
"HomebaseBannerIcon:brs9chair": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaLoadingScreen:lsid_126_floorislava": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_015_goodvibes": 1
},
{
"AthenaDance:emoji_rexhead": 1
},
{
"AthenaDance:spid_118_chevronleft": 1
},
{
"AthenaGlider:glider_id_144_strawberrypilot": 1
},
{
"AthenaDance:emoji_drifthead": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_057_banana": 1
},
{
"AthenaDance:spid_115_pixeljonesy": 1
},
{
"HomebaseBannerIcon:brs9bone": 1
},
{
"AthenaLoadingScreen:lsid_130_strawberrypilot": 1
},
{
"AthenaCharacter:cid_409_athena_commando_m_bunkerman": 1,
"ChallengeBundleSchedule:season9_bunkerman_schedule": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaDance:emoji_silentmaven": 1
},
{
"AthenaSkyDiveContrail:trails_id_054_kpopglow": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaBackpack:petcarrier_010_robokitty": 1
},
{
"HomebaseBannerIcon:brs9x": 1
},
{
"AthenaLoadingScreen:lsid_121_vikings": 1
},
{
"AthenaDance:eid_chickenmoves": 1
},
{
"AthenaDance:emoji_loveranger": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_017_flyingdisc": 1
},
{
"AthenaDance:spid_119_chevronright": 1
},
{
"AthenaLoadingScreen:lsid_127_unicornpickaxe": 1
},
{
"HomebaseBannerIcon:brs9bacon": 1
},
{
"AthenaGlider:glider_id_146_masako": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaDance:spid_108_fate": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_062_neotag": 1
},
{
"AthenaDance:emoji_screamingwukong": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"CosmeticVariantToken:vtid_199_petcarrier_robokitty_styleb": 1
},
{
"AthenaCharacter:cid_404_athena_commando_f_bountyhunter": 1,
"ChallengeBundleSchedule:season9_bountyhunter_schedule": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaSkyDiveContrail:trails_id_055_bananas": 1
},
{
"HomebaseBannerIcon:brs9roar": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"HomebaseBannerIcon:brs9violin": 1
},
{
"AthenaDance:emoji_durrburgerhead": 1
},
{
"AthenaDance:spid_117_nosymbol": 1
},
{
"AthenaPickaxe:pickaxe_id_205_strawberrypilot": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaDance:spid_113_nananana": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_061_purplesplatter": 1
},
{
"CosmeticVariantToken:vtid_201_petcarrier_robokitty_styled": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brs9cone": 1
},
{
"AthenaDance:eid_signspinner": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaLoadingScreen:lsid_125_lavalegends": 1
},
{
"AthenaDance:spid_111_ark": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaDance:toy_018_fancyflyingdisc": 1
},
{
"AccountResource:athenaseasonalxp": 1000
},
{
"HomebaseBannerIcon:brs9target": 1
},
{
"AthenaCharacter:cid_406_athena_commando_m_stormtracker": 1,
"ChallengeBundleSchedule:season9_stormtracker_schedule": 1
},
{
"AthenaDance:emoji_skepticalfishstix": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"CosmeticVariantToken:vtid_200_petcarrier_robokitty_stylec": 1
},
{
"AthenaLoadingScreen:lsid_129_stormtracker": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaSkyDiveContrail:trails_id_056_stormtracker": 1
},
{
"HomebaseBannerIcon:brs9blast": 1
},
{
"AthenaGlider:glider_id_143_battlesuit": 1
},
{
"AthenaLoadingScreen:lsid_123_inferno": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaDance:emoji_whiteflag": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaItemWrap:wrap_058_storm": 1
},
{
"AthenaDance:spid_116_robot": 1
},
{
"HomebaseBannerIcon:brs9spade": 1
},
{
"AthenaCharacter:cid_405_athena_commando_f_masako": 1,
"ChallengeBundleSchedule:season9_masako_schedule": 1
},
{
"Token:athenaseasonfriendxpboost": 10
},
{
"AthenaSkyDiveContrail:trails_id_057_battlesuit": 1
},
{
"AthenaDance:spid_110_rooster": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"AthenaMusicPack:musicpack_014_s9cine": 1
},
{
"AthenaDance:emoji_supdood": 1
},
{
"AthenaLoadingScreen:lsid_128_auroraglow": 1
},
{
"AthenaDance:eid_gabbyhiphop_01": 1
},
{
"Token:athenaseasonxpboost": 10
},
{
"AthenaItemWrap:wrap_059_battlesuit": 1
},
{
"Currency:mtxgiveaway": 100
},
{
"CosmeticVariantToken:vtid_202_rooster_styleb": 1
},
{
"AthenaCharacter:cid_407_athena_commando_m_battlesuit": 1,
"ChallengeBundleSchedule:season9_battlesuit_schedule": 1
}
],
"freeRewards": [
{},
{
"AthenaDance:spid_112_rockpeople": 1
},
{},
{
"AthenaLoadingScreen:lsid_122_aztec": 1
},
{},
{
"AthenaSkyDiveContrail:trails_id_051_neontubes": 1
},
{},
{
"AthenaDance:emoji_cuddleteamhead": 1
},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{
"AthenaDance:eid_yayexcited": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brs9plane": 1
},
{},
{},
{},
{
"AthenaGlider:glider_id_032_tacticalwoodland": 1
},
{},
{},
{},
{
"AthenaDance:spid_121_sunbird": 1
},
{},
{},
{},
{
"AthenaItemWrap:wrap_046_demon": 1
},
{},
{},
{},
{
"Currency:mtxgiveaway": 100
},
{},
{},
{},
{
"AthenaPickaxe:pickaxe_id_210_bunkerman": 1
},
{},
{},
{},
{
"HomebaseBannerIcon:brs9paintbrush": 1
},
{},
{},
{},
{
"AthenaDance:eid_sadtrombone": 1
},
{},
{},
{},
{
"AthenaLoadingScreen:lsid_124_airroyale": 1
},
{},
{},
{},
{
"AthenaMusicPack:musicpack_013_robotrack": 1
},
{},
{},
{},
{
"AthenaDance:emoji_skulltrooper": 1
},
{},
{},
{},
{
"AthenaDance:spid_114_bush": 1
},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
{}
]
}

View File

@@ -0,0 +1,90 @@
[LawinServer.manifest,FortniteCreative]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,FortniteCampaign]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.pl]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.es-419Optional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,StartupOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,FortniteCampaignTutorial]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.allOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.itOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.es-419]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,KairosCapture]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,FortniteBR]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,FortniteCreativeOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.zh-CN]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.ruOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.frOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.deOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.de]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,FortniteBROptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,FortniteCampaignOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,FortniteCampaignTutorialOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.ru]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.plOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.fr]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.es-ESOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,KairosCaptureOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.all]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.zh-CNOptional]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.it]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Lang.es-ES]
DeltaDownloadSize="0"
DownloadSize="0"
[LawinServer.manifest,Startup]
DeltaDownloadSize="0"
DownloadSize="0"

Binary file not shown.

Binary file not shown.

View File

@@ -0,0 +1,459 @@
[
"Schematic:SID_Wall_Wood_Spikes_vR_T01",
"Hero:HID_Commando_Sony_R_T01",
"Schematic:SID_Wall_Wood_Spikes_UC_T01",
"Hero:HID_Commando_ShockDamage_VR_T01",
"Schematic:SID_Wall_Wood_Spikes_SR_T01",
"Hero:HID_Commando_ShockDamage_SR_T01",
"Schematic:SID_Wall_Wood_Spikes_R_T01",
"Hero:HID_Commando_ShockDamage_R_T01",
"Schematic:SID_Wall_Wood_Spikes_C_T01",
"Hero:HID_Commando_GunTough_VR_T01",
"Schematic:SID_Wall_Light_VR_T01",
"Hero:HID_Commando_GunTough_UC_T01",
"Schematic:SID_Wall_Light_SR_T01",
"Hero:HID_Commando_GunTough_SR_T01",
"Schematic:SID_Wall_Light_R_T01",
"Hero:HID_Commando_GunTough_R_T01",
"Schematic:SID_Wall_Launcher_VR_T01",
"Hero:HID_Commando_GunHeadshotHW_SR_T01",
"Schematic:SID_Wall_Launcher_UC_T01",
"Hero:HID_Commando_GunHeadshot_VR_T01",
"Schematic:SID_Wall_Launcher_SR_T01",
"Hero:HID_Commando_GunHeadshot_SR_T01",
"Schematic:SID_Wall_Launcher_R_T01",
"Hero:HID_Commando_GrenadeMaster_SR_T01",
"Schematic:SID_Wall_Electric_VR_T01",
"Hero:HID_Commando_GrenadeGun_VR_T01",
"Schematic:SID_Wall_Electric_UC_T01",
"Hero:HID_Commando_GrenadeGun_SR_T01",
"Schematic:SID_Wall_Electric_SR_T01",
"Hero:HID_Commando_GrenadeGun_R_T01",
"Schematic:SID_Wall_Electric_R_T01",
"Hero:HID_Commando_GCGrenade_VR_T01",
"Schematic:SID_Wall_Darts_VR_T01",
"Hero:HID_Commando_GCGrenade_SR_T01",
"Schematic:SID_Wall_Darts_UC_T01",
"Hero:HID_Commando_GCGrenade_R_T01",
"Schematic:SID_Wall_Darts_SR_T01",
"Hero:HID_Commando_010_VR_T01",
"Schematic:SID_Wall_Darts_R_T01",
"Hero:HID_Commando_010_SR_T01",
"Schematic:SID_Floor_Ward_VR_T01",
"Hero:HID_Commando_009_VR_T01",
"Schematic:SID_Floor_Ward_UC_T01",
"Hero:HID_Commando_009_SR_T01",
"Schematic:SID_Floor_Ward_SR_T01",
"Hero:HID_Commando_009_R_T01",
"Schematic:SID_Floor_Ward_R_T01",
"Hero:HID_Commando_008_VR_T01",
"Schematic:SID_Floor_Spikes_Wood_VR_T01",
"Hero:HID_Commando_008_SR_T01",
"Schematic:SID_Floor_Spikes_Wood_UC_T01",
"Hero:HID_Commando_008_R_T01",
"Schematic:SID_Floor_Spikes_Wood_SR_T01",
"Hero:HID_Commando_008_FoundersM_SR_T01",
"Schematic:SID_Floor_Spikes_Wood_R_T01",
"Hero:HID_Commando_008_FoundersF_SR_T01",
"Schematic:SID_Floor_Spikes_Wood_C_T01",
"Hero:HID_Commando_007_VR_T01",
"Schematic:SID_Floor_Spikes_VR_T01",
"Hero:HID_Commando_007_UC_T01",
"Schematic:SID_Floor_Spikes_UC_T01",
"Hero:HID_Commando_007_SR_T01",
"Schematic:SID_Floor_Spikes_SR_T01",
"Hero:HID_Commando_007_R_T01",
"Schematic:SID_Floor_Spikes_R_T01",
"Hero:HID_Commando_GrenadeGun_UC_T01",
"Schematic:SID_Floor_Launcher_VR_T01",
"Hero:HID_Constructor_Sony_R_T01",
"Schematic:SID_Floor_Launcher_UC_T01",
"Hero:HID_Constructor_RushBASE_VR_T01",
"Schematic:SID_Floor_Launcher_SR_T01",
"Hero:HID_Constructor_RushBASE_UC_T01",
"Schematic:SID_Floor_Launcher_R_T01",
"Hero:HID_Constructor_RushBASE_SR_T01",
"Schematic:SID_Floor_Health_VR_T01",
"Hero:HID_Constructor_RushBASE_R_T01",
"Schematic:SID_Floor_Health_UC_T01",
"Hero:HID_Constructor_PlasmaDamage_VR_T01",
"Schematic:SID_Floor_Health_SR_T01",
"Hero:HID_Constructor_PlasmaDamage_SR_T01",
"Schematic:SID_Floor_Health_R_T01",
"Hero:HID_Constructor_PlasmaDamage_R_T01",
"Schematic:SID_Ceiling_Gas_VR_T01",
"Hero:HID_Constructor_HammerTank_VR_T01",
"Schematic:SID_Ceiling_Gas_UC_T01",
"Hero:HID_Constructor_HammerTank_UC_T01",
"Schematic:SID_Ceiling_Gas_SR_T01",
"Hero:HID_Constructor_HammerTank_SR_T01",
"Schematic:SID_Ceiling_Gas_R_T01",
"Hero:HID_Constructor_HammerTank_R_T01",
"Schematic:SID_Ceiling_Electric_Single_VR_T01",
"Hero:HID_Constructor_HammerPlasma_VR_T01",
"Schematic:SID_Ceiling_Electric_Single_UC_T01",
"Hero:HID_Constructor_HammerPlasma_SR_T01",
"Schematic:SID_Ceiling_Electric_Single_SR_T01",
"Hero:HID_Constructor_BaseHyperHW_SR_T01",
"Schematic:SID_Ceiling_Electric_Single_R_T01",
"Hero:HID_Constructor_BaseHyper_VR_T01",
"Schematic:SID_Ceiling_Electric_Single_C_T01",
"Hero:HID_Constructor_BaseHyper_SR_T01",
"Schematic:SID_Ceiling_Electric_AOE_VR_T01",
"Hero:HID_Constructor_BaseHyper_R_T01",
"Schematic:SID_Ceiling_Electric_AOE_SR_T01",
"Hero:HID_Constructor_BASEBig_SR_T01",
"Schematic:SID_Ceiling_Electric_AOE_R_T01",
"Hero:HID_Constructor_010_VR_T01",
"Schematic:SID_Sniper_TripleShot_VR_Ore_T01",
"Hero:HID_Constructor_010_SR_T01",
"Schematic:SID_Sniper_TripleShot_SR_Ore_T01",
"Hero:HID_Constructor_009_VR_T01",
"Schematic:SID_Sniper_Standard_Scope_VR_Ore_T01",
"Hero:HID_Constructor_009_SR_T01",
"Schematic:SID_Sniper_Standard_Scope_SR_Ore_T01",
"Hero:HID_Constructor_009_R_T01",
"Schematic:SID_Sniper_Standard_VR_Ore_T01",
"Hero:HID_Constructor_008_VR_T01",
"Schematic:SID_Sniper_Standard_SR_Ore_T01",
"Hero:HID_Constructor_008_SR_T01",
"Schematic:SID_Sniper_Standard_Founders_VR_Ore_T01",
"Hero:HID_Constructor_008_R_T01",
"Schematic:SID_Sniper_Standard_UC_Ore_T01",
"Hero:HID_Constructor_008_FoundersM_SR_T01",
"Schematic:SID_Sniper_Standard_R_Ore_T01",
"Hero:HID_Constructor_008_FoundersF_SR_T01",
"Schematic:SID_Sniper_Standard_C_Ore_T01",
"Hero:HID_Constructor_007_VR_T01",
"Schematic:SID_Sniper_Shredder_VR_Ore_T01",
"Hero:HID_Constructor_007_UC_T01",
"Schematic:SID_Sniper_Shredder_SR_Ore_T01",
"Hero:HID_Constructor_007_SR_T01",
"Schematic:SID_Sniper_Hydraulic_VR_Ore_T01",
"Hero:HID_Constructor_007_R_T01",
"Schematic:SID_Sniper_Hydraulic_SR_Ore_T01",
"Hero:HID_Ninja_Swordmaster_SR_T01",
"Schematic:SID_Sniper_BoltAction_Scope_VR_Ore_T01",
"Hero:HID_Ninja_StarsRainHW_SR_T01",
"Schematic:SID_Sniper_BoltAction_Scope_SR_Ore_T01",
"Hero:HID_Ninja_StarsRain_VR_T01",
"Schematic:SID_Sniper_BoltAction_Scope_R_Ore_T01",
"Hero:HID_Ninja_StarsRain_SR_T01",
"Schematic:SID_Sniper_BoltAction_UC_Ore_T01",
"Hero:HID_Ninja_StarsAssassin_VR_T01",
"Schematic:SID_Sniper_BoltAction_R_Ore_T01",
"Hero:HID_Ninja_StarsAssassin_UC_T01",
"Schematic:SID_Sniper_BoltAction_C_Ore_T01",
"Hero:HID_Ninja_StarsAssassin_SR_T01",
"Schematic:SID_Sniper_Auto_VR_Ore_T01",
"Hero:HID_Ninja_StarsAssassin_R_T01",
"Schematic:SID_Sniper_Auto_SR_Ore_T01",
"Hero:HID_Ninja_StarsAssassin_FoundersM_SR_T01",
"Schematic:SID_Sniper_Auto_Founders_VR_Ore_T01",
"Hero:HID_Ninja_StarsAssassin_FoundersF_SR_T01",
"Schematic:SID_Sniper_Auto_UC_Ore_T01",
"Hero:HID_Ninja_Sony_R_T01",
"Schematic:SID_Sniper_Auto_R_Ore_T01",
"Hero:HID_Ninja_SmokeDimMak_VR_T01",
"Schematic:SID_Sniper_AMR_VR_Ore_T01",
"Hero:HID_Ninja_SmokeDimMak_SR_T01",
"Schematic:SID_Sniper_AMR_SR_Ore_T01",
"Hero:HID_Ninja_SmokeDimMak_R_T01",
"Schematic:SID_Sniper_AMR_R_Ore_T01",
"Hero:HID_Ninja_SlashTail_VR_T01",
"Schematic:SID_Shotgun_Tactical_Precision_VR_Ore_T01",
"Hero:HID_Ninja_SlashTail_UC_T01",
"Schematic:SID_Shotgun_Tactical_Precision_SR_Ore_T01",
"Hero:HID_Ninja_SlashTail_SR_T01",
"Schematic:SID_Shotgun_Tactical_Precision_R_Ore_T01",
"Hero:HID_Ninja_SlashTail_R_T01",
"Schematic:SID_Shotgun_Tactical_UC_Ore_T01",
"Hero:HID_Ninja_SlashBreath_VR_T01",
"Schematic:SID_Shotgun_Tactical_R_Ore_T01",
"Hero:HID_Ninja_SlashBreath_SR_T01",
"Schematic:SID_Shotgun_Tactical_Founders_VR_Ore_T01",
"Hero:HID_Ninja_SlashBreath_R_T01",
"Schematic:SID_Shotgun_Tactical_Founders_SR_Ore_T01",
"Hero:HID_Ninja_010_VR_T01",
"Schematic:SID_Shotgun_Tactical_Founders_R_Ore_T01",
"Hero:HID_Ninja_010_SR_T01",
"Schematic:SID_Shotgun_Tactical_C_Ore_T01",
"Hero:HID_Ninja_009_VR_T01",
"Schematic:SID_Shotgun_Standard_VR_Ore_T01",
"Hero:HID_Ninja_009_SR_T01",
"Schematic:SID_Shotgun_Standard_SR_Ore_T01",
"Hero:HID_Ninja_009_R_T01",
"Schematic:SID_Shotgun_Standard_UC_Ore_T01",
"Hero:HID_Ninja_008_VR_T01",
"Schematic:SID_Shotgun_Standard_R_Ore_T01",
"Hero:HID_Ninja_008_SR_T01",
"Schematic:SID_Shotgun_Standard_C_Ore_T01",
"Hero:HID_Ninja_008_R_T01",
"Schematic:SID_Shotgun_SemiAuto_VR_Ore_T01",
"Hero:HID_Ninja_007_VR_T01",
"Schematic:SID_Shotgun_SemiAuto_UC_Ore_T01",
"Hero:HID_Ninja_007_UC_T01",
"Schematic:SID_Shotgun_SemiAuto_SR_Ore_T01",
"Hero:HID_Ninja_007_SR_T01",
"Schematic:SID_Shotgun_SemiAuto_R_Ore_T01",
"Hero:HID_Ninja_007_R_T01",
"Schematic:SID_Shotgun_Minigun_SR_Ore_T01",
"Hero:HID_Outlander_ZonePistolHW_SR_T01",
"Schematic:SID_Shotgun_Longarm_VR_Ore_T01",
"Hero:HID_Outlander_ZonePistol_VR_T01",
"Schematic:SID_Shotgun_Longarm_SR_Ore_T01",
"Hero:HID_Outlander_ZonePistol_SR_T01",
"Schematic:SID_Shotgun_Heavy_SR_Ore_T01",
"Hero:HID_Outlander_ZonePistol_R_T01",
"Schematic:SID_Shotgun_Break_OU_VR_Ore_T01",
"Hero:HID_Outlander_ZoneHarvest_VR_T01",
"Schematic:SID_Shotgun_Break_OU_SR_Ore_T01",
"Hero:HID_Outlander_ZoneHarvest_UC_T01",
"Schematic:SID_Shotgun_Break_OU_UC_Ore_T01",
"Hero:HID_Outlander_ZoneHarvest_SR_T01",
"Schematic:SID_Shotgun_Break_OU_R_Ore_T01",
"Hero:HID_Outlander_ZoneHarvest_R_T01",
"Schematic:SID_Shotgun_Break_VR_Ore_T01",
"Hero:HID_Outlander_ZoneFragment_SR_T01",
"Schematic:SID_Shotgun_Break_SR_Ore_T01",
"Hero:HID_Outlander_SphereFragment_VR_T01",
"Schematic:SID_Shotgun_Break_UC_Ore_T01",
"Hero:HID_Outlander_SphereFragment_SR_T01",
"Schematic:SID_Shotgun_Break_R_Ore_T01",
"Hero:HID_Outlander_SphereFragment_R_T01",
"Schematic:SID_Shotgun_Break_C_Ore_T01",
"Hero:HID_Outlander_Sony_R_T01",
"Schematic:SID_Shotgun_Auto_VR_Ore_T01",
"Hero:HID_Outlander_PunchPhase_VR_T01",
"Schematic:SID_Shotgun_Auto_SR_Ore_T01",
"Hero:HID_Outlander_PunchPhase_UC_T01",
"Schematic:SID_Shotgun_Auto_Founders_VR_Ore_T01",
"Hero:HID_Outlander_PunchPhase_SR_T01",
"Schematic:SID_Shotgun_Auto_UC_Ore_T01",
"Hero:HID_Outlander_PunchPhase_R_T01",
"Schematic:SID_Shotgun_Auto_R_Ore_T01",
"Hero:HID_Outlander_PunchDamage_VR_T01",
"Schematic:SID_Pistol_Zapper_VR_Ore_T01",
"Hero:HID_Outlander_PunchDamage_SR_T01",
"Schematic:SID_Pistol_Zapper_SR_Ore_T01",
"Hero:HID_Outlander_010_VR_T01",
"Schematic:SID_Pistol_Space_VR_Ore_T01",
"Hero:HID_Outlander_010_SR_T01",
"Schematic:SID_Pistol_Space_SR_Ore_T01",
"Hero:HID_Outlander_009_VR_T01",
"Schematic:SID_Pistol_SixShooter_UC_Ore_T01",
"Hero:HID_Outlander_009_SR_T01",
"Schematic:SID_Pistol_SixShooter_R_Ore_T01",
"Hero:HID_Outlander_009_R_T01",
"Schematic:SID_Pistol_SixShooter_C_Ore_T01",
"Hero:HID_Outlander_008_VR_T01",
"Schematic:SID_Pistol_SemiAuto_VR_Ore_T01",
"Hero:HID_Outlander_008_SR_T01",
"Schematic:SID_Pistol_SemiAuto_SR_Ore_T01",
"Hero:HID_Outlander_008_R_T01",
"Schematic:SID_Pistol_SemiAuto_Founders_VR_Ore_T01",
"Hero:HID_Outlander_008_FoundersM_SR_T01",
"Schematic:SID_Pistol_SemiAuto_UC_Ore_T01",
"Hero:HID_Outlander_008_FoundersF_SR_T01",
"Schematic:SID_Pistol_SemiAuto_R_Ore_T01",
"Hero:HID_Outlander_007_VR_T01",
"Schematic:SID_Pistol_SemiAuto_C_Ore_T01",
"Hero:HID_Outlander_007_UC_T01",
"Schematic:SID_Pistol_Rocket_SR_Ore_T01",
"Hero:HID_Outlander_007_SR_T01",
"Schematic:SID_Pistol_Rapid_VR_Ore_T01",
"Hero:HID_Outlander_007_R_T01",
"Schematic:SID_Pistol_Rapid_SR_Ore_T01",
"Defender:DID_DefenderSniper_Basic_VR_T01",
"Schematic:SID_Pistol_Rapid_R_Ore_T01",
"Defender:DID_DefenderSniper_Basic_UC_T01",
"Schematic:SID_Pistol_Rapid_Founders_VR_Ore_T01",
"Defender:DID_DefenderSniper_Basic_SR_T01",
"Schematic:SID_Pistol_Hydraulic_VR_Ore_T01",
"Defender:DID_DefenderSniper_Basic_R_T01",
"Schematic:SID_Pistol_Hydraulic_SR_Ore_T01",
"Defender:DID_DefenderSniper_Basic_C_T01",
"Schematic:SID_Pistol_Handcannon_Semi_VR_Ore_T01",
"Defender:DID_DefenderShotgun_Basic_VR_T01",
"Schematic:SID_Pistol_Handcannon_Semi_SR_Ore_T01",
"Defender:DID_DefenderShotgun_Basic_UC_T01",
"Schematic:SID_Pistol_Handcannon_Semi_R_Ore_T01",
"Defender:DID_DefenderShotgun_Basic_SR_T01",
"Schematic:SID_Pistol_Handcannon_VR_Ore_T01",
"Defender:DID_DefenderShotgun_Basic_R_T01",
"Schematic:SID_Pistol_Handcannon_SR_Ore_T01",
"Defender:DID_DefenderShotgun_Basic_C_T01",
"Schematic:SID_Pistol_Handcannon_R_Ore_T01",
"Defender:DID_DefenderPistol_Founders_VR_T01",
"Schematic:SID_Pistol_Handcannon_Founders_VR_Ore_T01",
"Defender:DID_DefenderPistol_Basic_VR_T01",
"Schematic:SID_Pistol_Gatling_VR_Ore_T01",
"Defender:DID_DefenderPistol_Basic_UC_T01",
"Schematic:SID_Pistol_Gatling_SR_Ore_T01",
"Defender:DID_DefenderPistol_Basic_SR_T01",
"Schematic:SID_Pistol_FireCracker_VR_Ore_T01",
"Defender:DID_DefenderPistol_Basic_R_T01",
"Schematic:SID_Pistol_FireCracker_SR_Ore_T01",
"Defender:DID_DefenderPistol_Basic_C_T01",
"Schematic:SID_Pistol_FireCracker_R_Ore_T01",
"Defender:DID_DefenderMelee_Basic_VR_T01",
"Schematic:SID_Pistol_Dragon_VR_Ore_T01",
"Defender:DID_DefenderMelee_Basic_UC_T01",
"Schematic:SID_Pistol_Dragon_SR_Ore_T01",
"Defender:DID_DefenderMelee_Basic_SR_T01",
"Schematic:SID_Pistol_BoltRevolver_UC_Ore_T01",
"Defender:DID_DefenderMelee_Basic_R_T01",
"Schematic:SID_Pistol_BoltRevolver_R_Ore_T01",
"Defender:DID_DefenderMelee_Basic_C_T01",
"Schematic:SID_Pistol_BoltRevolver_C_Ore_T01",
"Defender:DID_DefenderAssault_Founders_VR_T01",
"Schematic:SID_Pistol_Bolt_VR_Ore_T01",
"Defender:DID_DefenderAssault_Basic_VR_T01",
"Schematic:SID_Pistol_Bolt_SR_Ore_T01",
"Defender:DID_DefenderAssault_Basic_UC_T01",
"Schematic:SID_Pistol_AutoHeavy_VR_Ore_T01",
"Defender:DID_DefenderAssault_Basic_SR_T01",
"Schematic:SID_Pistol_AutoHeavy_SR_Ore_T01",
"Defender:DID_DefenderAssault_Basic_R_T01",
"Schematic:SID_Pistol_AutoHeavy_Founders_VR_Ore_T01",
"Defender:DID_DefenderAssault_Basic_C_T01",
"Schematic:SID_Pistol_AutoHeavy_Founders_SR_Ore_T01",
"Schematic:SID_Pistol_AutoHeavy_R_Ore_T01",
"Schematic:SID_Pistol_AutoHeavy_Founders_R_Ore_T01",
"Schematic:SID_Pistol_Auto_VR_Ore_T01",
"Schematic:SID_Pistol_Auto_SR_Ore_T01",
"Schematic:SID_Pistol_Auto_UC_Ore_T01",
"Schematic:SID_Pistol_Auto_R_Ore_T01",
"Schematic:SID_Pistol_Auto_C_Ore_T01",
"Schematic:SID_Launcher_Rocket_VR_Ore_T01",
"Schematic:SID_Launcher_Rocket_SR_Ore_T01",
"Schematic:SID_Launcher_Rocket_R_Ore_T01",
"Schematic:SID_Launcher_Pumpkin_RPG_SR_Ore_T01",
"Schematic:SID_Launcher_Hydraulic_VR_Ore_T01",
"Schematic:SID_Launcher_Hydraulic_SR_Ore_T01",
"Schematic:SID_Launcher_Grenade_VR_Ore_T01",
"Schematic:SID_Launcher_Grenade_SR_Ore_T01",
"Schematic:SID_Launcher_Grenade_R_Ore_T01",
"Schematic:SID_Assault_Surgical_VR_Ore_T01",
"Schematic:SID_Assault_Surgical_SR_Ore_T01",
"Schematic:SID_Assault_SingleShot_VR_Ore_T01",
"Schematic:SID_Assault_SingleShot_SR_Ore_T01",
"Schematic:SID_Assault_SingleShot_R_Ore_T01",
"Schematic:SID_Assault_SemiAuto_VR_Ore_T01",
"Schematic:SID_Assault_SemiAuto_SR_Ore_T01",
"Schematic:SID_Assault_SemiAuto_Founders_VR_Ore_T01",
"Schematic:SID_Assault_SemiAuto_UC_Ore_T01",
"Schematic:SID_Assault_SemiAuto_R_Ore_T01",
"Schematic:SID_Assault_SemiAuto_C_Ore_T01",
"Schematic:SID_Assault_Raygun_VR_Ore_T01",
"Schematic:SID_Assault_Raygun_SR_Ore_T01",
"Schematic:SID_Assault_Surgical_Drum_Founders_R_Ore_T01",
"Schematic:SID_Assault_LMG_VR_Ore_T01",
"Schematic:SID_Assault_LMG_SR_Ore_T01",
"Schematic:SID_Assault_LMG_R_Ore_T01",
"Schematic:SID_Assault_LMG_Drum_Founders_VR_Ore_T01",
"Schematic:SID_Assault_LMG_Drum_Founders_SR_Ore_T01",
"Schematic:SID_Assault_Hydra_SR_Ore_T01",
"Schematic:SID_Assault_Doubleshot_VR_Ore_T01",
"Schematic:SID_Assault_Doubleshot_SR_Ore_T01",
"Schematic:SID_Assault_Burst_VR_Ore_T01",
"Schematic:SID_Assault_Burst_SR_Ore_T01",
"Schematic:SID_Assault_Burst_UC_Ore_T01",
"Schematic:SID_Assault_Burst_R_Ore_T01",
"Schematic:SID_Assault_Burst_C_Ore_T01",
"Schematic:SID_Assault_Auto_VR_Ore_T01",
"Schematic:SID_Assault_Auto_SR_Ore_T01",
"Schematic:SID_Assault_Auto_Halloween_SR_Ore_T01",
"Schematic:SID_Assault_Auto_Founders_SR_Ore_T01",
"Schematic:SID_Assault_Auto_UC_Ore_T01",
"Schematic:SID_Assault_Auto_R_Ore_T01",
"Schematic:SID_Assault_Auto_C_Ore_T01",
"Schematic:SID_Piercing_Spear_Military_VR_Ore_T01",
"Schematic:SID_Piercing_Spear_Military_SR_Ore_T01",
"Schematic:SID_Piercing_Spear_Military_R_Ore_T01",
"Schematic:SID_Piercing_Spear_C_Ore_T01",
"Schematic:SID_Piercing_Spear_Laser_VR_Ore_T01",
"Schematic:SID_Piercing_Spear_Laser_SR_Ore_T01",
"Schematic:SID_Piercing_Spear_VR_Ore_T01",
"Schematic:SID_Piercing_Spear_SR_Ore_T01",
"Schematic:SID_Piercing_Spear_UC_Ore_T01",
"Schematic:SID_Piercing_Spear_R_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_C_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_Laser_VR_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_Laser_SR_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_Laser_Founders_VR_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_Laser_Founders_SR_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_Laser_Founders_R_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_VR_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_SR_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_UC_Ore_T01",
"Schematic:SID_Edged_Sword_Medium_R_Ore_T01",
"Schematic:SID_Edged_Sword_Light_VR_Ore_T01",
"Schematic:SID_Edged_Sword_Light_UC_Ore_T01",
"Schematic:SID_Edged_Sword_Light_SR_Ore_T01",
"Schematic:SID_Edged_Sword_Light_R_Ore_T01",
"Schematic:SID_Edged_Sword_Light_Founders_VR_Ore_T01",
"Schematic:SID_Edged_Sword_Light_C_Ore_T01",
"Schematic:SID_Edged_Sword_Hydraulic_VR_Ore_T01",
"Schematic:SID_Edged_Sword_Hydraulic_SR_Ore_T01",
"Schematic:SID_Edged_Sword_Heavy_VR_Ore_T01",
"Schematic:SID_Edged_Sword_Heavy_SR_Ore_T01",
"Schematic:SID_Edged_Sword_Heavy_R_Ore_T01",
"Schematic:SID_Edged_Sword_Heavy_Founders_VR_Ore_T01",
"Schematic:SID_Edged_Sword_Heavy_UC_Ore_T01",
"Schematic:SID_Edged_Sword_Heavy_C_Ore_T01",
"Schematic:SID_Edged_Scythe_C_Ore_T01",
"Schematic:SID_Edged_Scythe_Laser_VR_Ore_T01",
"Schematic:SID_Edged_Scythe_Laser_SR_Ore_T01",
"Schematic:SID_Edged_Scythe_VR_Ore_T01",
"Schematic:SID_Edged_Scythe_SR_Ore_T01",
"Schematic:SID_Edged_Scythe_UC_Ore_T01",
"Schematic:SID_Edged_Scythe_R_Ore_T01",
"Schematic:SID_Edged_Axe_Medium_C_Ore_T01",
"Schematic:SID_Edged_Axe_Medium_Laser_VR_Ore_T01",
"Schematic:SID_Edged_Axe_Medium_Laser_SR_Ore_T01",
"Schematic:SID_Edged_Axe_Medium_VR_Ore_T01",
"Schematic:SID_Edged_Axe_Medium_SR_Ore_T01",
"Schematic:SID_Edged_Axe_Medium_Founders_VR_Ore_T01",
"Schematic:SID_Edged_Axe_Medium_UC_Ore_T01",
"Schematic:SID_Edged_Axe_Medium_R_Ore_T01",
"Schematic:SID_Edged_Axe_Light_VR_Ore_T01",
"Schematic:SID_Edged_Axe_Light_SR_Ore_T01",
"Schematic:SID_Edged_Axe_Light_UC_Ore_T01",
"Schematic:SID_Edged_Axe_Light_R_Ore_T01",
"Schematic:SID_Edged_Axe_Light_C_Ore_T01",
"Schematic:SID_Edged_Axe_Heavy_C_Ore_T01",
"Schematic:SID_Edged_Axe_Heavy_VR_Ore_T01",
"Schematic:SID_Edged_Axe_Heavy_SR_Ore_T01",
"Schematic:SID_Edged_Axe_Heavy_UC_Ore_T01",
"Schematic:SID_Edged_Axe_Heavy_R_Ore_T01",
"Schematic:SID_Blunt_Medium_C_Ore_T01",
"Schematic:SID_Blunt_Medium_VR_Ore_T01",
"Schematic:SID_Blunt_Medium_SR_Ore_T01",
"Schematic:SID_Blunt_Medium_UC_Ore_T01",
"Schematic:SID_Blunt_Medium_R_Ore_T01",
"Schematic:SID_Blunt_Light_VR_Ore_T01",
"Schematic:SID_Blunt_Light_SR_Ore_T01",
"Schematic:SID_Blunt_Tool_Light_UC_Ore_T01",
"Schematic:SID_Blunt_Tool_Light_R_Ore_T01",
"Schematic:SID_Blunt_Hammer_Rocket_VR_Ore_T01",
"Schematic:SID_Blunt_Hammer_Rocket_SR_Ore_T01",
"Schematic:SID_Blunt_Hammer_Heavy_C_Ore_T01",
"Schematic:SID_Blunt_Hammer_Heavy_VR_Ore_T01",
"Schematic:SID_Blunt_Hammer_Heavy_SR_Ore_T01",
"Schematic:SID_Blunt_Hammer_Heavy_Founders_VR_Ore_T01",
"Schematic:SID_Blunt_Hammer_Heavy_UC_Ore_T01",
"Schematic:SID_Blunt_Hammer_Heavy_R_Ore_T01",
"Schematic:SID_Blunt_Light_Rocketbat_VR_Ore_T01",
"Schematic:SID_Blunt_Light_Rocketbat_SR_Ore_T01",
"Schematic:SID_Blunt_Light_C_Ore_T01",
"Schematic:SID_Blunt_Light_Bat_UC_Ore_T01",
"Schematic:SID_Blunt_Light_Bat_R_Ore_T01",
"Schematic:SID_Blunt_Club_Light_VR_Ore_T01",
"Schematic:SID_Blunt_Club_Light_SR_Ore_T01",
"Schematic:SID_Blunt_Light_UC_Ore_T01",
"Schematic:SID_Blunt_Light_R_Ore_T01",
"Schematic:SID_Blunt_Heavy_Paddle_UC_Ore_T01",
"Schematic:SID_Blunt_Heavy_Paddle_R_Ore_T01",
"Schematic:SID_Blunt_Heavy_Paddle_C_Ore_T01"
]

View File

@@ -0,0 +1,7 @@
[
"lawin",
"ti93",
"pro100katyt",
"playeereq",
"matteoki"
]

View File

@@ -0,0 +1,56 @@
{
"Season2": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
},
"Season3": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
},
"Season4": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
},
"Season5": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
},
"Season6": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
},
"Season7": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
},
"Season8": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
},
"Season9": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
},
"Season10": {
"battlePassPurchased": false,
"battlePassTier": 1,
"battlePassXPBoost": 0,
"battlePassXPFriendBoost": 0
}
}

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,123 @@
{
"FortCreativeDiscoverySurface": {
"meta": {
"promotion": 1
},
"assets": {
"CreativeDiscoverySurface_Frontend": {
"meta": {
"revision": 1,
"headRevision": 1,
"revisedAt": "2022-04-11T16:34:03.517Z",
"promotion": 1,
"promotedAt": "2022-04-11T16:34:49.510Z"
},
"assetData": {
"AnalyticsId": "t412",
"TestCohorts": [
{
"AnalyticsId": "c522715413",
"CohortSelector": "PlayerDeterministic",
"PlatformBlacklist": [],
"ContentPanels": [
{
"NumPages": 1,
"AnalyticsId": "p536",
"PanelType": "AnalyticsList",
"AnalyticsListName": "ByEpicWoven",
"CuratedListOfLinkCodes": [],
"ModelName": "",
"PageSize": 7,
"PlatformBlacklist": [],
"PanelName": "ByEpicWoven",
"MetricInterval": "",
"SkippedEntriesCount": 0,
"SkippedEntriesPercent": 0,
"SplicedEntries": [],
"PlatformWhitelist": [],
"EntrySkippingMethod": "None",
"PanelDisplayName": {
"Category": "Game",
"NativeCulture": "",
"Namespace": "CreativeDiscoverySurface_Frontend",
"LocalizedStrings": [
{
"key": "ar",
"value": "العب بأسلوبك"
},
{
"key": "de",
"value": "Spiele auf deine Weise"
},
{
"key": "en",
"value": "Play Your Way"
},
{
"key": "es",
"value": "Juega como quieras"
},
{
"key": "fr",
"value": "Jouez à votre façon"
},
{
"key": "it",
"value": "Gioca a modo tuo"
},
{
"key": "ja",
"value": "好きにプレイしよう"
},
{
"key": "ko",
"value": "나만의 플레이"
},
{
"key": "pl",
"value": "Graj po swojemu"
},
{
"key": "ru",
"value": "Играйте как нравится"
},
{
"key": "tr",
"value": "İstediğin Gibi Oyna"
},
{
"key": "pt-BR",
"value": "Jogue do Seu Jeito"
},
{
"key": "es-419",
"value": "Juega a tu manera"
}
],
"bIsMinimalPatch": false,
"NativeString": "Play Your Way",
"Key": "ByEpicWoven"
},
"PlayHistoryType": "RecentlyPlayed",
"bLowestToHighest": false,
"PanelLinkCodeBlacklist": [],
"PanelLinkCodeWhitelist": [],
"FeatureTags": [],
"MetricName": ""
}
],
"PlatformWhitelist": [],
"SelectionChance": 0.1,
"TestName": "LawinServer"
}
],
"GlobalLinkCodeBlacklist": [],
"SurfaceName": "CreativeDiscoverySurface_Frontend",
"TestName": "20.10_4/11/2022_hero_combat_popularConsole",
"primaryAssetId": "FortCreativeDiscoverySurface:CreativeDiscoverySurface_Frontend",
"GlobalLinkCodeWhitelist": []
}
}
}
}
}

View File

@@ -0,0 +1,208 @@
{
"Panels": [
{
"PanelName": "ByEpicWoven",
"Pages": [
{
"results": [
{
"linkData": {
"namespace": "fn",
"mnemonic": "playlist_defaultsolo",
"linkType": "BR:Playlist",
"active": true,
"disabled": false,
"version": 95,
"moderationStatus": "Unmoderated",
"accountId": "epic",
"creatorName": "Epic",
"descriptionTags": [],
"metadata": {
"image_url": "https://cdn2.unrealengine.com/solo-1920x1080-1920x1080-bc0a5455ce20.jpg",
"matchmaking": {
"override_playlist": "playlist_defaultsolo"
}
}
},
"lastVisited": null,
"linkCode": "playlist_defaultsolo",
"isFavorite": false
},
{
"linkData": {
"namespace": "fn",
"mnemonic": "playlist_defaultduo",
"linkType": "BR:Playlist",
"active": true,
"disabled": false,
"version": 95,
"moderationStatus": "Unmoderated",
"accountId": "epic",
"creatorName": "Epic",
"descriptionTags": [],
"metadata": {
"image_url": "https://cdn2.unrealengine.com/duos-1920x1080-1920x1080-5a411fe07b21.jpg",
"matchmaking": {
"override_playlist": "playlist_defaultduo"
}
}
},
"lastVisited": null,
"linkCode": "playlist_defaultduo",
"isFavorite": false
},
{
"linkData": {
"namespace": "fn",
"mnemonic": "playlist_trios",
"linkType": "BR:Playlist",
"active": true,
"disabled": false,
"version": 95,
"moderationStatus": "Unmoderated",
"accountId": "epic",
"creatorName": "Epic",
"descriptionTags": [],
"metadata": {
"image_url": "https://cdn2.unrealengine.com/trios-1920x1080-1920x1080-d5054bb9691a.jpg",
"matchmaking": {
"override_playlist": "playlist_trios"
}
}
},
"lastVisited": null,
"linkCode": "playlist_trios",
"isFavorite": false
},
{
"linkData": {
"namespace": "fn",
"mnemonic": "playlist_defaultsquad",
"linkType": "BR:Playlist",
"active": true,
"disabled": false,
"version": 95,
"moderationStatus": "Unmoderated",
"accountId": "epic",
"creatorName": "Epic",
"descriptionTags": [],
"metadata": {
"image_url": "https://cdn2.unrealengine.com/squads-1920x1080-1920x1080-095c0732502e.jpg",
"matchmaking": {
"override_playlist": "playlist_defaultsquad"
}
}
},
"lastVisited": null,
"linkCode": "playlist_defaultsquad",
"isFavorite": false
},
{
"linkData": {
"namespace": "fn",
"mnemonic": "campaign",
"linkType": "SubGame",
"active": true,
"disabled": false,
"version": 5,
"moderationStatus": "Unmoderated",
"accountId": "epic",
"creatorName": "Epic",
"descriptionTags": [
"pve"
],
"metadata": {
"ownership_token": "Token:campaignaccess",
"image_url": "https://static-assets-prod.s3.amazonaws.com/fn/static/creative/Fortnite_STW.jpg",
"alt_introduction": {
"de": "Dränge die anstürmenden Monsterhorden zurück und erforsche eine weitläufige, zerstörbare Welt. Baue riesige Festungen, stelle Waffen her, finde Beute und steige im Level auf!",
"ru": "Сдерживайте боем полчища монстров и исследуйте обширный разрушаемый мир. Отстраивайте огромные форты, создавайте оружие, находите добычу и повышайте уровень.",
"ko": "몬스터 호드에 맞서 싸우고, 광활하고 파괴적인 세상을 탐험해 보세요. 거대한 요새를 짓고, 무기를 제작하고, 전리품을 찾으면서 레벨을 올리세요! ",
"pt-BR": "Lute para conter hordas de monstros e explorar um vasto mundo destrutível. Construa fortes enormes, crie armas, encontre saques e suba de nível.",
"it": "Lotta per respingere orde di mostri ed esplorare un vasto mondo distruttibile. Costruisci fortezze, crea armi, raccogli bottino e sali di livello.",
"fr": "Repoussez des hordes de monstres et explorez un immense terrain destructible. Bâtissez des forts énormes, fabriquez des armes, dénichez du butin et montez en niveau.",
"zh-CN": "",
"es": "Lucha para contener las hordas de monstruos y recorre un mundo inmenso y destructible. Construye fuertes enormes, fabrica armas exóticas, busca botín y sube de nivel.",
"es-MX": "Lucha para contener las hordas de monstruos y explora un mundo vasto y destructible. Construye fuertes enormes, fabrica armas, encuentra botín y sube de nivel.",
"zh": "",
"ar": "قاتل لكبح جماح الوحوش واستكشاف عالم شاسع قابل للتدمير. ابنِ حصونًا ضخمة واصنع الأسلحة واعثر على الغنائم وارتقِ بالمستوى.",
"zh-Hant": "",
"ja": "モンスターの群れを食い止め、壊すこともできる広大な世界を探索しよう。巨大な要塞を築き、武器をクラフトし、戦利品を見つてレベルアップしよう。",
"pl": "Walcz, by powstrzymać hordy potworów i odkrywaj wielki świat podlegający destrukcji. Buduj olbrzymie forty, twórz broń, zbieraj łupy, awansuj. PRO100Kąt pozdrawia wszystkich Polaków.",
"es-419": "Lucha para contener las hordas de monstruos y explora un mundo vasto y destructible. Construye fuertes enormes, fabrica armas, encuentra botín y sube de nivel.",
"tr": "Canavar sürüsünü geri püskürtmek için savaş ve yıkılabilir geniş bir dünyayı keşfet. Devasa kaleler inşa et, silahlar üret, ganimetleri topla ve seviye atla."
},
"locale": "en",
"title": "Save The World",
"matchmaking": {
"joinInProgressType": "JoinImmediately",
"playersPerTeam": 4,
"maximumNumberOfPlayers": 4,
"override_Playlist": "",
"playerCount": 4,
"mmsType": "keep_full",
"mmsPrivacy": "Public",
"numberOfTeams": 1,
"bAllowJoinInProgress": true,
"minimumNumberOfPlayers": 1,
"joinInProgressTeam": 1
},
"alt_title": {
"de": "Rette die Welt",
"ru": "Сражение с Бурей",
"ko": "세이브 더 월드",
"pt-BR": "Salve o Mundo",
"it": "Salva il mondo",
"fr": "Sauver le monde",
"zh-CN": "",
"es": "Salvar el mundo",
"es-MX": "Salva el mundo",
"zh": "",
"ar": "أنقِذ العالم",
"zh-Hant": "",
"ja": "世界を救え",
"pl": "Ratowanie Świata",
"es-419": "Salva el mundo",
"tr": "Dünyayı Kurtar"
},
"alt_tagline": {
"de": "Dränge die anstürmenden Monsterhorden zurück und erforsche eine weitläufige, zerstörbare Welt. Baue riesige Festungen, stelle Waffen her, finde Beute und steige im Level auf!",
"ru": "Сдерживайте боем полчища монстров и исследуйте обширный разрушаемый мир. Отстраивайте огромные форты, создавайте оружие, находите добычу и повышайте уровень.",
"ko": "몬스터 호드에 맞서 싸우고, 광활하고 파괴적인 세상을 탐험해 보세요. 거대한 요새를 짓고, 무기를 제작하고, 전리품을 찾으면서 레벨을 올리세요! ",
"pt-BR": "Lute para conter hordas de monstros e explorar um vasto mundo destrutível. Construa fortes enormes, crie armas, encontre saques e suba de nível.",
"it": "Lotta per respingere orde di mostri ed esplorare un vasto mondo distruttibile. Costruisci fortezze, crea armi, raccogli bottino e sali di livello.",
"fr": "Repoussez des hordes de monstres et explorez un immense terrain destructible. Bâtissez des forts énormes, fabriquez des armes, dénichez du butin et montez en niveau.",
"zh-CN": "",
"es": "Lucha para contener las hordas de monstruos y recorre un mundo inmenso y destructible. Construye fuertes enormes, fabrica armas exóticas, busca botín y sube de nivel.",
"es-MX": "Lucha para contener las hordas de monstruos y explora un mundo vasto y destructible. Construye fuertes enormes, fabrica armas, encuentra botín y sube de nivel.",
"zh": "",
"ar": "قاتل لكبح جماح الوحوش واستكشاف عالم شاسع قابل للتدمير. ابنِ حصونًا ضخمة واصنع الأسلحة واعثر على الغنائم وارتقِ بالمستوى.",
"zh-Hant": "",
"ja": "モンスターの群れを食い止め、壊すこともできる広大な世界を探索しよう。巨大な要塞を築き、武器をクラフトし、戦利品を見つけてレベルアップしよう。",
"pl": "Walcz, by powstrzymać hordy potworów i odkrywaj wielki świat podlegający destrukcji. Buduj olbrzymie forty, twórz broń, zbieraj łupy, awansuj. PRO100Kąt pozdrawia wszystkich Polaków.",
"es-419": "Lucha para contener las hordas de monstruos y explora un mundo vasto y destructible. Construye fuertes enormes, fabrica armas, encuentra botín y sube de nivel.",
"tr": "Canavar sürüsünü geri püskürtmek için savaş ve yıkılabilir geniş bir dünyayı keşfet. Devasa kaleler inşa et, silahlar üret, ganimetleri topla ve seviye atla."
},
"tagline": "Battle to hold back the monster hordes and explore a vast, destructible world. Build huge forts, craft weapons, find loot and level up.",
"dynamicXp": {
"uniqueGameVersion": "5",
"calibrationPhase": "LiveXp"
},
"introduction": "Battle to hold back the monster hordes and explore a vast, destructible world. Build huge forts, craft weapons, find loot and level up."
}
},
"lastVisited": null,
"linkCode": "campaign",
"isFavorite": false
}
],
"hasMore": false
}
]
}
],
"TestCohorts": [
"LawinServer"
],
"ModeSets": {}
}

View File

@@ -0,0 +1 @@
[]

View File

@@ -0,0 +1,10 @@
{
"friends": [],
"incoming": [],
"outgoing": [],
"suggested": [],
"blocklist": [],
"settings": {
"acceptInvites": "public"
}
}

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,67 @@
{
"contentType": "collection",
"contentId": "motd-default-collection",
"tcId": "634e8e85-e2fc-4c68-bb10-93604cf6605f",
"contentItems": [
{
"contentType": "content-item",
"contentId": "46874c56-0973-4cbe-ac98-b580c5b36df5",
"tcId": "61fb3dd8-f23d-45cc-9058-058ab223ba5c",
"contentFields": {
"body": {
"ar": "استمتع بتجربة لعب استثنائية!",
"en": "Have a phenomenal gaming experience!",
"de": "Wünsche allen ein wunderbares Spielerlebnis!",
"es": "¡Que disfrutes de tu experiencia de videojuegos!",
"es-419": "¡Ten una experiencia de juego espectacular!",
"fr": "Un bon jeu à toutes et à tous !",
"it": "Ti auguriamo un'esperienza di gioco fenomenale!",
"ja": "驚きの体験をしよう!",
"ko": "게임에서 환상적인 경험을 해보세요!",
"pl": "Życzymy fenomenalnej gry!",
"pt-BR": "Tenha uma experiência de jogo fenomenal!",
"ru": "Желаю невероятно приятной игры!",
"tr": "Muhteşem bir oyun deneyimi yaşamanı dileriz!"
},
"entryType": "Website",
"image": [
{
"width": 1920,
"height": 1080,
"url": "https://fortnite-public-service-prod11.ol.epicgames.com/images/motd.png"
}
],
"tabTitleOverride": "LawinServer",
"tileImage": [
{
"width": 1024,
"height": 512,
"url": "https://fortnite-public-service-prod11.ol.epicgames.com/images/motd-s.png"
}
],
"title": {
"ar": "مرحبًا بك في LawinServer!",
"en": "Welcome to LawinServer!",
"de": "Willkommen bei LawinServer!",
"es": "¡Bienvenidos a LawinServer!",
"es-419": "¡Bienvenidos a LawinServer!",
"fr": "Bienvenue sur LawinServer !",
"it": "Benvenuto in LawinServer!",
"ja": "LawinServerへようこそ",
"ko": "LawinServer에 오신 것을 환영합니다!",
"pl": "Witaj w LawinServerze!",
"pt-BR": "Bem-vindo ao LawinServer!",
"ru": "Добро пожаловать в LawinServer!",
"tr": "LavinServer'a Hoş Geldiniz!"
},
"videoAutoplay": false,
"videoLoop": false,
"videoMute": false,
"videoStreamingEnabled": false,
"websiteButtonText": "Discord",
"websiteURL": "https://discord.gg/KJ8UaHZ"
},
"contentSchemaName": "MotdWebsiteNewsWithVideo"
}
]
}

View File

@@ -0,0 +1,4 @@
{
"accountId": "",
"optOutOfPublicLeaderboards": false
}

121549
dependencies/lawin/dist/responses/quests.json vendored Normal file

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,658 @@
{
"client": {
"RateLimiter.InventoryClient": {
"MessageCount": 100,
"TimeIntervalInSeconds": 60.0
},
"BaseService": {
"HttpRetryLimit": 4,
"HttpRetryResponseCodes": [
429,
503,
504
]
},
"RateLimiter.AuthClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.PresenceClient.Operations": {
"MessageCount": 3,
"TimeIntervalInSeconds": 20.0,
"Operation": [
"SendUpdate",
"SetPresence"
]
},
"RateLimiter.ReceiptValidatorClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.LeaderboardsClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.MetricsClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.StatsClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.SDKConfigClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"RequestUpdate"
]
},
"RateLimiter.TitleStorageClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.EcomClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.DataStorageClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"GetAccessLinks",
"QueryFile",
"QueryFileList",
"CopyFile",
"DeleteFile",
"ReadFile",
"WriteFile",
"DownloadFileRedirected",
"UploadFileRedirected"
]
},
"LeaderboardsClient": {
"MaxUserScoresQueryUserIds": 100,
"MaxUserScoresQueryStats": 25
},
"RateLimiter.CustomInvitesClient.Operations": {
"MessageCount": 50,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"SendCustomInvite"
]
},
"HTTP": {
"HttpReceiveTimeout": 30,
"bEnableHttp": true,
"HttpTimeout": 30,
"HttpConnectionTimeout": 60,
"HttpSendTimeout": 30,
"MaxFlushTimeSeconds": 2.0
},
"RateLimiter.FriendClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryFriends",
"SendFriendInvite",
"DeleteFriend"
]
},
"RateLimiter.RTCAdminClient": {
"MessageCount": 50,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.UserInfoClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"/Script/Engine.NetworkSettings": {
"n.VerifyPeer": false
},
"WebSockets.LibWebSockets": {
"ThreadStackSize": 131072,
"ThreadTargetFrameTimeInSeconds": 0.0333,
"ThreadMinimumSleepTimeInSeconds": 0.0
},
"StatsClient": {
"MaxQueryStatsStatNamesStrLength": 1900
},
"RateLimiter.MetricsClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"RegisterPlayerBackendSession"
]
},
"RateLimiter.DataStorageClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"SanitizerClient": {
"ReplaceChar": "*",
"RequestLimit": 10
},
"RateLimiter.ModsClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"InstallMod",
"UninstallMod",
"UpdateMod",
"EnumerateMods"
]
},
"RateLimiter.ReportsClient.Operations": {
"MessageCount": 100,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"SendPlayerBehaviorReport"
]
},
"RateLimiter.RTCAdminClient.Operations": {
"MessageCount": 50,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryJoinRoomToken",
"Kick",
"SetParticipantHardMute"
]
},
"RateLimiter.FriendClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.AchievementsClient": {
"MessageCount": 100,
"TimeIntervalInSeconds": 60.0
},
"LogFiles": {
"PurgeLogsDays": 5,
"MaxLogFilesOnDisk": 5,
"LogTimes": "SinceStart"
},
"RateLimiter": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.AntiCheatClient": {
"MessageCount": 120,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.ProgressionSnapshot": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"SessionsClient": {
"HeartbeatIntervalSecs": 30
},
"RateLimiter.UserInfoClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryLocalUserInfo",
"QueryUserInfo",
"QueryUserInfoByDisplayName",
"QueryUserInfoByExternalAccount"
]
},
"LobbyClient": {
"InitialResendDelayMs": 100,
"MaxConnectionRetries": 3,
"LobbySocketURL": "wss://api.epicgames.dev/lobby/v1/`deploymentId/lobbies/connect",
"NumConsecutiveFailuresAllowed": 5,
"MaxResendDelayMs": 2000,
"WebSocketConnectTaskMaxNetworkWaitSeconds": 15.0,
"RecoveryWaitTimeSecs": 2,
"InitialRetryDelaySeconds": 5,
"MaxSendRetries": 3,
"SentMessageTimeout": 5,
"HeartbeatIntervalSecs": 30,
"MaxRetryIntervalSeconds": 15
},
"RateLimiter.SanctionsClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryActivePlayerSanctions"
]
},
"UIClient.SocialURLQueryParamNames": {
"OSName": "os_name",
"ProductId": "product_id",
"SDKCLNumber": "sdk_cl_number",
"DeploymentId": "deployment_id",
"IntegratedPlatformName": "integrated_platform_name",
"SDKVersion": "sdk_version",
"OSVersion": "os_version",
"UserId": "user_id",
"ExchangeCode": "exchange_code"
},
"RateLimiter.LobbyClient.ThrottledOperations": {
"MessageCount": 30,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"CreateLobby",
"DestroyLobby",
"JoinLobby",
"LeaveLobby",
"HeartbeatLobby",
"UpdateLobby",
"PromoteMember",
"KickLobbyMember",
"SendLobbyInvite",
"RejectLobbyInvite",
"QueryInvites",
"FindLobby",
"RefreshRTCToken",
"HardMuteMember"
]
},
"RateLimiter.SessionsClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.KWSClient": {
"MessageCount": 20,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.PresenceClient": {
"MessageCount": 60,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.KWSClient.Operations": {
"MessageCount": 20,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"CreateUser",
"UpdateParentEmail",
"QueryAgeGate",
"QueryPermissions",
"RequestPermissions"
]
},
"RateLimiter.InventoryClient.Operations": {
"MessageCount": 100,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"Open",
"Close"
]
},
"RateLimiter.LeaderboardsClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryLeaderboardDefinitions",
"QueryLeaderboardRanks",
"QueryLeaderboardUserScores"
]
},
"RateLimiter.SanctionsClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"Messaging.EpicConnect": {
"FailedConnectionDelayMultiplier": 2.5,
"ServerHeartbeatIntervalMilliseconds": 0,
"FailedConnectionDelayMaxSeconds": 180,
"ClientHeartbeatIntervalMilliseconds": 30000,
"FailedConnectionDelayIntervalSeconds": 5,
"Url": "wss://connect.epicgames.dev"
},
"MetricsClient": {
"HttpRetryLimit": 2
},
"RateLimiter.TitleStorageClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryFile",
"QueryFileList",
"ReadFile"
]
},
"RateLimiter.AchievementsClient.Operations": {
"MessageCount": 100,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryDefinitions",
"QueryPlayerAchievements",
"UnlockAchievements"
]
},
"Messaging.Stomp": {
"ClientHeartbeatIntervalMs": 30000,
"RequestedServerHeartbeatIntervalMs": 30000,
"Url": "wss://api.epicgames.dev/notifications/v1/`deploymentid`/connect",
"BlocklistMessageTypeFilters": [
"lobbyinvite"
]
},
"TitleStorageClient": {
"AccessLinkDurationSeconds": 300,
"UnusedCachedFileDaysToLive": 7,
"ClearInvalidFileCacheFrequencyDays": 2,
"MaxSimultaneousReads": 10
},
"ConnectClient": {
"MaxProductUserIdMappingsQueryUserIds": 128,
"MinProductUserIdMappingsUpdateTimeInSeconds": 900.0
},
"RateLimiter.LobbyClient.Operations": {
"MessageCount": 100,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"GetByLobbyId",
"UpdateLobby"
]
},
"RateLimiter.AntiCheatClient.Operations": {
"MessageCount": 120,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryServiceStatus",
"SendClientMessage"
]
},
"EcomClient": {
"PurchaseUrl": "https://launcher-website-prod07.ol.epicgames.com/purchase",
"PurchaseCookieName": "EPIC_BEARER_TOKEN",
"PurchaseEpicIdUrl": "https://www.epicgames.com/ecom/payment/v1/purchase"
},
"RateLimiter.SessionsClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"UpdateSession",
"JoinSession",
"StartSession",
"EndSession",
"RegisterPlayers",
"SendInvite",
"RejectInvite",
"QueryInvites",
"FindSession",
"DestroySession"
]
},
"RateLimiter.StatsClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"IngestStat",
"QueryStats"
]
},
"RateLimiter.ReceiptValidatorClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"VerifyPurchase"
]
},
"DataStorageClient": {
"AccessLinkDurationSeconds": 300,
"MaxSimultaneousReads": 10,
"MaxSimultaneousWrites": 10
},
"RateLimiter.AuthClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"VerifyAuth",
"DeletePersistentAuth",
"GenerateClientAuth",
"LinkAccount",
"QueryIdToken",
"VerifyIdToken"
]
},
"P2PClient": {
"IceServers": [
"stun:stun.l.google.com:19302",
"stun:turn.rtcp.on.epicgames.com:3478",
"turn:turn.rtcp.on.epicgames.com:3478"
],
"P2PMinPort": 7777,
"P2PMaxPort": 7876
},
"RateLimiter.LobbyClient": {
"MessageCount": 30,
"TimeIntervalInSeconds": 60.0
},
"SDKAnalytics": {
"BaseUrl": "https://api.epicgames.dev/telemetry/data/",
"DevPhase": 2,
"AppEnvironment": "Production",
"UploadType": "sdkevents"
},
"RateLimiter.ConnectClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"AntiCheat.GameplayData": {
"Url": "wss://api.epicgames.dev/cerberus-edge/v1/"
},
"AuthClient": {
"AccountPortalURLLocaleSuffix": "lang=`code",
"PollInterval": 5,
"RefreshTokenThreshold": 100.0,
"VPCRegisterURL": "https://epicgames.com/id/register/quick/minor/await?code=`challenge_id&display=embedded",
"AuthorizeContinuationEndpoint": "https://epicgames.com/id/login?continuation=`continuation&prompt=skip_merge%20skip_upgrade",
"AuthorizeCodeEndpoint": "https://epicgames.com/id/authorize?client_id=`client_id&response_type=code&scope=`scope&redirect_uri=`redirect_uri&display=popup&prompt=login",
"AuthorizeContinuationEmbeddedEndpoint": "https://epicgames.com/id/embedded/login?continuation=`continuation&prompt=skip_merge%20skip_upgrade",
"VerifyTokenInterval": 60.0,
"PollExpiresIn": 300,
"IdTokenCacheMinExpirySeconds": 300,
"AuthorizeEndpoint": "https://epicgames.com/id/authorize?exchange_code=`exchange_code&scope=`scope&prompt=skip_merge%20skip_upgrade",
"AccountPortalScheme": "eos.`client_id://epic/auth",
"bOfflineAccountToken": true
},
"RateLimiter.ProgressionSnapshot.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"SubmitSnapshot",
"DeleteSnapshot"
]
},
"XMPP": {
"bEnabled": true,
"bEnableWebsockets": true,
"ThreadStackSize": 131072
},
"RateLimiter.AntiCheatServer.Operations": {
"MessageCount": 100000,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryServiceStatus",
"SendClientMessage"
]
},
"Core.Log": {
"LogEOS": "verbose",
"LogEOSMessaging": "verbose",
"LogEOSConnect": "verbose",
"LogEOSAuth": "verbose",
"LogHttpSerialization": "verbose",
"LogCore": "verbose",
"LogHttp": "warning",
"LogStomp": "verbose",
"LogXmpp": "verbose",
"LogEOSSessions": "verbose"
},
"UIClient": {
"FriendsURL": "https://epic-social-game-overlay-prod.ol.epicgames.com/index.html",
"SocialSPAClientId": "cf27c69fe66441e8a8a4e8faf396ee4c",
"VPCURLLocaleSuffix": "&lang=`code",
"FriendsURLExchangeCodeSuffix": "?exchange_code=`exchange_code",
"VPCURL": "https://epicgames.com/id/overlay/quick/minor/verify?code=`challenge_id"
},
"RateLimiter.AntiCheatServer": {
"MessageCount": 100000,
"TimeIntervalInSeconds": 60.0
},
"Messaging.XMPP": {
"ReconnectionDelayJitter": 1.5,
"PingTimeout": 30,
"ReconnectionDelayBase": 4.0,
"ServerPort": 443,
"bPrivateChatFriendsOnly": true,
"ReconnectionDelayMax": 300.0,
"Domain": "prod.ol.epicgames.com",
"ReconnectionDelayBackoffExponent": 2.0,
"ServerAddr": "wss://xmpp-service-prod.ol.epicgames.com",
"PingInterval": 60
},
"RateLimiter.SDKConfigClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.EcomClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"QueryOwnership",
"QueryOwnershipToken",
"QueryEntitlement",
"QueryOffer",
"RedeemEntitlements",
"Checkout"
]
},
"PresenceClient": {
"EpicConnectNotificationWaitTime": 5.0,
"PresenceQueryTimeoutSeconds": 60.0,
"bSetOfflineOnLogoutEnabled": true,
"PresenceAutoUpdateInSeconds": 600.0,
"bSetOfflineOnShutdownEnabled": true
},
"RateLimiter.CustomInvitesClient": {
"MessageCount": 50,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.ModsClient": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0
},
"RateLimiter.ConnectClient.Operations": {
"MessageCount": 300,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"LoginAccount",
"CreateAccount",
"LinkAccount",
"UnlinkAccount",
"CreateDeviceId",
"DeleteDeviceId",
"TransferDeviceIdAccount",
"QueryExternalAccountMappings",
"QueryProductUserIdMappings",
"VerifyIdToken"
]
},
"RateLimiter.AuthClient.SensitiveOperations": {
"MessageCount": 12,
"TimeIntervalInSeconds": 60.0,
"Operation": [
"GenerateUserAuth"
]
},
"RateLimiter.ReportsClient": {
"MessageCount": 100,
"TimeIntervalInSeconds": 60.0
}
},
"services": {
"RTCService": {
"BaseUrl": "https://api.epicgames.dev/rtc"
},
"DataStorageService": {
"BaseUrl": "https://api.epicgames.dev/datastorage"
},
"AccountsEpicIdService": {
"BaseUrl": "https://api.epicgames.dev"
},
"MetricsService": {
"BaseUrl": "https://api.epicgames.dev/datarouter"
},
"EcommerceService": {
"BaseUrl": "https://ecommerceintegration-public-service-ecomprod02.ol.epicgames.com/ecommerceintegration"
},
"KWSService": {
"BaseUrl": "https://api.epicgames.dev/kws"
},
"AntiCheatService": {
"BaseUrl": "https://api.epicgames.dev/anticheat"
},
"LobbyService": {
"BaseUrl": "https://api.epicgames.dev/lobby"
},
"StatsAchievementsService": {
"BaseUrl": "https://api.epicgames.dev/stats"
},
"PriceEngineService": {
"BaseUrl": "https://priceengine-public-service-ecomprod01.ol.epicgames.com/priceengine"
},
"AccountsService": {
"BaseUrl": "https://egp-idsoc-proxy-prod.ol.epicgames.com/account",
"RedirectUrl": "accounts.epicgames.com"
},
"EcommerceEpicIdService": {
"BaseUrl": "https://api.epicgames.dev/epic/ecom"
},
"PaymentEpicIdService": {
"BaseUrl": "https://api.epicgames.dev/epic/payment"
},
"SanctionsService": {
"BaseUrl": "https://api.epicgames.dev/sanctions"
},
"FriendService": {
"BaseUrl": "https://egp-idsoc-proxy-prod.ol.epicgames.com/friends"
},
"ReceiptValidatorService": {
"BaseUrl": "https://api.epicgames.dev/receipt-validator"
},
"FriendEpicIdService": {
"BaseUrl": "https://api.epicgames.dev/epic/friends"
},
"CatalogService": {
"BaseUrl": "https://catalog-public-service-prod06.ol.epicgames.com/catalog"
},
"EOSAuthService": {
"BaseUrl": "https://api.epicgames.dev"
},
"SessionsService": {
"BaseUrl": "https://api.epicgames.dev/matchmaking"
},
"ModsService": {
"BaseUrl": "https://api.epicgames.dev/mods"
},
"ReportsService": {
"BaseUrl": "https://api.epicgames.dev/player-reports"
},
"ProgressionSnapshotService": {
"BaseUrl": "https://api.epicgames.dev/snapshots"
},
"CustomInvitesService": {
"BaseUrl": "https://api.epicgames.dev/notifications"
},
"PresenceService": {
"BaseUrl": "https://api.epicgames.dev/epic/presence"
},
"TitleStorageService": {
"BaseUrl": "https://api.epicgames.dev/titlestorage"
},
"StatsIngestService": {
"BaseUrl": "https://api.epicgames.dev/ingestion/stats"
},
"LeaderboardsService": {
"BaseUrl": "https://api.epicgames.dev/leaderboards"
},
"InventoryService": {
"BaseUrl": "https://api.epicgames.dev/inventory"
}
},
"watermark": -934553538
}

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,52 @@
{
"author": "List made by PRO100KatYT",
"Season11": {
"ERG.Node.A.1": ["AthenaCharacter:cid_645_athena_commando_f_wolly"],
"ERG.Node.B.1": ["AthenaGlider:glider_id_188_galileorocket_g7oki"],
"ERG.Node.C.1": ["AthenaBackpack:bid_430_galileospeedboat_9rxe3"],
"ERG.Node.D.1": ["AthenaCharacter:cid_643_athena_commando_m_ornamentsoldier"],
"ERG.Node.A.2": ["AthenaPickaxe:pickaxe_id_329_gingerbreadcookie1h"],
"ERG.Node.A.3": ["AthenaPickaxe:pickaxe_id_332_mintminer"],
"ERG.Node.A.4": ["AthenaDance:eid_snowglobe"],
"ERG.Node.A.5": ["AthenaGlider:glider_id_191_pinetree"],
"ERG.Node.A.6": ["AthenaItemWrap:wrap_188_wrappingpaper"],
"ERG.Node.A.7": ["AthenaItemWrap:wrap_183_newyear2020"],
"ERG.Node.A.8": ["AthenaSkyDiveContrail:trails_id_082_holidaygarland"],
"ERG.Node.A.9": ["AthenaMusicPack:musicpack_040_xmaschiptunes"],
"ERG.Node.A.10": ["AthenaLoadingScreen:lsid_208_smpattern"],
"ERG.Node.A.11": ["AthenaLoadingScreen:lsid_209_akcrackshot"]
},
"Season19": {
"ERG.Node.A.1": ["Token:14daysoffortnite_small_giftbox"],
"ERG.Node.B.1": ["AthenaDance:emoji_s19_animwinterfest2021"],
"ERG.Node.C.1": ["AthenaGlider:glider_id_335_logarithm_40qgl"],
"ERG.Node.D.1": ["AthenaCharacter:cid_a_323_athena_commando_m_bananawinter"],
"ERG.Node.A.2": ["HomebaseBannerIcon:brs19_winterfest2021"],
"ERG.Node.A.3": ["AthenaSkyDiveContrail:trails_id_137_turtleneckcrystal"],
"ERG.Node.A.4": ["AthenaItemWrap:wrap_429_holidaysweater"],
"ERG.Node.A.5": ["AthenaLoadingScreen:lsid_393_winterfest2021"],
"ERG.Node.A.6": ["AthenaMusicPack:musicpack_117_winterfest2021"],
"ERG.Node.A.7": ["AthenaDance:eid_epicyarn"],
"ERG.Node.A.8": ["AthenaCharacter:cid_a_310_athena_commando_F_scholarfestive"],
"ERG.Node.A.9": ["AthenaPickaxe:pickaxe_id_731_scholarfestivefemale1h"],
"ERG.Node.A.10": ["AthenaItemWrap:wrap_430_winterlights"],
"ERG.Node.A.11": ["AthenaDance:spid_346_winterfest_2021"],
"ERG.Node.A.12": ["AthenaPickaxe:pickaxe_ID_732_shovelmale"]
},
"Season23": {
"ERG.Node.A.1": ["AthenaCharacter:character_sportsfashion_winter"],
"ERG.Node.B.1": ["AthenaCharacter:character_cometdeer"],
"ERG.Node.A.2": ["AthenaGlider:glider_default_jolly"],
"ERG.Node.A.3": ["AthenaDance:eid_dashing"],
"ERG.Node.A.4": ["AthenaDance:spray_guffholidaytree_winterfest2022", "AthenaDance:spray_winterreindeer_winterfest2022", "AthenaDance:spray_defacedsnowman_winterfest2022"],
"ERG.Node.A.5": ["AthenaDance:emoji_s23_winterfest_2022"],
"ERG.Node.A.6": ["AthenaMusicPack:musicpack_164_redpepper_winterfest"],
"ERG.Node.A.7": ["AthenaItemWrap:wrap_winter_pal"],
"ERG.Node.A.8": ["AthenaPickaxe:pickaxe_jollytroll"],
"ERG.Node.A.9": ["AthenaGlider:glider_jollytroll"],
"ERG.Node.A.10": ["AthenaBackpack:backpack_jollytroll"],
"ERG.Node.A.11": ["AthenaMusicPack:musicpack_163_winterfest_2022", "AthenaMusicPack:musicpack_157_radish_nightnight"],
"ERG.Node.A.12": ["AthenaItemWrap:wrap_cometwinter"],
"ERG.Node.A.13": ["AthenaSkyDiveContrail:contrail_jollytroll"]
}
}

File diff suppressed because it is too large Load Diff

BIN
dependencies/lawin/dist/server.zip vendored Normal file

Binary file not shown.

65
dependencies/lawin/index.js vendored Normal file
View File

@@ -0,0 +1,65 @@
const Express = require("express");
const express = Express();
const fs = require("fs");
const path = require("path");
const cookieParser = require("cookie-parser");
express.use(Express.json());
express.use(Express.urlencoded({ extended: true }));
express.use(Express.static('public'));
express.use(cookieParser());
express.use(require("./structure/party.js"));
express.use(require("./structure/discovery.js"))
express.use(require("./structure/privacy.js"));
express.use(require("./structure/timeline.js"));
express.use(require("./structure/user.js"));
express.use(require("./structure/contentpages.js"));
express.use(require("./structure/friends.js"));
express.use(require("./structure/main.js"));
express.use(require("./structure/storefront.js"));
express.use(require("./structure/version.js"));
express.use(require("./structure/lightswitch.js"));
express.use(require("./structure/affiliate.js"));
express.use(require("./structure/matchmaking.js"));
express.use(require("./structure/cloudstorage.js"));
express.use(require("./structure/mcp.js"));
const port = process.env.PORT || 3551;
express.listen(port, () => {
console.log("LawinServer started listening on port", port);
require("./structure/xmpp.js");
}).on("error", (err) => {
if (err.code == "EADDRINUSE") console.log(`\x1b[31mERROR\x1b[0m: Port ${port} is already in use!`);
else throw err;
process.exit(0);
});
try {
if (!fs.existsSync(path.join(process.env.LOCALAPPDATA, "LawinServer"))) fs.mkdirSync(path.join(process.env.LOCALAPPDATA, "LawinServer"));
} catch (err) {
// fallback
if (!fs.existsSync(path.join(__dirname, "ClientSettings"))) fs.mkdirSync(path.join(__dirname, "ClientSettings"));
}
// if endpoint not found, return this error
express.use((req, res, next) => {
var XEpicErrorName = "errors.com.lawinserver.common.not_found";
var XEpicErrorCode = 1004;
res.set({
'X-Epic-Error-Name': XEpicErrorName,
'X-Epic-Error-Code': XEpicErrorCode
});
res.status(404);
res.json({
"errorCode": XEpicErrorName,
"errorMessage": "Sorry the resource you were trying to find could not be found",
"numericErrorCode": XEpicErrorCode,
"originatingService": "any",
"intent": "prod"
});
});

View File

@@ -0,0 +1,2 @@
npm i
pause

3728
dependencies/lawin/package-lock.json generated vendored Normal file

File diff suppressed because it is too large Load Diff

48
dependencies/lawin/package.json vendored Normal file
View File

@@ -0,0 +1,48 @@
{
"name": "lawinserver",
"version": "1.0.0",
"bin": "./index.js",
"description": "A fortnite backend which supports both BR and STW for every single fortnite build.",
"main": "index.js",
"dependencies": {
"cookie-parser": "^1.4.6",
"express": "^4.17.2",
"ini": "^2.0.0",
"path": "^0.12.7",
"pkg": "^5.8.0",
"uuid": "^8.3.2",
"ws": "^8.5.0",
"xml-parser": "^1.2.1",
"xmlbuilder": "^15.1.1"
},
"scripts": {
"start": "node index.js",
"test": "echo \"Error: no test specified\" && exit 1"
},
"repository": {
"type": "git",
"url": "git+https://github.com/Lawin0129/LawinServer.git"
},
"keywords": [
"fortnite",
"backend",
"node",
"server"
],
"pkg": {
"assets": [
"./CloudStorage/**/*",
"./Config/**/*",
"./profiles/**/*",
"./public/**/*",
"./responses/**/*"
],
"outputPath": "dist"
},
"author": "Lawin0129",
"license": "GPL-3.0",
"bugs": {
"url": "https://github.com/Lawin0129/LawinServer/issues"
},
"homepage": "https://github.com/Lawin0129/LawinServer#readme"
}

108361
dependencies/lawin/profiles/athena.json vendored Normal file

File diff suppressed because it is too large Load Diff

63511
dependencies/lawin/profiles/campaign.json vendored Normal file

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,178 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "collection_book_people0",
"version": "no_version",
"items": {
"CollectionBookPage:pageHeroes_Commando": {
"templateId": "CollectionBookPage:pageHeroes_Commando",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageHeroes_Constructor": {
"templateId": "CollectionBookPage:pageHeroes_Constructor",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageHeroes_Ninja": {
"templateId": "CollectionBookPage:pageHeroes_Ninja",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageHeroes_Outlander": {
"templateId": "CollectionBookPage:pageHeroes_Outlander",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pagePeople_Defenders": {
"templateId": "CollectionBookPage:pagePeople_Defenders",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pagePeople_Survivors": {
"templateId": "CollectionBookPage:pagePeople_Survivors",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pagePeople_Leads": {
"templateId": "CollectionBookPage:pagePeople_Leads",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pagePeople_UniqueLeads": {
"templateId": "CollectionBookPage:pagePeople_UniqueLeads",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Winter2017_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_Winter2017_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Halloween2017_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_Halloween2017_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Halloween2017_Workers": {
"templateId": "CollectionBookPage:PageSpecial_Halloween2017_Workers",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_ChineseNewYear2018_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_ChineseNewYear2018_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_SpringItOn2018_People": {
"templateId": "CollectionBookPage:PageSpecial_SpringItOn2018_People",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Blockbuster2018_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_Blockbuster2018_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_ShadowOps_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_ShadowOps_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RoadTrip2018_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_RoadTrip2018_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_WildWest_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_WildWest_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZone_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_StormZone_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Scavenger_Heroes": {
"templateId": "CollectionBookPage:PageSpecial_Scavenger_Heroes",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
}
},
"stats": {
"attributes": {
"inventory_limit_bonus": 0
}
},
"commandRevision": 0
}

View File

@@ -0,0 +1,458 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "collection_book_schematics0",
"version": "no_version",
"items": {
"CollectionBookPage:pageMelee_Axes_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Axes_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Axes_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Axes_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Clubs_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Clubs_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Clubs_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Clubs_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Scythes_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Scythes_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Scythes_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Scythes_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Spears_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Spears_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Spears_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Spears_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Swords_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Swords_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Swords_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Swords_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Tools_Weapons": {
"templateId": "CollectionBookPage:pageMelee_Tools_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageMelee_Tools_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageMelee_Tools_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Assault_Weapons": {
"templateId": "CollectionBookPage:pageRanged_Assault_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Assault_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageRanged_Assault_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Shotgun_Weapons": {
"templateId": "CollectionBookPage:pageRanged_Shotgun_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Shotgun_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageRanged_Shotgun_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:page_Ranged_Pistols_Weapons": {
"templateId": "CollectionBookPage:page_Ranged_Pistols_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:page_Ranged_Pistols_Weapons_Crystal": {
"templateId": "CollectionBookPage:page_Ranged_Pistols_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Snipers_Weapons": {
"templateId": "CollectionBookPage:pageRanged_Snipers_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Snipers_Weapons_Crystal": {
"templateId": "CollectionBookPage:pageRanged_Snipers_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageRanged_Explosive_Weapons": {
"templateId": "CollectionBookPage:pageRanged_Explosive_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageTraps_Wall": {
"templateId": "CollectionBookPage:pageTraps_Wall",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageTraps_Ceiling": {
"templateId": "CollectionBookPage:pageTraps_Ceiling",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:pageTraps_Floor": {
"templateId": "CollectionBookPage:pageTraps_Floor",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_Medieval": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_Medieval",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_Medieval_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_Medieval_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_Medieval": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_Medieval",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_Medieval_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_Medieval_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Winter2017_Weapons": {
"templateId": "CollectionBookPage:PageSpecial_Winter2017_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Winter2017_Weapons_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Winter2017_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RatRod_Weapons": {
"templateId": "CollectionBookPage:PageSpecial_RatRod_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RatRod_Weapons_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_RatRod_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_Winter2017": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_Winter2017",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_Winter2017_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_Winter2017_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_Winter2017": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_Winter2017",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_Winter2017_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_Winter2017_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_ChineseNewYear2018": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_ChineseNewYear2018",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Crystal_ChineseNewYear2018": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Crystal_ChineseNewYear2018",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Ranged": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Ranged",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Melee": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Melee",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Ranged_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Ranged_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_StormZoneCyber_Melee_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_StormZoneCyber_Melee_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Blockbuster2018_Ranged": {
"templateId": "CollectionBookPage:PageSpecial_Blockbuster2018_Ranged",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Blockbuster2018_Ranged_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Blockbuster2018_Ranged_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RoadTrip2018_Weapons": {
"templateId": "CollectionBookPage:PageSpecial_RoadTrip2018_Weapons",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_RoadTrip2018_Weapons_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_RoadTrip2018_Weapons_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_StormZone2": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_StormZone2",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Ranged_StormZone2_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Ranged_StormZone2_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_StormZone2": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_StormZone2",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Weapons_Melee_StormZone2_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Weapons_Melee_StormZone2_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Hydraulic": {
"templateId": "CollectionBookPage:PageSpecial_Hydraulic",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Hydraulic_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Hydraulic_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Scavenger": {
"templateId": "CollectionBookPage:PageSpecial_Scavenger",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:PageSpecial_Scavenger_Crystal": {
"templateId": "CollectionBookPage:PageSpecial_Scavenger_Crystal",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
},
"CollectionBookPage:test_TestPage": {
"templateId": "CollectionBookPage:test_TestPage",
"attributes": {
"sectionStates": [],
"state": "Active"
},
"quantity": 1
}
},
"stats": {
"attributes": {
"inventory_limit_bonus": 0
}
},
"commandRevision": 0
}

View File

@@ -0,0 +1,15 @@
{
"_id": "LawinServer",
"created": "0001-01-01T00:00:00.000Z",
"updated": "0001-01-01T00:00:00.000Z",
"rvn": 0,
"wipeNumber": 1,
"accountId": "LawinServer",
"profileId": "collections",
"version": "no_version",
"items": {},
"stats": {
"attributes": {}
},
"commandRevision": 0
}

File diff suppressed because it is too large Load Diff

Some files were not shown because too many files have changed in this diff Show More