Bitcoin Core 30.99.0
P2P Digital Currency
guiutil.cpp
Go to the documentation of this file.
1// Copyright (c) 2011-present 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#include <qt/guiutil.h>
6
8#include <qt/bitcoinunits.h>
9#include <qt/platformstyle.h>
12
13#include <addresstype.h>
14#include <base58.h>
15#include <chainparams.h>
16#include <common/args.h>
17#include <interfaces/node.h>
18#include <key_io.h>
19#include <logging.h>
20#include <policy/policy.h>
22#include <protocol.h>
23#include <script/script.h>
24#include <util/chaintype.h>
25#include <util/exception.h>
26#include <util/fs.h>
27#include <util/fs_helpers.h>
28#include <util/time.h>
29
30#ifdef WIN32
31#include <shellapi.h>
32#include <shlobj.h>
33#include <shlwapi.h>
34#endif
35
36#include <QAbstractButton>
37#include <QAbstractItemView>
38#include <QApplication>
39#include <QClipboard>
40#include <QDateTime>
41#include <QDesktopServices>
42#include <QDialog>
43#include <QDoubleValidator>
44#include <QFileDialog>
45#include <QFont>
46#include <QFontDatabase>
47#include <QFontMetrics>
48#include <QGuiApplication>
49#include <QJsonObject>
50#include <QKeyEvent>
51#include <QKeySequence>
52#include <QLatin1String>
53#include <QLineEdit>
54#include <QList>
55#include <QLocale>
56#include <QMenu>
57#include <QMouseEvent>
58#include <QPluginLoader>
59#include <QProgressDialog>
60#include <QRegularExpression>
61#include <QScreen>
62#include <QSettings>
63#include <QShortcut>
64#include <QSize>
65#include <QStandardPaths>
66#include <QString>
67#include <QTextDocument>
68#include <QThread>
69#include <QUrlQuery>
70#include <QtGlobal>
71
72#include <cassert>
73#include <chrono>
74#include <exception>
75#include <fstream>
76#include <string>
77#include <vector>
78
79#if defined(Q_OS_MACOS)
80
81#include <QProcess>
82
83void ForceActivation();
84#endif
85
86using namespace std::chrono_literals;
87
88namespace GUIUtil {
89
90QString dateTimeStr(const QDateTime &date)
91{
92 return QLocale::system().toString(date.date(), QLocale::ShortFormat) + QString(" ") + date.toString("hh:mm");
93}
94
95QString dateTimeStr(qint64 nTime)
96{
97 return dateTimeStr(QDateTime::fromSecsSinceEpoch(nTime));
98}
99
100QFont fixedPitchFont(bool use_embedded_font)
101{
102 if (use_embedded_font) {
103 return {"Roboto Mono"};
104 }
105 return QFontDatabase::systemFont(QFontDatabase::FixedFont);
106}
107
108// Return a pre-generated dummy bech32m address (P2TR) with invalid checksum.
109static std::string DummyAddress(const CChainParams &params)
110{
111 std::string addr;
112 switch (params.GetChainType()) {
113 case ChainType::MAIN:
114 addr = "bc1p35yvjel7srp783ztf8v6jdra7dhfzk5jaun8xz2qp6ws7z80n4tq2jku9f";
115 break;
119 addr = "tb1p35yvjel7srp783ztf8v6jdra7dhfzk5jaun8xz2qp6ws7z80n4tqa6qnlg";
120 break;
122 addr = "bcrt1p35yvjel7srp783ztf8v6jdra7dhfzk5jaun8xz2qp6ws7z80n4tqsr2427";
123 break;
124 } // no default case, so the compiler can warn about missing cases
125 assert(!addr.empty());
126
127 if (Assume(!IsValidDestinationString(addr))) return addr;
128 return {};
129}
130
131void setupAddressWidget(QValidatedLineEdit *widget, QWidget *parent)
132{
133 parent->setFocusProxy(widget);
134
135 widget->setFont(fixedPitchFont());
136 // We don't want translators to use own addresses in translations
137 // and this is the only place, where this address is supplied.
138 widget->setPlaceholderText(QObject::tr("Enter a Bitcoin address (e.g. %1)").arg(
139 QString::fromStdString(DummyAddress(Params()))));
140 widget->setValidator(new BitcoinAddressEntryValidator(parent));
142}
143
144void AddButtonShortcut(QAbstractButton* button, const QKeySequence& shortcut)
145{
146 QObject::connect(new QShortcut(shortcut, button), &QShortcut::activated, [button]() { button->animateClick(); });
147}
148
150{
151 // return if URI is not valid or is no bitcoin: URI
152 if(!uri.isValid() || uri.scheme() != QString("bitcoin"))
153 return false;
154
156 rv.address = uri.path();
157 // Trim any following forward slash which may have been added by the OS
158 if (rv.address.endsWith("/")) {
159 rv.address.truncate(rv.address.length() - 1);
160 }
161 rv.amount = 0;
162
163 QUrlQuery uriQuery(uri);
164 QList<QPair<QString, QString> > items = uriQuery.queryItems();
165 for (QList<QPair<QString, QString> >::iterator i = items.begin(); i != items.end(); i++)
166 {
167 bool fShouldReturnFalse = false;
168 if (i->first.startsWith("req-"))
169 {
170 i->first.remove(0, 4);
171 fShouldReturnFalse = true;
172 }
173
174 if (i->first == "label")
175 {
176 rv.label = i->second;
177 fShouldReturnFalse = false;
178 }
179 if (i->first == "message")
180 {
181 rv.message = i->second;
182 fShouldReturnFalse = false;
183 }
184 else if (i->first == "amount")
185 {
186 if(!i->second.isEmpty())
187 {
188 if (!BitcoinUnits::parse(BitcoinUnit::BTC, i->second, &rv.amount)) {
189 return false;
190 }
191 }
192 fShouldReturnFalse = false;
193 }
194
195 if (fShouldReturnFalse)
196 return false;
197 }
198 if(out)
199 {
200 *out = rv;
201 }
202 return true;
203}
204
206{
207 QUrl uriInstance(uri);
208 return parseBitcoinURI(uriInstance, out);
209}
210
212{
213 bool bech_32 = info.address.startsWith(QString::fromStdString(Params().Bech32HRP() + "1"));
214
215 QString ret = QString("bitcoin:%1").arg(bech_32 ? info.address.toUpper() : info.address);
216 int paramCount = 0;
217
218 if (info.amount)
219 {
220 ret += QString("?amount=%1").arg(BitcoinUnits::format(BitcoinUnit::BTC, info.amount, false, BitcoinUnits::SeparatorStyle::NEVER));
221 paramCount++;
222 }
223
224 if (!info.label.isEmpty())
225 {
226 QString lbl(QUrl::toPercentEncoding(info.label));
227 ret += QString("%1label=%2").arg(paramCount == 0 ? "?" : "&").arg(lbl);
228 paramCount++;
229 }
230
231 if (!info.message.isEmpty())
232 {
233 QString msg(QUrl::toPercentEncoding(info.message));
234 ret += QString("%1message=%2").arg(paramCount == 0 ? "?" : "&").arg(msg);
235 paramCount++;
236 }
237
238 return ret;
239}
240
241bool isDust(interfaces::Node& node, const QString& address, const CAmount& amount)
242{
243 CTxDestination dest = DecodeDestination(address.toStdString());
245 CTxOut txOut(amount, script);
246 return IsDust(txOut, node.getDustRelayFee());
247}
248
249QString HtmlEscape(const QString& str, bool fMultiLine)
250{
251 QString escaped = str.toHtmlEscaped();
252 if(fMultiLine)
253 {
254 escaped = escaped.replace("\n", "<br>\n");
255 }
256 return escaped;
257}
258
259QString HtmlEscape(const std::string& str, bool fMultiLine)
260{
261 return HtmlEscape(QString::fromStdString(str), fMultiLine);
262}
263
264void copyEntryData(const QAbstractItemView *view, int column, int role)
265{
266 if(!view || !view->selectionModel())
267 return;
268 QModelIndexList selection = view->selectionModel()->selectedRows(column);
269
270 if(!selection.isEmpty())
271 {
272 // Copy first item
273 setClipboard(selection.at(0).data(role).toString());
274 }
275}
276
277QList<QModelIndex> getEntryData(const QAbstractItemView *view, int column)
278{
279 if(!view || !view->selectionModel())
280 return QList<QModelIndex>();
281 return view->selectionModel()->selectedRows(column);
282}
283
284bool hasEntryData(const QAbstractItemView *view, int column, int role)
285{
286 QModelIndexList selection = getEntryData(view, column);
287 if (selection.isEmpty()) return false;
288 return !selection.at(0).data(role).toString().isEmpty();
289}
290
291void LoadFont(const QString& file_name)
292{
293 const int id = QFontDatabase::addApplicationFont(file_name);
294 assert(id != -1);
295}
296
298{
300}
301
302QString ExtractFirstSuffixFromFilter(const QString& filter)
303{
304 QRegularExpression filter_re(QStringLiteral(".* \\(\\*\\.(.*)[ \\)]"), QRegularExpression::InvertedGreedinessOption);
305 QString suffix;
306 QRegularExpressionMatch m = filter_re.match(filter);
307 if (m.hasMatch()) {
308 suffix = m.captured(1);
309 }
310 return suffix;
311}
312
313QString getSaveFileName(QWidget *parent, const QString &caption, const QString &dir,
314 const QString &filter,
315 QString *selectedSuffixOut)
316{
317 QString selectedFilter;
318 QString myDir;
319 if(dir.isEmpty()) // Default to user documents location
320 {
321 myDir = QStandardPaths::writableLocation(QStandardPaths::DocumentsLocation);
322 }
323 else
324 {
325 myDir = dir;
326 }
327 /* Directly convert path to native OS path separators */
328 QString result = QDir::toNativeSeparators(QFileDialog::getSaveFileName(parent, caption, myDir, filter, &selectedFilter));
329
330 QString selectedSuffix = ExtractFirstSuffixFromFilter(selectedFilter);
331
332 /* Add suffix if needed */
333 QFileInfo info(result);
334 if(!result.isEmpty())
335 {
336 if(info.suffix().isEmpty() && !selectedSuffix.isEmpty())
337 {
338 /* No suffix specified, add selected suffix */
339 if(!result.endsWith("."))
340 result.append(".");
341 result.append(selectedSuffix);
342 }
343 }
344
345 /* Return selected suffix if asked to */
346 if(selectedSuffixOut)
347 {
348 *selectedSuffixOut = selectedSuffix;
349 }
350 return result;
351}
352
353QString getOpenFileName(QWidget *parent, const QString &caption, const QString &dir,
354 const QString &filter,
355 QString *selectedSuffixOut)
356{
357 QString selectedFilter;
358 QString myDir;
359 if(dir.isEmpty()) // Default to user documents location
360 {
361 myDir = QStandardPaths::writableLocation(QStandardPaths::DocumentsLocation);
362 }
363 else
364 {
365 myDir = dir;
366 }
367 /* Directly convert path to native OS path separators */
368 QString result = QDir::toNativeSeparators(QFileDialog::getOpenFileName(parent, caption, myDir, filter, &selectedFilter));
369
370 if(selectedSuffixOut)
371 {
372 *selectedSuffixOut = ExtractFirstSuffixFromFilter(selectedFilter);
373 ;
374 }
375 return result;
376}
377
379{
380 if(QThread::currentThread() != qApp->thread())
381 {
382 return Qt::BlockingQueuedConnection;
383 }
384 else
385 {
386 return Qt::DirectConnection;
387 }
388}
389
390bool checkPoint(const QPoint &p, const QWidget *w)
391{
392 QWidget *atW = QApplication::widgetAt(w->mapToGlobal(p));
393 if (!atW) return false;
394 return atW->window() == w;
395}
396
397bool isObscured(QWidget *w)
398{
399 return !(checkPoint(QPoint(0, 0), w)
400 && checkPoint(QPoint(w->width() - 1, 0), w)
401 && checkPoint(QPoint(0, w->height() - 1), w)
402 && checkPoint(QPoint(w->width() - 1, w->height() - 1), w)
403 && checkPoint(QPoint(w->width() / 2, w->height() / 2), w));
404}
405
406void bringToFront(QWidget* w)
407{
408#ifdef Q_OS_MACOS
410#endif
411
412 if (w) {
413 // activateWindow() (sometimes) helps with keyboard focus on Windows
414 if (w->isMinimized()) {
415 w->showNormal();
416 } else {
417 w->show();
418 }
419 w->activateWindow();
420 w->raise();
421 }
422}
423
425{
426 QObject::connect(new QShortcut(QKeySequence(QObject::tr("Ctrl+W")), w), &QShortcut::activated, w, &QWidget::close);
427}
428
430{
431 fs::path pathDebug = LogInstance().m_file_path;
432
433 /* Open debug.log with the associated application */
434 if (fs::exists(pathDebug))
435 QDesktopServices::openUrl(QUrl::fromLocalFile(PathToQString(pathDebug)));
436}
437
439{
440 fs::path pathConfig = gArgs.GetConfigFilePath();
441
442 /* Create the file */
443 std::ofstream configFile{pathConfig.std_path(), std::ios_base::app};
444
445 if (!configFile.good())
446 return false;
447
448 configFile.close();
449
450 /* Open bitcoin.conf with the associated application */
451 bool res = QDesktopServices::openUrl(QUrl::fromLocalFile(PathToQString(pathConfig)));
452#ifdef Q_OS_MACOS
453 // Workaround for macOS-specific behavior; see #15409.
454 if (!res) {
455 res = QProcess::startDetached("/usr/bin/open", QStringList{"-t", PathToQString(pathConfig)});
456 }
457#endif
458
459 return res;
460}
461
462ToolTipToRichTextFilter::ToolTipToRichTextFilter(int _size_threshold, QObject *parent) :
463 QObject(parent),
464 size_threshold(_size_threshold)
465{
466
467}
468
469bool ToolTipToRichTextFilter::eventFilter(QObject *obj, QEvent *evt)
470{
471 if(evt->type() == QEvent::ToolTipChange)
472 {
473 QWidget *widget = static_cast<QWidget*>(obj);
474 QString tooltip = widget->toolTip();
475 if(tooltip.size() > size_threshold && !tooltip.startsWith("<qt") && !Qt::mightBeRichText(tooltip))
476 {
477 // Envelop with <qt></qt> to make sure Qt detects this as rich text
478 // Escape the current message as HTML and replace \n by <br>
479 tooltip = "<qt>" + HtmlEscape(tooltip, true) + "</qt>";
480 widget->setToolTip(tooltip);
481 return true;
482 }
483 }
484 return QObject::eventFilter(obj, evt);
485}
486
488 : QObject(parent)
489{
490}
491
492bool LabelOutOfFocusEventFilter::eventFilter(QObject* watched, QEvent* event)
493{
494 if (event->type() == QEvent::FocusOut) {
495 auto focus_out = static_cast<QFocusEvent*>(event);
496 if (focus_out->reason() != Qt::PopupFocusReason) {
497 auto label = qobject_cast<QLabel*>(watched);
498 if (label) {
499 auto flags = label->textInteractionFlags();
500 label->setTextInteractionFlags(Qt::NoTextInteraction);
501 label->setTextInteractionFlags(flags);
502 }
503 }
504 }
505
506 return QObject::eventFilter(watched, event);
507}
508
509#ifdef WIN32
510fs::path static StartupShortcutPath()
511{
512 ChainType chain = gArgs.GetChainType();
513 if (chain == ChainType::MAIN)
514 return GetSpecialFolderPath(CSIDL_STARTUP) / "Bitcoin.lnk";
515 if (chain == ChainType::TESTNET) // Remove this special case when testnet CBaseChainParams::DataDir() is incremented to "testnet4"
516 return GetSpecialFolderPath(CSIDL_STARTUP) / "Bitcoin (testnet).lnk";
517 return GetSpecialFolderPath(CSIDL_STARTUP) / fs::u8path(strprintf("Bitcoin (%s).lnk", ChainTypeToString(chain)));
518}
519
521{
522 // check for Bitcoin*.lnk
523 return fs::exists(StartupShortcutPath());
524}
525
526bool SetStartOnSystemStartup(bool fAutoStart)
527{
528 // If the shortcut exists already, remove it for updating
529 fs::remove(StartupShortcutPath());
530
531 if (fAutoStart)
532 {
533 CoInitialize(nullptr);
534
535 // Get a pointer to the IShellLink interface.
536 IShellLinkW* psl = nullptr;
537 HRESULT hres = CoCreateInstance(CLSID_ShellLink, nullptr,
538 CLSCTX_INPROC_SERVER, IID_IShellLinkW,
539 reinterpret_cast<void**>(&psl));
540
541 if (SUCCEEDED(hres))
542 {
543 // Get the current executable path
544 WCHAR pszExePath[MAX_PATH];
545 GetModuleFileNameW(nullptr, pszExePath, ARRAYSIZE(pszExePath));
546
547 // Start client minimized
548 QString strArgs = "-min";
549 // Set -testnet /-regtest options
550 strArgs += QString::fromStdString(strprintf(" -chain=%s", gArgs.GetChainTypeString()));
551
552 // Set the path to the shortcut target
553 psl->SetPath(pszExePath);
554 PathRemoveFileSpecW(pszExePath);
555 psl->SetWorkingDirectory(pszExePath);
556 psl->SetShowCmd(SW_SHOWMINNOACTIVE);
557 psl->SetArguments(strArgs.toStdWString().c_str());
558
559 // Query IShellLink for the IPersistFile interface for
560 // saving the shortcut in persistent storage.
561 IPersistFile* ppf = nullptr;
562 hres = psl->QueryInterface(IID_IPersistFile, reinterpret_cast<void**>(&ppf));
563 if (SUCCEEDED(hres))
564 {
565 // Save the link by calling IPersistFile::Save.
566 hres = ppf->Save(StartupShortcutPath().wstring().c_str(), TRUE);
567 ppf->Release();
568 psl->Release();
569 CoUninitialize();
570 return true;
571 }
572 psl->Release();
573 }
574 CoUninitialize();
575 return false;
576 }
577 return true;
578}
579#elif defined(Q_OS_LINUX)
580
581// Follow the Desktop Application Autostart Spec:
582// https://specifications.freedesktop.org/autostart-spec/autostart-spec-latest.html
583
584fs::path static GetAutostartDir()
585{
586 char* pszConfigHome = getenv("XDG_CONFIG_HOME");
587 if (pszConfigHome) return fs::path(pszConfigHome) / "autostart";
588 char* pszHome = getenv("HOME");
589 if (pszHome) return fs::path(pszHome) / ".config" / "autostart";
590 return fs::path();
591}
592
593fs::path static GetAutostartFilePath()
594{
595 ChainType chain = gArgs.GetChainType();
596 if (chain == ChainType::MAIN)
597 return GetAutostartDir() / "bitcoin.desktop";
598 return GetAutostartDir() / fs::u8path(strprintf("bitcoin-%s.desktop", ChainTypeToString(chain)));
599}
600
602{
603 std::ifstream optionFile{GetAutostartFilePath().std_path()};
604 if (!optionFile.good())
605 return false;
606 // Scan through file for "Hidden=true":
607 std::string line;
608 while (!optionFile.eof())
609 {
610 getline(optionFile, line);
611 if (line.find("Hidden") != std::string::npos &&
612 line.find("true") != std::string::npos)
613 return false;
614 }
615 optionFile.close();
616
617 return true;
618}
619
620bool SetStartOnSystemStartup(bool fAutoStart)
621{
622 if (!fAutoStart)
623 fs::remove(GetAutostartFilePath());
624 else
625 {
626 char pszExePath[MAX_PATH+1];
627 ssize_t r = readlink("/proc/self/exe", pszExePath, sizeof(pszExePath));
628 if (r == -1 || r > MAX_PATH) {
629 return false;
630 }
631 pszExePath[r] = '\0';
632
633 fs::create_directories(GetAutostartDir());
634
635 std::ofstream optionFile{GetAutostartFilePath().std_path(), std::ios_base::out | std::ios_base::trunc};
636 if (!optionFile.good())
637 return false;
638 ChainType chain = gArgs.GetChainType();
639 // Write a bitcoin.desktop file to the autostart directory:
640 optionFile << "[Desktop Entry]\n";
641 optionFile << "Type=Application\n";
642 if (chain == ChainType::MAIN)
643 optionFile << "Name=Bitcoin\n";
644 else
645 optionFile << strprintf("Name=Bitcoin (%s)\n", ChainTypeToString(chain));
646 optionFile << "Exec=" << pszExePath << strprintf(" -min -chain=%s\n", ChainTypeToString(chain));
647 optionFile << "Terminal=false\n";
648 optionFile << "Hidden=false\n";
649 optionFile.close();
650 }
651 return true;
652}
653
654#else
655
656bool GetStartOnSystemStartup() { return false; }
657bool SetStartOnSystemStartup(bool fAutoStart) { return false; }
658
659#endif
660
661void setClipboard(const QString& str)
662{
663 QClipboard* clipboard = QApplication::clipboard();
664 clipboard->setText(str, QClipboard::Clipboard);
665 if (clipboard->supportsSelection()) {
666 clipboard->setText(str, QClipboard::Selection);
667 }
668}
669
670fs::path QStringToPath(const QString &path)
671{
672 return fs::u8path(path.toStdString());
673}
674
675QString PathToQString(const fs::path &path)
676{
677 return QString::fromStdString(path.utf8string());
678}
679
681{
682 switch (net) {
683 case NET_UNROUTABLE: return QObject::tr("Unroutable");
684 //: Name of IPv4 network in peer info
685 case NET_IPV4: return QObject::tr("IPv4", "network name");
686 //: Name of IPv6 network in peer info
687 case NET_IPV6: return QObject::tr("IPv6", "network name");
688 //: Name of Tor network in peer info
689 case NET_ONION: return QObject::tr("Onion", "network name");
690 //: Name of I2P network in peer info
691 case NET_I2P: return QObject::tr("I2P", "network name");
692 //: Name of CJDNS network in peer info
693 case NET_CJDNS: return QObject::tr("CJDNS", "network name");
694 case NET_INTERNAL: return "Internal"; // should never actually happen
695 case NET_MAX: assert(false);
696 } // no default case, so the compiler can warn about missing cases
697 assert(false);
698}
699
700QString ConnectionTypeToQString(ConnectionType conn_type, bool prepend_direction)
701{
702 QString prefix;
703 if (prepend_direction) {
704 prefix = (conn_type == ConnectionType::INBOUND) ?
705 /*: An inbound connection from a peer. An inbound connection
706 is a connection initiated by a peer. */
707 QObject::tr("Inbound") :
708 /*: An outbound connection to a peer. An outbound connection
709 is a connection initiated by us. */
710 QObject::tr("Outbound") + " ";
711 }
712 switch (conn_type) {
713 case ConnectionType::INBOUND: return prefix;
714 //: Peer connection type that relays all network information.
715 case ConnectionType::OUTBOUND_FULL_RELAY: return prefix + QObject::tr("Full Relay");
716 /*: Peer connection type that relays network information about
717 blocks and not transactions or addresses. */
718 case ConnectionType::BLOCK_RELAY: return prefix + QObject::tr("Block Relay");
719 //: Peer connection type established manually through one of several methods.
720 case ConnectionType::MANUAL: return prefix + QObject::tr("Manual");
721 //: Short-lived peer connection type that tests the aliveness of known addresses.
722 case ConnectionType::FEELER: return prefix + QObject::tr("Feeler");
723 //: Short-lived peer connection type that solicits known addresses from a peer.
724 case ConnectionType::ADDR_FETCH: return prefix + QObject::tr("Address Fetch");
725 } // no default case, so the compiler can warn about missing cases
726 assert(false);
727}
728
729QString formatDurationStr(std::chrono::seconds dur)
730{
731 const auto d{std::chrono::duration_cast<std::chrono::days>(dur)};
732 const auto h{std::chrono::duration_cast<std::chrono::hours>(dur - d)};
733 const auto m{std::chrono::duration_cast<std::chrono::minutes>(dur - d - h)};
734 const auto s{std::chrono::duration_cast<std::chrono::seconds>(dur - d - h - m)};
735 QStringList str_list;
736 if (auto d2{d.count()}) str_list.append(QObject::tr("%1 d").arg(d2));
737 if (auto h2{h.count()}) str_list.append(QObject::tr("%1 h").arg(h2));
738 if (auto m2{m.count()}) str_list.append(QObject::tr("%1 m").arg(m2));
739 const auto s2{s.count()};
740 if (s2 || str_list.empty()) str_list.append(QObject::tr("%1 s").arg(s2));
741 return str_list.join(" ");
742}
743
744QString FormatPeerAge(std::chrono::seconds time_connected)
745{
746 const auto time_now{GetTime<std::chrono::seconds>()};
747 const auto age{time_now - time_connected};
748 if (age >= 24h) return QObject::tr("%1 d").arg(age / 24h);
749 if (age >= 1h) return QObject::tr("%1 h").arg(age / 1h);
750 if (age >= 1min) return QObject::tr("%1 m").arg(age / 1min);
751 return QObject::tr("%1 s").arg(age / 1s);
752}
753
754QString formatServicesStr(quint64 mask)
755{
756 QStringList strList;
757
758 for (const auto& flag : serviceFlagsToStr(mask)) {
759 strList.append(QString::fromStdString(flag));
760 }
761
762 if (strList.size())
763 return strList.join(", ");
764 else
765 return QObject::tr("None");
766}
767
768QString formatPingTime(std::chrono::microseconds ping_time)
769{
770 return (ping_time == std::chrono::microseconds::max() || ping_time == 0us) ?
771 QObject::tr("N/A") :
772 QObject::tr("%1 ms").arg(QString::number((int)(count_microseconds(ping_time) / 1000), 10));
773}
774
775QString formatTimeOffset(int64_t time_offset)
776{
777 return QObject::tr("%1 s").arg(QString::number((int)time_offset, 10));
778}
779
780QString formatNiceTimeOffset(qint64 secs)
781{
782 // Represent time from last generated block in human readable text
783 QString timeBehindText;
784 const int HOUR_IN_SECONDS = 60*60;
785 const int DAY_IN_SECONDS = 24*60*60;
786 const int WEEK_IN_SECONDS = 7*24*60*60;
787 const int YEAR_IN_SECONDS = 31556952; // Average length of year in Gregorian calendar
788 if(secs < 60)
789 {
790 timeBehindText = QObject::tr("%n second(s)","",secs);
791 }
792 else if(secs < 2*HOUR_IN_SECONDS)
793 {
794 timeBehindText = QObject::tr("%n minute(s)","",secs/60);
795 }
796 else if(secs < 2*DAY_IN_SECONDS)
797 {
798 timeBehindText = QObject::tr("%n hour(s)","",secs/HOUR_IN_SECONDS);
799 }
800 else if(secs < 2*WEEK_IN_SECONDS)
801 {
802 timeBehindText = QObject::tr("%n day(s)","",secs/DAY_IN_SECONDS);
803 }
804 else if(secs < YEAR_IN_SECONDS)
805 {
806 timeBehindText = QObject::tr("%n week(s)","",secs/WEEK_IN_SECONDS);
807 }
808 else
809 {
810 qint64 years = secs / YEAR_IN_SECONDS;
811 qint64 remainder = secs % YEAR_IN_SECONDS;
812 timeBehindText = QObject::tr("%1 and %2").arg(QObject::tr("%n year(s)", "", years)).arg(QObject::tr("%n week(s)","", remainder/WEEK_IN_SECONDS));
813 }
814 return timeBehindText;
815}
816
817QString formatBytes(uint64_t bytes)
818{
819 if (bytes < 1'000)
820 return QObject::tr("%1 B").arg(bytes);
821 if (bytes < 1'000'000)
822 return QObject::tr("%1 kB").arg(bytes / 1'000);
823 if (bytes < 1'000'000'000)
824 return QObject::tr("%1 MB").arg(bytes / 1'000'000);
825
826 return QObject::tr("%1 GB").arg(bytes / 1'000'000'000);
827}
828
829qreal calculateIdealFontSize(int width, const QString& text, QFont font, qreal minPointSize, qreal font_size) {
830 while(font_size >= minPointSize) {
831 font.setPointSizeF(font_size);
832 QFontMetrics fm(font);
833 if (TextWidth(fm, text) < width) {
834 break;
835 }
836 font_size -= 0.5;
837 }
838 return font_size;
839}
840
841ThemedLabel::ThemedLabel(const PlatformStyle* platform_style, QWidget* parent)
842 : QLabel{parent}, m_platform_style{platform_style}
843{
845}
846
847void ThemedLabel::setThemedPixmap(const QString& image_filename, int width, int height)
848{
849 m_image_filename = image_filename;
850 m_pixmap_width = width;
851 m_pixmap_height = height;
853}
854
856{
857 if (e->type() == QEvent::PaletteChange) {
859 }
860
861 QLabel::changeEvent(e);
862}
863
865{
867}
868
869ClickableLabel::ClickableLabel(const PlatformStyle* platform_style, QWidget* parent)
870 : ThemedLabel{platform_style, parent}
871{
872}
873
874void ClickableLabel::mouseReleaseEvent(QMouseEvent *event)
875{
876 Q_EMIT clicked(event->pos());
877}
878
880{
881 Q_EMIT clicked(event->pos());
882}
883
884bool ItemDelegate::eventFilter(QObject *object, QEvent *event)
885{
886 if (event->type() == QEvent::KeyPress) {
887 if (static_cast<QKeyEvent*>(event)->key() == Qt::Key_Escape) {
888 Q_EMIT keyEscapePressed();
889 }
890 }
891 return QItemDelegate::eventFilter(object, event);
892}
893
894void PolishProgressDialog(QProgressDialog* dialog)
895{
896#ifdef Q_OS_MACOS
897 // Workaround for macOS-only Qt bug; see: QTBUG-65750, QTBUG-70357.
898 const int margin = TextWidth(dialog->fontMetrics(), ("X"));
899 dialog->resize(dialog->width() + 2 * margin, dialog->height());
900#endif
901 // QProgressDialog estimates the time the operation will take (based on time
902 // for steps), and only shows itself if that estimate is beyond minimumDuration.
903 // The default minimumDuration value is 4 seconds, and it could make users
904 // think that the GUI is frozen.
905 dialog->setMinimumDuration(0);
906}
907
908int TextWidth(const QFontMetrics& fm, const QString& text)
909{
910 return fm.horizontalAdvance(text);
911}
912
914{
915#ifdef QT_STATIC
916 const std::string qt_link{"static"};
917#else
918 const std::string qt_link{"dynamic"};
919#endif
920 LogInfo("Qt %s (%s), plugin=%s\n", qVersion(), qt_link, QGuiApplication::platformName().toStdString());
921 const auto static_plugins = QPluginLoader::staticPlugins();
922 if (static_plugins.empty()) {
923 LogInfo("No static plugins.\n");
924 } else {
925 LogInfo("Static plugins:\n");
926 for (const QStaticPlugin& p : static_plugins) {
927 QJsonObject meta_data = p.metaData();
928 const std::string plugin_class = meta_data.take(QString("className")).toString().toStdString();
929 const int plugin_version = meta_data.take(QString("version")).toInt();
930 LogInfo(" %s, version %d\n", plugin_class, plugin_version);
931 }
932 }
933
934 LogInfo("Style: %s / %s\n", QApplication::style()->objectName().toStdString(), QApplication::style()->metaObject()->className());
935 LogInfo("System: %s, %s\n", QSysInfo::prettyProductName().toStdString(), QSysInfo::buildAbi().toStdString());
936 for (const QScreen* s : QGuiApplication::screens()) {
937 LogInfo("Screen: %s %dx%d, pixel ratio=%.1f\n", s->name().toStdString(), s->size().width(), s->size().height(), s->devicePixelRatio());
938 }
939}
940
941void PopupMenu(QMenu* menu, const QPoint& point, QAction* at_action)
942{
943 // The qminimal plugin does not provide window system integration.
944 if (QApplication::platformName() == "minimal") return;
945 menu->popup(point, at_action);
946}
947
948QDateTime StartOfDay(const QDate& date)
949{
950 return date.startOfDay();
951}
952
953bool HasPixmap(const QLabel* label)
954{
955 return !label->pixmap(Qt::ReturnByValue).isNull();
956}
957
958QString MakeHtmlLink(const QString& source, const QString& link)
959{
960 return QString(source).replace(
961 link,
962 QLatin1String("<a href=\"") + link + QLatin1String("\">") + link + QLatin1String("</a>"));
963}
964
966 const std::exception* exception,
967 const QObject* sender,
968 const QObject* receiver)
969{
970 std::string description = sender->metaObject()->className();
971 description += "->";
972 description += receiver->metaObject()->className();
973 PrintExceptionContinue(exception, description);
974}
975
976void ShowModalDialogAsynchronously(QDialog* dialog)
977{
978 dialog->setAttribute(Qt::WA_DeleteOnClose);
979 dialog->setWindowModality(Qt::ApplicationModal);
980 dialog->show();
981}
982
983QString WalletDisplayName(const QString& name)
984{
985 return name.isEmpty() ? "[" + QObject::tr("default wallet") + "]" : name;
986}
987
988QString WalletDisplayName(const std::string& name)
989{
990 return WalletDisplayName(QString::fromStdString(name));
991}
992} // namespace GUIUtil
CScript GetScriptForDestination(const CTxDestination &dest)
Generate a Bitcoin scriptPubKey for the given CTxDestination.
std::variant< CNoDestination, PubKeyDestination, PKHash, ScriptHash, WitnessV0ScriptHash, WitnessV0KeyHash, WitnessV1Taproot, PayToAnchor, WitnessUnknown > CTxDestination
A txout script categorized into standard templates.
Definition: addresstype.h:143
int64_t CAmount
Amount in satoshis (Can be negative)
Definition: amount.h:12
fs::path GetDefaultDataDir()
Definition: args.cpp:736
ArgsManager gArgs
Definition: args.cpp:40
int ret
int flags
Definition: bitcoin-tx.cpp:529
const CChainParams & Params()
Return the currently selected parameters.
std::string ChainTypeToString(ChainType chain)
Definition: chaintype.cpp:11
ChainType
Definition: chaintype.h:11
#define Assume(val)
Assume is the identity function.
Definition: check.h:125
ChainType GetChainType() const
Returns the appropriate chain type from the program arguments.
Definition: args.cpp:787
std::string GetChainTypeString() const
Returns the appropriate chain type string from the program arguments.
Definition: args.cpp:794
fs::path GetConfigFilePath() const
Return config file path (read-only)
Definition: args.cpp:774
fs::path m_file_path
Definition: logging.h:231
Bitcoin address widget validator, checks for a valid bitcoin address.
Base58 entry widget validator, checks for valid characters and removes some whitespace.
static QString format(Unit unit, const CAmount &amount, bool plussign=false, SeparatorStyle separators=SeparatorStyle::STANDARD, bool justify=false)
Format as string.
static bool parse(Unit unit, const QString &value, CAmount *val_out)
Parse string to coin amount.
CChainParams defines various tweakable parameters of a given instance of the Bitcoin system.
Definition: chainparams.h:78
ChainType GetChainType() const
Return the chain type.
Definition: chainparams.h:112
Serialized script, used inside transaction inputs and outputs.
Definition: script.h:413
An output of a transaction.
Definition: transaction.h:150
void mouseReleaseEvent(QMouseEvent *event) override
Definition: guiutil.cpp:874
ClickableLabel(const PlatformStyle *platform_style, QWidget *parent=nullptr)
Definition: guiutil.cpp:869
void clicked(const QPoint &point)
Emitted when the label is clicked.
void mouseReleaseEvent(QMouseEvent *event) override
Definition: guiutil.cpp:879
void clicked(const QPoint &point)
Emitted when the progressbar is clicked.
bool eventFilter(QObject *object, QEvent *event) override
Definition: guiutil.cpp:884
bool eventFilter(QObject *watched, QEvent *event) override
Definition: guiutil.cpp:492
LabelOutOfFocusEventFilter(QObject *parent)
Definition: guiutil.cpp:487
QString m_image_filename
Definition: guiutil.h:265
const PlatformStyle * m_platform_style
Definition: guiutil.h:264
void changeEvent(QEvent *e) override
Definition: guiutil.cpp:855
ThemedLabel(const PlatformStyle *platform_style, QWidget *parent=nullptr)
Definition: guiutil.cpp:841
void setThemedPixmap(const QString &image_filename, int width, int height)
Definition: guiutil.cpp:847
void updateThemedPixmap()
Definition: guiutil.cpp:864
bool eventFilter(QObject *obj, QEvent *evt) override
Definition: guiutil.cpp:469
ToolTipToRichTextFilter(int size_threshold, QObject *parent=nullptr)
Definition: guiutil.cpp:462
QIcon SingleColorIcon(const QString &filename) const
Colorize an icon (given filename) with the icon color.
Line edit that can be marked as "invalid" to show input validation feedback.
void setCheckValidator(const QValidator *v)
Top-level interface for a bitcoin node (bitcoind process).
Definition: node.h:70
#define MAX_PATH
Definition: compat.h:69
ConnectionType
Different types of connections to a peer.
@ BLOCK_RELAY
We use block-relay-only connections to help prevent against partition attacks.
@ MANUAL
We open manual connections to addresses that users explicitly requested via the addnode RPC or the -a...
@ OUTBOUND_FULL_RELAY
These are the default connections that we use to connect with the network.
@ FEELER
Feeler connections are short-lived connections made to check that a node is alive.
@ INBOUND
Inbound connections are those initiated by a peer.
@ ADDR_FETCH
AddrFetch connections are short lived connections used to solicit addresses from peers.
void PrintExceptionContinue(const std::exception *pex, std::string_view thread_name)
Definition: exception.cpp:36
static path u8path(std::string_view utf8_str)
Definition: fs.h:81
static bool exists(const path &p)
Definition: fs.h:95
bool IsValidDestinationString(const std::string &str, const CChainParams &params)
Definition: key_io.cpp:310
CTxDestination DecodeDestination(const std::string &str, std::string &error_msg, std::vector< int > *error_locations)
Definition: key_io.cpp:299
BCLog::Logger & LogInstance()
Definition: logging.cpp:26
#define LogInfo(...)
Definition: logging.h:368
void ForceActivation()
Force application activation on macOS.
Utility functions used by the Bitcoin Qt UI.
Definition: bitcoingui.h:58
QString NetworkToQString(Network net)
Convert enum Network to QString.
Definition: guiutil.cpp:680
bool isObscured(QWidget *w)
Definition: guiutil.cpp:397
bool openBitcoinConf()
Definition: guiutil.cpp:438
Qt::ConnectionType blockingGUIThreadConnection()
Get connection type to call object slot in GUI thread with invokeMethod.
Definition: guiutil.cpp:378
QString WalletDisplayName(const QString &name)
Definition: guiutil.cpp:983
QString HtmlEscape(const QString &str, bool fMultiLine)
Definition: guiutil.cpp:249
void PopupMenu(QMenu *menu, const QPoint &point, QAction *at_action)
Call QMenu::popup() only on supported QT_QPA_PLATFORM.
Definition: guiutil.cpp:941
QList< QModelIndex > getEntryData(const QAbstractItemView *view, int column)
Return a field of the currently selected entry as a QString.
Definition: guiutil.cpp:277
QFont fixedPitchFont(bool use_embedded_font)
Definition: guiutil.cpp:100
QString formatBytes(uint64_t bytes)
Definition: guiutil.cpp:817
void ShowModalDialogAsynchronously(QDialog *dialog)
Shows a QDialog instance asynchronously, and deletes it on close.
Definition: guiutil.cpp:976
QString formatDurationStr(std::chrono::seconds dur)
Convert seconds into a QString with days, hours, mins, secs.
Definition: guiutil.cpp:729
void AddButtonShortcut(QAbstractButton *button, const QKeySequence &shortcut)
Connects an additional shortcut to a QAbstractButton.
Definition: guiutil.cpp:144
QString MakeHtmlLink(const QString &source, const QString &link)
Replaces a plain text link with an HTML tagged one.
Definition: guiutil.cpp:958
void handleCloseWindowShortcut(QWidget *w)
Definition: guiutil.cpp:424
QString ExtractFirstSuffixFromFilter(const QString &filter)
Extract first suffix from filter pattern "Description (*.foo)" or "Description (*....
Definition: guiutil.cpp:302
void PolishProgressDialog(QProgressDialog *dialog)
Definition: guiutil.cpp:894
bool isDust(interfaces::Node &node, const QString &address, const CAmount &amount)
Definition: guiutil.cpp:241
QString getOpenFileName(QWidget *parent, const QString &caption, const QString &dir, const QString &filter, QString *selectedSuffixOut)
Get open filename, convenience wrapper for QFileDialog::getOpenFileName.
Definition: guiutil.cpp:353
QString getDefaultDataDirectory()
Determine default data directory for operating system.
Definition: guiutil.cpp:297
void copyEntryData(const QAbstractItemView *view, int column, int role)
Copy a field of the currently selected entry of a view to the clipboard.
Definition: guiutil.cpp:264
QString getSaveFileName(QWidget *parent, const QString &caption, const QString &dir, const QString &filter, QString *selectedSuffixOut)
Get save filename, mimics QFileDialog::getSaveFileName, except that it appends a default suffix when ...
Definition: guiutil.cpp:313
QDateTime StartOfDay(const QDate &date)
Returns the start-moment of the day in local time.
Definition: guiutil.cpp:948
bool SetStartOnSystemStartup(bool fAutoStart)
Definition: guiutil.cpp:657
static std::string DummyAddress(const CChainParams &params)
Definition: guiutil.cpp:109
void bringToFront(QWidget *w)
Definition: guiutil.cpp:406
bool HasPixmap(const QLabel *label)
Returns true if pixmap has been set.
Definition: guiutil.cpp:953
void LogQtInfo()
Writes to debug.log short info about the used Qt and the host system.
Definition: guiutil.cpp:913
QString formatPingTime(std::chrono::microseconds ping_time)
Format a CNodeStats.m_last_ping_time into a user-readable string or display N/A, if 0.
Definition: guiutil.cpp:768
QString PathToQString(const fs::path &path)
Convert OS specific boost path to QString through UTF-8.
Definition: guiutil.cpp:675
void openDebugLogfile()
Definition: guiutil.cpp:429
QString dateTimeStr(const QDateTime &date)
Definition: guiutil.cpp:90
void LoadFont(const QString &file_name)
Loads the font from the file specified by file_name, aborts if it fails.
Definition: guiutil.cpp:291
void PrintSlotException(const std::exception *exception, const QObject *sender, const QObject *receiver)
Definition: guiutil.cpp:965
bool checkPoint(const QPoint &p, const QWidget *w)
Definition: guiutil.cpp:390
QString formatBitcoinURI(const SendCoinsRecipient &info)
Definition: guiutil.cpp:211
QString ConnectionTypeToQString(ConnectionType conn_type, bool prepend_direction)
Convert enum ConnectionType to QString.
Definition: guiutil.cpp:700
QString formatServicesStr(quint64 mask)
Format CNodeStats.nServices bitmask into a user-readable string.
Definition: guiutil.cpp:754
QString formatNiceTimeOffset(qint64 secs)
Definition: guiutil.cpp:780
QString FormatPeerAge(std::chrono::seconds time_connected)
Convert peer connection time to a QString denominated in the most relevant unit.
Definition: guiutil.cpp:744
QString formatTimeOffset(int64_t time_offset)
Format a CNodeStateStats.time_offset into a user-readable string.
Definition: guiutil.cpp:775
bool parseBitcoinURI(const QUrl &uri, SendCoinsRecipient *out)
Definition: guiutil.cpp:149
bool GetStartOnSystemStartup()
Definition: guiutil.cpp:656
int TextWidth(const QFontMetrics &fm, const QString &text)
Returns the distance in pixels appropriate for drawing a subsequent character after text.
Definition: guiutil.cpp:908
void setupAddressWidget(QValidatedLineEdit *widget, QWidget *parent)
Definition: guiutil.cpp:131
void setClipboard(const QString &str)
Definition: guiutil.cpp:661
bool hasEntryData(const QAbstractItemView *view, int column, int role)
Returns true if the specified field of the currently selected view entry is not empty.
Definition: guiutil.cpp:284
fs::path QStringToPath(const QString &path)
Convert QString to OS specific boost path through UTF-8.
Definition: guiutil.cpp:670
qreal calculateIdealFontSize(int width, const QString &text, QFont font, qreal minPointSize, qreal font_size)
Definition: guiutil.cpp:829
Definition: messages.h:21
Network
A network type.
Definition: netaddress.h:33
@ NET_I2P
I2P.
Definition: netaddress.h:47
@ NET_CJDNS
CJDNS.
Definition: netaddress.h:50
@ NET_MAX
Dummy value to indicate the number of NET_* constants.
Definition: netaddress.h:57
@ NET_ONION
TOR (v2 or v3)
Definition: netaddress.h:44
@ NET_IPV6
IPv6.
Definition: netaddress.h:41
@ NET_IPV4
IPv4.
Definition: netaddress.h:38
@ NET_UNROUTABLE
Addresses from these networks are not publicly routable on the global Internet.
Definition: netaddress.h:35
@ NET_INTERNAL
A set of addresses that represent the hash of a string or FQDN.
Definition: netaddress.h:54
@ SUCCEEDED
RFC1928: Succeeded.
Definition: netbase.cpp:271
bool IsDust(const CTxOut &txout, const CFeeRate &dustRelayFeeIn)
Definition: policy.cpp:65
std::vector< std::string > serviceFlagsToStr(uint64_t flags)
Convert service flags (a bitmask of NODE_*) to human readable strings.
Definition: protocol.cpp:108
const char * prefix
Definition: rest.cpp:1107
const char * name
Definition: rest.cpp:48
const char * source
Definition: rpcconsole.cpp:62
#define strprintf
Format arguments and return the string or write to given std::ostream (see tinyformat::format doc for...
Definition: tinyformat.h:1172
constexpr int64_t count_microseconds(std::chrono::microseconds t)
Definition: time.h:84
assert(!tx.IsCoinBase())