KCoreAddons

kdirwatch.cpp
1/* This file is part of the KDE libraries
2 SPDX-FileCopyrightText: 1998 Sven Radej <sven@lisa.exp.univie.ac.at>
3 SPDX-FileCopyrightText: 2006 Dirk Mueller <mueller@kde.org>
4 SPDX-FileCopyrightText: 2007 Flavio Castelli <flavio.castelli@gmail.com>
5 SPDX-FileCopyrightText: 2008 Rafal Rzepecki <divided.mind@gmail.com>
6 SPDX-FileCopyrightText: 2010 David Faure <faure@kde.org>
7 SPDX-FileCopyrightText: 2020 Harald Sitter <sitter@kde.org>
8
9 SPDX-License-Identifier: LGPL-2.0-only
10*/
11
12// CHANGES:
13// Jul 30, 2008 - Don't follow symlinks when recursing to avoid loops (Rafal)
14// Aug 6, 2007 - KDirWatch::WatchModes support complete, flags work fine also
15// when using FAMD (Flavio Castelli)
16// Aug 3, 2007 - Handled KDirWatch::WatchModes flags when using inotify, now
17// recursive and file monitoring modes are implemented (Flavio Castelli)
18// Jul 30, 2007 - Substituted addEntry boolean params with KDirWatch::WatchModes
19// flag (Flavio Castelli)
20// Oct 4, 2005 - Inotify support (Dirk Mueller)
21// February 2002 - Add file watching and remote mount check for STAT
22// Mar 30, 2001 - Native support for Linux dir change notification.
23// Jan 28, 2000 - Usage of FAM service on IRIX (Josef.Weidendorfer@in.tum.de)
24// May 24. 1998 - List of times introduced, and some bugs are fixed. (sven)
25// May 23. 1998 - Removed static pointer - you can have more instances.
26// It was Needed for KRegistry. KDirWatch now emits signals and doesn't
27// call (or need) KFM. No more URL's - just plain paths. (sven)
28// Mar 29. 1998 - added docs, stop/restart for particular Dirs and
29// deep copies for list of dirs. (sven)
30// Mar 28. 1998 - Created. (sven)
31
32#include "kdirwatch.h"
33#include "kcoreaddons_debug.h"
34#include "kdirwatch_p.h"
35#include "kfilesystemtype.h"
36#include "knetworkmounts.h"
37
38#include <io/config-kdirwatch.h>
39
40#include <QCoreApplication>
41#include <QDir>
42#include <QFile>
43#include <QLoggingCategory>
44#include <QSocketNotifier>
45#include <QThread>
46#include <QThreadStorage>
47#include <QTimer>
48#include <assert.h>
49#include <cerrno>
50#include <sys/stat.h>
51
52#include <qplatformdefs.h> // QT_LSTAT, QT_STAT, QT_STATBUF
53
54#include <stdlib.h>
55#include <string.h>
56
57#if HAVE_SYS_INOTIFY_H
58#include <fcntl.h>
59#include <sys/inotify.h>
60#include <unistd.h>
61
62#ifndef IN_DONT_FOLLOW
63#define IN_DONT_FOLLOW 0x02000000
64#endif
65
66#ifndef IN_ONLYDIR
67#define IN_ONLYDIR 0x01000000
68#endif
69
70// debug
71#include <sys/ioctl.h>
72
73#include <sys/utsname.h>
74
75#endif // HAVE_SYS_INOTIFY_H
76
77Q_DECLARE_LOGGING_CATEGORY(KDIRWATCH)
78// logging category for this framework, default: log stuff >= warning
79Q_LOGGING_CATEGORY(KDIRWATCH, "kf.coreaddons.kdirwatch", QtWarningMsg)
80
81// set this to true for much more verbose debug output
82static bool s_verboseDebug = false;
83
85static KDirWatchPrivate *createPrivate()
86{
87 if (!dwp_self.hasLocalData()) {
88 dwp_self.setLocalData(new KDirWatchPrivate);
89 }
90 return dwp_self.localData();
91}
92static void destroyPrivate()
93{
94 dwp_self.localData()->deleteLater();
95 dwp_self.setLocalData(nullptr);
96}
97
98// Convert a string into a watch Method
99static KDirWatch::Method methodFromString(const QByteArray &method)
100{
101 if (method == "Stat") {
102 return KDirWatch::Stat;
103 } else if (method == "QFSWatch") {
104 return KDirWatch::QFSWatch;
105 } else {
106#if HAVE_SYS_INOTIFY_H
107 // inotify supports delete+recreate+modify, which QFSWatch doesn't support
108 return KDirWatch::INotify;
109#else
110 return KDirWatch::QFSWatch;
111#endif
112 }
113}
114
115static const char *methodToString(KDirWatch::Method method)
116{
117 switch (method) {
118 case KDirWatch::INotify:
119 return "INotify";
120 case KDirWatch::Stat:
121 return "Stat";
122 case KDirWatch::QFSWatch:
123 return "QFSWatch";
124 }
125 // not reached
126 return nullptr;
127}
128
129static const char s_envNfsPoll[] = "KDIRWATCH_NFSPOLLINTERVAL";
130static const char s_envPoll[] = "KDIRWATCH_POLLINTERVAL";
131static const char s_envMethod[] = "KDIRWATCH_METHOD";
132static const char s_envNfsMethod[] = "KDIRWATCH_NFSMETHOD";
133
134//
135// Class KDirWatchPrivate (singleton)
136//
137
138/* All entries (files/directories) to be watched in the
139 * application (coming from multiple KDirWatch instances)
140 * are registered in a single KDirWatchPrivate instance.
141 *
142 * At the moment, the following methods for file watching
143 * are supported:
144 * - Polling: All files to be watched are polled regularly
145 * using stat (more precise: QFileInfo.lastModified()).
146 * The polling frequency is determined from global kconfig
147 * settings, defaulting to 500 ms for local directories
148 * and 5000 ms for remote mounts
149 * - FAM (File Alternation Monitor): first used on IRIX, SGI
150 * has ported this method to LINUX. It uses a kernel part
151 * (IMON, sending change events to /dev/imon) and a user
152 * level daemon (fam), to which applications connect for
153 * notification of file changes. For NFS, the fam daemon
154 * on the NFS server machine is used; if IMON is not built
155 * into the kernel, fam uses polling for local files.
156 * - INOTIFY: In LINUX 2.6.13, inode change notification was
157 * introduced. You're now able to watch arbitrary inode's
158 * for changes, and even get notification when they're
159 * unmounted.
160 */
161
162KDirWatchPrivate::KDirWatchPrivate()
163 : m_statRescanTimer()
164 , freq(3600000)
165 , // 1 hour as upper bound
166 statEntries(0)
167 , delayRemove(false)
168 , rescan_all(false)
169 , rescan_timer()
170 ,
171#if HAVE_SYS_INOTIFY_H
172 mSn(nullptr)
173 ,
174#endif
175 _isStopped(false)
176{
177 // Debug unittest on CI
178 if (qAppName() == QLatin1String("kservicetest") || qAppName() == QLatin1String("filetypestest")) {
179 s_verboseDebug = true;
180 }
181 m_statRescanTimer.setObjectName(QStringLiteral("KDirWatchPrivate::timer"));
182 connect(&m_statRescanTimer, &QTimer::timeout, this, &KDirWatchPrivate::slotRescan);
183
184 m_nfsPollInterval = qEnvironmentVariableIsSet(s_envNfsPoll) ? qEnvironmentVariableIntValue(s_envNfsPoll) : 5000;
185 m_PollInterval = qEnvironmentVariableIsSet(s_envPoll) ? qEnvironmentVariableIntValue(s_envPoll) : 500;
186
187 m_preferredMethod = methodFromString(qEnvironmentVariableIsSet(s_envMethod) ? qgetenv(s_envMethod) : "inotify");
188 // The nfs method defaults to the normal (local) method
189 m_nfsPreferredMethod = methodFromString(qEnvironmentVariableIsSet(s_envNfsMethod) ? qgetenv(s_envNfsMethod) : "Stat");
190
191 QList<QByteArray> availableMethods;
192
193 availableMethods << "Stat";
194
195 // used for inotify
196 rescan_timer.setObjectName(QStringLiteral("KDirWatchPrivate::rescan_timer"));
197 rescan_timer.setSingleShot(true);
198 connect(&rescan_timer, &QTimer::timeout, this, &KDirWatchPrivate::slotRescan);
199
200#if HAVE_SYS_INOTIFY_H
201#if HAVE_INOTIFY_DIRECT_READV
202 m_inotify_fd = inotify_init1(IN_DIRECT);
203#else
204 m_inotify_fd = inotify_init();
205#endif
206 supports_inotify = m_inotify_fd > 0;
207
208 if (!supports_inotify) {
209 qCDebug(KDIRWATCH) << "Can't use Inotify, kernel doesn't support it:" << strerror(errno);
210 } else {
211 availableMethods << "INotify";
212 (void)fcntl(m_inotify_fd, F_SETFD, FD_CLOEXEC);
213
214 mSn = new QSocketNotifier(m_inotify_fd, QSocketNotifier::Read, this);
215 connect(mSn, &QSocketNotifier::activated, this, &KDirWatchPrivate::inotifyEventReceived);
216 }
217#endif
218#if HAVE_QFILESYSTEMWATCHER
219 availableMethods << "QFileSystemWatcher";
220 fsWatcher = nullptr;
221#endif
222
223 qCDebug(KDIRWATCH) << "Available methods: " << availableMethods << "preferred=" << methodToString(m_preferredMethod);
224}
225
226// This is called on app exit (deleted by QThreadStorage)
227KDirWatchPrivate::~KDirWatchPrivate()
228{
229 m_statRescanTimer.stop();
230
231 // Unset us as d pointer. This indicates to the KDirWatch that the private has already been destroyed and therefore
232 // needs no additional cleanup from its destructor.
233 for (auto it = m_mapEntries.begin(); it != m_mapEntries.end(); it++) {
234 auto &entry = it.value();
235 for (auto &client : entry.m_clients) {
236 client.instance->d = nullptr;
237 }
238 }
239 // Also cover all instance that hold a reference to us (even when they don't have an entry)
240 for (auto &referenceObject : m_referencesObjects) {
241 referenceObject->d = nullptr;
242 }
243
244#if HAVE_SYS_INOTIFY_H
245 if (supports_inotify) {
246#if HAVE_INOTIFY_DIRECT_READV
247 // We need to call a special closing function instead of the usual close(),
248 // so reimplement QT_CLOSE here
249 int ret;
250 do {
251 ret = libinotify_direct_close(m_inotify_fd);
252 } while (ret == -1 && errno == EINTR);
253#else
254 QT_CLOSE(m_inotify_fd);
255#endif
256 }
257#endif
258#if HAVE_QFILESYSTEMWATCHER
259 delete fsWatcher;
260#endif
261}
262
263void KDirWatchPrivate::inotifyEventReceived()
264{
265#if HAVE_SYS_INOTIFY_H
266 if (!supports_inotify) {
267 return;
268 }
269
270 assert(m_inotify_fd > -1);
271
272 auto processEvent = [this](const struct inotify_event *const event)
273 {
274 // strip trailing null chars, see inotify_event documentation
275 // these must not end up in the final QString version of path
276 int len = event->len;
277 while (len > 1 && !event->name[len - 1]) {
278 --len;
279 }
280 QByteArray cpath(event->name, len);
281 const QString path = len ? QFile::decodeName(cpath) : QString();
282
283 if (!path.isEmpty() && isNoisyFile(cpath.data())) {
284 return;
285 }
286
287 // Is set to true if the new event is a directory, false otherwise. This prevents a stat call in clientsForFileOrDir
288 const bool isDir = (event->mask & (IN_ISDIR));
289
290 Entry *e = m_inotify_wd_to_entry.value(event->wd);
291 if (!e) {
292 return;
293 }
294 const bool wasDirty = e->dirty;
295 e->dirty = true;
296
297 const QString tpath = e->path + QLatin1Char('/') + path;
298
299 qCDebug(KDIRWATCH).nospace() << "got event " << inotifyEventName(event) << " for entry " << e->path
300 << (event->mask & IN_ISDIR ? " [directory] " : " [file] ") << path;
301
302 if (event->mask & IN_DELETE_SELF) {
303 e->m_status = NonExistent;
304 m_inotify_wd_to_entry.remove(e->wd);
305 e->wd = -1;
306 e->m_ctime = invalid_ctime;
307 emitEvent(e, Deleted);
308 // If the parent dir was already watched, tell it something changed
309 Entry *parentEntry = entry(e->parentDirectory());
310 if (parentEntry) {
311 parentEntry->dirty = true;
312 }
313 // Add entry to parent dir to notice if the entry gets recreated
314 addEntry(nullptr, e->parentDirectory(), e, true /*isDir*/);
315 }
316 if (event->mask & IN_IGNORED) {
317 // Causes bug #207361 with kernels 2.6.31 and 2.6.32!
318 // e->wd = -1;
319 }
320 if (event->mask & (IN_CREATE | IN_MOVED_TO)) {
321 Entry *sub_entry = e->findSubEntry(tpath);
322
323 qCDebug(KDIRWATCH) << "-->got CREATE signal for" << (tpath) << "sub_entry=" << sub_entry;
324
325 if (sub_entry) {
326 // We were waiting for this new file/dir to be created
327 sub_entry->dirty = true;
328 rescan_timer.start(0); // process this asap, to start watching that dir
329 } else if (e->isDir && !e->m_clients.empty()) {
330 const QList<const Client *> clients = e->inotifyClientsForFileOrDir(isDir);
331 // See discussion in addEntry for why we don't addEntry for individual
332 // files in WatchFiles mode with inotify.
333 if (isDir) {
334 for (const Client *client : clients) {
335 addEntry(client->instance, tpath, nullptr, isDir, isDir ? client->m_watchModes : KDirWatch::WatchDirOnly);
336 }
337 }
338 if (!clients.isEmpty()) {
339 emitEvent(e, Created, tpath);
340 qCDebug(KDIRWATCH).nospace() << clients.count() << " instance(s) monitoring the new " << (isDir ? "dir " : "file ") << tpath;
341 }
342 e->m_pendingFileChanges.append(e->path);
343 if (!rescan_timer.isActive()) {
344 rescan_timer.start(m_PollInterval); // singleshot
345 }
346 }
347 }
348 if (event->mask & (IN_DELETE | IN_MOVED_FROM)) {
349 if ((e->isDir) && (!e->m_clients.empty())) {
350 // A file in this directory has been removed. It wasn't an explicitly
351 // watched file as it would have its own watch descriptor, so
352 // no addEntry/ removeEntry bookkeeping should be required. Emit
353 // the event immediately if any clients are interested.
355 int counter = std::count_if(e->m_clients.cbegin(), e->m_clients.cend(), [flag](const Client &client) {
356 return client.m_watchModes & flag;
357 });
358
359 if (counter != 0) {
360 emitEvent(e, Deleted, tpath);
361 }
362 }
363 }
364 if (event->mask & (IN_MODIFY | IN_ATTRIB)) {
365 if ((e->isDir) && (!e->m_clients.empty())) {
366 // A file in this directory has been changed. No
367 // addEntry/ removeEntry bookkeeping should be required.
368 // Add the path to the list of pending file changes if
369 // there are any interested clients.
370 // QT_STATBUF stat_buf;
371 // QByteArray tpath = QFile::encodeName(e->path+'/'+path);
372 // QT_STAT(tpath, &stat_buf);
373 // bool isDir = S_ISDIR(stat_buf.st_mode);
374
375 // The API doc is somewhat vague as to whether we should emit
376 // dirty() for implicitly watched files when WatchFiles has
377 // not been specified - we'll assume they are always interested,
378 // regardless.
379 // Don't worry about duplicates for the time
380 // being; this is handled in slotRescan.
381 e->m_pendingFileChanges.append(tpath);
382 // Avoid stat'ing the directory if only an entry inside it changed.
383 e->dirty = (wasDirty || (path.isEmpty() && (event->mask & IN_ATTRIB)));
384 }
385 }
386
387 if (!rescan_timer.isActive()) {
388 rescan_timer.start(m_PollInterval); // singleshot
389 }
390 };
391
392#if HAVE_INOTIFY_DIRECT_READV
393 struct iovec *received[10];
394 int num_events = libinotify_direct_readv(m_inotify_fd, received, (sizeof (received) / sizeof ((received)[0])), /* no_block=*/ 0);
395 for (int i = 0; i < num_events; i++) {
396 struct iovec *cur_event = received[i];
397 while (cur_event->iov_base) {
398 const struct inotify_event *const event = (struct inotify_event *) cur_event->iov_base;
399
400 processEvent(event);
401
402 cur_event++;
403 }
404 libinotify_free_iovec(received[i]);
405 }
406#else
407 int pending = -1;
408 int offsetStartRead = 0; // where we read into buffer
409 char buf[8192];
410
411 ioctl(m_inotify_fd, FIONREAD, &pending);
412
413 while (pending > 0) {
414 const int bytesToRead = qMin<int>(pending, sizeof(buf) - offsetStartRead);
415
416 int bytesAvailable = read(m_inotify_fd, &buf[offsetStartRead], bytesToRead);
417 pending -= bytesAvailable;
418 bytesAvailable += offsetStartRead;
419 offsetStartRead = 0;
420
421 int offsetCurrent = 0;
422 while (bytesAvailable >= int(sizeof(struct inotify_event))) {
423 const struct inotify_event *const event = reinterpret_cast<inotify_event *>(&buf[offsetCurrent]);
424
425 if (event->mask & IN_Q_OVERFLOW) {
426 qCWarning(KDIRWATCH) << "Inotify Event queue overflowed, check max_queued_events value";
427 return;
428 }
429
430 const int eventSize = sizeof(struct inotify_event) + event->len;
431 if (bytesAvailable < eventSize) {
432 break;
433 }
434
435 bytesAvailable -= eventSize;
436 offsetCurrent += eventSize;
437
438 processEvent(event);
439 }
440 if (bytesAvailable > 0) {
441 // copy partial event to beginning of buffer
442 memmove(buf, &buf[offsetCurrent], bytesAvailable);
443 offsetStartRead = bytesAvailable;
444 }
445 }
446#endif
447#endif
448}
449
450KDirWatchPrivate::Entry::~Entry()
451{
452}
453
454/* In inotify mode, only entries which are marked dirty are scanned.
455 * We first need to mark all yet nonexistent, but possible created
456 * entries as dirty...
457 */
458void KDirWatchPrivate::Entry::propagate_dirty()
459{
460 for (Entry *sub_entry : std::as_const(m_entries)) {
461 if (!sub_entry->dirty) {
462 sub_entry->dirty = true;
463 sub_entry->propagate_dirty();
464 }
465 }
466}
467
468/* A KDirWatch instance is interested in getting events for
469 * this file/Dir entry.
470 */
471void KDirWatchPrivate::Entry::addClient(KDirWatch *instance, KDirWatch::WatchModes watchModes)
472{
473 if (instance == nullptr) {
474 return;
475 }
476
477 auto it = findInstance(instance);
478 if (it != m_clients.end()) {
479 Client &client = *it;
480 ++client.count;
481 client.m_watchModes = watchModes;
482 return;
483 }
484
485 m_clients.emplace_back(instance, watchModes);
486}
487
488void KDirWatchPrivate::Entry::removeClient(KDirWatch *instance)
489{
490 auto it = findInstance(instance);
491 if (it != m_clients.end()) {
492 Client &client = *it;
493 --client.count;
494 if (client.count == 0) {
495 m_clients.erase(it);
496 }
497 }
498}
499
500/* get number of clients */
501int KDirWatchPrivate::Entry::clientCount() const
502{
503 int clients = 0;
504 for (const Client &client : m_clients) {
505 clients += client.count;
506 }
507
508 return clients;
509}
510
511QString KDirWatchPrivate::Entry::parentDirectory() const
512{
513 return QDir::cleanPath(path + QLatin1String("/.."));
514}
515
516QList<const KDirWatchPrivate::Client *> KDirWatchPrivate::Entry::clientsForFileOrDir(const QString &tpath, bool *isDir) const
517{
519 QFileInfo fi(tpath);
520 if (fi.exists()) {
521 *isDir = fi.isDir();
523 for (const Client &client : m_clients) {
524 if (client.m_watchModes & flag) {
525 ret.append(&client);
526 }
527 }
528 } else {
529 // Happens frequently, e.g. ERROR: couldn't stat "/home/dfaure/.viminfo.tmp"
530 // qCDebug(KDIRWATCH) << "ERROR: couldn't stat" << tpath;
531 // In this case isDir is not set, but ret is empty anyway
532 // so isDir won't be used.
533 }
534 return ret;
535}
536
537// inotify specific function that doesn't call KDE::stat to figure out if we have a file or folder.
538// isDir is determined through inotify's "IN_ISDIR" flag in KDirWatchPrivate::inotifyEventReceived
539QList<const KDirWatchPrivate::Client *> KDirWatchPrivate::Entry::inotifyClientsForFileOrDir(bool isDir) const
540{
543 for (const Client &client : m_clients) {
544 if (client.m_watchModes & flag) {
545 ret.append(&client);
546 }
547 }
548 return ret;
549}
550
551QDebug operator<<(QDebug debug, const KDirWatch & /* watch */)
552{
553 if (!dwp_self.hasLocalData()) {
554 debug << "KDirWatch not used";
555 return debug;
556 }
557 debug << dwp_self.localData();
558 return debug;
559}
560
561QDebug operator<<(QDebug debug, const KDirWatchPrivate &dwp)
562{
563 debug << "Entries watched:";
564 if (dwp.m_mapEntries.count() == 0) {
565 debug << " None.";
566 } else {
567 auto it = dwp.m_mapEntries.cbegin();
568 for (; it != dwp.m_mapEntries.cend(); ++it) {
569 const KDirWatchPrivate::Entry &e = it.value();
570 debug << " " << e;
571
572 for (const KDirWatchPrivate::Client &c : e.m_clients) {
573 QByteArray pending;
574 if (c.watchingStopped) {
575 if (c.pending & KDirWatchPrivate::Deleted) {
576 pending += "deleted ";
577 }
578 if (c.pending & KDirWatchPrivate::Created) {
579 pending += "created ";
580 }
581 if (c.pending & KDirWatchPrivate::Changed) {
582 pending += "changed ";
583 }
584 if (!pending.isEmpty()) {
585 pending = " (pending: " + pending + ')';
586 }
587 pending = ", stopped" + pending;
588 }
589 debug << " by " << c.instance->objectName() << " (" << c.count << " times)" << pending;
590 }
591 if (!e.m_entries.isEmpty()) {
592 debug << " dependent entries:";
593 for (KDirWatchPrivate::Entry *d : e.m_entries) {
594 debug << " " << d << d->path << (d->m_status == KDirWatchPrivate::NonExistent ? "NonExistent" : "EXISTS this is an ERROR!");
595 if (s_verboseDebug) {
596 Q_ASSERT(d->m_status == KDirWatchPrivate::NonExistent); // it doesn't belong here otherwise
597 }
598 }
599 }
600 }
601 }
602 return debug;
603}
604
605QDebug operator<<(QDebug debug, const KDirWatchPrivate::Entry &entry)
606{
607 debug.nospace() << "[ Entry for " << entry.path << ", " << (entry.isDir ? "dir" : "file");
608 if (entry.m_status == KDirWatchPrivate::NonExistent) {
609 debug << ", non-existent";
610 }
611 debug << ", using "
612 << ((entry.m_mode == KDirWatchPrivate::INotifyMode) ? "INotify"
613 : (entry.m_mode == KDirWatchPrivate::QFSWatchMode) ? "QFSWatch"
614 : (entry.m_mode == KDirWatchPrivate::StatMode) ? "Stat"
615 : "Unknown Method");
616#if HAVE_SYS_INOTIFY_H
617 if (entry.m_mode == KDirWatchPrivate::INotifyMode) {
618 debug << " inotify_wd=" << entry.wd;
619 }
620#endif
621 debug << ", has " << entry.m_clients.size() << " clients";
622 debug.space();
623 if (!entry.m_entries.isEmpty()) {
624 debug << ", nonexistent subentries:";
625 for (KDirWatchPrivate::Entry *subEntry : std::as_const(entry.m_entries)) {
626 debug << subEntry << subEntry->path;
627 }
628 }
629 debug << ']';
630 return debug;
631}
632
633KDirWatchPrivate::Entry *KDirWatchPrivate::entry(const QString &_path)
634{
635 if (_path.isEmpty()) {
636 return nullptr;
637 }
638
639 QString path(_path);
640
641 if (path.length() > 1 && path.endsWith(QLatin1Char('/'))) {
642 path.chop(1);
643 }
644
645 auto it = m_mapEntries.find(path);
646 return it != m_mapEntries.end() ? &it.value() : nullptr;
647}
648
649// set polling frequency for a entry and adjust global freq if needed
650void KDirWatchPrivate::useFreq(Entry *e, int newFreq)
651{
652 e->freq = newFreq;
653
654 // a reasonable frequency for the global polling timer
655 if (e->freq < freq) {
656 freq = e->freq;
657 if (m_statRescanTimer.isActive()) {
658 m_statRescanTimer.start(freq);
659 }
660 qCDebug(KDIRWATCH) << "Global Poll Freq is now" << freq << "msec";
661 }
662}
663
664#if HAVE_SYS_INOTIFY_H
665// setup INotify notification, returns false if not possible
666bool KDirWatchPrivate::useINotify(Entry *e)
667{
668 e->wd = -1;
669 e->dirty = false;
670
671 if (!supports_inotify) {
672 return false;
673 }
674
675 e->m_mode = INotifyMode;
676
677 if (e->m_status == NonExistent) {
678 addEntry(nullptr, e->parentDirectory(), e, true);
679 return true;
680 }
681
682 // May as well register for almost everything - it's free!
683 int mask = IN_DELETE | IN_DELETE_SELF | IN_CREATE | IN_MOVE | IN_MOVE_SELF | IN_DONT_FOLLOW | IN_MOVED_FROM | IN_MODIFY | IN_ATTRIB;
684
685 if ((e->wd = inotify_add_watch(m_inotify_fd, QFile::encodeName(e->path).data(), mask)) != -1) {
686 m_inotify_wd_to_entry.insert(e->wd, e);
687 if (s_verboseDebug) {
688 qCDebug(KDIRWATCH) << "inotify successfully used for monitoring" << e->path << "wd=" << e->wd;
689 }
690 return true;
691 }
692
693 if (errno == ENOSPC) {
694 // Inotify max_user_watches was reached (/proc/sys/fs/inotify/max_user_watches)
695 // See man inotify_add_watch, https://github.com/guard/listen/wiki/Increasing-the-amount-of-inotify-watchers
696 qCWarning(KDIRWATCH) << "inotify failed for monitoring" << e->path << "\n"
697 << "Because it reached its max_user_watches,\n"
698 << "you can increase the maximum number of file watches per user,\n"
699 << "by setting an appropriate fs.inotify.max_user_watches parameter in your /etc/sysctl.conf";
700 } else {
701 qCDebug(KDIRWATCH) << "inotify failed for monitoring" << e->path << ":" << strerror(errno) << " (errno:" << errno << ")";
702 }
703 return false;
704}
705#endif
706#if HAVE_QFILESYSTEMWATCHER
707bool KDirWatchPrivate::useQFSWatch(Entry *e)
708{
709 e->m_mode = QFSWatchMode;
710 e->dirty = false;
711
712 if (e->m_status == NonExistent) {
713 addEntry(nullptr, e->parentDirectory(), e, true /*isDir*/);
714 return true;
715 }
716
717 // qCDebug(KDIRWATCH) << "fsWatcher->addPath" << e->path;
718 if (!fsWatcher) {
719 fsWatcher = new QFileSystemWatcher();
720 connect(fsWatcher, &QFileSystemWatcher::directoryChanged, this, &KDirWatchPrivate::fswEventReceived);
721 connect(fsWatcher, &QFileSystemWatcher::fileChanged, this, &KDirWatchPrivate::fswEventReceived);
722 }
723 fsWatcher->addPath(e->path);
724 return true;
725}
726#endif
727
728bool KDirWatchPrivate::useStat(Entry *e)
729{
730 if (KFileSystemType::fileSystemType(e->path) == KFileSystemType::Nfs) { // TODO: or Smbfs?
731 useFreq(e, m_nfsPollInterval);
732 } else {
733 useFreq(e, m_PollInterval);
734 }
735
736 if (e->m_mode != StatMode) {
737 e->m_mode = StatMode;
738 statEntries++;
739
740 if (statEntries == 1) {
741 // if this was first STAT entry (=timer was stopped)
742 m_statRescanTimer.start(freq); // then start the timer
743 qCDebug(KDIRWATCH) << " Started Polling Timer, freq " << freq;
744 }
745 }
746
747 qCDebug(KDIRWATCH) << " Setup Stat (freq " << e->freq << ") for " << e->path;
748
749 return true;
750}
751
752/* If <instance> !=0, this KDirWatch instance wants to watch at <_path>,
753 * providing in <isDir> the type of the entry to be watched.
754 * Sometimes, entries are dependent on each other: if <sub_entry> !=0,
755 * this entry needs another entry to watch itself (when notExistent).
756 */
757void KDirWatchPrivate::addEntry(KDirWatch *instance, const QString &_path, Entry *sub_entry, bool isDir, KDirWatch::WatchModes watchModes)
758{
759 QString path(_path);
760 if (path.startsWith(QLatin1String(":/"))) {
761 qCWarning(KDIRWATCH) << "Cannot watch QRC-like path" << path;
762 return;
763 }
764 if (path.isEmpty()
765#ifndef Q_OS_WIN
766 || path == QLatin1String("/dev")
767 || (path.startsWith(QLatin1String("/dev/")) && !path.startsWith(QLatin1String("/dev/.")) && !path.startsWith(QLatin1String("/dev/shm")))
768#endif
769 ) {
770 return; // Don't even go there.
771 }
772
773 if (path.length() > 1 && path.endsWith(QLatin1Char('/'))) {
774 path.chop(1);
775 }
776
777 auto it = m_mapEntries.find(path);
778 if (it != m_mapEntries.end()) {
779 Entry &entry = it.value();
780 if (sub_entry) {
781 entry.m_entries.append(sub_entry);
782 if (s_verboseDebug) {
783 qCDebug(KDIRWATCH) << "Added already watched Entry" << path << "(for" << sub_entry->path << ")";
784 }
785 } else {
786 entry.addClient(instance, watchModes);
787 if (s_verboseDebug) {
788 qCDebug(KDIRWATCH) << "Added already watched Entry" << path << "(now" << entry.clientCount() << "clients)"
789 << QStringLiteral("[%1]").arg(instance->objectName());
790 }
791 }
792 return;
793 }
794
795 // we have a new path to watch
796
797 QT_STATBUF stat_buf;
798 bool exists = (QT_STAT(QFile::encodeName(path).constData(), &stat_buf) == 0);
799
800 auto newIt = m_mapEntries.insert(path, Entry());
801 // the insert does a copy, so we have to use <e> now
802 Entry *e = &(*newIt);
803
804 if (exists) {
805 e->isDir = (stat_buf.st_mode & QT_STAT_MASK) == QT_STAT_DIR;
806
807#ifndef Q_OS_WIN
808 if (e->isDir && !isDir) {
809 if (QT_LSTAT(QFile::encodeName(path).constData(), &stat_buf) == 0) {
810 if ((stat_buf.st_mode & QT_STAT_MASK) == QT_STAT_LNK) {
811 // if it's a symlink, don't follow it
812 e->isDir = false;
813 }
814 }
815 }
816#endif
817
818 if (e->isDir && !isDir) {
819 qCWarning(KCOREADDONS_DEBUG) << "KDirWatch:" << path << "is a directory. Use addDir!";
820 } else if (!e->isDir && isDir) {
821 qCWarning(KCOREADDONS_DEBUG) << "KDirWatch:" << path << "is a file. Use addFile!";
822 }
823
824 if (!e->isDir && (watchModes != KDirWatch::WatchDirOnly)) {
825 qCWarning(KCOREADDONS_DEBUG) << "KDirWatch:" << path
826 << "is a file. You can't use recursive or "
827 "watchFiles options";
828 watchModes = KDirWatch::WatchDirOnly;
829 }
830
831#ifdef Q_OS_WIN
832 // ctime is the 'creation time' on windows - use mtime instead
833 e->m_ctime = stat_buf.st_mtime;
834#else
835 e->m_ctime = stat_buf.st_ctime;
836#endif
837 e->m_status = Normal;
838 e->m_nlink = stat_buf.st_nlink;
839 e->m_ino = stat_buf.st_ino;
840 } else {
841 e->isDir = isDir;
842 e->m_ctime = invalid_ctime;
843 e->m_status = NonExistent;
844 e->m_nlink = 0;
845 e->m_ino = 0;
846 }
847
848 e->path = path;
849 if (sub_entry) {
850 e->m_entries.append(sub_entry);
851 } else {
852 e->addClient(instance, watchModes);
853 }
854
855 if (s_verboseDebug) {
856 qCDebug(KDIRWATCH).nospace() << "Added " << (e->isDir ? "Dir " : "File ") << path << (e->m_status == NonExistent ? " NotExisting" : "") << " for "
857 << (sub_entry ? sub_entry->path : QString()) << " [" << (instance ? instance->objectName() : QString()) << "]";
858 }
859
860 // now setup the notification method
861 e->m_mode = UnknownMode;
862 e->msecLeft = 0;
863
864 if (isNoisyFile(QFile::encodeName(path).data())) {
865 return;
866 }
867
868 if (exists && e->isDir && (watchModes != KDirWatch::WatchDirOnly)) {
869 // recursive watch for folders
871
872 if ((watchModes & KDirWatch::WatchSubDirs) && (watchModes & KDirWatch::WatchFiles)) {
873 filters |= (QDir::Dirs | QDir::Files);
874 } else if (watchModes & KDirWatch::WatchSubDirs) {
875 filters |= QDir::Dirs;
876 } else if (watchModes & KDirWatch::WatchFiles) {
877 filters |= QDir::Files;
878 }
879
880#if HAVE_SYS_INOTIFY_H
881 if (m_preferredMethod == KDirWatch::INotify) {
882 // qCDebug(KDIRWATCH) << "Ignoring WatchFiles directive - this is implicit with inotify";
883 // Placing a watch on individual files is redundant with inotify
884 // (inotify gives us WatchFiles functionality "for free") and indeed
885 // actively harmful, so prevent it. WatchSubDirs is necessary, though.
886 filters &= ~QDir::Files;
887 }
888#endif
889
890 QDir basedir(e->path);
891 const QFileInfoList contents = basedir.entryInfoList(filters);
892 for (const QFileInfo &fileInfo : contents) {
893 // treat symlinks as files--don't follow them.
894 bool isDir = fileInfo.isDir() && !fileInfo.isSymLink();
895
896 addEntry(instance, fileInfo.absoluteFilePath(), nullptr, isDir, isDir ? watchModes : KDirWatch::WatchDirOnly);
897 }
898 }
899
900 addWatch(e);
901}
902
903void KDirWatchPrivate::addWatch(Entry *e)
904{
905 // If the watch is on a network filesystem use the nfsPreferredMethod as the
906 // default, otherwise use preferredMethod as the default, if the methods are
907 // the same we can skip the mountpoint check
908
909 // This allows to configure a different method for NFS mounts, since inotify
910 // cannot detect changes made by other machines. However as a default inotify
911 // is fine, since the most common case is a NFS-mounted home, where all changes
912 // are made locally. #177892.
913
914 KDirWatch::Method preferredMethod = m_preferredMethod;
915 if (m_nfsPreferredMethod != m_preferredMethod) {
917 preferredMethod = m_nfsPreferredMethod;
918 }
919 }
920
921 // Try the appropriate preferred method from the config first
922 bool inotifyFailed = false;
923 bool entryAdded = false;
924 switch (preferredMethod) {
925#if HAVE_SYS_INOTIFY_H
926 case KDirWatch::INotify:
927 entryAdded = useINotify(e);
928 if (!entryAdded) {
929 inotifyFailed = true;
930 }
931 break;
932#else
933 case KDirWatch::INotify:
934 entryAdded = false;
935 break;
936#endif
937#if HAVE_QFILESYSTEMWATCHER
938 case KDirWatch::QFSWatch:
939 entryAdded = useQFSWatch(e);
940 break;
941#else
942 case KDirWatch::QFSWatch:
943 entryAdded = false;
944 break;
945#endif
946 case KDirWatch::Stat:
947 entryAdded = useStat(e);
948 break;
949 }
950
951 // Failing that try in order INotify, QFSWatch, Stat
952 if (!entryAdded) {
953#if HAVE_SYS_INOTIFY_H
954 if (preferredMethod != KDirWatch::INotify && useINotify(e)) {
955 return;
956 }
957#endif
958#if HAVE_QFILESYSTEMWATCHER
959 // QFileSystemWatcher uses inotify internally if it's supported by the platform, so
960 // if useInotify() already failed, don't try inotify again through useQFSWatch().
961 if (preferredMethod != KDirWatch::QFSWatch && !inotifyFailed && useQFSWatch(e)) {
962 return;
963 }
964#endif
965 if (preferredMethod != KDirWatch::Stat) {
966 useStat(e);
967 }
968 }
969}
970
971void KDirWatchPrivate::removeWatch(Entry *e)
972{
973#if HAVE_SYS_INOTIFY_H
974 if (e->m_mode == INotifyMode) {
975 m_inotify_wd_to_entry.remove(e->wd);
976 (void)inotify_rm_watch(m_inotify_fd, e->wd);
977 if (s_verboseDebug) {
978 qCDebug(KDIRWATCH).nospace() << "Cancelled INotify (fd " << m_inotify_fd << ", " << e->wd << ") for " << e->path;
979 }
980 }
981#endif
982#if HAVE_QFILESYSTEMWATCHER
983 if (e->m_mode == QFSWatchMode && fsWatcher) {
984 if (s_verboseDebug) {
985 qCDebug(KDIRWATCH) << "fsWatcher->removePath" << e->path;
986 }
987 fsWatcher->removePath(e->path);
988 }
989#endif
990}
991
992void KDirWatchPrivate::removeEntry(KDirWatch *instance, const QString &_path, Entry *sub_entry)
993{
994 qCDebug(KDIRWATCH) << "path=" << _path << "sub_entry:" << sub_entry;
995
996 Entry *e = entry(_path);
997 if (e) {
998 removeEntry(instance, e, sub_entry);
999 }
1000}
1001
1002void KDirWatchPrivate::removeEntry(KDirWatch *instance, Entry *e, Entry *sub_entry)
1003{
1004 removeList.remove(e);
1005
1006 if (sub_entry) {
1007 e->m_entries.removeAll(sub_entry);
1008 } else {
1009 e->removeClient(instance);
1010 }
1011
1012 if (!e->m_clients.empty() || !e->m_entries.empty()) {
1013 return;
1014 }
1015
1016 if (delayRemove) {
1017 removeList.insert(e);
1018 // now e->isValid() is false
1019 return;
1020 }
1021
1022 if (e->m_status == Normal) {
1023 removeWatch(e);
1024 } else {
1025 // Removed a NonExistent entry - we just remove it from the parent
1026 if (e->isDir) {
1027 removeEntry(nullptr, e->parentDirectory(), e);
1028 } else {
1029 removeEntry(nullptr, QFileInfo(e->path).absolutePath(), e);
1030 }
1031 }
1032
1033 if (e->m_mode == StatMode) {
1034 statEntries--;
1035 if (statEntries == 0) {
1036 m_statRescanTimer.stop(); // stop timer if lists are empty
1037 qCDebug(KDIRWATCH) << " Stopped Polling Timer";
1038 }
1039 }
1040
1041 if (s_verboseDebug) {
1042 qCDebug(KDIRWATCH).nospace() << "Removed " << (e->isDir ? "Dir " : "File ") << e->path << " for " << (sub_entry ? sub_entry->path : QString()) << " ["
1043 << (instance ? instance->objectName() : QString()) << "]";
1044 }
1045 QString p = e->path; // take a copy, QMap::remove takes a reference and deletes, since e points into the map
1046#if HAVE_SYS_INOTIFY_H
1047 m_inotify_wd_to_entry.remove(e->wd);
1048#endif
1049 m_mapEntries.remove(p); // <e> not valid any more
1050}
1051
1052/* Called from KDirWatch destructor:
1053 * remove <instance> as client from all entries
1054 */
1055void KDirWatchPrivate::removeEntries(KDirWatch *instance)
1056{
1057 int minfreq = 3600000;
1058
1059 QStringList pathList;
1060 // put all entries where instance is a client in list
1061 for (auto it = m_mapEntries.begin(); it != m_mapEntries.end(); ++it) {
1062 Entry &entry = it.value();
1063 auto clientIt = entry.findInstance(instance);
1064 if (clientIt != entry.m_clients.end()) {
1065 clientIt->count = 1; // forces deletion of instance as client
1066 pathList.append(entry.path);
1067 } else if (entry.m_mode == StatMode && entry.freq < minfreq) {
1068 minfreq = entry.freq;
1069 }
1070 }
1071
1072 for (const QString &path : std::as_const(pathList)) {
1073 removeEntry(instance, path, nullptr);
1074 }
1075
1076 if (minfreq > freq) {
1077 // we can decrease the global polling frequency
1078 freq = minfreq;
1079 if (m_statRescanTimer.isActive()) {
1080 m_statRescanTimer.start(freq);
1081 }
1082 qCDebug(KDIRWATCH) << "Poll Freq now" << freq << "msec";
1083 }
1084}
1085
1086// instance ==0: stop scanning for all instances
1087bool KDirWatchPrivate::stopEntryScan(KDirWatch *instance, Entry *e)
1088{
1089 int stillWatching = 0;
1090 for (Client &client : e->m_clients) {
1091 if (!instance || instance == client.instance) {
1092 client.watchingStopped = true;
1093 } else if (!client.watchingStopped) {
1094 stillWatching += client.count;
1095 }
1096 }
1097
1098 qCDebug(KDIRWATCH) << (instance ? instance->objectName() : QStringLiteral("all")) << "stopped scanning" << e->path << "(now" << stillWatching
1099 << "watchers)";
1100
1101 if (stillWatching == 0) {
1102 // if nobody is interested, we don't watch, and we don't report
1103 // changes that happened while not watching
1104 e->m_ctime = invalid_ctime; // invalid
1105
1106 // Changing m_status like this would create wrong "created" events in stat mode.
1107 // To really "stop watching" we would need to determine 'stillWatching==0' in scanEntry...
1108 // e->m_status = NonExistent;
1109 }
1110 return true;
1111}
1112
1113// instance ==0: start scanning for all instances
1114bool KDirWatchPrivate::restartEntryScan(KDirWatch *instance, Entry *e, bool notify)
1115{
1116 int wasWatching = 0;
1117 int newWatching = 0;
1118 for (Client &client : e->m_clients) {
1119 if (!client.watchingStopped) {
1120 wasWatching += client.count;
1121 } else if (!instance || instance == client.instance) {
1122 client.watchingStopped = false;
1123 newWatching += client.count;
1124 }
1125 }
1126 if (newWatching == 0) {
1127 return false;
1128 }
1129
1130 qCDebug(KDIRWATCH) << (instance ? instance->objectName() : QStringLiteral("all")) << "restarted scanning" << e->path << "(now" << wasWatching + newWatching
1131 << "watchers)";
1132
1133 // restart watching and emit pending events
1134
1135 int ev = NoChange;
1136 if (wasWatching == 0) {
1137 if (!notify) {
1138 QT_STATBUF stat_buf;
1139 bool exists = (QT_STAT(QFile::encodeName(e->path).constData(), &stat_buf) == 0);
1140 if (exists) {
1141 // ctime is the 'creation time' on windows, but with qMax
1142 // we get the latest change of any kind, on any platform.
1143 e->m_ctime = qMax(stat_buf.st_ctime, stat_buf.st_mtime);
1144 e->m_status = Normal;
1145 if (s_verboseDebug) {
1146 qCDebug(KDIRWATCH) << "Setting status to Normal for" << e << e->path;
1147 }
1148 e->m_nlink = stat_buf.st_nlink;
1149 e->m_ino = stat_buf.st_ino;
1150
1151 // Same as in scanEntry: ensure no subentry in parent dir
1152 removeEntry(nullptr, e->parentDirectory(), e);
1153 } else {
1154 e->m_ctime = invalid_ctime;
1155 e->m_status = NonExistent;
1156 e->m_nlink = 0;
1157 if (s_verboseDebug) {
1158 qCDebug(KDIRWATCH) << "Setting status to NonExistent for" << e << e->path;
1159 }
1160 }
1161 }
1162 e->msecLeft = 0;
1163 ev = scanEntry(e);
1164 }
1165 emitEvent(e, ev);
1166
1167 return true;
1168}
1169
1170// instance ==0: stop scanning for all instances
1171void KDirWatchPrivate::stopScan(KDirWatch *instance)
1172{
1173 for (auto it = m_mapEntries.begin(); it != m_mapEntries.end(); ++it) {
1174 stopEntryScan(instance, &it.value());
1175 }
1176}
1177
1178void KDirWatchPrivate::startScan(KDirWatch *instance, bool notify, bool skippedToo)
1179{
1180 if (!notify) {
1181 resetList(instance, skippedToo);
1182 }
1183
1184 for (auto it = m_mapEntries.begin(); it != m_mapEntries.end(); ++it) {
1185 restartEntryScan(instance, &it.value(), notify);
1186 }
1187
1188 // timer should still be running when in polling mode
1189}
1190
1191// clear all pending events, also from stopped
1192void KDirWatchPrivate::resetList(KDirWatch *instance, bool skippedToo)
1193{
1194 Q_UNUSED(instance);
1195
1196 for (auto it = m_mapEntries.begin(); it != m_mapEntries.end(); ++it) {
1197 for (Client &client : it.value().m_clients) {
1198 if (!client.watchingStopped || skippedToo) {
1199 client.pending = NoChange;
1200 }
1201 }
1202 }
1203}
1204
1205// Return event happened on <e>
1206//
1207int KDirWatchPrivate::scanEntry(Entry *e)
1208{
1209 // Shouldn't happen: Ignore "unknown" notification method
1210 if (e->m_mode == UnknownMode) {
1211 return NoChange;
1212 }
1213
1214 if (e->m_mode == INotifyMode) {
1215 // we know nothing has changed, no need to stat
1216 if (!e->dirty) {
1217 return NoChange;
1218 }
1219 e->dirty = false;
1220 }
1221
1222 if (e->m_mode == StatMode) {
1223 // only scan if timeout on entry timer happens;
1224 // e.g. when using 500msec global timer, a entry
1225 // with freq=5000 is only watched every 10th time
1226
1227 e->msecLeft -= freq;
1228 if (e->msecLeft > 0) {
1229 return NoChange;
1230 }
1231 e->msecLeft += e->freq;
1232 }
1233
1234 QT_STATBUF stat_buf;
1235 const bool exists = (QT_STAT(QFile::encodeName(e->path).constData(), &stat_buf) == 0);
1236 if (exists) {
1237 if (e->m_status == NonExistent) {
1238 // ctime is the 'creation time' on windows, but with qMax
1239 // we get the latest change of any kind, on any platform.
1240 e->m_ctime = qMax(stat_buf.st_ctime, stat_buf.st_mtime);
1241 e->m_status = Normal;
1242 e->m_ino = stat_buf.st_ino;
1243 if (s_verboseDebug) {
1244 qCDebug(KDIRWATCH) << "Setting status to Normal for just created" << e << e->path;
1245 }
1246 // We need to make sure the entry isn't listed in its parent's subentries... (#222974, testMoveTo)
1247 removeEntry(nullptr, e->parentDirectory(), e);
1248
1249 return Created;
1250 }
1251
1252#if 1 // for debugging the if() below
1253 if (s_verboseDebug) {
1254 struct tm *tmp = localtime(&e->m_ctime);
1255 char outstr[200];
1256 strftime(outstr, sizeof(outstr), "%H:%M:%S", tmp);
1257 qCDebug(KDIRWATCH) << e->path << "e->m_ctime=" << e->m_ctime << outstr << "stat_buf.st_ctime=" << stat_buf.st_ctime
1258 << "stat_buf.st_mtime=" << stat_buf.st_mtime << "e->m_nlink=" << e->m_nlink << "stat_buf.st_nlink=" << stat_buf.st_nlink
1259 << "e->m_ino=" << e->m_ino << "stat_buf.st_ino=" << stat_buf.st_ino;
1260 }
1261#endif
1262
1263 if ((e->m_ctime != invalid_ctime)
1264 && (qMax(stat_buf.st_ctime, stat_buf.st_mtime) != e->m_ctime || stat_buf.st_ino != e->m_ino
1265 || int(stat_buf.st_nlink) != int(e->m_nlink)
1266#ifdef Q_OS_WIN
1267 // on Windows, we trust QFSW to get it right, the ctime comparisons above
1268 // fail for example when adding files to directories on Windows
1269 // which doesn't change the mtime of the directory
1270 || e->m_mode == QFSWatchMode
1271#endif
1272 )) {
1273 e->m_ctime = qMax(stat_buf.st_ctime, stat_buf.st_mtime);
1274 e->m_nlink = stat_buf.st_nlink;
1275 if (e->m_ino != stat_buf.st_ino) {
1276 // The file got deleted and recreated. We need to watch it again.
1277 removeWatch(e);
1278 addWatch(e);
1279 e->m_ino = stat_buf.st_ino;
1280 return (Deleted | Created);
1281 } else {
1282 return Changed;
1283 }
1284 }
1285
1286 return NoChange;
1287 }
1288
1289 // dir/file doesn't exist
1290
1291 e->m_nlink = 0;
1292 e->m_ino = 0;
1293 e->m_status = NonExistent;
1294
1295 if (e->m_ctime == invalid_ctime) {
1296 return NoChange;
1297 }
1298
1299 e->m_ctime = invalid_ctime;
1300 return Deleted;
1301}
1302
1303/* Notify all interested KDirWatch instances about a given event on an entry
1304 * and stored pending events. When watching is stopped, the event is
1305 * added to the pending events.
1306 */
1307void KDirWatchPrivate::emitEvent(Entry *e, int event, const QString &fileName)
1308{
1309 QString path(e->path);
1310 if (!fileName.isEmpty()) {
1311 if (!QDir::isRelativePath(fileName)) {
1312 path = fileName;
1313 } else {
1314#ifdef Q_OS_UNIX
1315 path += QLatin1Char('/') + fileName;
1316#elif defined(Q_OS_WIN)
1317 // current drive is passed instead of /
1318 path += QStringView(QDir::currentPath()).left(2) + QLatin1Char('/') + fileName;
1319#endif
1320 }
1321 }
1322
1323 if (s_verboseDebug) {
1324 qCDebug(KDIRWATCH) << event << path << e->m_clients.size() << "clients";
1325 }
1326
1327 for (Client &c : e->m_clients) {
1328 if (c.instance == nullptr || c.count == 0) {
1329 continue;
1330 }
1331
1332 if (c.watchingStopped) {
1333 // Do not add event to a list of pending events, the docs say restartDirScan won't emit!
1334 continue;
1335 }
1336 // not stopped
1337 if (event == NoChange || event == Changed) {
1338 event |= c.pending;
1339 }
1340 c.pending = NoChange;
1341 if (event == NoChange) {
1342 continue;
1343 }
1344
1345 // Emit the signals delayed, to avoid unexpected re-entrance from the slots (#220153)
1346
1347 if (event & Deleted) {
1349 c.instance,
1350 [c, path]() {
1351 c.instance->setDeleted(path);
1352 },
1354 }
1355
1356 if (event & Created) {
1358 c.instance,
1359 [c, path]() {
1360 c.instance->setCreated(path);
1361 },
1363 // possible emit Change event after creation
1364 }
1365
1366 if (event & Changed) {
1368 c.instance,
1369 [c, path]() {
1370 c.instance->setDirty(path);
1371 },
1373 }
1374 }
1375}
1376
1377// Remove entries which were marked to be removed
1378void KDirWatchPrivate::slotRemoveDelayed()
1379{
1380 delayRemove = false;
1381 // Removing an entry could also take care of removing its parent
1382 // (e.g. in inotify mode), which would remove other entries in removeList,
1383 // so don't use Q_FOREACH or iterators here...
1384 while (!removeList.isEmpty()) {
1385 Entry *entry = *removeList.begin();
1386 removeEntry(nullptr, entry, nullptr); // this will remove entry from removeList
1387 }
1388}
1389
1390/* Scan all entries to be watched for changes. This is done regularly
1391 * when polling. inotify uses a single-shot timer to call this slot delayed.
1392 */
1393void KDirWatchPrivate::slotRescan()
1394{
1395 if (s_verboseDebug) {
1396 qCDebug(KDIRWATCH);
1397 }
1398
1399 EntryMap::Iterator it;
1400
1401 // People can do very long things in the slot connected to dirty(),
1402 // like showing a message box. We don't want to keep polling during
1403 // that time, otherwise the value of 'delayRemove' will be reset.
1404 // ### TODO: now the emitEvent delays emission, this can be cleaned up
1405 bool timerRunning = m_statRescanTimer.isActive();
1406 if (timerRunning) {
1407 m_statRescanTimer.stop();
1408 }
1409
1410 // We delay deletions of entries this way.
1411 // removeDir(), when called in slotDirty(), can cause a crash otherwise
1412 // ### TODO: now the emitEvent delays emission, this can be cleaned up
1413 delayRemove = true;
1414
1415 if (rescan_all) {
1416 // mark all as dirty
1417 it = m_mapEntries.begin();
1418 for (; it != m_mapEntries.end(); ++it) {
1419 (*it).dirty = true;
1420 }
1421 rescan_all = false;
1422 } else {
1423 // propagate dirty flag to dependent entries (e.g. file watches)
1424 it = m_mapEntries.begin();
1425 for (; it != m_mapEntries.end(); ++it) {
1426 if (((*it).m_mode == INotifyMode || (*it).m_mode == QFSWatchMode) && (*it).dirty) {
1427 (*it).propagate_dirty();
1428 }
1429 }
1430 }
1431
1432#if HAVE_SYS_INOTIFY_H
1433 QList<Entry *> cList;
1434#endif
1435
1436 it = m_mapEntries.begin();
1437 for (; it != m_mapEntries.end(); ++it) {
1438 // we don't check invalid entries (i.e. remove delayed)
1439 Entry *entry = &(*it);
1440 if (!entry->isValid()) {
1441 continue;
1442 }
1443
1444 const int ev = scanEntry(entry);
1445 if (s_verboseDebug) {
1446 qCDebug(KDIRWATCH) << "scanEntry for" << entry->path << "says" << ev;
1447 }
1448
1449 switch (entry->m_mode) {
1450#if HAVE_SYS_INOTIFY_H
1451 case INotifyMode:
1452 if (ev == Deleted) {
1453 if (s_verboseDebug) {
1454 qCDebug(KDIRWATCH) << "scanEntry says" << entry->path << "was deleted";
1455 }
1456 addEntry(nullptr, entry->parentDirectory(), entry, true);
1457 } else if (ev == Created) {
1458 if (s_verboseDebug) {
1459 qCDebug(KDIRWATCH) << "scanEntry says" << entry->path << "was created. wd=" << entry->wd;
1460 }
1461 if (entry->wd < 0) {
1462 cList.append(entry);
1463 addWatch(entry);
1464 }
1465 }
1466 break;
1467#endif
1468 case QFSWatchMode:
1469 if (ev == Created) {
1470 addWatch(entry);
1471 }
1472 break;
1473 default:
1474 // dunno about StatMode...
1475 break;
1476 }
1477
1478#if HAVE_SYS_INOTIFY_H
1479 if (entry->isDir) {
1480 // Report and clear the list of files that have changed in this directory.
1481 // Remove duplicates by changing to set and back again:
1482 // we don't really care about preserving the order of the
1483 // original changes.
1484 QStringList pendingFileChanges = entry->m_pendingFileChanges;
1485 pendingFileChanges.removeDuplicates();
1486 for (const QString &changedFilename : std::as_const(pendingFileChanges)) {
1487 if (s_verboseDebug) {
1488 qCDebug(KDIRWATCH) << "processing pending file change for" << changedFilename;
1489 }
1490 emitEvent(entry, Changed, changedFilename);
1491 }
1492 entry->m_pendingFileChanges.clear();
1493 }
1494#endif
1495
1496 if (ev != NoChange) {
1497 emitEvent(entry, ev);
1498 }
1499 }
1500
1501 if (timerRunning) {
1502 m_statRescanTimer.start(freq);
1503 }
1504
1505#if HAVE_SYS_INOTIFY_H
1506 // Remove watch of parent of new created directories
1507 for (Entry *e : std::as_const(cList)) {
1508 removeEntry(nullptr, e->parentDirectory(), e);
1509 }
1510#endif
1511
1512 QTimer::singleShot(0, this, &KDirWatchPrivate::slotRemoveDelayed);
1513}
1514
1515bool KDirWatchPrivate::isNoisyFile(const char *filename)
1516{
1517 // $HOME/.X.err grows with debug output, so don't notify change
1518 if (*filename == '.') {
1519 if (strncmp(filename, ".X.err", 6) == 0) {
1520 return true;
1521 }
1522 if (strncmp(filename, ".xsession-errors", 16) == 0) {
1523 return true;
1524 }
1525 // fontconfig updates the cache on every KDE app start
1526 // as well as during kio_thumbnail worker execution
1527 // TODO:; check which fontconfig version this file was deprecated and the check can be removed
1528 if (strncmp(filename, ".fonts.cache", 12) == 0) {
1529 return true;
1530 }
1531 }
1532
1533 return false;
1534}
1535
1536void KDirWatchPrivate::ref(KDirWatch *watch)
1537{
1538 m_referencesObjects.push_back(watch);
1539}
1540
1541void KDirWatchPrivate::unref(KDirWatch *watch)
1542{
1543 m_referencesObjects.removeOne(watch);
1544 if (m_referencesObjects.isEmpty()) {
1545 destroyPrivate();
1546 }
1547}
1548
1549#if HAVE_SYS_INOTIFY_H
1550QString KDirWatchPrivate::inotifyEventName(const inotify_event *event) const
1551{
1552 if (event->mask & IN_OPEN)
1553 return QStringLiteral("OPEN");
1554 else if (event->mask & IN_CLOSE_NOWRITE)
1555 return QStringLiteral("CLOSE_NOWRITE");
1556 else if (event->mask & IN_CLOSE_WRITE)
1557 return QStringLiteral("CLOSE_WRITE");
1558 else if (event->mask & IN_MOVED_TO)
1559 return QStringLiteral("MOVED_TO");
1560 else if (event->mask & IN_MOVED_FROM)
1561 return QStringLiteral("MOVED_FROM");
1562 else if (event->mask & IN_MOVE)
1563 return QStringLiteral("MOVE");
1564 else if (event->mask & IN_CREATE)
1565 return QStringLiteral("CREATE");
1566 else if (event->mask & IN_DELETE)
1567 return QStringLiteral("DELETE");
1568 else if (event->mask & IN_DELETE_SELF)
1569 return QStringLiteral("DELETE_SELF");
1570 else if (event->mask & IN_MOVE_SELF)
1571 return QStringLiteral("MOVE_SELF");
1572 else if (event->mask & IN_ATTRIB)
1573 return QStringLiteral("ATTRIB");
1574 else if (event->mask & IN_MODIFY)
1575 return QStringLiteral("MODIFY");
1576 if (event->mask & IN_ACCESS)
1577 return QStringLiteral("ACCESS");
1578 if (event->mask & IN_IGNORED)
1579 return QStringLiteral("IGNORED");
1580 if (event->mask & IN_UNMOUNT)
1581 return QStringLiteral("IN_UNMOUNT");
1582 else
1583 return QStringLiteral("UNKWOWN");
1584}
1585#endif
1586
1587#if HAVE_QFILESYSTEMWATCHER
1588// Slot for QFileSystemWatcher
1589void KDirWatchPrivate::fswEventReceived(const QString &path)
1590{
1591 if (s_verboseDebug) {
1592 qCDebug(KDIRWATCH) << path;
1593 }
1594
1595 auto it = m_mapEntries.find(path);
1596 if (it != m_mapEntries.end()) {
1597 Entry *entry = &it.value();
1598 entry->dirty = true;
1599 const int ev = scanEntry(entry);
1600 if (s_verboseDebug) {
1601 qCDebug(KDIRWATCH) << "scanEntry for" << entry->path << "says" << ev;
1602 }
1603 if (ev != NoChange) {
1604 emitEvent(entry, ev);
1605 }
1606 if (ev == Deleted) {
1607 if (entry->isDir) {
1608 addEntry(nullptr, entry->parentDirectory(), entry, true);
1609 } else {
1610 addEntry(nullptr, QFileInfo(entry->path).absolutePath(), entry, true);
1611 }
1612 } else if (ev == Created) {
1613 // We were waiting for it to appear; now watch it
1614 addWatch(entry);
1615 } else if (entry->isDir) {
1616 // Check if any file or dir was created under this directory, that we were waiting for
1617 for (Entry *sub_entry : std::as_const(entry->m_entries)) {
1618 fswEventReceived(sub_entry->path); // recurse, to call scanEntry and see if something changed
1619 }
1620 } else {
1621 /* Even though QFileSystemWatcher only reported the file as modified, it is possible that the file
1622 * was in fact just deleted and then immediately recreated. If the file was deleted, QFileSystemWatcher
1623 * will delete the watch, and will ignore the file, even after it is recreated. Since it is impossible
1624 * to reliably detect this case, always re-request the watch on a dirty signal, to avoid losing the
1625 * underlying OS monitor.
1626 */
1627 fsWatcher->addPath(entry->path);
1628 }
1629 }
1630}
1631#else
1632void KDirWatchPrivate::fswEventReceived(const QString &path)
1633{
1634 Q_UNUSED(path);
1635 qCWarning(KCOREADDONS_DEBUG) << "QFileSystemWatcher event received but QFileSystemWatcher is not supported";
1636}
1637#endif // HAVE_QFILESYSTEMWATCHER
1638
1639//
1640// Class KDirWatch
1641//
1642
1643Q_GLOBAL_STATIC(KDirWatch, s_pKDirWatchSelf)
1645{
1646 return s_pKDirWatchSelf();
1647}
1648
1649// <steve> is this used anywhere?
1650// <dfaure> yes, see kio/src/core/kcoredirlister_p.h:328
1652{
1653 return s_pKDirWatchSelf.exists() && dwp_self.hasLocalData();
1654}
1655
1657 : QObject(parent)
1658 , d(createPrivate())
1659{
1660 d->ref(this);
1661 static QBasicAtomicInt nameCounter = Q_BASIC_ATOMIC_INITIALIZER(1);
1662 const int counter = nameCounter.fetchAndAddRelaxed(1); // returns the old value
1663 setObjectName(QStringLiteral("KDirWatch-%1").arg(counter));
1664}
1665
1667{
1668 if (d) {
1669 d->removeEntries(this);
1670 d->unref(this);
1671 }
1672}
1673
1674void KDirWatch::addDir(const QString &_path, WatchModes watchModes)
1675{
1676 if (KNetworkMounts::self()->isOptionEnabledForPath(_path, KNetworkMounts::KDirWatchDontAddWatches)) {
1677 return;
1678 }
1679
1680 if (d) {
1681 d->addEntry(this, _path, nullptr, true, watchModes);
1682 }
1683}
1684
1685void KDirWatch::addFile(const QString &_path)
1686{
1687 if (KNetworkMounts::self()->isOptionEnabledForPath(_path, KNetworkMounts::KDirWatchDontAddWatches)) {
1688 return;
1689 }
1690
1691 if (!d) {
1692 return;
1693 }
1694
1695 d->addEntry(this, _path, nullptr, false);
1696}
1697
1699{
1700 KDirWatchPrivate::Entry *e = d->entry(_path);
1701
1702 if (!e) {
1703 return QDateTime();
1704 }
1705
1706 return QDateTime::fromSecsSinceEpoch(e->m_ctime);
1707}
1708
1710{
1711 if (d) {
1712 d->removeEntry(this, _path, nullptr);
1713 }
1714}
1715
1717{
1718 if (d) {
1719 d->removeEntry(this, _path, nullptr);
1720 }
1721}
1722
1724{
1725 if (d) {
1726 KDirWatchPrivate::Entry *e = d->entry(_path);
1727 if (e && e->isDir) {
1728 return d->stopEntryScan(this, e);
1729 }
1730 }
1731 return false;
1732}
1733
1735{
1736 if (d) {
1737 KDirWatchPrivate::Entry *e = d->entry(_path);
1738 if (e && e->isDir)
1739 // restart without notifying pending events
1740 {
1741 return d->restartEntryScan(this, e, false);
1742 }
1743 }
1744 return false;
1745}
1746
1748{
1749 if (d) {
1750 d->stopScan(this);
1751 d->_isStopped = true;
1752 }
1753}
1754
1756{
1757 return d->_isStopped;
1758}
1759
1760void KDirWatch::startScan(bool notify, bool skippedToo)
1761{
1762 if (d) {
1763 d->_isStopped = false;
1764 d->startScan(this, notify, skippedToo);
1765 }
1766}
1767
1768bool KDirWatch::contains(const QString &_path) const
1769{
1770 KDirWatchPrivate::Entry *e = d->entry(_path);
1771 if (!e) {
1772 return false;
1773 }
1774
1775 for (const KDirWatchPrivate::Client &client : e->m_clients) {
1776 if (client.instance == this) {
1777 return true;
1778 }
1779 }
1780
1781 return false;
1782}
1783
1785{
1786 qCDebug(KDIRWATCH) << objectName() << "emitting created" << _file;
1787 Q_EMIT created(_file);
1788}
1789
1791{
1792 Q_EMIT dirty(_file);
1793}
1794
1796{
1797 qCDebug(KDIRWATCH) << objectName() << "emitting deleted" << _file;
1798 Q_EMIT deleted(_file);
1799}
1800
1801KDirWatch::Method KDirWatch::internalMethod() const
1802{
1803 // This reproduces the logic in KDirWatchPrivate::addWatch
1804 switch (d->m_preferredMethod) {
1805 case KDirWatch::INotify:
1806#if HAVE_SYS_INOTIFY_H
1807 if (d->supports_inotify) {
1808 return KDirWatch::INotify;
1809 }
1810#endif
1811 break;
1812 case KDirWatch::QFSWatch:
1813#if HAVE_QFILESYSTEMWATCHER
1814 return KDirWatch::QFSWatch;
1815#else
1816 break;
1817#endif
1818 case KDirWatch::Stat:
1819 return KDirWatch::Stat;
1820 }
1821
1822#if HAVE_SYS_INOTIFY_H
1823 if (d->supports_inotify) {
1824 return KDirWatch::INotify;
1825 }
1826#endif
1827#if HAVE_QFILESYSTEMWATCHER
1828 return KDirWatch::QFSWatch;
1829#else
1830 return KDirWatch::Stat;
1831#endif
1832}
1833
1835{
1836 if (Q_LIKELY(event->type() != QEvent::ThreadChange)) {
1837 return QObject::event(event);
1838 }
1839
1840 qCCritical(KDIRWATCH) << "KDirwatch is moving its thread. This is not supported at this time; your watch will not watch anything anymore!"
1841 << "Create and use watches on the correct thread"
1842 << "Watch:" << this;
1843
1844 // We are still in the old thread when the event runs, so this is safe.
1845 Q_ASSERT(thread() == d->thread());
1846 d->removeEntries(this);
1847 d->unref(this);
1848 d = nullptr;
1849
1850 // Schedule the creation of the new private in the new thread.
1852 this,
1853 [this] {
1854 d = createPrivate();
1855 },
1857
1858 // NOTE: to actually support moving watches across threads we'd have to make Entry copyable and schedule a complete
1859 // re-installation of watches on the new thread after createPrivate.
1860
1861 return QObject::event(event);
1862}
1863
1864#include "moc_kdirwatch.cpp"
1865#include "moc_kdirwatch_p.cpp"
1866
1867// sven
Class for watching directory and file changes.
Definition kdirwatch.h:56
Method internalMethod() const
Returns the preferred internal method to watch for changes.
void setDeleted(const QString &path)
Emits deleted().
void addFile(const QString &file)
Adds a file to be watched.
bool event(QEvent *event) override
Trivial override.
void setCreated(const QString &path)
Emits created().
void stopScan()
Stops scanning of all directories in internal list.
QFlags< WatchMode > WatchModes
Stores a combination of WatchMode values.
Definition kdirwatch.h:72
void removeFile(const QString &file)
Removes a file from the list of watched files.
bool contains(const QString &path) const
Check if a directory is being watched by this KDirWatch instance.
bool stopDirScan(const QString &path)
Stops scanning the specified path.
static KDirWatch * self()
The KDirWatch instance usually globally used in an application.
void removeDir(const QString &path)
Removes a directory from the list of scanned directories.
void deleted(const QString &path)
Emitted when a file or directory is deleted.
void startScan(bool notify=false, bool skippedToo=false)
Starts scanning of all dirs in list.
static bool exists()
Returns true if there is an instance of KDirWatch.
void addDir(const QString &path, WatchModes watchModes=WatchDirOnly)
Adds a directory to be watched.
KDirWatch(QObject *parent=nullptr)
Constructor.
@ WatchSubDirs
Watch also all the subdirs contained by the directory.
Definition kdirwatch.h:67
@ WatchDirOnly
Watch just the specified directory.
Definition kdirwatch.h:65
@ WatchFiles
Watch also all files contained by the directory.
Definition kdirwatch.h:66
bool isStopped()
Is scanning stopped?
void dirty(const QString &path)
Emitted when a watched object is changed.
void setDirty(const QString &path)
Emits dirty().
QDateTime ctime(const QString &path) const
Returns the time the directory/file was last changed.
void created(const QString &path)
Emitted when a file or directory (being watched explicitly) is created.
~KDirWatch() override
Destructor.
bool restartDirScan(const QString &path)
Restarts scanning for specified path.
static KNetworkMounts * self()
Returns (and creates if necessary) the singleton instance.
@ KDirWatchDontAddWatches
Disables dir watching completely for slow paths, avoids stat() calls on added dirs and subdirs.
AKONADI_CALENDAR_EXPORT KCalendarCore::Event::Ptr event(const Akonadi::Item &item)
AKONADI_MIME_EXPORT const char Deleted[]
@ Nfs
NFS or other full-featured networked filesystems (autofs, subfs, cachefs, sshfs)
KCOREADDONS_EXPORT Type fileSystemType(const QString &path)
For a given path, returns the filesystem type, one of KFileSystemType::Type values.
QVariant read(const QByteArray &data, int versionOverride=0)
QString path(const QString &relativePath)
Absolute libexec path resolved in relative relation to the current shared object.
Definition klibexec.h:48
bool isEmpty() const const
QDateTime fromSecsSinceEpoch(qint64 secs)
QDebug & nospace()
QDebug & space()
NoDotAndDotDot
QString cleanPath(const QString &path)
QString currentPath()
bool isRelativePath(const QString &path)
QString decodeName(const QByteArray &localFileName)
QByteArray encodeName(const QString &fileName)
QString absolutePath() const const
void directoryChanged(const QString &path)
void fileChanged(const QString &path)
void append(QList< T > &&value)
iterator begin()
qsizetype count() const const
bool isEmpty() const const
bool invokeMethod(QObject *context, Functor &&function, FunctorReturnType *ret)
QObject(QObject *parent)
Q_EMITQ_EMIT
virtual bool event(QEvent *e)
QObject * parent() const const
void setObjectName(QAnyStringView name)
QThread * thread() const const
void activated(QSocketDescriptor socket, QSocketNotifier::Type type)
QString arg(Args &&... args) const const
void chop(qsizetype n)
bool endsWith(QChar c, Qt::CaseSensitivity cs) const const
bool isEmpty() const const
qsizetype length() const const
QString & remove(QChar ch, Qt::CaseSensitivity cs)
qsizetype size() const const
bool startsWith(QChar c, Qt::CaseSensitivity cs) const const
qsizetype removeDuplicates()
QStringView left(qsizetype length) const const
QueuedConnection
QFuture< ArgsType< Signal > > connect(Sender *sender, Signal signal)
void timeout()
This file is part of the KDE documentation.
Documentation copyright © 1996-2025 The KDE developers.
Generated on Fri Mar 28 2025 11:53:44 by doxygen 1.13.2 written by Dimitri van Heesch, © 1997-2006

KDE's Doxygen guidelines are available online.