Merge branch 'origin/master' into 'modulesUpd1'

This commit is contained in:
zaxar163 2019-01-12 13:38:02 +04:00
commit fc7c6d46b6
39 changed files with 457 additions and 40 deletions

42
GITCONVENTION.md Normal file
View file

@ -0,0 +1,42 @@
# GravitLauncher GitConvention #
Цель конвенции — внедрить простые, прозрачные и эффективные правила работы с Git.
Разработка GravitLauncher идёт на базе [Git Flow](https://leanpub.com/git-flow/read). Подробности ниже.
## Ветвление ##
| Название ветки | Значение ветки | Исходная ветка | Пример ветки |
| ------------- | ------------- | ------------- | ------------- |
| **master** | Полностью готовая для production-а | **release** | |
| **develop** | Разработка нового функционала | **master** | |
| **release** | Тестирование всего нового функционала | **develop** | |
| | | | |
| **bugfix-*** | Исправляет баг нового функционала | **release** | *bugfix-auth* |
| **feature-*** | Добавляет новую возможность | **develop** | *feature-auth* |
| **hotfix-*** | Вносит срочное исправление для production-а | **master** | *hotfix-auth* |
-----
![Image of GitFlow](https://i.ytimg.com/vi/w2r0oLFtXAw/maxresdefault.jpg)
-----
## Коммиты ##
**Основные правила:**
1. Все коммиты должны быть на русском языке.
2. Запрещено использовать прошедшее время.
3. Обязательно должен быть использован префикс.
4. В конце не должно быть лишнего знака препинания.
5. Длина любой части не должна превышать 100 символов.
**Структура:**
```
[Префикс] <Сообщение>
```
| Префикс | Значение | Пример |
| ------- | -------- | ------ |
| **[FIX]** | Всё, что касается исправления багов | [FIX] Баг с неудачной авторизацией |
| **[DOCS]** | Всё, что касается документации | [DOCS] Документирование API авторизации |
| **[FEATURE]** | Всё, что касается новых возможностей | [FEATURE] 2FA при авторизации |
| **[STYLE]** | Всё, что касается опечаток и форматирования | [STYLE] Опечатки в модуле авторизации |
| **[REFACTOR]** | Всё, что касается рефакторинга | [REFACTOR] Переход на EDA в модуле авторизации |
| **[TEST]** | Всё, что касается тестирования | [TEST] Покрытие модуля авторизации тестами |
| **[ANY]** | Всё, что не подходит к предыдущему. | [ANY] Подключение Travis CI |

View file

@ -139,6 +139,7 @@ public static final class Config {
public boolean enabledProGuard; public boolean enabledProGuard;
public boolean stripLineNumbers; public boolean stripLineNumbers;
public boolean deleteTempFiles; public boolean deleteTempFiles;
public boolean enableRcon;
public String startScript; public String startScript;
@ -189,6 +190,14 @@ public void verify() {
{ {
throw new NullPointerException("TextureProvider must not be null"); throw new NullPointerException("TextureProvider must not be null");
} }
if(permissionsHandler == null)
{
throw new NullPointerException("PermissionsHandler must not be null");
}
if(env == null)
{
throw new NullPointerException("Env must not be null");
}
} }
} }

View file

