diff --git a/.github/workflows/release-build.yml b/.github/workflows/release-build.yml index eab5ede..3392448 100644 --- a/.github/workflows/release-build.yml +++ b/.github/workflows/release-build.yml @@ -24,7 +24,7 @@ jobs: tag_name: ${{ github.ref }} release_name: ${{ github.ref }} draft: false - prerelease: false + prerelease: true body: | Files included in this release: - `BeamMP-Server.exe` is the windows build diff --git a/CMakeLists.txt b/CMakeLists.txt index 5e9883e..44b4c21 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -40,10 +40,10 @@ if (WIN32) elseif (UNIX) set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -Wall -Wextra -Wpedantic -static-libstdc++") set(CMAKE_CXX_FLAGS_DEBUG "${CMAKE_CXX_FLAGS_DEBUG} -O0 -g") - set(CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} -O2 -s -fno-builtin") + set(CMAKE_CXX_FLAGS_RELEASE "${CMAKE_CXX_FLAGS_RELEASE} -O2 -gz -fno-builtin") if (SANITIZE) message(STATUS "sanitize is ON") - set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLanAGS} -fsanitize=undefined,thread") + set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -fsanitize=undefined,thread") endif (SANITIZE) endif () @@ -90,6 +90,7 @@ add_executable(BeamMP-Server include/TPPSMonitor.h src/TPPSMonitor.cpp include/TNetwork.h src/TNetwork.cpp include/LuaAPI.h src/LuaAPI.cpp) + include/SignalHandling.h src/SignalHandling.cpp) target_compile_definitions(BeamMP-Server PRIVATE SECRET_SENTRY_URL="${BEAMMP_SECRET_SENTRY_URL}") include_directories(BeamMP-Server PUBLIC ${Boost_INCLUDE_DIRS} ${CMAKE_CURRENT_SOURCE_DIR}/include) diff --git a/Changelog.md b/Changelog.md index 60e0daa..f4df1f1 100644 --- a/Changelog.md +++ b/Changelog.md @@ -1,3 +1,20 @@ +# v2.3.3 + +- CHANGED servers to be private by default + +# v2.3.2 + +- ADDED Ctrl+C causes a graceful shutdown on windows (did already on linux) +- ADDED more meaningful shutdown messages +- ADDED even better backend connection error reporting +- ADDED `SendErrors` config in `ServerConfig.toml` to opt-out of error reporting +- ADDED hard-shutdown if Ctrl+C pressed 3 times +- FIXED issue with shells like bash being unusable after server exit + +# v2.3.1 + +- CHANGED join/sync timeout to 20 minutes, players wont drop if loading takes >5 mins + # v2.3.0 - ADDED version check - the server will now let you know when a new release is out diff --git a/include/Common.h b/include/Common.h index 22420e1..6fd0e6b 100644 --- a/include/Common.h +++ b/include/Common.h @@ -40,10 +40,12 @@ public: , Resource("Resources") , MapName("/levels/gridmap_v2/info.json") , MaxPlayers(10) - , Private(false) + , Private(true) , MaxCars(1) , DebugModeEnabled(false) - , Port(30814) { } + , Port(30814) + , SendErrors(true) + , SendErrorsMessageEnabled(true) { } std::string ServerName; std::string ServerDesc; std::string Resource; @@ -55,6 +57,8 @@ public: bool DebugModeEnabled; int Port; std::string CustomIP; + bool SendErrors; + bool SendErrorsMessageEnabled; [[nodiscard]] bool HasCustomIP() const { return !CustomIP.empty(); } }; @@ -100,6 +104,7 @@ void RegisterThread(const std::string& str); #define KB 1024 #define MB (KB * 1024) +#define SSU_UNRAW SECRET_SENTRY_URL #define _file_basename std::filesystem::path(__FILE__).filename().string() #define _line std::to_string(__LINE__) @@ -125,9 +130,11 @@ void RegisterThread(const std::string& str); #else #define _this_location (ThreadName() + _file_basename + ":" + _line + " ") #endif +#define SU_RAW SSU_UNRAW #else // !defined(DEBUG) +#define SU_RAW RAWIFY(SSU_UNRAW) #define _this_location (ThreadName()) #endif // defined(DEBUG) @@ -168,5 +175,6 @@ std::string Comp(std::string Data); std::string DeComp(std::string Compressed); std::string GetPlatformAgnosticErrorString(); +#define S_DSN SU_RAW void LogChatMessage(const std::string& name, int id, const std::string& msg); diff --git a/include/Cryptography.h b/include/Cryptography.h new file mode 100644 index 0000000..5d710a0 --- /dev/null +++ b/include/Cryptography.h @@ -0,0 +1,114 @@ +// Copyright Anonymous275 8/11/2020 + +#pragma once +#include +#include +#include + +namespace Crypto { + +constexpr auto time = __TIME__; +constexpr auto seed = static_cast(time[7]) + static_cast(time[6]) * 10 + static_cast(time[4]) * 60 + static_cast(time[3]) * 600 + static_cast(time[1]) * 3600 + static_cast(time[0]) * 36000; + +// 1988, Stephen Park and Keith Miller +// "Random Number Generators: Good Ones Are Hard To Find", considered as "minimal standard" +// Park-Miller 31 bit pseudo-random number generator, implemented with G. Carta's optimisation: +// with 32-bit math and without division + +template +struct RandomGenerator { +private: + static constexpr unsigned a = 16807; // 7^5 + static constexpr unsigned m = 2147483647; // 2^31 - 1 + + static constexpr unsigned s = RandomGenerator::value; + static constexpr unsigned lo = a * (s & 0xFFFFu); // Multiply lower 16 bits by 16807 + static constexpr unsigned hi = a * (s >> 16u); // Multiply higher 16 bits by 16807 + static constexpr unsigned lo2 = lo + ((hi & 0x7FFFu) << 16u); // Combine lower 15 bits of hi with lo's upper bits + static constexpr unsigned hi2 = hi >> 15u; // Discard lower 15 bits of hi + static constexpr unsigned lo3 = lo2 + hi; + +public: + static constexpr unsigned max = m; + static constexpr unsigned value = lo3 > m ? lo3 - m : lo3; +}; + +template <> +struct RandomGenerator<0> { + static constexpr unsigned value = seed; +}; + +template +struct RandomInt { + static constexpr auto value = RandomGenerator::value % M; +}; + +template +struct RandomChar { + static const char value = static_cast(1 + RandomInt::value); +}; + +template +struct MangleString { +private: + const char _key; + std::array _encrypted; + + constexpr Char enc(Char c) const { + return c ^ _key; + } + + Char dec(Char c) const { + return c ^ _key; + } + +public: + template + constexpr MangleString(const Char* str, std::index_sequence) + : _key(RandomChar::value) + , _encrypted { enc(str[Is])... } { } + + decltype(auto) decrypt() { + for (size_t i = 0; i < N; ++i) { + _encrypted[i] = dec(_encrypted[i]); + } + _encrypted[N] = '\0'; + return _encrypted.data(); + } +}; + +static auto w_printf = [](const char* fmt, ...) { + va_list args; + va_start(args, fmt); + vprintf(fmt, args); + va_end(args); +}; + +static auto w_printf_s = [](const char* fmt, ...) { + va_list args; + va_start(args, fmt); + vprintf(fmt, args); + va_end(args); +}; + +static auto w_sprintf_s = [](char* buf, size_t buf_size, const char* fmt, ...) { + va_list args; + va_start(args, fmt); + vsprintf(buf, fmt, args); + va_end(args); +}; + +static auto w_sprintf_s_ret = [](char* buf, size_t buf_size, const char* fmt, ...) { + int ret; + va_list args; + va_start(args, fmt); + ret = vsprintf(buf, fmt, args); + va_end(args); + return ret; +}; + +#define XOR_C(s) [] { constexpr Crypto::MangleString< sizeof(s)/sizeof(char) - 1, __COUNTER__, char > expr( s, std::make_index_sequence< sizeof(s)/sizeof(char) - 1>() ); return expr; }().decrypt() +#define XOR_W(s) [] { constexpr Crypto::MangleString< sizeof(s)/sizeof(wchar_t) - 1, __COUNTER__, wchar_t > expr( s, std::make_index_sequence< sizeof(s)/sizeof(wchar_t) - 1>() ); return expr; }().decrypt() +#define RAWIFY(s) XOR_C(s) + +} diff --git a/include/SignalHandling.h b/include/SignalHandling.h new file mode 100644 index 0000000..e945d37 --- /dev/null +++ b/include/SignalHandling.h @@ -0,0 +1,3 @@ +#pragma once + +void SetupSignalHandlers(); diff --git a/include/TConsole.h b/include/TConsole.h index f83b75b..8e6ad31 100644 --- a/include/TConsole.h +++ b/include/TConsole.h @@ -1,6 +1,7 @@ #pragma once #include "commandline.h" +#include "Cryptography.h" #include #include diff --git a/include/commandline b/include/commandline new file mode 160000 index 0000000..4931aa8 --- /dev/null +++ b/include/commandline @@ -0,0 +1 @@ +Subproject commit 4931aa89c1b400732394d8b8523974ed09f427dc diff --git a/src/Common.cpp b/src/Common.cpp index 26e5f6b..c26ddd4 100644 --- a/src/Common.cpp +++ b/src/Common.cpp @@ -23,10 +23,26 @@ void Application::RegisterShutdownHandler(const TShutdownHandler& Handler) { } void Application::GracefullyShutdown() { - info("please wait while all subsystems are shutting down..."); + static bool AlreadyShuttingDown = false; + static uint8_t ShutdownAttempts = 0; + if (AlreadyShuttingDown) { + ++ShutdownAttempts; + // hard shutdown at 2 additional tries + if (ShutdownAttempts == 2) { + info("hard shutdown forced by multiple shutdown requests"); + std::exit(0); + } + info("already shutting down!"); + return; + } else { + AlreadyShuttingDown = true; + } + trace("waiting for lock release"); std::unique_lock Lock(mShutdownHandlersMutex); - for (auto& Handler : mShutdownHandlers) { - Handler(); + info("please wait while all subsystems are shutting down..."); + for (size_t i = 0; i < mShutdownHandlers.size(); ++i) { + info("Subsystem " + std::to_string(i + 1) + "/" + std::to_string(mShutdownHandlers.size()) + " shutting down"); + mShutdownHandlers[i](); } } @@ -68,7 +84,7 @@ void Application::CheckForUpdates() { auto RemoteVersion = Version(VersionStrToInts(Response)); if (IsOutdated(MyVersion, RemoteVersion)) { std::string RealVersionString = RemoteVersion.AsString(); - warn(std::string(ANSI_YELLOW_BOLD) + "NEW VERSION OUT! There's a new version (v" + RealVersionString + ") of the BeamMP-Server available! For info on how to update your server, visit https://wiki.beammp.com/en/home/server-maintenance#updating-the-server." + std::string(ANSI_RESET)); + warn(std::string(ANSI_YELLOW_BOLD) + "NEW VERSION OUT! There's a new version (v" + RealVersionString + ") of the BeamMP-Server available! For more info visit https://wiki.beammp.com/en/home/server-maintenance#updating-the-server." + std::string(ANSI_RESET)); } else { info("Server up-to-date!"); } diff --git a/src/Http.cpp b/src/Http.cpp index d67f18e..7d08fa4 100644 --- a/src/Http.cpp +++ b/src/Http.cpp @@ -49,6 +49,7 @@ std::string GenericRequest(http::verb verb, const std::string& host, int port, c bool ok = try_connect_with_protocol(tcp::v4()); if (!ok) { Application::Console().Write("[ERROR] failed to resolve or connect in POST " + host + target); + Sentry.AddErrorBreadcrumb("failed to resolve or connect to " + host + target, __FILE__, std::to_string(__LINE__)); // FIXME: this is ugly. return "-1"; } //} @@ -127,6 +128,7 @@ std::string GenericRequest(http::verb verb, const std::string& host, int port, c } catch (const std::exception& e) { Application::Console().Write(__func__ + std::string(": ") + e.what()); + Sentry.AddErrorBreadcrumb(e.what(), __FILE__, std::to_string(__LINE__)); // FIXME: this is ugly. return Http::ErrorString; } } @@ -141,6 +143,7 @@ std::string Http::POST(const std::string& host, int port, const std::string& tar // RFC 2616, RFC 7231 static std::map Map = { + { -1, "Invalid Response Code"}, { 100, "Continue" }, { 101, "Switching Protocols" }, { 102, "Processing" }, @@ -203,12 +206,22 @@ static std::map Map = { { 508, "Loop Detected" }, { 510, "Not Extended" }, { 511, "Network Authentication Required" }, + // cloudflare status codes + { 520, "(CDN) Web Server Returns An Unknown Error" }, + { 521, "(CDN) Web Server Is Down" }, + { 522, "(CDN) Connection Timed Out" }, + { 523, "(CDN) Origin Is Unreachable" }, + { 524, "(CDN) A Timeout Occurred" }, + { 525, "(CDN) SSL Handshake Failed" }, + { 526, "(CDN) Invalid SSL Certificate" }, + { 527, "(CDN) Railgun Listener To Origin Error" }, + { 530, "(CDN) 1XXX Internal Error" }, }; std::string Http::Status::ToString(int code) { if (Map.find(code) != Map.end()) { return Map.at(code); } else { - return "Unassigned"; + return std::to_string(code); } } diff --git a/src/SignalHandling.cpp b/src/SignalHandling.cpp new file mode 100644 index 0000000..3325871 --- /dev/null +++ b/src/SignalHandling.cpp @@ -0,0 +1,65 @@ +#include "SignalHandling.h" +#include "Common.h" + +#ifdef __unix +#include +static void UnixSignalHandler(int sig) { + switch (sig) { + case SIGPIPE: + warn("ignoring SIGPIPE"); + break; + case SIGTERM: + info("gracefully shutting down via SIGTERM"); + Application::GracefullyShutdown(); + break; + case SIGINT: + info("gracefully shutting down via SIGINT"); + Application::GracefullyShutdown(); + break; + default: + debug("unhandled signal: " + std::to_string(sig)); + break; + } +} +#endif // __unix + +#ifdef WIN32 +#include +// return TRUE if handled, FALSE if not +BOOL WINAPI Win32CtrlC_Handler(DWORD CtrlType) { + switch (CtrlType) { + case CTRL_C_EVENT: + info("gracefully shutting down via CTRL+C"); + Application::GracefullyShutdown(); + return TRUE; + case CTRL_BREAK_EVENT: + info("gracefully shutting down via CTRL+BREAK"); + Application::GracefullyShutdown(); + return TRUE; + case CTRL_CLOSE_EVENT: + info("gracefully shutting down via close"); + Application::GracefullyShutdown(); + return TRUE; + } + // we dont care for any others like CTRL_LOGOFF_EVENT and CTRL_SHUTDOWN_EVENT + return FALSE; +} +#endif // WIN32 + +void SetupSignalHandlers() { + // signal handlers for unix#include +#ifdef __unix + trace("registering handlers for SIGINT, SIGTERM, SIGPIPE"); + signal(SIGPIPE, UnixSignalHandler); + signal(SIGTERM, UnixSignalHandler); +#ifndef DEBUG + signal(SIGINT, UnixSignalHandler); +#endif // DEBUG +#endif // __unix + + // signal handlers for win32 +#ifdef WIN32 + trace("registering handlers for CTRL_*_EVENTs"); + SetConsoleCtrlHandler(Win32CtrlC_Handler, TRUE); +#endif // WIN32 +} diff --git a/src/TConfig.cpp b/src/TConfig.cpp index 9102e9e..be0f7fe 100644 --- a/src/TConfig.cpp +++ b/src/TConfig.cpp @@ -20,6 +20,8 @@ static constexpr std::string_view StrName = "Name"; static constexpr std::string_view StrDescription = "Description"; static constexpr std::string_view StrResourceFolder = "ResourceFolder"; static constexpr std::string_view StrAuthKey = "AuthKey"; +static constexpr std::string_view StrSendErrors = "SendErrors"; +static constexpr std::string_view StrSendErrorsMessageEnabled = "SendErrorsShowMessage"; TConfig::TConfig() { if (!fs::exists(ConfigFileName) || !fs::is_regular_file(ConfigFileName)) { @@ -34,6 +36,15 @@ TConfig::TConfig() { } } +void WriteSendErrors(const std::string& name) { + std::ofstream CfgFile { name, std::ios::out | std::ios::app }; + CfgFile << "# You can turn on/off the SendErrors message you get on startup here" << std::endl + << StrSendErrorsMessageEnabled << " = true" << std::endl + << "# If SendErrors is `true`, the server will send helpful info about crashes and other issues back to the BeamMP developers. This info may include your config, who is on your server at the time of the error, and similar general information. This kind of data is vital in helping us diagnose and fix issues faster. This has no impact on server performance. You can opt-out of this system by setting this to `false`." + << std::endl + << StrSendErrors << " = true" << std::endl; +} + void TConfig::FlushToFile() { auto data = toml::parse(ConfigFileName); data["General"] = toml::table(); @@ -68,6 +79,7 @@ void TConfig::CreateConfigFile(std::string_view name) { } auto data = toml::parse(name.data()); + //{ StrSendErrors, Application::Settings.SendErrors }, data["General"] = toml::table(); data["General"][StrAuthKey.data()] = Application::Settings.Key; @@ -90,6 +102,8 @@ void TConfig::CreateConfigFile(std::string_view name) { ofs << data << '\n'; beammp_error("There was no \"" + std::string(ConfigFileName) + "\" file (this is normal for the first time running the server), so one was generated for you. It was automatically filled with the settings from your Server.cfg, if you have one. Please open ServerConfig.toml and ensure your AuthKey and other settings are filled in and correct, then restart the server. The old Server.cfg file will no longer be used and causes a warning if it exists from now on."); mFailed = true; + ofs.close(); + WriteSendErrors(std::string(name)); } else { beammp_error("Couldn't create " + std::string(name) + ". Check permissions, try again, and contact support if it continues not to work."); mFailed = true; @@ -109,6 +123,19 @@ void TConfig::ParseFromFile(std::string_view name) { Application::Settings.ServerDesc = data["General"][StrDescription.data()].as_string(); Application::Settings.Resource = data["General"][StrResourceFolder.data()].as_string(); Application::Settings.Key = data["General"][StrAuthKey.data()].as_string(); + } + // added later, so behaves differently + if (auto val = GeneralTable[StrSendErrors].value(); val.has_value()) { + Application::Settings.SendErrors = val.value(); + } else { + // dont throw, instead write it into the file and use default + WriteSendErrors(std::string(name)); + } + if (auto val = GeneralTable[StrSendErrorsMessageEnabled].value(); val.has_value()) { + Application::Settings.SendErrorsMessageEnabled = val.value(); + } else { + // no idea what to do here, ignore...? + // this entire toml parser sucks and is replaced in the upcoming lua. } catch (const std::exception& err) { beammp_error("Error parsing config file value: " + std::string(err.what())); mFailed = true; diff --git a/src/THeartbeatThread.cpp b/src/THeartbeatThread.cpp index e5d2855..af6b827 100644 --- a/src/THeartbeatThread.cpp +++ b/src/THeartbeatThread.cpp @@ -36,9 +36,6 @@ void THeartbeatThread::operator()() { Body += "&pps=" + Application::PPS(); auto SentryReportError = [&](const std::string& transaction, int status) { - if (status < 0) { - status = 0; - } auto Lock = Sentry.CreateExclusiveContext(); Sentry.SetContext("heartbeat", @@ -53,16 +50,16 @@ void THeartbeatThread::operator()() { unsigned int ResponseCode = 0; T = Http::POST(Application::GetBackendHostname(), 443, Target, {}, Body, "application/x-www-form-urlencoded", &ResponseCode); - if (T.substr(0, 2) != "20" || ResponseCode != 200) { + if ((T.substr(0, 2) != "20" && ResponseCode != 200) || ResponseCode != 200) { trace("got " + T + " from backend"); SentryReportError(Application::GetBackendHostname() + Target, ResponseCode); std::this_thread::sleep_for(std::chrono::milliseconds(500)); T = Http::POST(Application::GetBackup1Hostname(), 443, Target, {}, Body, "application/x-www-form-urlencoded", &ResponseCode); - if (T.substr(0, 2) != "20" || ResponseCode != 200) { + if ((T.substr(0, 2) != "20" && ResponseCode != 200) || ResponseCode != 200) { SentryReportError(Application::GetBackup1Hostname() + Target, ResponseCode); std::this_thread::sleep_for(std::chrono::milliseconds(500)); T = Http::POST(Application::GetBackup2Hostname(), 443, Target, {}, Body, "application/x-www-form-urlencoded", &ResponseCode); - if (T.substr(0, 2) != "20" || ResponseCode != 200) { + if ((T.substr(0, 2) != "20" && ResponseCode != 200) || ResponseCode != 200) { warn("Backend system refused server! Server will not show in the public server list."); isAuth = false; @@ -109,10 +106,8 @@ THeartbeatThread::THeartbeatThread(TResourceManager& ResourceManager, TServer& S , mServer(Server) { Application::RegisterShutdownHandler([&] { if (mThread.joinable()) { - debug("shutting down Heartbeat"); mShutdown = true; mThread.join(); - debug("shut down Heartbeat"); } }); Start(); diff --git a/src/TNetwork.cpp b/src/TNetwork.cpp index cf0625b..23dc556 100644 --- a/src/TNetwork.cpp +++ b/src/TNetwork.cpp @@ -20,18 +20,14 @@ TNetwork::TNetwork(TServer& Server, TPPSMonitor& PPSMonitor, TResourceManager& R }); Application::RegisterShutdownHandler([&] { if (mUDPThread.joinable()) { - debug("shutting down TCPServer"); mShutdown = true; mUDPThread.detach(); - debug("shut down TCPServer"); } }); Application::RegisterShutdownHandler([&] { if (mTCPThread.joinable()) { - debug("shutting down TCPServer"); mShutdown = true; mTCPThread.detach(); - debug("shut down TCPServer"); } }); mTCPThread = std::thread(&TNetwork::TCPServerMain, this); diff --git a/src/TSentry.cpp b/src/TSentry.cpp index 3986633..266c7e8 100644 --- a/src/TSentry.cpp +++ b/src/TSentry.cpp @@ -1,22 +1,17 @@ #include "TSentry.h" #include "Common.h" +#include #include #include -// compile-time length of a string/array -template -constexpr size_t ConstexprLength(char const (&)[N]) { - return N - 1; -} - TSentry::TSentry() { - if constexpr (ConstexprLength(SECRET_SENTRY_URL) == 0) { + if (std::strlen(S_DSN) == 0) { mValid = false; } else { mValid = true; sentry_options_t* options = sentry_options_new(); - sentry_options_set_dsn(options, SECRET_SENTRY_URL); + sentry_options_set_dsn(options, S_DSN); auto ReleaseString = "BeamMP-Server@" + Application::ServerVersionString(); sentry_options_set_symbolize_stacktraces(options, true); sentry_options_set_release(options, ReleaseString.c_str()); @@ -33,9 +28,26 @@ TSentry::~TSentry() { void TSentry::PrintWelcome() { if (mValid) { - info("Sentry started"); + if (!Application::Settings.SendErrors) { + mValid = false; + if (Application::Settings.SendErrorsMessageEnabled) { + info("Opted out of error reporting (SendErrors), Sentry disabled."); + } else { + info("Sentry disabled"); + } + } else { + if (Application::Settings.SendErrorsMessageEnabled) { + info("Sentry started! Reporting errors automatically. This sends data to the developers in case of errors and crashes. You can learn more, turn this message off or opt-out of this in the ServerConfig.toml."); + } else { + info("Sentry started"); + } + } } else { - info("Sentry disabled in unofficial build"); + if (Application::Settings.SendErrorsMessageEnabled) { + info("Sentry disabled in unofficial build. Automatic error reporting disabled."); + } else { + info("Sentry disabled in unofficial build"); + } } } diff --git a/src/main.cpp b/src/main.cpp index e491f6d..79c6003 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -4,6 +4,7 @@ #include "CustomAssert.h" #include "Http.h" #include "LuaAPI.h" +#include "SignalHandling.h" #include "TConfig.h" #include "THeartbeatThread.h" #include "TLuaEngine.h" @@ -12,48 +13,18 @@ #include "TResourceManager.h" #include "TServer.h" +#include #include -#ifdef __unix -#include - -void UnixSignalHandler(int sig) { - switch (sig) { - case SIGPIPE: - beammp_warn("ignoring SIGPIPE"); - break; - case SIGTERM: - beammp_info("gracefully shutting down via SIGTERM"); - Application::GracefullyShutdown(); - break; - case SIGINT: - beammp_info("gracefully shutting down via SIGINT"); - Application::GracefullyShutdown(); - break; - default: - beammp_debug("unhandled signal: " + std::to_string(sig)); - break; - } -} -#endif // __unix - // this is provided by the build system, leave empty for source builds // global, yes, this is ugly, no, it cant be done another way TSentry Sentry {}; -#include - int main(int argc, char** argv) try { -#ifdef __unix - trace("registering handlers for SIGINT, SIGTERM, SIGPIPE"); - signal(SIGPIPE, UnixSignalHandler); - signal(SIGTERM, UnixSignalHandler); -#ifndef DEBUG - signal(SIGINT, UnixSignalHandler); -#endif // DEBUG -#endif // __unix setlocale(LC_ALL, "C"); + SetupSignalHandlers(); + bool Shutdown = false; Application::RegisterShutdownHandler([&Shutdown] { Shutdown = true; }); Application::RegisterShutdownHandler([] { @@ -68,7 +39,10 @@ int main(int argc, char** argv) try { if (Config.Failed()) { beammp_info("Closing in 10 seconds"); - std::this_thread::sleep_for(std::chrono::seconds(10)); + // loop to make it possible to ctrl+c instead + for (size_t i = 0; i < 20; ++i) { + std::this_thread::sleep_for(std::chrono::milliseconds(500)); + } return 1; } @@ -78,7 +52,6 @@ int main(int argc, char** argv) try { Sentry.SetupUser(); Sentry.PrintWelcome(); - Application::CheckForUpdates(); TResourceManager ResourceManager; TPPSMonitor PPSMonitor(Server); THeartbeatThread Heartbeat(ResourceManager, Server); @@ -86,11 +59,13 @@ int main(int argc, char** argv) try { LuaEngine.SetNetwork(&Network); PPSMonitor.SetNetwork(Network); Application::Console().InitializeLuaConsole(LuaEngine); + Application::CheckForUpdates(); // TODO: replace while (!Shutdown) { - std::this_thread::sleep_for(std::chrono::milliseconds(100)); + std::this_thread::sleep_for(std::chrono::milliseconds(50)); } + info("Shutdown."); } catch (const std::exception& e) { error(e.what()); Sentry.LogException(e, _file_basename, _line);