1 // Copyright (c) 2011-2020 The Bitcoin Core developers
2 // Distributed under the MIT software license, see the accompanying
3 // file COPYING or http://www.opensource.org/licenses/mit-license.php.
4 
5 #if defined(HAVE_CONFIG_H)
6 #include <config/bitcoin-config.h>
7 #endif
8 
9 #include <qt/bitcoin.h>
10 #include <qt/bitcoingui.h>
11 
12 #include <chainparams.h>
13 #include <qt/clientmodel.h>
14 #include <qt/guiconstants.h>
15 #include <qt/guiutil.h>
16 #include <qt/intro.h>
17 #include <qt/networkstyle.h>
18 #include <qt/optionsmodel.h>
19 #include <qt/platformstyle.h>
20 #include <qt/splashscreen.h>
21 #include <qt/utilitydialog.h>
22 #include <qt/winshutdownmonitor.h>
23 
24 #ifdef ENABLE_WALLET
25 #include <qt/paymentserver.h>
26 #include <qt/walletcontroller.h>
27 #include <qt/walletmodel.h>
28 #endif // ENABLE_WALLET
29 
30 #include <init.h>
31 #include <interfaces/handler.h>
32 #include <interfaces/node.h>
33 #include <node/context.h>
34 #include <node/ui_interface.h>
35 #include <noui.h>
36 #include <uint256.h>
37 #include <util/system.h>
38 #include <util/threadnames.h>
39 #include <util/translation.h>
40 #include <validation.h>
41 
42 #include <boost/signals2/connection.hpp>
43 #include <memory>
44 
45 #include <QApplication>
46 #include <QDebug>
47 #include <QLibraryInfo>
48 #include <QLocale>
49 #include <QMessageBox>
50 #include <QSettings>
51 #include <QThread>
52 #include <QTimer>
53 #include <QTranslator>
54 
55 #if defined(QT_STATICPLUGIN)
56 #include <QtPlugin>
57 #if defined(QT_QPA_PLATFORM_XCB)
58 Q_IMPORT_PLUGIN(QXcbIntegrationPlugin);
59 #elif defined(QT_QPA_PLATFORM_WINDOWS)
60 Q_IMPORT_PLUGIN(QWindowsIntegrationPlugin);
61 #elif defined(QT_QPA_PLATFORM_COCOA)
62 Q_IMPORT_PLUGIN(QCocoaIntegrationPlugin);
63 #endif
64 #endif
65 
66 // Declare meta types used for QMetaObject::invokeMethod
67 Q_DECLARE_METATYPE(bool*)
Q_DECLARE_METATYPE(CAmount)68 Q_DECLARE_METATYPE(CAmount)
69 Q_DECLARE_METATYPE(SynchronizationState)
70 Q_DECLARE_METATYPE(uint256)
71 
72 static void RegisterMetaTypes()
73 {
74     // Register meta types used for QMetaObject::invokeMethod and Qt::QueuedConnection
75     qRegisterMetaType<bool*>();
76     qRegisterMetaType<SynchronizationState>();
77   #ifdef ENABLE_WALLET
78     qRegisterMetaType<WalletModel*>();
79   #endif
80     // Register typedefs (see http://qt-project.org/doc/qt-5/qmetatype.html#qRegisterMetaType)
81     // IMPORTANT: if CAmount is no longer a typedef use the normal variant above (see https://doc.qt.io/qt-5/qmetatype.html#qRegisterMetaType-1)
82     qRegisterMetaType<CAmount>("CAmount");
83     qRegisterMetaType<size_t>("size_t");
84 
85     qRegisterMetaType<std::function<void()>>("std::function<void()>");
86     qRegisterMetaType<QMessageBox::Icon>("QMessageBox::Icon");
87     qRegisterMetaType<interfaces::BlockAndHeaderTipInfo>("interfaces::BlockAndHeaderTipInfo");
88 }
89 
GetLangTerritory()90 static QString GetLangTerritory()
91 {
92     QSettings settings;
93     // Get desired locale (e.g. "de_DE")
94     // 1) System default language
95     QString lang_territory = QLocale::system().name();
96     // 2) Language from QSettings
97     QString lang_territory_qsettings = settings.value("language", "").toString();
98     if(!lang_territory_qsettings.isEmpty())
99         lang_territory = lang_territory_qsettings;
100     // 3) -lang command line argument
101     lang_territory = QString::fromStdString(gArgs.GetArg("-lang", lang_territory.toStdString()));
102     return lang_territory;
103 }
104 
105 /** Set up translations */
initTranslations(QTranslator & qtTranslatorBase,QTranslator & qtTranslator,QTranslator & translatorBase,QTranslator & translator)106 static void initTranslations(QTranslator &qtTranslatorBase, QTranslator &qtTranslator, QTranslator &translatorBase, QTranslator &translator)
107 {
108     // Remove old translators
109     QApplication::removeTranslator(&qtTranslatorBase);
110     QApplication::removeTranslator(&qtTranslator);
111     QApplication::removeTranslator(&translatorBase);
112     QApplication::removeTranslator(&translator);
113 
114     // Get desired locale (e.g. "de_DE")
115     // 1) System default language
116     QString lang_territory = GetLangTerritory();
117 
118     // Convert to "de" only by truncating "_DE"
119     QString lang = lang_territory;
120     lang.truncate(lang_territory.lastIndexOf('_'));
121 
122     // Load language files for configured locale:
123     // - First load the translator for the base language, without territory
124     // - Then load the more specific locale translator
125 
126     // Load e.g. qt_de.qm
127     if (qtTranslatorBase.load("qt_" + lang, QLibraryInfo::location(QLibraryInfo::TranslationsPath)))
128         QApplication::installTranslator(&qtTranslatorBase);
129 
130     // Load e.g. qt_de_DE.qm
131     if (qtTranslator.load("qt_" + lang_territory, QLibraryInfo::location(QLibraryInfo::TranslationsPath)))
132         QApplication::installTranslator(&qtTranslator);
133 
134     // Load e.g. bitcoin_de.qm (shortcut "de" needs to be defined in bitcoin.qrc)
135     if (translatorBase.load(lang, ":/translations/"))
136         QApplication::installTranslator(&translatorBase);
137 
138     // Load e.g. bitcoin_de_DE.qm (shortcut "de_DE" needs to be defined in bitcoin.qrc)
139     if (translator.load(lang_territory, ":/translations/"))
140         QApplication::installTranslator(&translator);
141 }
142 
143 /* qDebug() message handler --> debug.log */
DebugMessageHandler(QtMsgType type,const QMessageLogContext & context,const QString & msg)144 void DebugMessageHandler(QtMsgType type, const QMessageLogContext& context, const QString &msg)
145 {
146     Q_UNUSED(context);
147     if (type == QtDebugMsg) {
148         LogPrint(BCLog::QT, "GUI: %s\n", msg.toStdString());
149     } else {
150         LogPrintf("GUI: %s\n", msg.toStdString());
151     }
152 }
153 
BitcoinCore(interfaces::Node & node)154 BitcoinCore::BitcoinCore(interfaces::Node& node) :
155     QObject(), m_node(node)
156 {
157 }
158 
handleRunawayException(const std::exception * e)159 void BitcoinCore::handleRunawayException(const std::exception *e)
160 {
161     PrintExceptionContinue(e, "Runaway exception");
162     Q_EMIT runawayException(QString::fromStdString(m_node.getWarnings().translated));
163 }
164 
initialize()165 void BitcoinCore::initialize()
166 {
167     try
168     {
169         util::ThreadRename("qt-init");
170         qDebug() << __func__ << ": Running initialization in thread";
171         interfaces::BlockAndHeaderTipInfo tip_info;
172         bool rv = m_node.appInitMain(&tip_info);
173         Q_EMIT initializeResult(rv, tip_info);
174     } catch (const std::exception& e) {
175         handleRunawayException(&e);
176     } catch (...) {
177         handleRunawayException(nullptr);
178     }
179 }
180 
shutdown()181 void BitcoinCore::shutdown()
182 {
183     try
184     {
185         qDebug() << __func__ << ": Running Shutdown in thread";
186         m_node.appShutdown();
187         qDebug() << __func__ << ": Shutdown finished";
188         Q_EMIT shutdownResult();
189     } catch (const std::exception& e) {
190         handleRunawayException(&e);
191     } catch (...) {
192         handleRunawayException(nullptr);
193     }
194 }
195 
196 static int qt_argc = 1;
197 static const char* qt_argv = "bitcoin-qt";
198 
BitcoinApplication()199 BitcoinApplication::BitcoinApplication():
200     QApplication(qt_argc, const_cast<char **>(&qt_argv)),
201     coreThread(nullptr),
202     optionsModel(nullptr),
203     clientModel(nullptr),
204     window(nullptr),
205     pollShutdownTimer(nullptr),
206     returnValue(0),
207     platformStyle(nullptr)
208 {
209     // Qt runs setlocale(LC_ALL, "") on initialization.
210     RegisterMetaTypes();
211     setQuitOnLastWindowClosed(false);
212 }
213 
setupPlatformStyle()214 void BitcoinApplication::setupPlatformStyle()
215 {
216     // UI per-platform customization
217     // This must be done inside the BitcoinApplication constructor, or after it, because
218     // PlatformStyle::instantiate requires a QApplication
219     std::string platformName;
220     platformName = gArgs.GetArg("-uiplatform", BitcoinGUI::DEFAULT_UIPLATFORM);
221     platformStyle = PlatformStyle::instantiate(QString::fromStdString(platformName));
222     if (!platformStyle) // Fall back to "other" if specified name not found
223         platformStyle = PlatformStyle::instantiate("other");
224     assert(platformStyle);
225 }
226 
~BitcoinApplication()227 BitcoinApplication::~BitcoinApplication()
228 {
229     if(coreThread)
230     {
231         qDebug() << __func__ << ": Stopping thread";
232         coreThread->quit();
233         coreThread->wait();
234         qDebug() << __func__ << ": Stopped thread";
235     }
236 
237     delete window;
238     window = nullptr;
239     delete platformStyle;
240     platformStyle = nullptr;
241 }
242 
243 #ifdef ENABLE_WALLET
createPaymentServer()244 void BitcoinApplication::createPaymentServer()
245 {
246     paymentServer = new PaymentServer(this);
247 }
248 #endif
249 
createOptionsModel(bool resetSettings)250 void BitcoinApplication::createOptionsModel(bool resetSettings)
251 {
252     optionsModel = new OptionsModel(this, resetSettings);
253 }
254 
createWindow(const NetworkStyle * networkStyle)255 void BitcoinApplication::createWindow(const NetworkStyle *networkStyle)
256 {
257     window = new BitcoinGUI(node(), platformStyle, networkStyle, nullptr);
258 
259     pollShutdownTimer = new QTimer(window);
260     connect(pollShutdownTimer, &QTimer::timeout, window, &BitcoinGUI::detectShutdown);
261 }
262 
createSplashScreen(const NetworkStyle * networkStyle)263 void BitcoinApplication::createSplashScreen(const NetworkStyle *networkStyle)
264 {
265     assert(!m_splash);
266     m_splash = new SplashScreen(nullptr, networkStyle);
267     // We don't hold a direct pointer to the splash screen after creation, but the splash
268     // screen will take care of deleting itself when finish() happens.
269     m_splash->show();
270     connect(this, &BitcoinApplication::requestedInitialize, m_splash, &SplashScreen::handleLoadWallet);
271     connect(this, &BitcoinApplication::splashFinished, m_splash, &SplashScreen::finish);
272     connect(this, &BitcoinApplication::requestedShutdown, m_splash, &QWidget::close);
273 }
274 
setNode(interfaces::Node & node)275 void BitcoinApplication::setNode(interfaces::Node& node)
276 {
277     assert(!m_node);
278     m_node = &node;
279     if (optionsModel) optionsModel->setNode(*m_node);
280     if (m_splash) m_splash->setNode(*m_node);
281 }
282 
baseInitialize()283 bool BitcoinApplication::baseInitialize()
284 {
285     return node().baseInitialize();
286 }
287 
startThread()288 void BitcoinApplication::startThread()
289 {
290     if(coreThread)
291         return;
292     coreThread = new QThread(this);
293     BitcoinCore *executor = new BitcoinCore(node());
294     executor->moveToThread(coreThread);
295 
296     /*  communication to and from thread */
297     connect(executor, &BitcoinCore::initializeResult, this, &BitcoinApplication::initializeResult);
298     connect(executor, &BitcoinCore::shutdownResult, this, &BitcoinApplication::shutdownResult);
299     connect(executor, &BitcoinCore::runawayException, this, &BitcoinApplication::handleRunawayException);
300     connect(this, &BitcoinApplication::requestedInitialize, executor, &BitcoinCore::initialize);
301     connect(this, &BitcoinApplication::requestedShutdown, executor, &BitcoinCore::shutdown);
302     /*  make sure executor object is deleted in its own thread */
303     connect(coreThread, &QThread::finished, executor, &QObject::deleteLater);
304 
305     coreThread->start();
306 }
307 
parameterSetup()308 void BitcoinApplication::parameterSetup()
309 {
310     // Default printtoconsole to false for the GUI. GUI programs should not
311     // print to the console unnecessarily.
312     gArgs.SoftSetBoolArg("-printtoconsole", false);
313 
314     InitLogging(gArgs);
315     InitParameterInteraction(gArgs);
316 }
317 
InitializePruneSetting(bool prune)318 void BitcoinApplication::InitializePruneSetting(bool prune)
319 {
320     // If prune is set, intentionally override existing prune size with
321     // the default size since this is called when choosing a new datadir.
322     optionsModel->SetPruneTargetGB(prune ? DEFAULT_PRUNE_TARGET_GB : 0, true);
323 }
324 
requestInitialize()325 void BitcoinApplication::requestInitialize()
326 {
327     qDebug() << __func__ << ": Requesting initialize";
328     startThread();
329     Q_EMIT requestedInitialize();
330 }
331 
requestShutdown()332 void BitcoinApplication::requestShutdown()
333 {
334     // Show a simple window indicating shutdown status
335     // Do this first as some of the steps may take some time below,
336     // for example the RPC console may still be executing a command.
337     shutdownWindow.reset(ShutdownWindow::showShutdownWindow(window));
338 
339     qDebug() << __func__ << ": Requesting shutdown";
340     startThread();
341     window->hide();
342     // Must disconnect node signals otherwise current thread can deadlock since
343     // no event loop is running.
344     window->unsubscribeFromCoreSignals();
345     // Request node shutdown, which can interrupt long operations, like
346     // rescanning a wallet.
347     node().startShutdown();
348     // Unsetting the client model can cause the current thread to wait for node
349     // to complete an operation, like wait for a RPC execution to complete.
350     window->setClientModel(nullptr);
351     pollShutdownTimer->stop();
352 
353     delete clientModel;
354     clientModel = nullptr;
355 
356     // Request shutdown from core thread
357     Q_EMIT requestedShutdown();
358 }
359 
initializeResult(bool success,interfaces::BlockAndHeaderTipInfo tip_info)360 void BitcoinApplication::initializeResult(bool success, interfaces::BlockAndHeaderTipInfo tip_info)
361 {
362     qDebug() << __func__ << ": Initialization result: " << success;
363     // Set exit result.
364     returnValue = success ? EXIT_SUCCESS : EXIT_FAILURE;
365     if(success)
366     {
367         // Log this only after AppInitMain finishes, as then logging setup is guaranteed complete
368         qInfo() << "Platform customization:" << platformStyle->getName();
369         clientModel = new ClientModel(node(), optionsModel);
370         window->setClientModel(clientModel, &tip_info);
371 #ifdef ENABLE_WALLET
372         if (WalletModel::isWalletEnabled()) {
373             m_wallet_controller = new WalletController(*clientModel, platformStyle, this);
374             window->setWalletController(m_wallet_controller);
375             if (paymentServer) {
376                 paymentServer->setOptionsModel(optionsModel);
377             }
378         }
379 #endif // ENABLE_WALLET
380 
381         // If -min option passed, start window minimized (iconified) or minimized to tray
382         if (!gArgs.GetBoolArg("-min", false)) {
383             window->show();
384         } else if (clientModel->getOptionsModel()->getMinimizeToTray() && window->hasTrayIcon()) {
385             // do nothing as the window is managed by the tray icon
386         } else {
387             window->showMinimized();
388         }
389         Q_EMIT splashFinished();
390         Q_EMIT windowShown(window);
391 
392 #ifdef ENABLE_WALLET
393         // Now that initialization/startup is done, process any command-line
394         // bitcoin: URIs or payment requests:
395         if (paymentServer) {
396             connect(paymentServer, &PaymentServer::receivedPaymentRequest, window, &BitcoinGUI::handlePaymentRequest);
397             connect(window, &BitcoinGUI::receivedURI, paymentServer, &PaymentServer::handleURIOrFile);
398             connect(paymentServer, &PaymentServer::message, [this](const QString& title, const QString& message, unsigned int style) {
399                 window->message(title, message, style);
400             });
401             QTimer::singleShot(100, paymentServer, &PaymentServer::uiReady);
402         }
403 #endif
404         pollShutdownTimer->start(200);
405     } else {
406         Q_EMIT splashFinished(); // Make sure splash screen doesn't stick around during shutdown
407         quit(); // Exit first main loop invocation
408     }
409 }
410 
shutdownResult()411 void BitcoinApplication::shutdownResult()
412 {
413     quit(); // Exit second main loop invocation after shutdown finished
414 }
415 
handleRunawayException(const QString & message)416 void BitcoinApplication::handleRunawayException(const QString &message)
417 {
418     QMessageBox::critical(nullptr, "Runaway exception", BitcoinGUI::tr("A fatal error occurred. %1 can no longer continue safely and will quit.").arg(PACKAGE_NAME) + QString("<br><br>") + message);
419     ::exit(EXIT_FAILURE);
420 }
421 
getMainWinId() const422 WId BitcoinApplication::getMainWinId() const
423 {
424     if (!window)
425         return 0;
426 
427     return window->winId();
428 }
429 
SetupUIArgs(ArgsManager & argsman)430 static void SetupUIArgs(ArgsManager& argsman)
431 {
432     argsman.AddArg("-choosedatadir", strprintf("Choose data directory on startup (default: %u)", DEFAULT_CHOOSE_DATADIR), ArgsManager::ALLOW_ANY, OptionsCategory::GUI);
433     argsman.AddArg("-lang=<lang>", "Set language, for example \"de_DE\" (default: system locale)", ArgsManager::ALLOW_ANY, OptionsCategory::GUI);
434     argsman.AddArg("-min", "Start minimized", ArgsManager::ALLOW_ANY, OptionsCategory::GUI);
435     argsman.AddArg("-resetguisettings", "Reset all settings changed in the GUI", ArgsManager::ALLOW_ANY, OptionsCategory::GUI);
436     argsman.AddArg("-splash", strprintf("Show splash screen on startup (default: %u)", DEFAULT_SPLASHSCREEN), ArgsManager::ALLOW_ANY, OptionsCategory::GUI);
437     argsman.AddArg("-uiplatform", strprintf("Select platform to customize UI for (one of windows, macosx, other; default: %s)", BitcoinGUI::DEFAULT_UIPLATFORM), ArgsManager::ALLOW_ANY | ArgsManager::DEBUG_ONLY, OptionsCategory::GUI);
438 }
439 
GuiMain(int argc,char * argv[])440 int GuiMain(int argc, char* argv[])
441 {
442 #ifdef WIN32
443     util::WinCmdLineArgs winArgs;
444     std::tie(argc, argv) = winArgs.get();
445 #endif
446     SetupEnvironment();
447     util::ThreadSetInternalName("main");
448 
449     NodeContext node_context;
450     std::unique_ptr<interfaces::Node> node = interfaces::MakeNode(&node_context);
451 
452     // Subscribe to global signals from core
453     boost::signals2::scoped_connection handler_message_box = ::uiInterface.ThreadSafeMessageBox_connect(noui_ThreadSafeMessageBox);
454     boost::signals2::scoped_connection handler_question = ::uiInterface.ThreadSafeQuestion_connect(noui_ThreadSafeQuestion);
455     boost::signals2::scoped_connection handler_init_message = ::uiInterface.InitMessage_connect(noui_InitMessage);
456 
457     // Do not refer to data directory yet, this can be overridden by Intro::pickDataDirectory
458 
459     /// 1. Basic Qt initialization (not dependent on parameters or configuration)
460     Q_INIT_RESOURCE(bitcoin);
461     Q_INIT_RESOURCE(bitcoin_locale);
462 
463     // Generate high-dpi pixmaps
464     QApplication::setAttribute(Qt::AA_UseHighDpiPixmaps);
465 #if QT_VERSION >= 0x050600
466     QCoreApplication::setAttribute(Qt::AA_EnableHighDpiScaling);
467 #endif
468 
469     BitcoinApplication app;
470 
471     /// 2. Parse command-line options. We do this after qt in order to show an error if there are problems parsing these
472     // Command-line options take precedence:
473     SetupServerArgs(node_context);
474     SetupUIArgs(gArgs);
475     std::string error;
476     if (!gArgs.ParseParameters(argc, argv, error)) {
477         InitError(strprintf(Untranslated("Error parsing command line arguments: %s\n"), error));
478         // Create a message box, because the gui has neither been created nor has subscribed to core signals
479         QMessageBox::critical(nullptr, PACKAGE_NAME,
480             // message can not be translated because translations have not been initialized
481             QString::fromStdString("Error parsing command line arguments: %1.").arg(QString::fromStdString(error)));
482         return EXIT_FAILURE;
483     }
484 
485     // Now that the QApplication is setup and we have parsed our parameters, we can set the platform style
486     app.setupPlatformStyle();
487 
488     /// 3. Application identification
489     // must be set before OptionsModel is initialized or translations are loaded,
490     // as it is used to locate QSettings
491     QApplication::setOrganizationName(QAPP_ORG_NAME);
492     QApplication::setOrganizationDomain(QAPP_ORG_DOMAIN);
493     QApplication::setApplicationName(QAPP_APP_NAME_DEFAULT);
494 
495     /// 4. Initialization of translations, so that intro dialog is in user's language
496     // Now that QSettings are accessible, initialize translations
497     QTranslator qtTranslatorBase, qtTranslator, translatorBase, translator;
498     initTranslations(qtTranslatorBase, qtTranslator, translatorBase, translator);
499 
500     // Show help message immediately after parsing command-line options (for "-lang") and setting locale,
501     // but before showing splash screen.
502     if (HelpRequested(gArgs) || gArgs.IsArgSet("-version")) {
503         HelpMessageDialog help(nullptr, gArgs.IsArgSet("-version"));
504         help.showOrPrint();
505         return EXIT_SUCCESS;
506     }
507 
508     // Install global event filter that makes sure that long tooltips can be word-wrapped
509     app.installEventFilter(new GUIUtil::ToolTipToRichTextFilter(TOOLTIP_WRAP_THRESHOLD, &app));
510 
511     /// 5. Now that settings and translations are available, ask user for data directory
512     // User language is set up: pick a data directory
513     bool did_show_intro = false;
514     bool prune = false; // Intro dialog prune check box
515     // Gracefully exit if the user cancels
516     if (!Intro::showIfNeeded(did_show_intro, prune)) return EXIT_SUCCESS;
517 
518     /// 6. Determine availability of data directory and parse bitcoin.conf
519     /// - Do not call GetDataDir(true) before this step finishes
520     if (!CheckDataDirOption()) {
521         InitError(strprintf(Untranslated("Specified data directory \"%s\" does not exist.\n"), gArgs.GetArg("-datadir", "")));
522         QMessageBox::critical(nullptr, PACKAGE_NAME,
523             QObject::tr("Error: Specified data directory \"%1\" does not exist.").arg(QString::fromStdString(gArgs.GetArg("-datadir", ""))));
524         return EXIT_FAILURE;
525     }
526     if (!gArgs.ReadConfigFiles(error, true)) {
527         InitError(strprintf(Untranslated("Error reading configuration file: %s\n"), error));
528         QMessageBox::critical(nullptr, PACKAGE_NAME,
529             QObject::tr("Error: Cannot parse configuration file: %1.").arg(QString::fromStdString(error)));
530         return EXIT_FAILURE;
531     }
532 
533     /// 7. Determine network (and switch to network specific options)
534     // - Do not call Params() before this step
535     // - Do this after parsing the configuration file, as the network can be switched there
536     // - QSettings() will use the new application name after this, resulting in network-specific settings
537     // - Needs to be done before createOptionsModel
538 
539     // Check for chain settings (Params() calls are only valid after this clause)
540     try {
541         SelectParams(gArgs.GetChainName());
542     } catch(std::exception &e) {
543         InitError(Untranslated(strprintf("%s\n", e.what())));
544         QMessageBox::critical(nullptr, PACKAGE_NAME, QObject::tr("Error: %1").arg(e.what()));
545         return EXIT_FAILURE;
546     }
547 #ifdef ENABLE_WALLET
548     // Parse URIs on command line -- this can affect Params()
549     PaymentServer::ipcParseCommandLine(argc, argv);
550 #endif
551     if (!gArgs.InitSettings(error)) {
552         InitError(Untranslated(error));
553         QMessageBox::critical(nullptr, PACKAGE_NAME, QObject::tr("Error initializing settings: %1").arg(QString::fromStdString(error)));
554         return EXIT_FAILURE;
555     }
556 
557     QScopedPointer<const NetworkStyle> networkStyle(NetworkStyle::instantiate(Params().NetworkIDString()));
558     assert(!networkStyle.isNull());
559     // Allow for separate UI settings for testnets
560     QApplication::setApplicationName(networkStyle->getAppName());
561     // Re-initialize translations after changing application name (language in network-specific settings can be different)
562     initTranslations(qtTranslatorBase, qtTranslator, translatorBase, translator);
563 
564 #ifdef ENABLE_WALLET
565     /// 8. URI IPC sending
566     // - Do this early as we don't want to bother initializing if we are just calling IPC
567     // - Do this *after* setting up the data directory, as the data directory hash is used in the name
568     // of the server.
569     // - Do this after creating app and setting up translations, so errors are
570     // translated properly.
571     if (PaymentServer::ipcSendCommandLine())
572         exit(EXIT_SUCCESS);
573 
574     // Start up the payment server early, too, so impatient users that click on
575     // bitcoin: links repeatedly have their payment requests routed to this process:
576     if (WalletModel::isWalletEnabled()) {
577         app.createPaymentServer();
578     }
579 #endif // ENABLE_WALLET
580 
581     /// 9. Main GUI initialization
582     // Install global event filter that makes sure that out-of-focus labels do not contain text cursor.
583     app.installEventFilter(new GUIUtil::LabelOutOfFocusEventFilter(&app));
584 #if defined(Q_OS_WIN)
585     // Install global event filter for processing Windows session related Windows messages (WM_QUERYENDSESSION and WM_ENDSESSION)
586     qApp->installNativeEventFilter(new WinShutdownMonitor());
587 #endif
588     // Install qDebug() message handler to route to debug.log
589     qInstallMessageHandler(DebugMessageHandler);
590     // Allow parameter interaction before we create the options model
591     app.parameterSetup();
592     GUIUtil::LogQtInfo();
593     // Load GUI settings from QSettings
594     app.createOptionsModel(gArgs.GetBoolArg("-resetguisettings", false));
595 
596     if (did_show_intro) {
597         // Store intro dialog settings other than datadir (network specific)
598         app.InitializePruneSetting(prune);
599     }
600 
601     if (gArgs.GetBoolArg("-splash", DEFAULT_SPLASHSCREEN) && !gArgs.GetBoolArg("-min", false))
602         app.createSplashScreen(networkStyle.data());
603 
604     app.setNode(*node);
605 
606     int rv = EXIT_SUCCESS;
607     try
608     {
609         app.createWindow(networkStyle.data());
610         // Perform base initialization before spinning up initialization/shutdown thread
611         // This is acceptable because this function only contains steps that are quick to execute,
612         // so the GUI thread won't be held up.
613         if (app.baseInitialize()) {
614             app.requestInitialize();
615 #if defined(Q_OS_WIN)
616             WinShutdownMonitor::registerShutdownBlockReason(QObject::tr("%1 didn't yet exit safely...").arg(PACKAGE_NAME), (HWND)app.getMainWinId());
617 #endif
618             app.exec();
619             app.requestShutdown();
620             app.exec();
621             rv = app.getReturnValue();
622         } else {
623             // A dialog with detailed error will have been shown by InitError()
624             rv = EXIT_FAILURE;
625         }
626     } catch (const std::exception& e) {
627         PrintExceptionContinue(&e, "Runaway exception");
628         app.handleRunawayException(QString::fromStdString(app.node().getWarnings().translated));
629     } catch (...) {
630         PrintExceptionContinue(nullptr, "Runaway exception");
631         app.handleRunawayException(QString::fromStdString(app.node().getWarnings().translated));
632     }
633     return rv;
634 }
635