Libkleo

keyselectioncombo.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 "keyselectioncombo.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/keylist.h>
17#include <libkleo/keylistmodel.h>
18#include <libkleo/keylistsortfilterproxymodel.h>
19
20#include <kleo_ui_debug.h>
21
22#include <KLocalizedString>
23
24#include <QGpgME/DN>
25
26#include <QAbstractProxyModel>
27#include <QList>
28#include <QSortFilterProxyModel>
29#include <QTimer>
30
31#include <gpgme++/key.h>
32
33using namespace Kleo;
34
35#if !UNITY_BUILD
36Q_DECLARE_METATYPE(GpgME::Key)
37#endif
38namespace
39{
40class SortFilterProxyModel : public KeyListSortFilterProxyModel
41{
42 Q_OBJECT
43
44public:
45 using KeyListSortFilterProxyModel::KeyListSortFilterProxyModel;
46
47 void setAlwaysAcceptedKey(const QString &fingerprint)
48 {
49 if (fingerprint == mFingerprint) {
50 return;
51 }
52 mFingerprint = fingerprint;
53 invalidate();
54 }
55
56protected:
57 bool filterAcceptsRow(int source_row, const QModelIndex &source_parent) const override
58 {
59 if (!mFingerprint.isEmpty()) {
60 const QModelIndex index = sourceModel()->index(source_row, 0, source_parent);
61 const auto fingerprint = sourceModel()->data(index, KeyList::FingerprintRole).toString();
62 if (fingerprint == mFingerprint) {
63 return true;
64 }
65 }
66
67 return KeyListSortFilterProxyModel::filterAcceptsRow(source_row, source_parent);
68 }
69
70private:
71 QString mFingerprint;
72};
73
74static QString formatUserID(const GpgME::Key &key)
75{
76 const auto userID = key.userID(0);
77 QString name;
78 QString email;
79
80 if (key.protocol() == GpgME::OpenPGP) {
81 name = QString::fromUtf8(userID.name());
82 email = QString::fromUtf8(userID.email());
83 } else {
84 const QGpgME::DN dn(userID.id());
85 name = dn[QStringLiteral("CN")];
86 email = dn[QStringLiteral("EMAIL")];
87 }
88 return email.isEmpty() ? name : name.isEmpty() ? email : i18nc("Name <email>", "%1 <%2>", name, email);
89}
90
91class SortAndFormatCertificatesProxyModel : public QSortFilterProxyModel
92{
93 Q_OBJECT
94
95public:
96 SortAndFormatCertificatesProxyModel(KeyUsage::Flags usageFlags, QObject *parent = nullptr)
97 : QSortFilterProxyModel{parent}
98 , mIconProvider{usageFlags}
99 {
100 }
101
102private:
103 bool lessThan(const QModelIndex &left, const QModelIndex &right) const override
104 {
105 const auto leftKey = sourceModel()->data(left, KeyList::KeyRole).value<GpgME::Key>();
106 const auto rightKey = sourceModel()->data(right, KeyList::KeyRole).value<GpgME::Key>();
107 if (leftKey.isNull()) {
108 return false;
109 }
110 if (rightKey.isNull()) {
111 return true;
112 }
113 // As we display UID(0) this is ok. We probably need a get Best UID at some point.
114 const auto lUid = leftKey.userID(0);
115 const auto rUid = rightKey.userID(0);
116 if (lUid.isNull()) {
117 return false;
118 }
119 if (rUid.isNull()) {
120 return true;
121 }
122 const auto leftNameAndEmail = formatUserID(leftKey);
123 const auto rightNameAndEmail = formatUserID(rightKey);
124 const int cmp = QString::localeAwareCompare(leftNameAndEmail, rightNameAndEmail);
125 if (cmp) {
126 return cmp < 0;
127 }
128
129 if (lUid.validity() != rUid.validity()) {
130 return lUid.validity() > rUid.validity();
131 }
132
133 /* Both have the same validity, check which one is newer. */
134 time_t leftTime = 0;
135 for (const GpgME::Subkey &s : leftKey.subkeys()) {
136 if (s.isBad()) {
137 continue;
138 }
139 if (s.creationTime() > leftTime) {
140 leftTime = s.creationTime();
141 }
142 }
143 time_t rightTime = 0;
144 for (const GpgME::Subkey &s : rightKey.subkeys()) {
145 if (s.isBad()) {
146 continue;
147 }
148 if (s.creationTime() > rightTime) {
149 rightTime = s.creationTime();
150 }
151 }
152 if (rightTime != leftTime) {
153 return leftTime > rightTime;
154 }
155
156 // as final resort we compare the fingerprints
157 return strcmp(leftKey.primaryFingerprint(), rightKey.primaryFingerprint()) < 0;
158 }
159
160protected:
161 QVariant data(const QModelIndex &index, int role) const override
162 {
163 if (!index.isValid()) {
164 return QVariant();
165 }
166
167 const auto key = QSortFilterProxyModel::data(index, KeyList::KeyRole).value<GpgME::Key>();
168 Q_ASSERT(!key.isNull());
169 if (key.isNull()) {
170 return QVariant();
171 }
172
173 switch (role) {
174 case Qt::DisplayRole:
176 return Formatting::summaryLine(key);
177 }
178 case Qt::ToolTipRole: {
179 using namespace Kleo::Formatting;
180 return Kleo::Formatting::toolTip(key, Validity | Issuer | Subject | Fingerprint | ExpiryDates | UserIDs);
181 }
182 case Qt::DecorationRole: {
183 return mIconProvider.icon(key);
184 }
185 default:
186 return QSortFilterProxyModel::data(index, role);
187 }
188 }
189
190private:
191 Formatting::IconProvider mIconProvider;
192};
193
194class CustomItemsProxyModel : public QAbstractProxyModel
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 : QAbstractProxyModel(parent)
209 {
210 }
211
212 ~CustomItemsProxyModel() override
213 {
214 qDeleteAll(mFrontItems);
215 qDeleteAll(mBackItems);
216 }
217
218 void setSourceModel(QAbstractItemModel *newSourceModel) override
219 {
220 if (newSourceModel == sourceModel())
221 return;
222
223 beginResetModel();
224
225 if (sourceModel()) {
226 disconnect(sourceModel(), &QAbstractItemModel::dataChanged, this, &CustomItemsProxyModel::onSourceDataChanged);
227 disconnect(sourceModel(), &QAbstractItemModel::headerDataChanged, this, &CustomItemsProxyModel::onSourceHeaderDataChanged);
228 disconnect(sourceModel(), &QAbstractItemModel::rowsAboutToBeInserted, this, &CustomItemsProxyModel::onSourceRowsAboutToBeInserted);
229 disconnect(sourceModel(), &QAbstractItemModel::rowsInserted, this, &CustomItemsProxyModel::onSourceRowsInserted);
230 disconnect(sourceModel(), &QAbstractItemModel::rowsAboutToBeRemoved, this, &CustomItemsProxyModel::onSourceRowsAboutToBeRemoved);
231 disconnect(sourceModel(), &QAbstractItemModel::rowsRemoved, this, &CustomItemsProxyModel::onSourceRowsRemoved);
232 disconnect(sourceModel(), &QAbstractItemModel::rowsAboutToBeMoved, this, &CustomItemsProxyModel::onSourceRowsAboutToBeMoved);
233 disconnect(sourceModel(), &QAbstractItemModel::rowsMoved, this, &CustomItemsProxyModel::onSourceRowsMoved);
234 disconnect(sourceModel(), &QAbstractItemModel::columnsAboutToBeInserted, this, &CustomItemsProxyModel::onSourceColumnsAboutToBeInserted);
235 disconnect(sourceModel(), &QAbstractItemModel::columnsInserted, this, &CustomItemsProxyModel::onSourceColumnsInserted);
236 disconnect(sourceModel(), &QAbstractItemModel::columnsAboutToBeRemoved, this, &CustomItemsProxyModel::onSourceColumnsAboutToBeRemoved);
237 disconnect(sourceModel(), &QAbstractItemModel::columnsRemoved, this, &CustomItemsProxyModel::onSourceColumnsRemoved);
238 disconnect(sourceModel(), &QAbstractItemModel::columnsAboutToBeMoved, this, &CustomItemsProxyModel::onSourceColumnsAboutToBeMoved);
239 disconnect(sourceModel(), &QAbstractItemModel::columnsMoved, this, &CustomItemsProxyModel::onSourceColumnsMoved);
240 disconnect(sourceModel(), &QAbstractItemModel::layoutAboutToBeChanged, this, &CustomItemsProxyModel::onSourceLayoutAboutToBeChanged);
241 disconnect(sourceModel(), &QAbstractItemModel::layoutChanged, this, &CustomItemsProxyModel::onSourceLayoutChanged);
242 disconnect(sourceModel(), &QAbstractItemModel::modelAboutToBeReset, this, &CustomItemsProxyModel::onSourceAboutToBeReset);
243 disconnect(sourceModel(), &QAbstractItemModel::modelReset, this, &CustomItemsProxyModel::onSourceReset);
244 }
245
247
248 if (sourceModel()) {
249 connect(sourceModel(), &QAbstractItemModel::dataChanged, this, &CustomItemsProxyModel::onSourceDataChanged);
250 connect(sourceModel(), &QAbstractItemModel::headerDataChanged, this, &CustomItemsProxyModel::onSourceHeaderDataChanged);
251 connect(sourceModel(), &QAbstractItemModel::rowsAboutToBeInserted, this, &CustomItemsProxyModel::onSourceRowsAboutToBeInserted);
252 connect(sourceModel(), &QAbstractItemModel::rowsInserted, this, &CustomItemsProxyModel::onSourceRowsInserted);
253 connect(sourceModel(), &QAbstractItemModel::rowsAboutToBeRemoved, this, &CustomItemsProxyModel::onSourceRowsAboutToBeRemoved);
254 connect(sourceModel(), &QAbstractItemModel::rowsRemoved, this, &CustomItemsProxyModel::onSourceRowsRemoved);
255 connect(sourceModel(), &QAbstractItemModel::rowsAboutToBeMoved, this, &CustomItemsProxyModel::onSourceRowsAboutToBeMoved);
256 connect(sourceModel(), &QAbstractItemModel::rowsMoved, this, &CustomItemsProxyModel::onSourceRowsMoved);
257 connect(sourceModel(), &QAbstractItemModel::columnsAboutToBeInserted, this, &CustomItemsProxyModel::onSourceColumnsAboutToBeInserted);
258 connect(sourceModel(), &QAbstractItemModel::columnsInserted, this, &CustomItemsProxyModel::onSourceColumnsInserted);
259 connect(sourceModel(), &QAbstractItemModel::columnsAboutToBeRemoved, this, &CustomItemsProxyModel::onSourceColumnsAboutToBeRemoved);
260 connect(sourceModel(), &QAbstractItemModel::columnsRemoved, this, &CustomItemsProxyModel::onSourceColumnsRemoved);
261 connect(sourceModel(), &QAbstractItemModel::columnsAboutToBeMoved, this, &CustomItemsProxyModel::onSourceColumnsAboutToBeMoved);
262 connect(sourceModel(), &QAbstractItemModel::columnsMoved, this, &CustomItemsProxyModel::onSourceColumnsMoved);
263 connect(sourceModel(), &QAbstractItemModel::layoutAboutToBeChanged, this, &CustomItemsProxyModel::onSourceLayoutAboutToBeChanged);
264 connect(sourceModel(), &QAbstractItemModel::layoutChanged, this, &CustomItemsProxyModel::onSourceLayoutChanged);
265 connect(sourceModel(), &QAbstractItemModel::modelAboutToBeReset, this, &CustomItemsProxyModel::onSourceAboutToBeReset);
266 connect(sourceModel(), &QAbstractItemModel::modelReset, this, &CustomItemsProxyModel::onSourceReset);
267 }
268
269 endResetModel();
270 }
271
272 bool isCustomItem(const int row) const
273 {
274 const int sourceRowCount = sourceModel() ? sourceModel()->rowCount() : 0;
275 return row < mFrontItems.size() || row >= mFrontItems.size() + sourceRowCount;
276 }
277
278 void prependItem(const QIcon &icon, const QString &text, const QVariant &data, const QString &toolTip)
279 {
280 beginInsertRows(QModelIndex(), 0, 0);
281 mFrontItems.push_front(new CustomItem{icon, text, data, toolTip});
282 endInsertRows();
283 }
284
285 void appendItem(const QIcon &icon, const QString &text, const QVariant &data, const QString &toolTip)
286 {
287 beginInsertRows(QModelIndex(), rowCount(), rowCount());
288 mBackItems.push_back(new CustomItem{icon, text, data, toolTip});
289 endInsertRows();
290 }
291
292 void removeCustomItem(const QVariant &data)
293 {
294 for (int i = 0; i < mFrontItems.count(); ++i) {
295 if (mFrontItems[i]->data == data) {
296 beginRemoveRows(QModelIndex(), i, i);
297 delete mFrontItems.takeAt(i);
298 endRemoveRows();
299 return;
300 }
301 }
302 const int sourceRowCount = sourceModel() ? sourceModel()->rowCount() : 0;
303 for (int i = 0; i < mBackItems.count(); ++i) {
304 if (mBackItems[i]->data == data) {
305 const int row = mFrontItems.count() + sourceRowCount + i;
306 beginRemoveRows(QModelIndex(), row, row);
307 delete mBackItems.takeAt(i);
308 endRemoveRows();
309 return;
310 }
311 }
312 }
313
314 int rowCount(const QModelIndex &parent = QModelIndex()) const override
315 {
316 Q_UNUSED(parent)
317 const int sourceRowCount = sourceModel() ? sourceModel()->rowCount() : 0;
318 return mFrontItems.count() + sourceRowCount + mBackItems.count();
319 }
320
321 int columnCount(const QModelIndex &parent = QModelIndex()) const override
322 {
323 Q_UNUSED(parent)
324 // pretend that there is only one column to workaround a bug in
325 // QAccessibleTable which provides the accessibility interface for the
326 // pop-up of the combo box
327 return 1;
328 }
329
330 QModelIndex mapToSource(const QModelIndex &proxyIndex) const override
331 {
332 if (!proxyIndex.isValid()) {
333 return {};
334 }
335 if (!isCustomItem(proxyIndex.row())) {
336 const int sourceRow = proxyIndex.row() - mFrontItems.count();
337 return sourceModel()->index(sourceRow, proxyIndex.column());
338 }
339 return {};
340 }
341
342 QModelIndex mapFromSource(const QModelIndex &sourceIndex) const override
343 {
344 if (!sourceIndex.isValid())
345 return {};
346 return createIndex(mFrontItems.count() + sourceIndex.row(), sourceIndex.column(), sourceIndex.internalPointer());
347 }
348
349 QModelIndex index(int row, int column, const QModelIndex &parent = QModelIndex()) const override
350 {
351 if (row < 0 || row >= rowCount()) {
352 return {};
353 }
354 const int sourceRowCount = sourceModel() ? sourceModel()->rowCount() : 0;
355 if (row < mFrontItems.count()) {
356 return createIndex(row, column, mFrontItems[row]);
357 } else if (row >= mFrontItems.count() + sourceRowCount) {
358 return createIndex(row, column, mBackItems[row - mFrontItems.count() - sourceRowCount]);
359 } else {
360 const QModelIndex mi = sourceModel()->index(row - mFrontItems.count(), column, parent);
361 return createIndex(row, column, mi.internalPointer());
362 }
363 }
364
365 Qt::ItemFlags flags(const QModelIndex &index) const override
366 {
367 Q_UNUSED(index)
369 }
370
371 QModelIndex parent(const QModelIndex &) const override
372 {
373 // Flat list
374 return {};
375 }
376
377 QVariant data(const QModelIndex &index, int role) const override
378 {
379 if (!index.isValid()) {
380 return QVariant();
381 }
382
383 if (isCustomItem(index.row())) {
384 Q_ASSERT(!mFrontItems.isEmpty() || !mBackItems.isEmpty());
385 auto ci = static_cast<CustomItem *>(index.internalPointer());
386 switch (role) {
387 case Qt::DisplayRole:
388 return ci->text;
390 return ci->icon;
391 case Qt::UserRole:
392 return ci->data;
393 case Qt::ToolTipRole:
394 return ci->toolTip;
395 default:
396 return QVariant();
397 }
398 }
399
400 return QAbstractProxyModel::data(index, role);
401 }
402
403 void onSourceDataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QVector<int> &roles)
404 {
405 Q_EMIT dataChanged(mapFromSource(topLeft), mapFromSource(bottomRight), roles);
406 }
407
408 void onSourceHeaderDataChanged(Qt::Orientation orientation, int first, int last)
409 {
410 Q_EMIT headerDataChanged(orientation, first, last);
411 }
412
413 void onSourceRowsAboutToBeInserted(const QModelIndex &parent, int start, int end)
414 {
415 if (parent.isValid()) {
416 // not supported, the proxy is a flat model
417 return;
418 }
419 beginInsertRows({}, mFrontItems.count() + start, mFrontItems.count() + end);
420 }
421
422 void onSourceRowsInserted(const QModelIndex &parent, int start, int end)
423 {
424 Q_UNUSED(start)
425 Q_UNUSED(end)
426 if (parent.isValid()) {
427 // not supported, the proxy is a flat model
428 return;
429 }
430 endInsertRows();
431 }
432
433 void onSourceRowsAboutToBeRemoved(const QModelIndex &parent, int start, int end)
434 {
435 if (parent.isValid()) {
436 // not supported, the proxy is a flat model
437 return;
438 }
439 beginRemoveRows({}, mFrontItems.count() + start, mFrontItems.count() + end);
440 }
441
442 void onSourceRowsRemoved(const QModelIndex &parent, int start, int end)
443 {
444 Q_UNUSED(start)
445 Q_UNUSED(end)
446 if (parent.isValid()) {
447 // not supported, the proxy is a flat model
448 return;
449 }
450 endRemoveRows();
451 }
452
453 void onSourceRowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceFirst, int sourceLast, const QModelIndex &destParent, int destRow)
454 {
455 if (sourceParent.isValid() || destParent.isValid()) {
456 // not supported, the proxy is a flat model
457 return;
458 }
459 beginMoveRows({}, mFrontItems.count() + sourceFirst, mFrontItems.count() + sourceLast, {}, mFrontItems.count() + destRow);
460 }
461
462 void onSourceRowsMoved(const QModelIndex &sourceParent, int sourceFirst, int sourceLast, const QModelIndex &destParent, int destRow)
463 {
464 Q_UNUSED(sourceFirst)
465 Q_UNUSED(sourceLast)
466 Q_UNUSED(destRow)
467 if (sourceParent.isValid() || destParent.isValid()) {
468 // not supported, the proxy is a flat model
469 return;
470 }
471 endMoveRows();
472 }
473
474 void onSourceColumnsAboutToBeInserted(const QModelIndex &parent, int start, int end)
475 {
476 if (parent.isValid()) {
477 // not supported, the proxy is a flat model
478 return;
479 }
480 beginInsertColumns({}, start, end);
481 }
482
483 void onSourceColumnsInserted(const QModelIndex &parent, int start, int end)
484 {
485 Q_UNUSED(start)
486 Q_UNUSED(end)
487 if (parent.isValid()) {
488 // not supported, the proxy is a flat model
489 return;
490 }
491 endInsertColumns();
492 }
493
494 void onSourceColumnsAboutToBeRemoved(const QModelIndex &parent, int start, int end)
495 {
496 if (parent.isValid()) {
497 // not supported, the proxy is a flat model
498 return;
499 }
500 beginRemoveColumns({}, start, end);
501 }
502
503 void onSourceColumnsRemoved(const QModelIndex &parent, int start, int end)
504 {
505 Q_UNUSED(start)
506 Q_UNUSED(end)
507 if (parent.isValid()) {
508 // not supported, the proxy is a flat model
509 return;
510 }
511 endRemoveColumns();
512 }
513
514 void onSourceColumnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceFirst, int sourceLast, const QModelIndex &destParent, int destColumn)
515 {
516 if (sourceParent.isValid() || destParent.isValid()) {
517 // not supported, the proxy is a flat model
518 return;
519 }
520 beginMoveColumns({}, sourceFirst, sourceLast, {}, destColumn);
521 }
522
523 void onSourceColumnsMoved(const QModelIndex &sourceParent, int sourceFirst, int sourceLast, const QModelIndex &destParent, int destColumn)
524 {
525 Q_UNUSED(sourceFirst)
526 Q_UNUSED(sourceLast)
527 Q_UNUSED(destColumn)
528 if (sourceParent.isValid() || destParent.isValid()) {
529 // not supported, the proxy is a flat model
530 return;
531 }
532 endMoveColumns();
533 }
534
535 void onSourceLayoutAboutToBeChanged(const QList<QPersistentModelIndex> &sourceParents, QAbstractItemModel::LayoutChangeHint hint)
536 {
537 // adapted from QConcatenateTablesProxyModel
538 if (!sourceParents.isEmpty() && !sourceParents.contains(QModelIndex())) {
539 // not supported, the proxy is a flat model
540 return;
541 }
542
543 Q_EMIT layoutAboutToBeChanged({}, hint);
544
545 const QModelIndexList persistentIndexList = this->persistentIndexList();
546 layoutChangeSourcePersistentIndexes.reserve(persistentIndexList.size());
547 layoutChangeProxyIndexes.reserve(persistentIndexList.size());
548
549 for (const QModelIndex &proxyPersistentIndex : persistentIndexList) {
550 if (!isCustomItem(proxyPersistentIndex.row())) {
551 layoutChangeProxyIndexes.append(proxyPersistentIndex);
552 Q_ASSERT(proxyPersistentIndex.isValid());
553 const QPersistentModelIndex srcPersistentIndex = mapToSource(proxyPersistentIndex);
554 Q_ASSERT(srcPersistentIndex.isValid());
555 layoutChangeSourcePersistentIndexes.append(srcPersistentIndex);
556 }
557 }
558 }
559
560 void onSourceLayoutChanged(const QList<QPersistentModelIndex> &sourceParents, QAbstractItemModel::LayoutChangeHint hint)
561 {
562 // adapted from QConcatenateTablesProxyModel
563 if (!sourceParents.isEmpty() && !sourceParents.contains(QModelIndex())) {
564 // not supported, the proxy is a flat model
565 return;
566 }
567 for (int i = 0; i < layoutChangeProxyIndexes.size(); ++i) {
568 const QModelIndex proxyIdx = layoutChangeProxyIndexes.at(i);
569 const QModelIndex newProxyIdx = mapFromSource(layoutChangeSourcePersistentIndexes.at(i));
570 changePersistentIndex(proxyIdx, newProxyIdx);
571 }
572
573 layoutChangeSourcePersistentIndexes.clear();
574 layoutChangeProxyIndexes.clear();
575
576 Q_EMIT layoutChanged({}, hint);
577 }
578
579 void onSourceAboutToBeReset()
580 {
581 beginResetModel();
582 }
583
584 void onSourceReset()
585 {
586 endResetModel();
587 }
588
589private:
590 QList<CustomItem *> mFrontItems;
591 QList<CustomItem *> mBackItems;
592
593 // for layoutAboutToBeChanged/layoutChanged
594 QVector<QPersistentModelIndex> layoutChangeSourcePersistentIndexes;
595 QVector<QModelIndex> layoutChangeProxyIndexes;
596};
597
598} // anonymous namespace
599
600namespace Kleo
601{
602class KeySelectionComboPrivate
603{
604public:
605 KeySelectionComboPrivate(KeySelectionCombo *parent, bool secretOnly_, KeyUsage::Flags usage)
606 : wasEnabled(true)
607 , secretOnly{secretOnly_}
608 , usageFlags{usage}
609 , q{parent}
610 {
611 }
612
613 /* Selects the first key with a UID addrSpec that matches
614 * the mPerfectMatchMbox variable.
615 *
616 * The idea here is that if there are keys like:
617 *
618 * tom-store@abc.com
619 * susi-store@abc.com
620 * store@abc.com
621 *
622 * And the user wants to send a mail to "store@abc.com"
623 * the filter should still show tom and susi (because they
624 * both are part of store) but the key for "store" should
625 * be preselected.
626 *
627 * Returns true if one was selected. False otherwise. */
628 bool selectPerfectIdMatch() const
629 {
630 if (mPerfectMatchMbox.isEmpty()) {
631 return false;
632 }
633
634 for (int i = 0; i < proxyModel->rowCount(); ++i) {
635 const auto idx = proxyModel->index(i, 0, QModelIndex());
636 const auto key = proxyModel->data(idx, KeyList::KeyRole).value<GpgME::Key>();
637 if (key.isNull()) {
638 // WTF?
639 continue;
640 }
641 for (const auto &uid : key.userIDs()) {
642 if (QString::fromStdString(uid.addrSpec()) == mPerfectMatchMbox) {
643 q->setCurrentIndex(i);
644 return true;
645 }
646 }
647 }
648 return false;
649 }
650
651 /* Updates the current key with the default key if the key matches
652 * the current key filter. */
653 void updateWithDefaultKey()
654 {
655 GpgME::Protocol filterProto = GpgME::UnknownProtocol;
656
657 const auto filter = dynamic_cast<const DefaultKeyFilter *>(sortFilterProxy->keyFilter().get());
658 if (filter && filter->isOpenPGP() == DefaultKeyFilter::Set) {
659 filterProto = GpgME::OpenPGP;
660 } else if (filter && filter->isOpenPGP() == DefaultKeyFilter::NotSet) {
661 filterProto = GpgME::CMS;
662 }
663
664 QString defaultKey = defaultKeys.value(filterProto);
665 if (defaultKey.isEmpty()) {
666 // Fallback to unknown protocol
667 defaultKey = defaultKeys.value(GpgME::UnknownProtocol);
668 }
669 // make sure that the default key is not filtered out unless it has the wrong protocol
670 if (filterProto == GpgME::UnknownProtocol) {
671 sortFilterProxy->setAlwaysAcceptedKey(defaultKey);
672 } else {
673 const auto key = KeyCache::instance()->findByFingerprint(defaultKey.toLatin1().constData());
674 if (!key.isNull() && key.protocol() == filterProto) {
675 sortFilterProxy->setAlwaysAcceptedKey(defaultKey);
676 } else {
677 sortFilterProxy->setAlwaysAcceptedKey({});
678 }
679 }
680 q->setCurrentKey(defaultKey);
681 }
682
683 void storeCurrentSelectionBeforeModelChange()
684 {
685 keyBeforeModelChange = q->currentKey();
686 customItemBeforeModelChange = q->currentData();
687 }
688
689 void restoreCurrentSelectionAfterModelChange()
690 {
691 if (!keyBeforeModelChange.isNull()) {
692 q->setCurrentKey(keyBeforeModelChange);
693 } else if (customItemBeforeModelChange.isValid()) {
694 const auto index = q->findData(customItemBeforeModelChange);
695 if (index != -1) {
696 q->setCurrentIndex(index);
697 } else {
698 updateWithDefaultKey();
699 }
700 }
701 }
702
703 Kleo::AbstractKeyListModel *model = nullptr;
704 SortFilterProxyModel *sortFilterProxy = nullptr;
705 SortAndFormatCertificatesProxyModel *sortAndFormatProxy = nullptr;
706 CustomItemsProxyModel *proxyModel = nullptr;
707 std::shared_ptr<Kleo::KeyCache> cache;
708 QMap<GpgME::Protocol, QString> defaultKeys;
709 bool wasEnabled = false;
710 bool useWasEnabled = false;
711 bool secretOnly = false;
712 bool initialKeyListingDone = false;
713 QString mPerfectMatchMbox;
714 GpgME::Key keyBeforeModelChange;
715 QVariant customItemBeforeModelChange;
716 KeyUsage::Flags usageFlags;
717
718private:
719 KeySelectionCombo *const q;
720};
721
722}
723
724using namespace Kleo;
725
726KeySelectionCombo::KeySelectionCombo(QWidget *parent)
727 : KeySelectionCombo(true, KeyUsage::None, parent)
728{
729}
730
731KeySelectionCombo::KeySelectionCombo(bool secretOnly, QWidget *parent)
732 : KeySelectionCombo(secretOnly, KeyUsage::None, parent)
733{
734}
735
736KeySelectionCombo::KeySelectionCombo(KeyUsage::Flags usage, QWidget *parent)
737 : KeySelectionCombo{false, usage, parent}
738{
739}
740
741KeySelectionCombo::KeySelectionCombo(KeyUsage::Flag usage, QWidget *parent)
742 : KeySelectionCombo{false, usage, parent}
743{
744}
745
746KeySelectionCombo::KeySelectionCombo(bool secretOnly, KeyUsage::Flags usage, QWidget *parent)
747 : QComboBox(parent)
748 , d(new KeySelectionComboPrivate(this, secretOnly, usage))
749{
750 // set a non-empty string as accessible description to prevent screen readers
751 // from reading the tool tip which isn't meant for screen readers
752 setAccessibleDescription(QStringLiteral(" "));
753 d->model = Kleo::AbstractKeyListModel::createFlatKeyListModel(this);
754
755 d->sortFilterProxy = new SortFilterProxyModel(this);
756 d->sortFilterProxy->setSourceModel(d->model);
757
758 d->sortAndFormatProxy = new SortAndFormatCertificatesProxyModel{usage, this};
759 d->sortAndFormatProxy->setSourceModel(d->sortFilterProxy);
760 // initialize dynamic sorting
761 d->sortAndFormatProxy->sort(0);
762
763 d->proxyModel = new CustomItemsProxyModel{this};
764 d->proxyModel->setSourceModel(d->sortAndFormatProxy);
765
766 setModel(d->proxyModel);
767 connect(this, &QComboBox::currentIndexChanged, this, [this](int row) {
768 if (row >= 0 && row < d->proxyModel->rowCount()) {
769 if (d->proxyModel->isCustomItem(row)) {
770 Q_EMIT customItemSelected(currentData(Qt::UserRole));
771 } else {
772 Q_EMIT currentKeyChanged(currentKey());
773 }
774 }
775 });
776
777 d->cache = Kleo::KeyCache::mutableInstance();
778
779 connect(model(), &QAbstractItemModel::rowsAboutToBeInserted, this, [this]() {
780 d->storeCurrentSelectionBeforeModelChange();
781 });
782 connect(model(), &QAbstractItemModel::rowsInserted, this, [this]() {
783 d->restoreCurrentSelectionAfterModelChange();
784 });
785 connect(model(), &QAbstractItemModel::rowsAboutToBeRemoved, this, [this]() {
786 d->storeCurrentSelectionBeforeModelChange();
787 });
788 connect(model(), &QAbstractItemModel::rowsRemoved, this, [this]() {
789 d->restoreCurrentSelectionAfterModelChange();
790 });
791 connect(model(), &QAbstractItemModel::modelAboutToBeReset, this, [this]() {
792 d->storeCurrentSelectionBeforeModelChange();
793 });
794 connect(model(), &QAbstractItemModel::modelReset, this, [this]() {
795 d->restoreCurrentSelectionAfterModelChange();
796 });
797
798 QTimer::singleShot(0, this, &KeySelectionCombo::init);
799}
800
801KeySelectionCombo::~KeySelectionCombo() = default;
802
803void KeySelectionCombo::init()
804{
805 connect(d->cache.get(), &Kleo::KeyCache::keyListingDone, this, [this]() {
806 // Set useKeyCache ensures that the cache is populated
807 // so this can be a blocking call if the cache is not initialized
808 if (!d->initialKeyListingDone) {
809 d->model->useKeyCache(true, d->secretOnly ? KeyList::SecretKeysOnly : KeyList::AllKeys);
810 }
811 d->proxyModel->removeCustomItem(QStringLiteral("-libkleo-loading-keys"));
812
813 // We use the useWasEnabled state variable to decide if we should
814 // change the enable / disable state based on the keylist done signal.
815 // If we triggered the refresh useWasEnabled is true and we want to
816 // enable / disable again after our refresh, as the refresh disabled it.
817 //
818 // But if a keyListingDone signal comes from just a generic refresh
819 // triggered by someone else we don't want to change the enable / disable
820 // state.
821 if (d->useWasEnabled) {
822 setEnabled(d->wasEnabled);
823 d->useWasEnabled = false;
824 }
825 Q_EMIT keyListingFinished();
826 });
827
828 connect(this, &KeySelectionCombo::keyListingFinished, this, [this]() {
829 if (!d->initialKeyListingDone) {
830 d->updateWithDefaultKey();
831 d->initialKeyListingDone = true;
832 }
833 });
834
835 if (!d->cache->initialized()) {
836 refreshKeys();
837 } else {
838 d->model->useKeyCache(true, d->secretOnly ? KeyList::SecretKeysOnly : KeyList::AllKeys);
839 Q_EMIT keyListingFinished();
840 }
841
842 connect(this, &QComboBox::currentIndexChanged, this, [this]() {
843 setToolTip(currentData(Qt::ToolTipRole).toString());
844 });
845}
846
847void KeySelectionCombo::setKeyFilter(const std::shared_ptr<const KeyFilter> &kf)
848{
849 d->sortFilterProxy->setKeyFilter(kf);
850 d->updateWithDefaultKey();
851}
852
853std::shared_ptr<const KeyFilter> KeySelectionCombo::keyFilter() const
854{
855 return d->sortFilterProxy->keyFilter();
856}
857
858void KeySelectionCombo::setIdFilter(const QString &id)
859{
860 d->sortFilterProxy->setFilterRegularExpression(id);
861 d->mPerfectMatchMbox = id;
862 d->updateWithDefaultKey();
863}
864
865QString KeySelectionCombo::idFilter() const
866{
867 return d->sortFilterProxy->filterRegularExpression().pattern();
868}
869
870GpgME::Key Kleo::KeySelectionCombo::currentKey() const
871{
872 return currentData(KeyList::KeyRole).value<GpgME::Key>();
873}
874
875void Kleo::KeySelectionCombo::setCurrentKey(const GpgME::Key &key)
876{
877 const int idx = findData(QString::fromLatin1(key.primaryFingerprint()), KeyList::FingerprintRole, Qt::MatchExactly);
878 if (idx > -1) {
879 setCurrentIndex(idx);
880 } else if (!d->selectPerfectIdMatch()) {
881 d->updateWithDefaultKey();
882 }
883 setToolTip(currentData(Qt::ToolTipRole).toString());
884}
885
886void Kleo::KeySelectionCombo::setCurrentKey(const QString &fingerprint)
887{
888 const auto cur = currentKey();
889 if (!cur.isNull() && !fingerprint.isEmpty() && fingerprint == QLatin1StringView(cur.primaryFingerprint())) {
890 // already set; still emit a changed signal because the current key may
891 // have become the item at the current index by changes in the underlying model
892 Q_EMIT currentKeyChanged(cur);
893 return;
894 }
895 const int idx = findData(fingerprint, KeyList::FingerprintRole, Qt::MatchExactly);
896 if (idx > -1) {
897 setCurrentIndex(idx);
898 } else if (!d->selectPerfectIdMatch()) {
899 setCurrentIndex(0);
900 }
901 setToolTip(currentData(Qt::ToolTipRole).toString());
902}
903
904void KeySelectionCombo::refreshKeys()
905{
906 d->wasEnabled = isEnabled();
907 d->useWasEnabled = true;
908 setEnabled(false);
909 const bool wasBlocked = blockSignals(true);
910 prependCustomItem(QIcon(), i18n("Loading keys ..."), QStringLiteral("-libkleo-loading-keys"));
912 blockSignals(wasBlocked);
913 d->cache->startKeyListing();
914}
915
916void KeySelectionCombo::appendCustomItem(const QIcon &icon, const QString &text, const QVariant &data, const QString &toolTip)
917{
918 d->proxyModel->appendItem(icon, text, data, toolTip);
919}
920
921void KeySelectionCombo::appendCustomItem(const QIcon &icon, const QString &text, const QVariant &data)
922{
923 appendCustomItem(icon, text, data, QString());
924}
925
926void KeySelectionCombo::prependCustomItem(const QIcon &icon, const QString &text, const QVariant &data, const QString &toolTip)
927{
928 d->proxyModel->prependItem(icon, text, data, toolTip);
929}
930
931void KeySelectionCombo::prependCustomItem(const QIcon &icon, const QString &text, const QVariant &data)
932{
933 prependCustomItem(icon, text, data, QString());
934}
935
936void KeySelectionCombo::removeCustomItem(const QVariant &data)
937{
938 d->proxyModel->removeCustomItem(data);
939}
940
941void Kleo::KeySelectionCombo::setDefaultKey(const QString &fingerprint, GpgME::Protocol proto)
942{
943 d->defaultKeys.insert(proto, fingerprint);
944 d->updateWithDefaultKey();
945}
946
947void Kleo::KeySelectionCombo::setDefaultKey(const QString &fingerprint)
948{
949 setDefaultKey(fingerprint, GpgME::UnknownProtocol);
950}
951
952QString Kleo::KeySelectionCombo::defaultKey(GpgME::Protocol proto) const
953{
954 return d->defaultKeys.value(proto);
955}
956
957QString Kleo::KeySelectionCombo::defaultKey() const
958{
959 return defaultKey(GpgME::UnknownProtocol);
960}
961#include "keyselectioncombo.moc"
962
963#include "moc_keyselectioncombo.cpp"
Q_SCRIPTABLE Q_NOREPLY void start()
QString i18nc(const char *context, const char *text, const TYPE &arg...)
QString i18n(const char *text, const TYPE &arg...)
char * toString(const EngineQuery &query)
QAction * hint(const QObject *recvr, const char *slot, QObject *parent)
KIOCORE_EXPORT TransferJob * get(const QUrl &url, LoadType reload=NoReload, JobFlags flags=DefaultFlags)
const QList< QKeySequence > & end()
void columnsAboutToBeInserted(const QModelIndex &parent, int first, int last)
void columnsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)
void columnsAboutToBeRemoved(const QModelIndex &parent, int first, int last)
void columnsInserted(const QModelIndex &parent, int first, int last)
void columnsMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationColumn)
void columnsRemoved(const QModelIndex &parent, int first, int last)
void dataChanged(const QModelIndex &topLeft, const QModelIndex &bottomRight, const QList< int > &roles)
void headerDataChanged(Qt::Orientation orientation, int first, int last)
void layoutAboutToBeChanged(const QList< QPersistentModelIndex > &parents, QAbstractItemModel::LayoutChangeHint hint)
void layoutChanged(const QList< QPersistentModelIndex > &parents, QAbstractItemModel::LayoutChangeHint hint)
void modelAboutToBeReset()
void rowsAboutToBeInserted(const QModelIndex &parent, int start, int end)
void rowsAboutToBeMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)
void rowsAboutToBeRemoved(const QModelIndex &parent, int first, int last)
void rowsInserted(const QModelIndex &parent, int first, int last)
void rowsMoved(const QModelIndex &sourceParent, int sourceStart, int sourceEnd, const QModelIndex &destinationParent, int destinationRow)
void rowsRemoved(const QModelIndex &parent, int first, int last)
virtual QVariant data(const QModelIndex &proxyIndex, int role) const const override
virtual void setSourceModel(QAbstractItemModel *sourceModel)
const char * constData() const const
void setCurrentIndex(int index)
void currentIndexChanged(int index)
bool contains(const AT &value) const const
bool isEmpty() const const
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)
bool isValid() const const
virtual QVariant data(const QModelIndex &index, int role) 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
Orientation
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.