Libkleo

useridselectioncombo.cpp
1/* This file is part of Kleopatra, the KDE keymanager
2 SPDX-FileCopyrightText: 2016 Klarälvdalens Datakonsult AB
3
4 SPDX-License-Identifier: GPL-2.0-or-later
5*/
6
7#include <config-libkleo.h>
8
9#include "useridselectioncombo.h"
10
11#include "progressbar.h"
12
13#include <libkleo/defaultkeyfilter.h>
14#include <libkleo/formatting.h>
15#include <libkleo/keycache.h>
16#include <libkleo/keyfiltermanager.h>
17#include <libkleo/keyhelpers.h>
18#include <libkleo/keylist.h>
19#include <libkleo/keylistmodel.h>
20#include <libkleo/keylistsortfilterproxymodel.h>
21#include <libkleo/useridproxymodel.h>
22
23#include <kleo_ui_debug.h>
24
25#include <KLocalizedString>
26
27#include <QGpgME/DN>
28
29#include <QHBoxLayout>
30#include <QList>
31#include <QSortFilterProxyModel>
32#include <QTimer>
33#include <QToolButton>
34
35#include <gpgme++/key.h>
36
37using namespace Kleo;
38
39#if !UNITY_BUILD
40Q_DECLARE_METATYPE(GpgME::Key)
41#endif
42namespace
43{
44class SortFilterProxyModel : public KeyListSortFilterProxyModel
45{
46 Q_OBJECT
47
48public:
49 using KeyListSortFilterProxyModel::KeyListSortFilterProxyModel;
50
51 void setAlwaysAcceptedKey(const QString &fingerprint)
52 {
53 if (fingerprint == mFingerprint) {
54 return;
55 }
56 mFingerprint = fingerprint;
57 invalidate();
58 }
59
60protected:
61 bool filterAcceptsRow(int source_row, const QModelIndex &source_parent) const override
62 {
63 if (!mFingerprint.isEmpty()) {
64 const QModelIndex index = sourceModel()->index(source_row, 0, source_parent);
65 const auto fingerprint = sourceModel()->data(index, KeyList::FingerprintRole).toString();
66 if (fingerprint == mFingerprint) {
67 return true;
68 }
69 }
70
71 return KeyListSortFilterProxyModel::filterAcceptsRow(source_row, source_parent);
72 }
73
74private:
75 QString mFingerprint;
76};
77
78static QString formatUserID(const GpgME::UserID &userID)
79{
80 QString name;
81 QString email;
82
83 if (userID.parent().protocol() == GpgME::OpenPGP) {
84 name = QString::fromUtf8(userID.name());
85 email = QString::fromUtf8(userID.email());
86 } else {
87 const QGpgME::DN dn(userID.id());
88 name = dn[QStringLiteral("CN")];
89 email = dn[QStringLiteral("EMAIL")];
90 if (name.isEmpty()) {
91 name = QGpgME::DN(userID.parent().userID(0).id())[QStringLiteral("CN")];
92 }
93 }
94 return email.isEmpty() ? name : name.isEmpty() ? email : i18nc("Name <email>", "%1 <%2>", name, email);
95}
96
97class SortAndFormatCertificatesProxyModel : public QSortFilterProxyModel
98{
99 Q_OBJECT
100
101public:
102 SortAndFormatCertificatesProxyModel(KeyUsage::Flags usageFlags, QObject *parent = nullptr)
103 : QSortFilterProxyModel{parent}
104 , mIconProvider{usageFlags}
105 {
106 }
107
108private:
109 bool lessThan(const QModelIndex &left, const QModelIndex &right) const override
110 {
111 const auto leftUserId = sourceModel()->data(left, KeyList::UserIDRole).value<GpgME::UserID>();
112 const auto rightUserId = sourceModel()->data(right, KeyList::UserIDRole).value<GpgME::UserID>();
113 if (leftUserId.isNull()) {
114 return false;
115 }
116 if (rightUserId.isNull()) {
117 return true;
118 }
119 const auto leftNameAndEmail = formatUserID(leftUserId);
120 const auto rightNameAndEmail = formatUserID(rightUserId);
121 const int cmp = QString::localeAwareCompare(leftNameAndEmail, rightNameAndEmail);
122 if (cmp) {
123 return cmp < 0;
124 }
125
126 if (leftUserId.validity() != rightUserId.validity()) {
127 return leftUserId.validity() > rightUserId.validity();
128 }
129
130 /* Both have the same validity, check which one is newer. */
131 time_t leftTime = 0;
132 for (const GpgME::Subkey &s : leftUserId.parent().subkeys()) {
133 if (s.isBad()) {
134 continue;
135 }
136 if (s.creationTime() > leftTime) {
137 leftTime = s.creationTime();
138 }
139 }
140 time_t rightTime = 0;
141 for (const GpgME::Subkey &s : rightUserId.parent().subkeys()) {
142 if (s.isBad()) {
143 continue;
144 }
145 if (s.creationTime() > rightTime) {
146 rightTime = s.creationTime();
147 }
148 }
149 if (rightTime != leftTime) {
150 return leftTime > rightTime;
151 }
152
153 // as final resort we compare the fingerprints
154 return strcmp(leftUserId.parent().primaryFingerprint(), rightUserId.parent().primaryFingerprint()) < 0;
155 }
156
157protected:
158 QVariant data(const QModelIndex &index, int role) const override
159 {
160 if (!index.isValid()) {
161 return QVariant();
162 }
163
164 const auto userId = QSortFilterProxyModel::data(index, KeyList::UserIDRole).value<GpgME::UserID>();
165 Q_ASSERT(!userId.isNull());
166 if (userId.isNull()) {
167 return QVariant();
168 }
169
170 switch (role) {
171 case Qt::DisplayRole:
173 return Formatting::summaryLine(userId);
174 }
175 case Qt::ToolTipRole: {
176 using namespace Kleo::Formatting;
177 return Kleo::Formatting::toolTip(userId, Validity | Issuer | Subject | Fingerprint | ExpiryDates | UserIDs);
178 }
179 case Qt::DecorationRole: {
180 return mIconProvider.icon(userId.parent());
181 }
182 case Qt::FontRole: {
183 return KeyFilterManager::instance()->font(userId.parent(), QFont());
184 }
185 default:
186 return QSortFilterProxyModel::data(index, role);
187 }
188 }
189
190private:
191 Formatting::IconProvider mIconProvider;
192};
193
194class CustomItemsProxyModel : public QSortFilterProxyModel
195{
196 Q_OBJECT
197
198private:
199 struct CustomItem {
200 QIcon icon;
201 QString text;
202 QVariant data;
203 QString toolTip;
204 };
205
206public:
207 CustomItemsProxyModel(QObject *parent = nullptr)
208 : QSortFilterProxyModel(parent)
209 {
210 }
211
212 ~CustomItemsProxyModel() override
213 {
214 qDeleteAll(mFrontItems);
215 qDeleteAll(mBackItems);
216 }
217
218 bool isCustomItem(const int row) const
219 {
220 return row < mFrontItems.count() || row >= mFrontItems.count() + QSortFilterProxyModel::rowCount();
221 }
222
223 void prependItem(const QIcon &icon, const QString &text, const QVariant &data, const QString &toolTip)
224 {
225 beginInsertRows(QModelIndex(), 0, 0);
226 mFrontItems.push_front(new CustomItem{icon, text, data, toolTip});
227 endInsertRows();
228 }
229
230 void appendItem(const QIcon &icon, const QString &text, const QVariant &data, const QString &toolTip)
231 {
232 beginInsertRows(QModelIndex(), rowCount(), rowCount());
233 mBackItems.push_back(new CustomItem{icon, text, data, toolTip});
234 endInsertRows();
235 }
236
237 void removeCustomItem(const QVariant &data)
238 {
239 for (int i = 0; i < mFrontItems.count(); ++i) {
240 if (mFrontItems[i]->data == data) {
241 beginRemoveRows(QModelIndex(), i, i);
242 delete mFrontItems.takeAt(i);
243 endRemoveRows();
244 return;
245 }
246 }
247 for (int i = 0; i < mBackItems.count(); ++i) {
248 if (mBackItems[i]->data == data) {
249 const int index = mFrontItems.count() + QSortFilterProxyModel::rowCount() + i;
250 beginRemoveRows(QModelIndex(), index, index);
251 delete mBackItems.takeAt(i);
252 endRemoveRows();
253 return;
254 }
255 }
256 }
257
258 int rowCount(const QModelIndex &parent = QModelIndex()) const override
259 {
260 return mFrontItems.count() + QSortFilterProxyModel::rowCount(parent) + mBackItems.count();
261 }
262
263 int columnCount(const QModelIndex &parent = QModelIndex()) const override
264 {
265 Q_UNUSED(parent)
266 // pretend that there is only one column to workaround a bug in
267 // QAccessibleTable which provides the accessibility interface for the
268 // pop-up of the combo box
269 return 1;
270 }
271
272 QModelIndex mapToSource(const QModelIndex &index) const override
273 {
274 if (!index.isValid()) {
275 return {};
276 }
277 if (!isCustomItem(index.row())) {
278 const int sourceRow = index.row() - mFrontItems.count();
279 return QSortFilterProxyModel::mapToSource(createIndex(sourceRow, index.column(), index.internalPointer()));
280 }
281 return {};
282 }
283
284 QModelIndex mapFromSource(const QModelIndex &source_index) const override
285 {
286 const QModelIndex idx = QSortFilterProxyModel::mapFromSource(source_index);
287 return createIndex(mFrontItems.count() + idx.row(), idx.column(), idx.internalPointer());
288 }
289
290 QModelIndex index(int row, int column, const QModelIndex &parent = QModelIndex()) const override
291 {
292 if (row < 0 || row >= rowCount()) {
293 return {};
294 }
295 if (row < mFrontItems.count()) {
296 return createIndex(row, column, mFrontItems[row]);
297 } else if (row >= mFrontItems.count() + QSortFilterProxyModel::rowCount()) {
298 return createIndex(row, column, mBackItems[row - mFrontItems.count() - QSortFilterProxyModel::rowCount()]);
299 } else {
300 const QModelIndex mi = QSortFilterProxyModel::index(row - mFrontItems.count(), column, parent);
301 return createIndex(row, column, mi.internalPointer());
302 }
303 }
304
305 Qt::ItemFlags flags(const QModelIndex &index) const override
306 {
307 Q_UNUSED(index)
309 }
310
311 QModelIndex parent(const QModelIndex &) const override
312 {
313 // Flat list
314 return {};
315 }
316
317 QVariant data(const QModelIndex &index, int role) const override
318 {
319 if (!index.isValid()) {
320 return QVariant();
321 }
322
323 if (isCustomItem(index.row())) {
324 Q_ASSERT(!mFrontItems.isEmpty() || !mBackItems.isEmpty());
325 auto ci = static_cast<CustomItem *>(index.internalPointer());
326 switch (role) {
327 case Qt::DisplayRole:
328 return ci->text;
330 return ci->icon;
331 case Qt::UserRole:
332 case KeyList::UserIDRole:
333 return ci->data;
334 case Qt::ToolTipRole:
335 return ci->toolTip;
336 default:
337 return QVariant();
338 }
339 }
340
341 return QSortFilterProxyModel::data(index, role);
342 }
343
344private:
345 QList<CustomItem *> mFrontItems;
346 QList<CustomItem *> mBackItems;
347};
348
349} // anonymous namespace
350
351namespace Kleo
352{
353class UserIDSelectionComboPrivate
354{
355public:
356 UserIDSelectionComboPrivate(UserIDSelectionCombo *parent, bool secretOnly_, KeyUsage::Flags usage)
357 : wasEnabled(true)
358 , secretOnly{secretOnly_}
359 , usageFlags{usage}
360 , q{parent}
361 {
362 }
363
364 /* Selects the first key with a UID addrSpec that matches
365 * the mPerfectMatchMbox variable.
366 *
367 * The idea here is that if there are keys like:
368 *
369 * tom-store@abc.com
370 * susi-store@abc.com
371 * store@abc.com
372 *
373 * And the user wants to send a mail to "store@abc.com"
374 * the filter should still show tom and susi (because they
375 * both are part of store) but the key for "store" should
376 * be preselected.
377 *
378 * Returns true if one was selected. False otherwise. */
379 bool selectPerfectIdMatch() const
380 {
381 if (mPerfectMatchMbox.isEmpty()) {
382 return false;
383 }
384
385 for (int i = 0; i < proxyModel->rowCount(); ++i) {
386 const auto idx = proxyModel->index(i, 0, QModelIndex());
387 const auto userID = idx.data(KeyList::UserIDRole).value<GpgME::UserID>();
388 if (userID.isNull()) {
389 // WTF?
390 continue;
391 }
392 if (QString::fromStdString(userID.addrSpec()) == mPerfectMatchMbox) {
393 combo->setCurrentIndex(i);
394 return true;
395 }
396 }
397 return false;
398 }
399
400 /* Updates the current key with the default key if the key matches
401 * the current key filter. */
402 void updateWithDefaultKey()
403 {
404 GpgME::Protocol filterProto = GpgME::UnknownProtocol;
405
406 const auto filter = dynamic_cast<const DefaultKeyFilter *>(sortFilterProxy->keyFilter().get());
407 if (filter && filter->isOpenPGP() == DefaultKeyFilter::Set) {
408 filterProto = GpgME::OpenPGP;
409 } else if (filter && filter->isOpenPGP() == DefaultKeyFilter::NotSet) {
410 filterProto = GpgME::CMS;
411 }
412
413 QString defaultKey = defaultKeys.value(filterProto);
414 if (defaultKey.isEmpty()) {
415 // Fallback to unknown protocol
416 defaultKey = defaultKeys.value(GpgME::UnknownProtocol);
417 }
418 // make sure that the default key is not filtered out unless it has the wrong protocol
419 if (filterProto == GpgME::UnknownProtocol) {
420 sortFilterProxy->setAlwaysAcceptedKey(defaultKey);
421 } else {
422 const auto key = KeyCache::instance()->findByFingerprint(defaultKey.toLatin1().constData());
423 if (!key.isNull() && key.protocol() == filterProto) {
424 sortFilterProxy->setAlwaysAcceptedKey(defaultKey);
425 } else {
426 sortFilterProxy->setAlwaysAcceptedKey({});
427 }
428 }
429 q->setCurrentKey(defaultKey);
430 }
431
432 void storeCurrentSelectionBeforeModelChange()
433 {
434 userIDBeforeModelChange = q->currentUserID();
435 customItemBeforeModelChange = combo->currentData();
436 }
437
438 void restoreCurrentSelectionAfterModelChange()
439 {
440 if (!userIDBeforeModelChange.isNull()) {
441 q->setCurrentUserID(userIDBeforeModelChange);
442 } else if (customItemBeforeModelChange.isValid()) {
443 const auto index = combo->findData(customItemBeforeModelChange);
444 if (index != -1) {
445 combo->setCurrentIndex(index);
446 } else {
447 updateWithDefaultKey();
448 }
449 }
450 }
451
452 Kleo::AbstractKeyListModel *model = nullptr;
453 UserIDProxyModel *userIdProxy = nullptr;
454 SortFilterProxyModel *sortFilterProxy = nullptr;
455 SortAndFormatCertificatesProxyModel *sortAndFormatProxy = nullptr;
456 CustomItemsProxyModel *proxyModel = nullptr;
457 QComboBox *combo = nullptr;
458 QToolButton *button = nullptr;
459 std::shared_ptr<Kleo::KeyCache> cache;
460 QMap<GpgME::Protocol, QString> defaultKeys;
461 bool wasEnabled = false;
462 bool useWasEnabled = false;
463 bool secretOnly = false;
464 bool initialKeyListingDone = false;
465 QString mPerfectMatchMbox;
466 GpgME::UserID userIDBeforeModelChange;
467 QVariant customItemBeforeModelChange;
468 KeyUsage::Flags usageFlags;
469
470private:
471 UserIDSelectionCombo *const q;
472};
473
474}
475
476using namespace Kleo;
477
478UserIDSelectionCombo::UserIDSelectionCombo(QWidget *parent)
479 : UserIDSelectionCombo(true, KeyUsage::None, parent)
480{
481}
482
483UserIDSelectionCombo::UserIDSelectionCombo(bool secretOnly, QWidget *parent)
484 : UserIDSelectionCombo(secretOnly, KeyUsage::None, parent)
485{
486}
487
488UserIDSelectionCombo::UserIDSelectionCombo(KeyUsage::Flags usage, QWidget *parent)
489 : UserIDSelectionCombo{false, usage, parent}
490{
491}
492
493UserIDSelectionCombo::UserIDSelectionCombo(KeyUsage::Flag usage, QWidget *parent)
494 : UserIDSelectionCombo{false, usage, parent}
495{
496}
497
498UserIDSelectionCombo::UserIDSelectionCombo(bool secretOnly, KeyUsage::Flags usage, QWidget *parent)
499 : QWidget(parent)
500 , d(new UserIDSelectionComboPrivate(this, secretOnly, usage))
501{
502 // set a non-empty string as accessible description to prevent screen readers
503 // from reading the tool tip which isn't meant for screen readers
504 setAccessibleDescription(QStringLiteral(" "));
505 d->model = Kleo::AbstractKeyListModel::createFlatKeyListModel(this);
506
507 d->userIdProxy = new UserIDProxyModel(this);
508 d->userIdProxy->setSourceModel(d->model);
509
510 d->sortFilterProxy = new SortFilterProxyModel(this);
511 d->sortFilterProxy->setSourceModel(d->userIdProxy);
512
513 d->sortAndFormatProxy = new SortAndFormatCertificatesProxyModel{usage, this};
514 d->sortAndFormatProxy->setSourceModel(d->sortFilterProxy);
515 // initialize dynamic sorting
516 d->sortAndFormatProxy->sort(0);
517
518 d->proxyModel = new CustomItemsProxyModel{this};
519 d->proxyModel->setSourceModel(d->sortAndFormatProxy);
520
521 auto layout = new QHBoxLayout(this);
522 layout->setContentsMargins({});
523
524 d->combo = new QComboBox(parent);
525 layout->addWidget(d->combo);
526
527 d->button = new QToolButton(parent);
528 d->button->setIcon(QIcon::fromTheme(QStringLiteral("resource-group-new")));
529 d->button->setToolTip(i18nc("@info:tooltip", "Show certificate list"));
530 d->button->setAccessibleName(i18n("Show certificate list"));
531 layout->addWidget(d->button);
532
533 connect(d->button, &QToolButton::clicked, this, &UserIDSelectionCombo::certificateSelectionRequested);
534
535 d->combo->setModel(d->proxyModel);
536 connect(d->combo, &QComboBox::currentIndexChanged, this, [this](int row) {
537 if (row >= 0 && row < d->proxyModel->rowCount()) {
538 if (d->proxyModel->isCustomItem(row)) {
539 Q_EMIT customItemSelected(d->combo->currentData(Qt::UserRole));
540 } else {
541 Q_EMIT currentKeyChanged(currentKey());
542 }
543 }
544 });
545
546 d->cache = Kleo::KeyCache::mutableInstance();
547
548 connect(d->combo->model(), &QAbstractItemModel::rowsAboutToBeInserted, this, [this]() {
549 d->storeCurrentSelectionBeforeModelChange();
550 });
551 connect(d->combo->model(), &QAbstractItemModel::rowsInserted, this, [this]() {
552 d->restoreCurrentSelectionAfterModelChange();
553 });
554 connect(d->combo->model(), &QAbstractItemModel::rowsAboutToBeRemoved, this, [this]() {
555 d->storeCurrentSelectionBeforeModelChange();
556 });
557 connect(d->combo->model(), &QAbstractItemModel::rowsRemoved, this, [this]() {
558 d->restoreCurrentSelectionAfterModelChange();
559 });
560 connect(d->combo->model(), &QAbstractItemModel::modelAboutToBeReset, this, [this]() {
561 d->storeCurrentSelectionBeforeModelChange();
562 });
563 connect(d->combo->model(), &QAbstractItemModel::modelReset, this, [this]() {
564 d->restoreCurrentSelectionAfterModelChange();
565 });
566
567 QTimer::singleShot(0, this, &UserIDSelectionCombo::init);
568}
569
570UserIDSelectionCombo::~UserIDSelectionCombo() = default;
571
572void UserIDSelectionCombo::init()
573{
574 connect(d->cache.get(), &Kleo::KeyCache::keyListingDone, this, [this]() {
575 // Set useKeyCache ensures that the cache is populated
576 // so this can be a blocking call if the cache is not initialized
577 if (!d->initialKeyListingDone) {
578 d->model->useKeyCache(true, d->secretOnly ? KeyList::SecretKeysOnly : KeyList::AllKeys);
579 }
580 d->proxyModel->removeCustomItem(QStringLiteral("-libkleo-loading-keys"));
581
582 // We use the useWasEnabled state variable to decide if we should
583 // change the enable / disable state based on the keylist done signal.
584 // If we triggered the refresh useWasEnabled is true and we want to
585 // enable / disable again after our refresh, as the refresh disabled it.
586 //
587 // But if a keyListingDone signal comes from just a generic refresh
588 // triggered by someone else we don't want to change the enable / disable
589 // state.
590 if (d->useWasEnabled) {
591 setEnabled(d->wasEnabled);
592 d->useWasEnabled = false;
593 }
594 Q_EMIT keyListingFinished();
595 });
596
597 connect(this, &UserIDSelectionCombo::keyListingFinished, this, [this]() {
598 if (!d->initialKeyListingDone) {
599 d->updateWithDefaultKey();
600 d->initialKeyListingDone = true;
601 }
602 });
603
604 if (!d->cache->initialized()) {
605 refreshKeys();
606 } else {
607 d->model->useKeyCache(true, d->secretOnly ? KeyList::SecretKeysOnly : KeyList::AllKeys);
608 Q_EMIT keyListingFinished();
609 }
610
611 connect(d->combo, &QComboBox::currentIndexChanged, this, [this]() {
612 setToolTip(d->combo->currentData(Qt::ToolTipRole).toString());
613 });
614}
615
616void UserIDSelectionCombo::setKeyFilter(const std::shared_ptr<const KeyFilter> &kf)
617{
618 d->sortFilterProxy->setKeyFilter(kf);
619 d->updateWithDefaultKey();
620}
621
622std::shared_ptr<const KeyFilter> UserIDSelectionCombo::keyFilter() const
623{
624 return d->sortFilterProxy->keyFilter();
625}
626
627void UserIDSelectionCombo::setIdFilter(const QString &id)
628{
629 d->sortFilterProxy->setFilterRegularExpression(id);
630 d->mPerfectMatchMbox = id;
631 d->updateWithDefaultKey();
632}
633
634QString UserIDSelectionCombo::idFilter() const
635{
636 return d->sortFilterProxy->filterRegularExpression().pattern();
637}
638
639GpgME::Key Kleo::UserIDSelectionCombo::currentKey() const
640{
641 return d->combo->currentData(KeyList::KeyRole).value<GpgME::Key>();
642}
643
644void Kleo::UserIDSelectionCombo::setCurrentKey(const GpgME::Key &key)
645{
646 const int idx = d->combo->findData(QString::fromLatin1(key.primaryFingerprint()), KeyList::FingerprintRole, Qt::MatchExactly);
647 if (idx > -1) {
648 d->combo->setCurrentIndex(idx);
649 } else if (!d->selectPerfectIdMatch()) {
650 d->updateWithDefaultKey();
651 }
652 setToolTip(d->combo->currentData(Qt::ToolTipRole).toString());
653}
654
655void Kleo::UserIDSelectionCombo::setCurrentKey(const QString &fingerprint)
656{
657 const auto cur = currentKey();
658 if (!cur.isNull() && !fingerprint.isEmpty() && fingerprint == QLatin1StringView(cur.primaryFingerprint())) {
659 // already set; still emit a changed signal because the current key may
660 // have become the item at the current index by changes in the underlying model
661 Q_EMIT currentKeyChanged(cur);
662 return;
663 }
664 const int idx = d->combo->findData(fingerprint, KeyList::FingerprintRole, Qt::MatchExactly);
665 if (idx > -1) {
666 d->combo->setCurrentIndex(idx);
667 } else if (!d->selectPerfectIdMatch()) {
668 d->combo->setCurrentIndex(0);
669 }
670 setToolTip(d->combo->currentData(Qt::ToolTipRole).toString());
671}
672
673GpgME::UserID Kleo::UserIDSelectionCombo::currentUserID() const
674{
675 return d->combo->currentData(KeyList::UserIDRole).value<GpgME::UserID>();
676}
677
678void Kleo::UserIDSelectionCombo::setCurrentUserID(const GpgME::UserID &userID)
679{
680 for (auto i = 0; i < d->combo->count(); i++) {
681 const auto &other = d->combo->itemData(i, KeyList::UserIDRole).value<GpgME::UserID>();
682 if (!qstrcmp(userID.id(), other.id()) && !qstrcmp(userID.parent().primaryFingerprint(), other.parent().primaryFingerprint())) {
683 d->combo->setCurrentIndex(i);
684 setToolTip(d->combo->currentData(Qt::ToolTipRole).toString());
685 return;
686 }
687 }
688 if (!d->selectPerfectIdMatch()) {
689 d->updateWithDefaultKey();
690 setToolTip(d->combo->currentData(Qt::ToolTipRole).toString());
691 }
692}
693
694void UserIDSelectionCombo::refreshKeys()
695{
696 d->wasEnabled = isEnabled();
697 d->useWasEnabled = true;
698 setEnabled(false);
699 const bool wasBlocked = blockSignals(true);
700 prependCustomItem(QIcon(), i18n("Loading keys ..."), QStringLiteral("-libkleo-loading-keys"));
701 d->combo->setCurrentIndex(0);
702 blockSignals(wasBlocked);
703 d->cache->startKeyListing();
704}
705
706void UserIDSelectionCombo::appendCustomItem(const QIcon &icon, const QString &text, const QVariant &data, const QString &toolTip)
707{
708 d->proxyModel->appendItem(icon, text, data, toolTip);
709}
710
711void UserIDSelectionCombo::appendCustomItem(const QIcon &icon, const QString &text, const QVariant &data)
712{
713 appendCustomItem(icon, text, data, QString());
714}
715
716void UserIDSelectionCombo::prependCustomItem(const QIcon &icon, const QString &text, const QVariant &data, const QString &toolTip)
717{
718 d->proxyModel->prependItem(icon, text, data, toolTip);
719}
720
721void UserIDSelectionCombo::prependCustomItem(const QIcon &icon, const QString &text, const QVariant &data)
722{
723 prependCustomItem(icon, text, data, QString());
724}
725
726void UserIDSelectionCombo::removeCustomItem(const QVariant &data)
727{
728 d->proxyModel->removeCustomItem(data);
729}
730
731void Kleo::UserIDSelectionCombo::setDefaultKey(const QString &fingerprint, GpgME::Protocol proto)
732{
733 d->defaultKeys.insert(proto, fingerprint);
734 d->updateWithDefaultKey();
735}
736
737void Kleo::UserIDSelectionCombo::setDefaultKey(const QString &fingerprint)
738{
739 setDefaultKey(fingerprint, GpgME::UnknownProtocol);
740}
741
742QString Kleo::UserIDSelectionCombo::defaultKey(GpgME::Protocol proto) const
743{
744 return d->defaultKeys.value(proto);
745}
746
747QString Kleo::UserIDSelectionCombo::defaultKey() const
748{
749 return defaultKey(GpgME::UnknownProtocol);
750}
751
752QComboBox *Kleo::UserIDSelectionCombo::combo() const
753{
754 return d->combo;
755}
756
757int Kleo::UserIDSelectionCombo::findUserId(const GpgME::UserID &userId) const
758{
759 for (int i = 0; i < combo()->model()->rowCount(); i++) {
760 if (Kleo::userIDsAreEqual(userId, combo()->model()->index(i, 0).data(KeyList::UserIDRole).value<GpgME::UserID>())) {
761 return i;
762 }
763 }
764 return -1;
765}
766
767#include "useridselectioncombo.moc"
768
769#include "moc_useridselectioncombo.cpp"
QString i18nc(const char *context, const char *text, const TYPE &arg...)
QString i18n(const char *text, const TYPE &arg...)
KIOCORE_EXPORT TransferJob * get(const QUrl &url, LoadType reload=NoReload, JobFlags flags=DefaultFlags)
void clicked(bool checked)
void modelAboutToBeReset()
void rowsAboutToBeInserted(const QModelIndex &parent, int start, int end)
void rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)
void rowsInserted(const QModelIndex &parent, int first, int last)
void rowsRemoved(const QModelIndex &parent, int first, int last)
const char * constData() const const
void currentIndexChanged(int index)
QIcon fromTheme(const QString &name)
int column() const const
void * internalPointer() const const
bool isValid() const const
int row() const const
Q_EMITQ_EMIT
bool blockSignals(bool block)
QMetaObject::Connection connect(const QObject *sender, PointerToMemberFunction signal, Functor functor)
virtual QVariant data(const QModelIndex &index, int role) const const override
virtual QModelIndex index(int row, int column, const QModelIndex &parent) const const override
virtual QModelIndex mapFromSource(const QModelIndex &sourceIndex) const const override
virtual QModelIndex mapToSource(const QModelIndex &proxyIndex) const const override
virtual int rowCount(const QModelIndex &parent) const const override
QChar * data()
QString fromLatin1(QByteArrayView str)
QString fromStdString(const std::string &str)
QString fromUtf8(QByteArrayView str)
bool isEmpty() const const
int localeAwareCompare(QStringView s1, QStringView s2)
QByteArray toLatin1() const const
DisplayRole
typedef ItemFlags
MatchExactly
QFuture< void > filter(QThreadPool *pool, Sequence &sequence, KeepFunctor &&filterFunction)
QFuture< ArgsType< Signal > > connect(Sender *sender, Signal signal)
T value() const const
bool isEnabled() const const
This file is part of the KDE documentation.
Documentation copyright © 1996-2025 The KDE developers.
Generated on Fri Apr 4 2025 12:04:00 by doxygen 1.13.2 written by Dimitri van Heesch, © 1997-2006

KDE's Doxygen guidelines are available online.