@ -8,6 +8,7 @@
import java.util.UUID; import java.util.UUID;
import ru.gravit.launchserver.auth.MySQLSourceConfig; import ru.gravit.launchserver.auth.MySQLSourceConfig;
import ru.gravit.utils.helper.LogHelper;
public final class MySQLAuthHandler extends CachedAuthHandler { public final class MySQLAuthHandler extends CachedAuthHandler {
private MySQLSourceConfig mySQLHolder; private MySQLSourceConfig mySQLHolder;
@ -25,6 +26,13 @@ public final class MySQLAuthHandler extends CachedAuthHandler {
@Override @Override
public void init() public void init()
{ {
//Verify
if(mySQLHolder == null) LogHelper.error("[Verify][AuthHandler] mySQLHolder cannot be null");
if(uuidColumn == null) LogHelper.error("[Verify][AuthHandler] uuidColumn cannot be null");
if(usernameColumn == null) LogHelper.error("[Verify][AuthHandler] usernameColumn cannot be null");
if(accessTokenColumn == null) LogHelper.error("[Verify][AuthHandler] accessTokenColumn cannot be null");
if(serverIDColumn == null) LogHelper.error("[Verify][AuthHandler] serverIDColumn cannot be null");
if(table == null) LogHelper.error("[Verify][AuthHandler] table cannot be null");
// Prepare SQL queries // Prepare SQL queries
queryByUUIDSQL = String.format("SELECT %s, %s, %s, %s FROM %s WHERE %s=? LIMIT 1", queryByUUIDSQL = String.format("SELECT %s, %s, %s, %s FROM %s WHERE %s=? LIMIT 1",
uuidColumn, usernameColumn, accessTokenColumn, serverIDColumn, table, uuidColumn); uuidColumn, usernameColumn, accessTokenColumn, serverIDColumn, table, uuidColumn);

View file

@ -9,6 +9,7 @@
import ru.gravit.launchserver.auth.AuthException; import ru.gravit.launchserver.auth.AuthException;
import ru.gravit.launchserver.auth.MySQLSourceConfig; import ru.gravit.launchserver.auth.MySQLSourceConfig;
import ru.gravit.utils.helper.CommonHelper; import ru.gravit.utils.helper.CommonHelper;
import ru.gravit.utils.helper.LogHelper;
import ru.gravit.utils.helper.SecurityHelper; import ru.gravit.utils.helper.SecurityHelper;
public final class MySQLAuthProvider extends AuthProvider { public final class MySQLAuthProvider extends AuthProvider {
@ -18,6 +19,13 @@ public final class MySQLAuthProvider extends AuthProvider {
private String[] queryParams; private String[] queryParams;
private boolean usePermission; private boolean usePermission;
@Override
public void init() {
if(query == null) LogHelper.error("[Verify][AuthProvider] query cannot be null");
if(message == null) LogHelper.error("[Verify][AuthProvider] message cannot be null");
if(mySQLHolder == null) LogHelper.error("[Verify][AuthProvider] mySQLHolder cannot be null");
}
@Override @Override
public AuthProviderResult auth(String login, String password, String ip) throws SQLException, AuthException { public AuthProviderResult auth(String login, String password, String ip) throws SQLException, AuthException {
Connection c = mySQLHolder.getConnection(); Connection c = mySQLHolder.getConnection();

View file

@ -8,6 +8,7 @@
import ru.gravit.launcher.ClientPermissions; import ru.gravit.launcher.ClientPermissions;
import ru.gravit.utils.helper.CommonHelper; import ru.gravit.utils.helper.CommonHelper;
import ru.gravit.utils.helper.IOHelper; import ru.gravit.utils.helper.IOHelper;
import ru.gravit.utils.helper.LogHelper;
import ru.gravit.utils.helper.SecurityHelper; import ru.gravit.utils.helper.SecurityHelper;
public final class RequestAuthProvider extends AuthProvider { public final class RequestAuthProvider extends AuthProvider {
@ -19,6 +20,8 @@ public final class RequestAuthProvider extends AuthProvider {
@Override @Override
public void init() public void init()
{ {
if(url == null) LogHelper.error("[Verify][AuthProvider] url cannot be null");
if(response == null) LogHelper.error("[Verify][AuthProvider] response cannot be null");
pattern = Pattern.compile(response); pattern = Pattern.compile(response);
} }

View file

@ -44,13 +44,7 @@
import ru.gravit.launchserver.command.hash.UnindexAssetCommand; import ru.gravit.launchserver.command.hash.UnindexAssetCommand;
import ru.gravit.launchserver.command.modules.LoadModuleCommand; import ru.gravit.launchserver.command.modules.LoadModuleCommand;
import ru.gravit.launchserver.command.modules.ModulesCommand; import ru.gravit.launchserver.command.modules.ModulesCommand;
import ru.gravit.launchserver.command.service.ConfigCommand; import ru.gravit.launchserver.command.service.*;
import ru.gravit.launchserver.command.service.ConfigHelpCommand;
import ru.gravit.launchserver.command.service.ConfigListCommand;
import ru.gravit.launchserver.command.service.ReloadAllCommand;
import ru.gravit.launchserver.command.service.ReloadCommand;
import ru.gravit.launchserver.command.service.ReloadListCommand;
import ru.gravit.launchserver.command.service.SwapAuthProviderCommand;
import ru.gravit.utils.helper.LogHelper; import ru.gravit.utils.helper.LogHelper;
import ru.gravit.utils.helper.VerifyHelper; import ru.gravit.utils.helper.VerifyHelper;
@ -153,6 +147,7 @@ protected CommandHandler(LaunchServer server) {
registerCommand("configHelp", new ConfigHelpCommand(server)); registerCommand("configHelp", new ConfigHelpCommand(server));
registerCommand("configList", new ConfigListCommand(server)); registerCommand("configList", new ConfigListCommand(server));
registerCommand("swapAuthProvider", new SwapAuthProviderCommand(server)); registerCommand("swapAuthProvider", new SwapAuthProviderCommand(server));
registerCommand("serverStatus", new ServerStatusCommand(server));
} }

View file

@ -0,0 +1,41 @@
package ru.gravit.launchserver.command.service;
import ru.gravit.launchserver.LaunchServer;
import ru.gravit.launchserver.auth.handler.CachedAuthHandler;
import ru.gravit.launchserver.command.Command;
import ru.gravit.utils.helper.JVMHelper;
import ru.gravit.utils.helper.LogHelper;
public class ServerStatusCommand extends Command {
public ServerStatusCommand(LaunchServer server) {
super(server);
}
@Override
public String getArgsDescription() {
return null;
}
@Override
public String getUsageDescription() {
return "Check server status";
}
@Override
public void invoke(String... args) throws Exception {
LogHelper.info("Show server status");
LogHelper.info("Memory: free %d | total: %d | max: %d", JVMHelper.RUNTIME.freeMemory(), JVMHelper.RUNTIME.totalMemory(),JVMHelper.RUNTIME.maxMemory());
long uptime = JVMHelper.RUNTIME_MXBEAN.getUptime() / 1000;
long second = uptime % 60;
long min = (uptime / 60) % 60;
long hour = (uptime / 60 / 60) % 24;
long days = (uptime / 60 / 60 / 24);
LogHelper.info("Uptime: %d days %d hours %d minutes %d seconds",days,hour,min,second);
LogHelper.info("Uptime (double): %f", (double)JVMHelper.RUNTIME_MXBEAN.getUptime() / 1000);
LogHelper.info("Sessions: %d | Modules: %d | Commands: %d",server.sessionManager.getSessions().size(), server.modulesManager.modules.size(), server.commandHandler.commandsMap().size());
if(server.config.authHandler instanceof CachedAuthHandler)
{
LogHelper.info("AuthHandler: EntryCache: %d | usernameCache: %d",((CachedAuthHandler) server.config.authHandler).getEntryCache().size(),((CachedAuthHandler) server.config.authHandler).getUsernamesCache().size());
}
}
}

View file

@ -3,17 +3,20 @@
import java.net.URL; import java.net.URL;
import java.util.ArrayList; import java.util.ArrayList;
import ru.gravit.launcher.modules.SimpleModuleManager; import ru.gravit.launcher.managers.ModulesConfigManager;
import ru.gravit.launcher.managers.SimpleModuleManager;
import ru.gravit.launchserver.LaunchServer; import ru.gravit.launchserver.LaunchServer;
import ru.gravit.launchserver.modules.CoreModule; import ru.gravit.launchserver.modules.CoreModule;
import ru.gravit.launchserver.modules.LaunchServerModuleContext; import ru.gravit.launchserver.modules.LaunchServerModuleContext;
import ru.gravit.utils.PublicURLClassLoader; import ru.gravit.utils.PublicURLClassLoader;
public class ModulesManager extends SimpleModuleManager { public class ModulesManager extends SimpleModuleManager {
public ModulesConfigManager configManager;
public ModulesManager(LaunchServer lsrv) { public ModulesManager(LaunchServer lsrv) {
modules = new ArrayList<>(1); modules = new ArrayList<>(1);
configManager = new ModulesConfigManager(lsrv.dir.resolve("config"));
classloader = new PublicURLClassLoader(new URL[0], ClassLoader.getSystemClassLoader()); classloader = new PublicURLClassLoader(new URL[0], ClassLoader.getSystemClassLoader());
context = new LaunchServerModuleContext(lsrv, classloader); context = new LaunchServerModuleContext(lsrv, classloader, configManager);
registerCoreModule(); registerCoreModule();
} }

View file

@ -1,6 +1,8 @@
package ru.gravit.launchserver.modules; package ru.gravit.launchserver.modules;
import ru.gravit.launcher.managers.ModulesConfigManager;
import ru.gravit.launcher.modules.ModuleContext; import ru.gravit.launcher.modules.ModuleContext;
import ru.gravit.launcher.modules.ModulesConfigManagerInterface;
import ru.gravit.launcher.modules.ModulesManagerInterface; import ru.gravit.launcher.modules.ModulesManagerInterface;
import ru.gravit.launchserver.LaunchServer; import ru.gravit.launchserver.LaunchServer;
import ru.gravit.utils.PublicURLClassLoader; import ru.gravit.utils.PublicURLClassLoader;
@ -8,10 +10,12 @@
public class LaunchServerModuleContext implements ModuleContext { public class LaunchServerModuleContext implements ModuleContext {
public final LaunchServer launchServer; public final LaunchServer launchServer;
public final PublicURLClassLoader classloader; public final PublicURLClassLoader classloader;
public final ModulesConfigManager modulesConfigManager;
public LaunchServerModuleContext(LaunchServer server, PublicURLClassLoader classloader) { public LaunchServerModuleContext(LaunchServer server, PublicURLClassLoader classloader, ModulesConfigManager modulesConfigManager) {
launchServer = server; launchServer = server;
this.classloader = classloader; this.classloader = classloader;
this.modulesConfigManager = modulesConfigManager;
} }
@Override @Override
@ -23,4 +27,9 @@ public Type getType() {
public ModulesManagerInterface getModulesManager() { public ModulesManagerInterface getModulesManager() {
return launchServer.modulesManager; return launchServer.modulesManager;
} }
@Override
public ModulesConfigManagerInterface getModulesConfigManager() {
return modulesConfigManager;
}
} }

View file

@ -9,6 +9,7 @@
import ru.gravit.launcher.serialize.HInput; import ru.gravit.launcher.serialize.HInput;
import ru.gravit.launcher.serialize.HOutput; import ru.gravit.launcher.serialize.HOutput;
import ru.gravit.launchserver.LaunchServer; import ru.gravit.launchserver.LaunchServer;
import ru.gravit.launchserver.response.admin.ExecCommandResponse;
import ru.gravit.launchserver.response.auth.AuthResponse; import ru.gravit.launchserver.response.auth.AuthResponse;
import ru.gravit.launchserver.response.auth.AuthServerResponse; import ru.gravit.launchserver.response.auth.AuthServerResponse;
import ru.gravit.launchserver.response.auth.ChangeServerResponse; import ru.gravit.launchserver.response.auth.ChangeServerResponse;
@ -60,6 +61,7 @@ public static void registerResponses() {
registerResponse(RequestType.SERVERAUTH.getNumber(), AuthServerResponse::new); registerResponse(RequestType.SERVERAUTH.getNumber(), AuthServerResponse::new);
registerResponse(RequestType.SETPROFILE.getNumber(), SetProfileResponse::new); registerResponse(RequestType.SETPROFILE.getNumber(), SetProfileResponse::new);
registerResponse(RequestType.CHANGESERVER.getNumber(), ChangeServerResponse::new); registerResponse(RequestType.CHANGESERVER.getNumber(), ChangeServerResponse::new);
registerResponse(RequestType.EXECCOMMAND.getNumber(), ExecCommandResponse::new);
} }

View file

@ -0,0 +1,42 @@
package ru.gravit.launchserver.response.admin;
import ru.gravit.launcher.serialize.HInput;
import ru.gravit.launcher.serialize.HOutput;
import ru.gravit.launcher.serialize.SerializeLimits;
import ru.gravit.launchserver.LaunchServer;
import ru.gravit.launchserver.response.Response;
import ru.gravit.launchserver.socket.Client;
import ru.gravit.utils.helper.LogHelper;
import java.io.IOException;
public class ExecCommandResponse extends Response {
public ExecCommandResponse(LaunchServer server, long session, HInput input, HOutput output, String ip) {
super(server, session, input, output, ip);
}
@Override
public void reply() throws Exception {
Client clientData = server.sessionManager.getClient(session);
if(!clientData.isAuth || !clientData.permissions.canAdmin || !server.config.enableRcon) requestError("Access denied");
writeNoError(output);
String cmd = input.readString(SerializeLimits.MAX_COMMAND);
LogHelper.Output loutput = message -> {
try {
output.writeBoolean(true);
output.writeString(message, SerializeLimits.MAX_COMMAND);
} catch (IOException e) {
LogHelper.error(e);
}
};
LogHelper.addOutput(loutput);
try
{
server.commandHandler.eval(cmd,false);
output.writeBoolean(false);
} finally {
LogHelper.removeOutput(loutput);
}
writeNoError(output);
}
}

View file

@ -1,8 +1,8 @@
{ {
"port": 7240, "port": 7240,
"address": "127.0.0.1", "address": "xx.xx",
"bindAddress": "0.0.0.0", "bindAddress": "0.0.0.0",
"projectName": "Test", "projectName": "xxxx",
"mirrors": [ "mirrors": [
"http://mirror.gravitlauncher.ml/" "http://mirror.gravitlauncher.ml/"
], ],

View file

@ -3,7 +3,7 @@
"assetIndex": "1.10.2", "assetIndex": "1.10.2",
"assetDir": "asset1.10", "assetDir": "asset1.10",
"dir": "HiTech", "dir": "HiTech",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "xxxxxxxx", "title": "xxxxxxxx",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -38,5 +38,8 @@
"--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker", "--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker",
"--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker" "--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker"
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "1.11.2", "assetIndex": "1.11.2",
"assetDir": "asset1.11", "assetDir": "asset1.11",
"dir": "HiTech", "dir": "HiTech",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "xxxxxxxx", "title": "xxxxxxxx",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -38,5 +38,8 @@
"--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker", "--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker",
"--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker" "--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker"
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "1.12.2", "assetIndex": "1.12.2",
"assetDir": "asset1.12", "assetDir": "asset1.12",
"dir": "HiTech", "dir": "HiTech",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "xxxxxxxx", "title": "xxxxxxxx",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -38,5 +38,8 @@
"--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker", "--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker",
"--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker" "--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker"
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "1.13.1", "assetIndex": "1.13.1",
"assetDir": "asset1.13.1", "assetDir": "asset1.13.1",
"dir": "HiTech", "dir": "HiTech",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "xxxxxxxx", "title": "xxxxxxxx",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -36,5 +36,8 @@
"classPath": ["forge.jar", "liteloader.jar", "minecraft.jar", "libraries"], "classPath": ["forge.jar", "liteloader.jar", "minecraft.jar", "libraries"],
"clientArgs": [ "clientArgs": [
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "1.13", "assetIndex": "1.13",
"assetDir": "asset1.13", "assetDir": "asset1.13",
"dir": "HiTech", "dir": "HiTech",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "xxxxxxxx", "title": "xxxxxxxx",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -36,5 +36,8 @@
"classPath": ["forge.jar", "liteloader.jar", "minecraft.jar", "libraries"], "classPath": ["forge.jar", "liteloader.jar", "minecraft.jar", "libraries"],
"clientArgs": [ "clientArgs": [
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "---", "assetIndex": "---",
"assetDir": "asset1.4.7", "assetDir": "asset1.4.7",
"dir": "xxxxxxx", "dir": "xxxxxxx",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "Test1.4.7", "title": "Test1.4.7",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -31,5 +31,8 @@
], ],
"classPath": ["minecraft.jar", "libraries"], "classPath": ["minecraft.jar", "libraries"],
"clientArgs": [], "clientArgs": [],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "---", "assetIndex": "---",
"assetDir": "asset1.5.2", "assetDir": "asset1.5.2",
"dir": "xxxxxxx", "dir": "xxxxxxx",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "Test1.5.2", "title": "Test1.5.2",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -31,5 +31,8 @@
], ],
"classPath": ["minecraft.jar", "libraries"], "classPath": ["minecraft.jar", "libraries"],
"clientArgs": [], "clientArgs": [],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "---", "assetIndex": "---",
"assetDir": "asset1.6.4", "assetDir": "asset1.6.4",
"dir": "xxxxxxx", "dir": "xxxxxxx",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "Test1.6.4", "title": "Test1.6.4",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -36,5 +36,8 @@
"--tweakClass", "cpw.mods.fml.common.launcher.FMLTweaker", "--tweakClass", "cpw.mods.fml.common.launcher.FMLTweaker",
"--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker" "--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker"
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "1.7.10", "assetIndex": "1.7.10",
"assetDir": "asset1.7.10", "assetDir": "asset1.7.10",
"dir": "xxxxxxx", "dir": "xxxxxxx",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "Test1.7.10", "title": "Test1.7.10",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -34,5 +34,8 @@
"--tweakClass", "cpw.mods.fml.common.launcher.FMLTweaker", "--tweakClass", "cpw.mods.fml.common.launcher.FMLTweaker",
"--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker" "--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker"
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "1.7.2", "assetIndex": "1.7.2",
"assetDir": "asset1.7.2", "assetDir": "asset1.7.2",
"dir": "xxxxxxx", "dir": "xxxxxxx",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "Test1.7.2", "title": "Test1.7.2",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -34,5 +34,8 @@
"--tweakClass", "cpw.mods.fml.common.launcher.FMLTweaker", "--tweakClass", "cpw.mods.fml.common.launcher.FMLTweaker",
"--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker" "--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker"
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "1.8.9", "assetIndex": "1.8.9",
"assetDir": "asset1.8.9", "assetDir": "asset1.8.9",
"dir": "xxxxxxx", "dir": "xxxxxxx",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "Test1.8.9", "title": "Test1.8.9",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -34,5 +34,8 @@
"--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker", "--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker",
"--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker" "--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker"
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -3,7 +3,7 @@
"assetIndex": "1.9.4", "assetIndex": "1.9.4",
"assetDir": "asset1.9.4", "assetDir": "asset1.9.4",
"dir": "xxxxxxx", "dir": "xxxxxxx",
"info": "My Info", "info": "Информация о сервере",
"sortIndex": 0, "sortIndex": 0,
"title": "Test1.9.4", "title": "Test1.9.4",
"serverAddress": "localhost", "serverAddress": "localhost",
@ -34,5 +34,8 @@
"--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker", "--tweakClass", "net.minecraftforge.fml.common.launcher.FMLTweaker",
"--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker" "--tweakClass", "com.mumfrey.liteloader.launch.LiteLoaderTweaker"
], ],
"optionalJVMArgs": [],
"optionalClientArgs": [],
"optionalClassPath": [],
"whitelist": [] "whitelist": []
} }

View file

@ -69,6 +69,10 @@ public static final class Params extends StreamObject {
@LauncherAPI @LauncherAPI
public final Set<ClientProfile.OptionalFile> updateOptional; public final Set<ClientProfile.OptionalFile> updateOptional;
@LauncherAPI @LauncherAPI
public final Set<ClientProfile.OptionalArgs> optionalClientArgs;
@LauncherAPI
public final Set<ClientProfile.OptionalArgs> optionalClassPath;
@LauncherAPI
public final String accessToken; public final String accessToken;
@LauncherAPI @LauncherAPI
public final boolean autoEnter; public final boolean autoEnter;
@ -89,9 +93,19 @@ public Params(byte[] launcherDigest, Path assetDir, Path clientDir, PlayerProfil
boolean autoEnter, boolean fullScreen, int ram, int width, int height) { boolean autoEnter, boolean fullScreen, int ram, int width, int height) {
this.launcherDigest = launcherDigest.clone(); this.launcherDigest = launcherDigest.clone();
this.updateOptional = new HashSet<>(); this.updateOptional = new HashSet<>();
this.optionalClientArgs = new HashSet<>();
this.optionalClassPath = new HashSet<>();
for (ClientProfile.OptionalFile s : Launcher.profile.getOptional()) { for (ClientProfile.OptionalFile s : Launcher.profile.getOptional()) {
if (s.mark) updateOptional.add(s); if (s.mark) updateOptional.add(s);
} }
for(ClientProfile.OptionalArgs s : Launcher.profile.getOptionalClientArgs())
{
if(s.mark) optionalClientArgs.add(s);
}
for(ClientProfile.OptionalArgs s : Launcher.profile.getOptionalClassPath())
{
if(s.mark) optionalClassPath.add(s);
}
// Client paths // Client paths
this.assetDir = assetDir; this.assetDir = assetDir;
this.clientDir = clientDir; this.clientDir = clientDir;
@ -114,9 +128,29 @@ public Params(HInput input) throws Exception {
assetDir = IOHelper.toPath(input.readString(0)); assetDir = IOHelper.toPath(input.readString(0));
clientDir = IOHelper.toPath(input.readString(0)); clientDir = IOHelper.toPath(input.readString(0));
updateOptional = new HashSet<>(); updateOptional = new HashSet<>();
optionalClientArgs = new HashSet<>();
optionalClassPath = new HashSet<>();
int len = input.readLength(128); int len = input.readLength(128);
for (int i = 0; i < len; ++i) { for (int i = 0; i < len; ++i) {
updateOptional.add(new ClientProfile.OptionalFile(input.readString(512), true)); String file = input.readString(512);
boolean mark = input.readBoolean();
updateOptional.add(new ClientProfile.OptionalFile(file, mark));
}
len = input.readLength(256);
for (int i = 0; i < len; ++i) {
int len2 = input.readLength(16);
boolean mark = input.readBoolean();
String[] optArgs = new String[len];
for(int j=0;j<len2;++j) optArgs[j] = input.readString(512);
optionalClientArgs.add(new ClientProfile.OptionalArgs(optArgs, mark));
}
len = input.readLength(256);
for (int i = 0; i < len; ++i) {
int len2 = input.readLength(16);
boolean mark = input.readBoolean();
String[] optArgs = new String[len];
for(int j=0;j<len2;++j) optArgs[j] = input.readString(512);
optionalClassPath.add(new ClientProfile.OptionalArgs(optArgs, mark));
} }
// Client params // Client params
pp = new PlayerProfile(input); pp = new PlayerProfile(input);
@ -140,6 +174,21 @@ public void write(HOutput output) throws IOException {
output.writeLength(updateOptional.size(), 128); output.writeLength(updateOptional.size(), 128);
for (ClientProfile.OptionalFile s : updateOptional) { for (ClientProfile.OptionalFile s : updateOptional) {
output.writeString(s.file, 512); output.writeString(s.file, 512);
output.writeBoolean(s.mark);
}
output.writeLength(optionalClientArgs.size(),256);
for(ClientProfile.OptionalArgs s : optionalClientArgs)
{
output.writeLength(s.args.length,16);
output.writeBoolean(s.mark);
for(String f : s.args) output.writeString(f,512);
}
output.writeLength(optionalClassPath.size(),256);
for(ClientProfile.OptionalArgs s : optionalClassPath)
{
output.writeLength(s.args.length,16);
output.writeBoolean(s.mark);
for(String f : s.args) output.writeString(f,512);
} }
// Client params // Client params
pp.write(output); pp.write(output);
@ -229,7 +278,10 @@ private static void addClientArgs(Collection<String> args, ClientProfile profile
Collections.addAll(args, "--server", profile.getServerAddress()); Collections.addAll(args, "--server", profile.getServerAddress());
Collections.addAll(args, "--port", Integer.toString(profile.getServerPort())); Collections.addAll(args, "--port", Integer.toString(profile.getServerPort()));
} }
for(ClientProfile.OptionalArgs optionalArgs : params.optionalClientArgs)
{
if(optionalArgs.mark) Collections.addAll(args,optionalArgs.args);
}
// Add window size args // Add window size args
if (params.fullScreen) if (params.fullScreen)
Collections.addAll(args, "--fullscreen", Boolean.toString(true)); Collections.addAll(args, "--fullscreen", Boolean.toString(true));
@ -375,6 +427,13 @@ public static Process launch(
// Add classpath and main class // Add classpath and main class
String pathLauncher = IOHelper.getCodeSource(ClientLauncher.class).toString(); String pathLauncher = IOHelper.getCodeSource(ClientLauncher.class).toString();
Collections.addAll(args, profile.getJvmArgs()); Collections.addAll(args, profile.getJvmArgs());
if(profile.getOptionalJVMArgs() != null)
{
for(ClientProfile.OptionalArgs addArgs : profile.getOptionalJVMArgs())
{
if(addArgs.mark) Collections.addAll(args,addArgs.args);
}
}
Collections.addAll(args, "-Djava.library.path=".concat(params.clientDir.resolve(NATIVES_DIR).toString())); // Add Native Path Collections.addAll(args, "-Djava.library.path=".concat(params.clientDir.resolve(NATIVES_DIR).toString())); // Add Native Path
Collections.addAll(args, "-javaagent:".concat(pathLauncher)); Collections.addAll(args, "-javaagent:".concat(pathLauncher));
if (wrapper) if (wrapper)
@ -456,6 +515,15 @@ public static void main(String... args) throws Throwable {
for (Path classpathURL : classPath) { for (Path classpathURL : classPath) {
LauncherAgent.addJVMClassPath(classpathURL.toAbsolutePath().toString()); LauncherAgent.addJVMClassPath(classpathURL.toAbsolutePath().toString());
} }
for(ClientProfile.OptionalArgs optionalArgs : params.optionalClassPath)
{
if(!optionalArgs.mark) continue;
LinkedList<Path> optionalClassPath = resolveClassPathList(params.clientDir, optionalArgs.args);
for (Path classpathURL : optionalClassPath) {
LauncherAgent.addJVMClassPath(classpathURL.toAbsolutePath().toString());
}
}
URL[] classpathurls = resolveClassPath(params.clientDir, profile.getClassPath()); URL[] classpathurls = resolveClassPath(params.clientDir, profile.getClassPath());
classLoader = new PublicURLClassLoader(classpathurls, ClassLoader.getSystemClassLoader()); classLoader = new PublicURLClassLoader(classpathurls, ClassLoader.getSystemClassLoader());
Thread.currentThread().setContextClassLoader(classLoader); Thread.currentThread().setContextClassLoader(classLoader);

View file

@ -3,6 +3,7 @@
import ru.gravit.launcher.Launcher; import ru.gravit.launcher.Launcher;
import ru.gravit.launcher.LauncherEngine; import ru.gravit.launcher.LauncherEngine;
import ru.gravit.launcher.modules.ModuleContext; import ru.gravit.launcher.modules.ModuleContext;
import ru.gravit.launcher.modules.ModulesConfigManagerInterface;
import ru.gravit.launcher.modules.ModulesManagerInterface; import ru.gravit.launcher.modules.ModulesManagerInterface;
public class ClientModuleContext implements ModuleContext { public class ClientModuleContext implements ModuleContext {
@ -21,4 +22,9 @@ public Type getType() {
public ModulesManagerInterface getModulesManager() { public ModulesManagerInterface getModulesManager() {
return Launcher.modulesManager; return Launcher.modulesManager;
} }
@Override
public ModulesConfigManagerInterface getModulesConfigManager() {
return null; // ClientModuleContext не поддерживает modulesConfigManager
}
} }

View file

@ -1,7 +1,7 @@
package ru.gravit.launcher.client; package ru.gravit.launcher.client;
import ru.gravit.launcher.LauncherEngine; import ru.gravit.launcher.LauncherEngine;
import ru.gravit.launcher.modules.SimpleModuleManager; import ru.gravit.launcher.managers.SimpleModuleManager;
import java.net.URL; import java.net.URL;
import java.util.ArrayList; import java.util.ArrayList;

View file

@ -0,0 +1,41 @@
package ru.gravit.launcher.request.admin;
import ru.gravit.launcher.request.Request;
import ru.gravit.launcher.request.RequestType;
import ru.gravit.launcher.serialize.HInput;
import ru.gravit.launcher.serialize.HOutput;
import ru.gravit.launcher.serialize.SerializeLimits;
import ru.gravit.utils.helper.LogHelper;
public class ExecCommandRequest extends Request<Boolean> {
public LogHelper.Output loutput;
public String cmd;
public ExecCommandRequest(LogHelper.Output output, String cmd) {
this.loutput = output;
this.cmd = cmd;
}
@Override
public Integer getType() {
return RequestType.EXECCOMMAND.getNumber();
}
@Override
protected Boolean requestDo(HInput input, HOutput output) throws Exception {
readError(input);
output.writeString(cmd, SerializeLimits.MAX_COMMAND);
boolean isContinue = true;
while (isContinue)
{
isContinue = input.readBoolean();
if(isContinue)
{
String log = input.readString(SerializeLimits.MAX_COMMAND);
if(loutput != null) loutput.println(log);
}
}
readError(input);
return true;
}
}

View file

@ -1,15 +1,19 @@
package ru.gravit.launcher.server; package ru.gravit.launcher.server;
import ru.gravit.launcher.modules.SimpleModuleManager; import ru.gravit.launcher.managers.ModulesConfigManager;
import ru.gravit.launcher.managers.SimpleModuleManager;
import ru.gravit.utils.PublicURLClassLoader; import ru.gravit.utils.PublicURLClassLoader;
import java.net.URL; import java.net.URL;
import java.nio.file.Paths;
import java.util.ArrayList; import java.util.ArrayList;
public class ModulesManager extends SimpleModuleManager { public class ModulesManager extends SimpleModuleManager {
public ModulesConfigManager modulesConfigManager;
public ModulesManager(ServerWrapper wrapper) { public ModulesManager(ServerWrapper wrapper) {
modules = new ArrayList<>(); modules = new ArrayList<>();
modulesConfigManager = new ModulesConfigManager(Paths.get("modules-config"));
classloader = new PublicURLClassLoader(new URL[0], ClassLoader.getSystemClassLoader()); classloader = new PublicURLClassLoader(new URL[0], ClassLoader.getSystemClassLoader());
context = new ServerModuleContext(wrapper, classloader); context = new ServerModuleContext(wrapper, classloader, modulesConfigManager);
} }
} }

View file

@ -1,17 +1,21 @@
package ru.gravit.launcher.server; package ru.gravit.launcher.server;
import ru.gravit.launcher.Launcher; import ru.gravit.launcher.Launcher;
import ru.gravit.launcher.managers.ModulesConfigManager;
import ru.gravit.launcher.modules.ModuleContext; import ru.gravit.launcher.modules.ModuleContext;
import ru.gravit.launcher.modules.ModulesConfigManagerInterface;
import ru.gravit.launcher.modules.ModulesManagerInterface; import ru.gravit.launcher.modules.ModulesManagerInterface;
import ru.gravit.utils.PublicURLClassLoader; import ru.gravit.utils.PublicURLClassLoader;
public class ServerModuleContext implements ModuleContext { public class ServerModuleContext implements ModuleContext {
public final PublicURLClassLoader classLoader; public final PublicURLClassLoader classLoader;
public final ServerWrapper wrapper; public final ServerWrapper wrapper;
public final ModulesConfigManager modulesConfigManager;
public ServerModuleContext(ServerWrapper wrapper, PublicURLClassLoader classLoader) { public ServerModuleContext(ServerWrapper wrapper, PublicURLClassLoader classLoader, ModulesConfigManager modulesConfigManager) {
this.classLoader = classLoader; this.classLoader = classLoader;
this.wrapper = wrapper; this.wrapper = wrapper;
this.modulesConfigManager = modulesConfigManager;
} }
@Override @Override
@ -23,4 +27,9 @@ public Type getType() {
public ModulesManagerInterface getModulesManager() { public ModulesManagerInterface getModulesManager() {
return Launcher.modulesManager; return Launcher.modulesManager;
} }
@Override
public ModulesConfigManagerInterface getModulesConfigManager() {
return modulesConfigManager;
}
} }

View file

@ -9,10 +9,7 @@
import ru.gravit.launcher.request.auth.AuthServerRequest; import ru.gravit.launcher.request.auth.AuthServerRequest;
import ru.gravit.launcher.request.update.ProfilesRequest; import ru.gravit.launcher.request.update.ProfilesRequest;
import ru.gravit.utils.PublicURLClassLoader; import ru.gravit.utils.PublicURLClassLoader;
import ru.gravit.utils.helper.CommonHelper; import ru.gravit.utils.helper.*;
import ru.gravit.utils.helper.IOHelper;
import ru.gravit.utils.helper.LogHelper;
import ru.gravit.utils.helper.SecurityHelper;
import java.io.*; import java.io.*;
import java.lang.invoke.MethodHandle; import java.lang.invoke.MethodHandle;
@ -51,10 +48,14 @@ public static boolean auth(ServerWrapper wrapper) {
break; break;
} }
} }
if(wrapper.profile == null) LogHelper.warning("Your profile not found"); if(wrapper.profile == null) {
LogHelper.error("Your profile not found");
if(ServerWrapper.config.stopOnError) System.exit(-1);
}
return true; return true;
} catch (Throwable e) { } catch (Throwable e) {
LogHelper.error(e); LogHelper.error(e);
if(ServerWrapper.config.stopOnError) System.exit(-1);
return false; return false;
} }
@ -104,6 +105,7 @@ public static void main(String... args) throws Throwable {
} }
LauncherConfig cfg = new LauncherConfig(config.address, config.port, SecurityHelper.toPublicRSAKey(IOHelper.read(publicKeyFile)), new HashMap<>(), config.projectname); LauncherConfig cfg = new LauncherConfig(config.address, config.port, SecurityHelper.toPublicRSAKey(IOHelper.read(publicKeyFile)), new HashMap<>(), config.projectname);
Launcher.setConfig(cfg); Launcher.setConfig(cfg);
if(config.logFile != null) LogHelper.addOutput(IOHelper.newWriter(Paths.get(config.logFile),true));
if (config.syncAuth) auth(wrapper); if (config.syncAuth) auth(wrapper);
else else
CommonHelper.newThread("Server Auth Thread", true, () -> ServerWrapper.loopAuth(wrapper, config.reconnectCount, config.reconnectSleep)); CommonHelper.newThread("Server Auth Thread", true, () -> ServerWrapper.loopAuth(wrapper, config.reconnectCount, config.reconnectSleep));
@ -111,6 +113,7 @@ public static void main(String... args) throws Throwable {
String classname = (config.mainclass == null || config.mainclass.isEmpty()) ? args[0] : config.mainclass; String classname = (config.mainclass == null || config.mainclass.isEmpty()) ? args[0] : config.mainclass;
if (classname.length() == 0) { if (classname.length() == 0) {
LogHelper.error("MainClass not found. Please set MainClass for ServerWrapper.cfg or first commandline argument"); LogHelper.error("MainClass not found. Please set MainClass for ServerWrapper.cfg or first commandline argument");
if(config.stopOnError) System.exit(-1);
} }
Class<?> mainClass; Class<?> mainClass;
if (config.customClassPath) { if (config.customClassPath) {
@ -165,6 +168,7 @@ private static void generateConfigIfNotExists() throws IOException {
newConfig.password = "password"; newConfig.password = "password";
newConfig.mainclass = ""; newConfig.mainclass = "";
newConfig.syncAuth = true; newConfig.syncAuth = true;
newConfig.stopOnError = true;
newConfig.reconnectCount = 10; newConfig.reconnectCount = 10;
newConfig.reconnectSleep = 1000; newConfig.reconnectSleep = 1000;
//try(Reader reader = IOHelper.newReader(IOHelper.getResourceURL("ru/gravit/launcher/server/ServerWrapper.cfg"))) //try(Reader reader = IOHelper.newReader(IOHelper.getResourceURL("ru/gravit/launcher/server/ServerWrapper.cfg")))
@ -191,7 +195,9 @@ public static final class Config {
public int reconnectSleep; public int reconnectSleep;
public boolean customClassPath; public boolean customClassPath;
public boolean autoloadLibraries; public boolean autoloadLibraries;
public boolean stopOnError;
public boolean syncAuth; public boolean syncAuth;
public String logFile;
public String classpath; public String classpath;
public String librariesDir; public String librariesDir;
public String mainclass; public String mainclass;

View file

@ -60,9 +60,9 @@ public final class Launcher {
private static final Pattern UUID_PATTERN = Pattern.compile("-", Pattern.LITERAL); private static final Pattern UUID_PATTERN = Pattern.compile("-", Pattern.LITERAL);
public static final int MAJOR = 4; public static final int MAJOR = 4;
public static final int MINOR = 2; public static final int MINOR = 2;
public static final int PATCH = 0; public static final int PATCH = 1;
public static final int BUILD = 0; public static final int BUILD = 1;
public static final Version.Type RELEASE = Version.Type.EXPERIMENTAL; public static final Version.Type RELEASE = Version.Type.STABLE;
public static GsonBuilder gsonBuilder; public static GsonBuilder gsonBuilder;
public static Gson gson; public static Gson gson;

View file

@ -0,0 +1,40 @@
package ru.gravit.launcher.managers;
import ru.gravit.launcher.modules.ModulesConfigManagerInterface;
import ru.gravit.utils.helper.IOHelper;
import ru.gravit.utils.helper.LogHelper;
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
public class ModulesConfigManager implements ModulesConfigManagerInterface {
public Path configDir;
public ModulesConfigManager(Path configDir) {
this.configDir = configDir;
}
public Path getModuleConfig(String moduleName)
{
if(!IOHelper.isDir(configDir)) {
try {
Files.createDirectories(configDir);
} catch (IOException e) {
LogHelper.error(e);
}
}
return configDir.resolve(moduleName.concat("Config.json"));
}
public Path getModuleConfigDir(String moduleName)
{
if(!IOHelper.isDir(configDir)) {
try {
Files.createDirectories(configDir);
} catch (IOException e) {
LogHelper.error(e);
}
}
return configDir.resolve(moduleName);
}
}

View file

@ -1,5 +1,8 @@
package ru.gravit.launcher.modules; package ru.gravit.launcher.managers;
import ru.gravit.launcher.modules.Module;
import ru.gravit.launcher.modules.ModuleContext;
import ru.gravit.launcher.modules.ModulesManagerInterface;
import ru.gravit.utils.PublicURLClassLoader; import ru.gravit.utils.PublicURLClassLoader;
import ru.gravit.utils.helper.IOHelper; import ru.gravit.utils.helper.IOHelper;
import ru.gravit.utils.helper.LogHelper; import ru.gravit.utils.helper.LogHelper;

View file

@ -8,4 +8,5 @@ enum Type {
Type getType(); Type getType();
ModulesManagerInterface getModulesManager(); ModulesManagerInterface getModulesManager();
ModulesConfigManagerInterface getModulesConfigManager();
} }

View file

@ -0,0 +1,8 @@
package ru.gravit.launcher.modules;
import java.nio.file.Path;
public interface ModulesConfigManagerInterface {
Path getModuleConfig(String moduleName);
Path getModuleConfigDir(String moduleName);
}

View file

@ -143,6 +143,18 @@ public int hashCode() {
return Objects.hash(file); return Objects.hash(file);
} }
} }
public static class OptionalArgs
{
@LauncherAPI
public boolean mark;
@LauncherAPI
public String[] args;
public OptionalArgs(String[] args, boolean mark) {
this.mark = mark;
this.args = args;
}
}
// Updater and client watch service // Updater and client watch service
@LauncherAPI @LauncherAPI
@ -170,6 +182,12 @@ public int hashCode() {
private final List<String> clientArgs = new ArrayList<>(); private final List<String> clientArgs = new ArrayList<>();
@LauncherAPI @LauncherAPI
private final List<String> whitelist = new ArrayList<>(); private final List<String> whitelist = new ArrayList<>();
@LauncherAPI
private final List<OptionalArgs> optionalJVMArgs = new ArrayList<>();
@LauncherAPI
private final List<OptionalArgs> optionalClientArgs = new ArrayList<>();
@LauncherAPI
private final List<OptionalArgs> optionalClassPath = new ArrayList<>();
@Override @Override
public int compareTo(ClientProfile o) { public int compareTo(ClientProfile o) {
@ -191,6 +209,19 @@ public String[] getClassPath() {
return classPath.toArray(new String[0]); return classPath.toArray(new String[0]);
} }
@LauncherAPI
public List<OptionalArgs> getOptionalJVMArgs() {
return optionalJVMArgs;
}
@LauncherAPI
public List<OptionalArgs> getOptionalClientArgs() {
return optionalClientArgs;
}
@LauncherAPI
public List<OptionalArgs> getOptionalClassPath() {
return optionalClassPath;
}
@LauncherAPI @LauncherAPI
public String[] getClientArgs() { public String[] getClientArgs() {
return clientArgs.toArray(new String[0]); return clientArgs.toArray(new String[0]);

View file

@ -11,7 +11,7 @@ public enum RequestType implements EnumSerializer.Itf {
LEGACYLAUNCHER(1), UPDATE(2), UPDATE_LIST(3), // Update requests LEGACYLAUNCHER(1), UPDATE(2), UPDATE_LIST(3), // Update requests
AUTH(4), JOIN_SERVER(5), CHECK_SERVER(6), // Auth requests AUTH(4), JOIN_SERVER(5), CHECK_SERVER(6), // Auth requests
PROFILE_BY_USERNAME(7), PROFILE_BY_UUID(8), BATCH_PROFILE_BY_USERNAME(9), // Profile requests PROFILE_BY_USERNAME(7), PROFILE_BY_UUID(8), BATCH_PROFILE_BY_USERNAME(9), // Profile requests
PROFILES(10), SERVERAUTH(11), SETPROFILE(12), LAUNCHER(13), CHANGESERVER(14), PROFILES(10), SERVERAUTH(11), SETPROFILE(12), LAUNCHER(13), CHANGESERVER(14),EXECCOMMAND(15),
CUSTOM(255); // Custom requests CUSTOM(255); // Custom requests
private static final EnumSerializer<RequestType> SERIALIZER = new EnumSerializer<>(RequestType.class); private static final EnumSerializer<RequestType> SERIALIZER = new EnumSerializer<>(RequestType.class);

View file

@ -19,4 +19,6 @@ public class SerializeLimits {
public static final int MAX_DIGEST = 512; public static final int MAX_DIGEST = 512;
@LauncherAPI @LauncherAPI
public static final int MAX_HWID_STR = 1024; public static final int MAX_HWID_STR = 1024;
@LauncherAPI
public static final int MAX_COMMAND = 2048;
} }