KArchive

karchive.cpp
1/* This file is part of the KDE libraries
2 SPDX-FileCopyrightText: 2000-2005 David Faure <faure@kde.org>
3 SPDX-FileCopyrightText: 2003 Leo Savernik <l.savernik@aon.at>
4
5 Moved from ktar.cpp by Roberto Teixeira <maragato@kde.org>
6
7 SPDX-License-Identifier: LGPL-2.0-or-later
8*/
9
10#include "karchive.h"
11#include "karchive_p.h"
12#include "klimitediodevice_p.h"
13#include "loggingcategory.h"
14
15#include <qplatformdefs.h> // QT_STATBUF, QT_LSTAT
16
17#include <QDebug>
18#include <QDir>
19#include <QFile>
20#include <QMap>
21#include <QStack>
22
23#include <cerrno>
24#include <stdio.h>
25#include <stdlib.h>
26
27#include <assert.h>
28
29#ifdef Q_OS_UNIX
30#include <grp.h>
31#include <limits.h> // PATH_MAX
32#include <pwd.h>
33#include <unistd.h>
34#endif
35#ifdef Q_OS_WIN
36#include <windows.h> // DWORD, GetUserNameW
37#endif // Q_OS_WIN
38
39#if defined(Q_OS_UNIX)
40#define STAT_METHOD QT_LSTAT
41#else
42#define STAT_METHOD QT_STAT
43#endif
44
45////////////////////////////////////////////////////////////////////////
46/////////////////// KArchiveDirectoryPrivate ///////////////////////////
47////////////////////////////////////////////////////////////////////////
48
49class KArchiveDirectoryPrivate
50{
51public:
52 KArchiveDirectoryPrivate(KArchiveDirectory *parent)
53 : q(parent)
54 {
55 }
56
57 ~KArchiveDirectoryPrivate()
58 {
59 qDeleteAll(entries);
60 }
61
62 KArchiveDirectoryPrivate(const KArchiveDirectoryPrivate &) = delete;
63 KArchiveDirectoryPrivate &operator=(const KArchiveDirectoryPrivate &) = delete;
64
65 static KArchiveDirectoryPrivate *get(KArchiveDirectory *directory)
66 {
67 return directory->d;
68 }
69
70 // Returns in containingDirectory the directory that actually contains the returned entry
71 const KArchiveEntry *entry(const QString &_name, KArchiveDirectory **containingDirectory) const
72 {
73 *containingDirectory = q;
74
75 QString name = QDir::cleanPath(_name);
76 int pos = name.indexOf(QLatin1Char('/'));
77 if (pos == 0) { // absolute path (see also KArchive::findOrCreate)
78 if (name.length() > 1) {
79 name = name.mid(1); // remove leading slash
80 pos = name.indexOf(QLatin1Char('/')); // look again
81 } else { // "/"
82 return q;
83 }
84 }
85 // trailing slash ? -> remove
86 if (pos != -1 && pos == name.length() - 1) {
87 name = name.left(pos);
88 pos = name.indexOf(QLatin1Char('/')); // look again
89 }
90 if (pos != -1) {
91 const QString left = name.left(pos);
92 const QString right = name.mid(pos + 1);
93
94 // qCDebug(KArchiveLog) << "left=" << left << "right=" << right;
95
96 KArchiveEntry *e = entries.value(left);
97 if (!e || !e->isDirectory()) {
98 return nullptr;
99 }
100 *containingDirectory = static_cast<KArchiveDirectory *>(e);
101 return (*containingDirectory)->d->entry(right, containingDirectory);
102 }
103
104 return entries.value(name);
105 }
106
107 KArchiveDirectory *q;
108 QHash<QString, KArchiveEntry *> entries;
109};
110
111////////////////////////////////////////////////////////////////////////
112/////////////////////////// KArchive ///////////////////////////////////
113////////////////////////////////////////////////////////////////////////
114
116 : d(new KArchivePrivate(this))
117{
118 if (fileName.isEmpty()) {
119 qCWarning(KArchiveLog) << "KArchive: No file name specified";
120 }
121 d->fileName = fileName;
122 // This constructor leaves the device set to 0.
123 // This is for the use of QSaveFile, see open().
124}
125
127 : d(new KArchivePrivate(this))
128{
129 if (!dev) {
130 qCWarning(KArchiveLog) << "KArchive: Null device specified";
131 }
132 d->dev = dev;
133}
134
135KArchive::~KArchive()
136{
137 Q_ASSERT(!isOpen()); // the derived class destructor must have closed already
138 delete d;
139}
140
142{
143 Q_ASSERT(mode != QIODevice::NotOpen);
144
145 if (isOpen()) {
146 close();
147 }
148
149 if (!d->fileName.isEmpty()) {
150 Q_ASSERT(!d->dev);
151 if (!createDevice(mode)) {
152 return false;
153 }
154 }
155
156 if (!d->dev) {
157 setErrorString(tr("No filename or device was specified"));
158 return false;
159 }
160
161 if (!d->dev->isOpen() && !d->dev->open(mode)) {
162 setErrorString(tr("Could not open device in mode %1").arg(mode));
163 return false;
164 }
165
166 d->mode = mode;
167
168 Q_ASSERT(!d->rootDir);
169 d->rootDir = nullptr;
170
171 return openArchive(mode);
172}
173
175{
176 switch (mode) {
178 if (!d->fileName.isEmpty()) {
179 // The use of QSaveFile can't be done in the ctor (no mode known yet)
180 // qCDebug(KArchiveLog) << "Writing to a file using QSaveFile";
181 d->saveFile = std::make_unique<QSaveFile>(d->fileName);
182#ifdef Q_OS_ANDROID
183 // we cannot rename on to Android content: URLs
184 if (d->fileName.startsWith(QLatin1String("content://"))) {
185 d->saveFile->setDirectWriteFallback(true);
186 }
187#endif
188 if (!d->saveFile->open(QIODevice::WriteOnly)) {
189 setErrorString(tr("QSaveFile creation for %1 failed: %2").arg(d->fileName, d->saveFile->errorString()));
190
191 d->saveFile.reset();
192 return false;
193 }
194 d->dev = d->saveFile.get();
195 d->deviceOwned = false;
196 Q_ASSERT(d->dev);
197 }
198 break;
201 // ReadWrite mode still uses QFile for now; we'd need to copy to the tempfile, in fact.
202 if (!d->fileName.isEmpty()) {
203 d->dev = new QFile(d->fileName);
204 d->deviceOwned = true;
205 }
206 break; // continued below
207 default:
208 setErrorString(tr("Unsupported mode %1").arg(d->mode));
209 return false;
210 }
211 return true;
212}
213
215{
216 if (!isOpen()) {
217 setErrorString(tr("Archive already closed"));
218 return false; // already closed (return false or true? arguable...)
219 }
220
221 // moved by holger to allow kzip to write the zip central dir
222 // to the file in closeArchive()
223 // DF: added d->dev so that we skip closeArchive if saving aborted.
224 bool closeSucceeded = true;
225 if (d->dev) {
226 closeSucceeded = closeArchive();
227 if (d->mode == QIODevice::WriteOnly && !closeSucceeded) {
228 d->abortWriting();
229 }
230 }
231
232 if (d->dev && d->dev != d->saveFile.get()) {
233 d->dev->close();
234 }
235
236 // if d->saveFile is not null then it is equal to d->dev.
237 if (d->saveFile) {
238 closeSucceeded = d->saveFile->commit();
239 d->saveFile.reset();
240 } else if (d->deviceOwned) {
241 delete d->dev; // we created it ourselves in open()
242 }
243
244 delete d->rootDir;
245 d->rootDir = nullptr;
246 d->mode = QIODevice::NotOpen;
247 d->dev = nullptr;
248 return closeSucceeded;
249}
250
252{
253 return d->errorStr;
254}
255
257{
258 // rootDir isn't const so that parsing-on-demand is possible
259 return const_cast<KArchive *>(this)->rootDir();
260}
261
262bool KArchive::addLocalFile(const QString &fileName, const QString &destName)
263{
264 QFileInfo fileInfo(fileName);
265 if (!fileInfo.isFile() && !fileInfo.isSymLink()) {
266 setErrorString(tr("%1 doesn't exist or is not a regular file.").arg(fileName));
267 return false;
268 }
269
270 QT_STATBUF fi;
271 if (STAT_METHOD(QFile::encodeName(fileName).constData(), &fi) == -1) {
272 setErrorString(tr("Failed accessing the file %1 for adding to the archive. The error was: %2").arg(fileName).arg(QLatin1String{strerror(errno)}));
273 return false;
274 }
275
276 if (fileInfo.isSymLink()) {
277 QString symLinkTarget;
278 // Do NOT use fileInfo.symLinkTarget() for unix symlinks!
279 // It returns the -full- path to the target, while we want the target string "as is".
280#if defined(Q_OS_UNIX) && !defined(Q_OS_OS2EMX)
281 const QByteArray encodedFileName = QFile::encodeName(fileName);
282 QByteArray s;
283#if defined(PATH_MAX)
284 s.resize(PATH_MAX + 1);
285#else
286 int path_max = pathconf(encodedFileName.data(), _PC_PATH_MAX);
287 if (path_max <= 0) {
288 path_max = 4096;
289 }
290 s.resize(path_max);
291#endif
292 int len = readlink(encodedFileName.data(), s.data(), s.size() - 1);
293 if (len >= 0) {
294 s[len] = '\0';
295 symLinkTarget = QFile::decodeName(s.constData());
296 }
297#endif
298 if (symLinkTarget.isEmpty()) { // Mac or Windows
299 symLinkTarget = fileInfo.symLinkTarget();
300 }
301 return writeSymLink(destName,
302 symLinkTarget,
303 fileInfo.owner(),
304 fileInfo.group(),
305 fi.st_mode,
306 fileInfo.lastRead(),
307 fileInfo.lastModified(),
308 fileInfo.birthTime());
309 } /*end if*/
310
311 qint64 size = fileInfo.size();
312
313 // the file must be opened before prepareWriting is called, otherwise
314 // if the opening fails, no content will follow the already written
315 // header and the tar file is incorrect
316 QFile file(fileName);
317 if (!file.open(QIODevice::ReadOnly)) {
318 setErrorString(tr("Couldn't open file %1: %2").arg(fileName, file.errorString()));
319 return false;
320 }
321
322 if (!prepareWriting(destName, fileInfo.owner(), fileInfo.group(), size, fi.st_mode, fileInfo.lastRead(), fileInfo.lastModified(), fileInfo.birthTime())) {
323 // qCWarning(KArchiveLog) << " prepareWriting" << destName << "failed";
324 return false;
325 }
326
327 // Read and write data in chunks to minimize memory usage
328 QByteArray array;
329 array.resize(int(qMin(qint64(1024 * 1024), size)));
330 qint64 n;
331 qint64 total = 0;
332 while ((n = file.read(array.data(), array.size())) > 0) {
333 if (!writeData(array.data(), n)) {
334 // qCWarning(KArchiveLog) << "writeData failed";
335 return false;
336 }
337 total += n;
338 }
339 Q_ASSERT(total == size);
340
341 if (!finishWriting(size)) {
342 // qCWarning(KArchiveLog) << "finishWriting failed";
343 return false;
344 }
345 return true;
346}
347
348bool KArchive::addLocalDirectory(const QString &path, const QString &destName)
349{
350 QDir dir(path);
351 if (!dir.exists()) {
352 setErrorString(tr("Directory %1 does not exist").arg(path));
353 return false;
354 }
355 dir.setFilter(dir.filter() | QDir::Hidden);
356 const QStringList files = dir.entryList();
357 for (const QString &file : files) {
358 if (file != QLatin1String(".") && file != QLatin1String("..")) {
359 const QString fileName = path + QLatin1Char('/') + file;
360 // qCDebug(KArchiveLog) << "storing " << fileName;
361 const QString dest = destName.isEmpty() ? file : (destName + QLatin1Char('/') + file);
362 QFileInfo fileInfo(fileName);
363
364 if (fileInfo.isFile() || fileInfo.isSymLink()) {
365 addLocalFile(fileName, dest);
366 } else if (fileInfo.isDir()) {
367 // Write directory, so that empty dirs are preserved (and permissions written out, etc.)
368 int perms = 0;
369 QT_STATBUF fi;
370 if (STAT_METHOD(QFile::encodeName(fileName).constData(), &fi) != -1) {
371 perms = fi.st_mode;
372 }
373 writeDir(dest, fileInfo.owner(), fileInfo.group(), perms, fileInfo.lastRead(), fileInfo.lastModified(), fileInfo.birthTime());
374 // Recurse
376 }
377 // We omit sockets
378 }
379 }
380 return true;
381}
382
384 QByteArrayView data,
385 mode_t perm,
386 const QString &user,
387 const QString &group,
388 const QDateTime &atime,
389 const QDateTime &mtime,
390 const QDateTime &ctime)
391{
392 const qint64 size = data.size();
393 if (!prepareWriting(name, user, group, size, perm, atime, mtime, ctime)) {
394 // qCWarning(KArchiveLog) << "prepareWriting failed";
395 return false;
396 }
397
398 // Write data
399 // Note: if data is null, don't call write, it would terminate the KCompressionDevice
400 if (data.constData() && size && !writeData(data.constData(), size)) {
401 // qCWarning(KArchiveLog) << "writeData failed";
402 return false;
403 }
404
405 if (!finishWriting(size)) {
406 // qCWarning(KArchiveLog) << "finishWriting failed";
407 return false;
408 }
409 return true;
410}
411
412bool KArchive::writeData(const char *data, qint64 size)
413{
414 return doWriteData(data, size);
415}
416
418{
419 return doWriteData(data.constData(), data.size());
420}
421
422bool KArchive::doWriteData(const char *data, qint64 size)
423{
424 bool ok = device()->write(data, size) == size;
425 if (!ok) {
426 setErrorString(tr("Writing failed: %1").arg(device()->errorString()));
427 d->abortWriting();
428 }
429 return ok;
430}
431
432// The writeDir -> doWriteDir pattern allows to avoid propagating the default
433// values into all virtual methods of subclasses, and it allows more extensibility:
434// if a new argument is needed, we can add a writeDir overload which stores the
435// additional argument in the d pointer, and doWriteDir reimplementations can fetch
436// it from there.
437
439 const QString &user,
440 const QString &group,
441 mode_t perm,
442 const QDateTime &atime,
443 const QDateTime &mtime,
444 const QDateTime &ctime)
445{
446 return doWriteDir(name, user, group, perm | 040000, atime, mtime, ctime);
447}
448
450 const QString &target,
451 const QString &user,
452 const QString &group,
453 mode_t perm,
454 const QDateTime &atime,
455 const QDateTime &mtime,
456 const QDateTime &ctime)
457{
458 return doWriteSymLink(name, target, user, group, perm, atime, mtime, ctime);
459}
460
462 const QString &user,
463 const QString &group,
464 qint64 size,
465 mode_t perm,
466 const QDateTime &atime,
467 const QDateTime &mtime,
468 const QDateTime &ctime)
469{
470 bool ok = doPrepareWriting(name, user, group, size, perm, atime, mtime, ctime);
471 if (!ok) {
472 d->abortWriting();
473 }
474 return ok;
475}
476
477bool KArchive::finishWriting(qint64 size)
478{
479 return doFinishWriting(size);
480}
481
483{
484 d->errorStr = errorStr;
485}
486
487static QString getCurrentUserName()
488{
489#if defined(Q_OS_UNIX)
490 struct passwd *pw = getpwuid(getuid());
491 return pw ? QFile::decodeName(pw->pw_name) : QString::number(getuid());
492#elif defined(Q_OS_WIN)
493 wchar_t buffer[255];
494 DWORD size = 255;
495 bool ok = GetUserNameW(buffer, &size);
496 if (!ok) {
497 return QString();
498 }
499 return QString::fromWCharArray(buffer);
500#else
501 return QString();
502#endif
503}
504
505static QString getCurrentGroupName()
506{
507#if defined(Q_OS_UNIX)
508 struct group *grp = getgrgid(getgid());
509 return grp ? QFile::decodeName(grp->gr_name) : QString::number(getgid());
510#elif defined(Q_OS_WIN)
511 return QString();
512#else
513 return QString();
514#endif
515}
516
518{
519 if (!d->rootDir) {
520 // qCDebug(KArchiveLog) << "Making root dir ";
521 QString username = ::getCurrentUserName();
522 QString groupname = ::getCurrentGroupName();
523
524 d->rootDir = new KArchiveDirectory(this, QStringLiteral("/"), int(0777 + S_IFDIR), QDateTime(), username, groupname, QString());
525 }
526 return d->rootDir;
527}
528
530{
531 return d->findOrCreate(path, 0 /*recursionCounter*/);
532}
533
534KArchiveDirectory *KArchivePrivate::findOrCreate(const QString &path, int recursionCounter)
535{
536 // Check we're not in a path that is ultra deep, this is most probably fine since PATH_MAX on Linux
537 // is defined as 4096, so even on /a/a/a/a/a/a 2500 recursions puts us over that limit
538 // an ultra deep recursion will make us crash due to not enough stack. Tests show that 1MB stack
539 // (default on Linux seems to be 8MB) gives us up to around 4000 recursions
540 if (recursionCounter > 2500) {
541 qCWarning(KArchiveLog) << "path recursion limit exceeded, bailing out";
542 return nullptr;
543 }
544 // qCDebug(KArchiveLog) << path;
545 if (path.isEmpty() || path == QLatin1String("/") || path == QLatin1String(".")) { // root dir => found
546 // qCDebug(KArchiveLog) << "returning rootdir";
547 return q->rootDir();
548 }
549 // Important note : for tar files containing absolute paths
550 // (i.e. beginning with "/"), this means the leading "/" will
551 // be removed (no KDirectory for it), which is exactly the way
552 // the "tar" program works (though it displays a warning about it)
553 // See also KArchiveDirectory::entry().
554
555 // Already created ? => found
556 KArchiveDirectory *existingEntryParentDirectory;
557 const KArchiveEntry *existingEntry = KArchiveDirectoryPrivate::get(q->rootDir())->entry(path, &existingEntryParentDirectory);
558 if (existingEntry) {
559 if (existingEntry->isDirectory())
560 // qCDebug(KArchiveLog) << "found it";
561 {
562 const KArchiveDirectory *dir = static_cast<const KArchiveDirectory *>(existingEntry);
563 return const_cast<KArchiveDirectory *>(dir);
564 } else {
565 const KArchiveFile *file = static_cast<const KArchiveFile *>(existingEntry);
566 if (file->size() > 0) {
567 qCWarning(KArchiveLog) << path << "is normal file, but there are file paths in the archive assuming it is a directory, bailing out";
568 return nullptr;
569 }
570
571 qCDebug(KArchiveLog) << path << " is an empty file, assuming it is actually a directory and replacing";
572 KArchiveEntry *myEntry = const_cast<KArchiveEntry *>(existingEntry);
573 if (existingEntryParentDirectory->removeEntryV2(myEntry)) {
574 delete myEntry;
575 } else {
576 qCDebug(KArchiveLog) << path << " is an empty file, but failed to remove it";
577 return nullptr;
578 }
579 }
580 }
581
582 // Otherwise go up and try again
583 int pos = path.lastIndexOf(QLatin1Char('/'));
584 KArchiveDirectory *parent;
585 QString dirname;
586 if (pos == -1) { // no more slash => create in root dir
587 parent = q->rootDir();
588 dirname = path;
589 } else {
590 QString left = path.left(pos);
591 dirname = path.mid(pos + 1);
592 parent = findOrCreate(left, recursionCounter + 1); // recursive call... until we find an existing dir.
593 }
594
595 if (!parent) {
596 return nullptr;
597 }
598
599 // qCDebug(KArchiveLog) << "found parent " << parent->name() << " adding " << dirname << " to ensure " << path;
600 // Found -> add the missing piece
601 KArchiveDirectory *e = new KArchiveDirectory(q, dirname, rootDir->permissions(), rootDir->date(), rootDir->user(), rootDir->group(), QString());
602 if (parent->addEntryV2(e)) {
603 return e; // now a directory to <path> exists
604 } else {
605 return nullptr;
606 }
607}
608
610{
611 if (d->deviceOwned) {
612 delete d->dev;
613 }
614 d->dev = dev;
615 d->deviceOwned = false;
616}
617
619{
620 Q_ASSERT(!d->rootDir); // Call setRootDir only once during parsing please ;)
621 delete d->rootDir; // but if it happens, don't leak
622 d->rootDir = rootDir;
623}
624
626{
627 return d->mode;
628}
629
631{
632 return d->dev;
633}
634
636{
637 return d->mode != QIODevice::NotOpen;
638}
639
641{
642 return d->fileName;
643}
644
645void KArchivePrivate::abortWriting()
646{
647 if (saveFile) {
648 saveFile->cancelWriting();
649 saveFile.reset();
650 dev = nullptr;
651 }
652}
653
654// this is a hacky wrapper to check if time_t value is invalid
655QDateTime KArchivePrivate::time_tToDateTime(uint time_t)
656{
657 if (time_t == uint(-1)) {
658 return QDateTime();
659 }
660 return QDateTime::fromSecsSinceEpoch(time_t);
661}
662
663////////////////////////////////////////////////////////////////////////
664/////////////////////// KArchiveEntry //////////////////////////////////
665////////////////////////////////////////////////////////////////////////
666
667class KArchiveEntryPrivate
668{
669public:
670 KArchiveEntryPrivate(KArchive *_archive,
671 const QString &_name,
672 int _access,
673 const QDateTime &_date,
674 const QString &_user,
675 const QString &_group,
676 const QString &_symlink)
677 : name(_name)
678 , date(_date)
679 , access(_access)
680 , user(_user)
681 , group(_group)
682 , symlink(_symlink)
683 , archive(_archive)
684 {
685 }
686 QString name;
687 QDateTime date;
688 mode_t access;
689 QString user;
690 QString group;
691 QString symlink;
692 KArchive *archive;
693};
694
696 const QString &name,
697 int access,
698 const QDateTime &date,
699 const QString &user,
700 const QString &group,
701 const QString &symlink)
702 : d(new KArchiveEntryPrivate(t, name, access, date, user, group, symlink))
703{
704}
705
706KArchiveEntry::~KArchiveEntry()
707{
708 delete d;
709}
710
712{
713 return d->date;
714}
715
717{
718 return d->name;
719}
720
722{
723 return d->access;
724}
725
727{
728 return d->user;
729}
730
732{
733 return d->group;
734}
735
737{
738 return d->symlink;
739}
740
742{
743 return false;
744}
745
747{
748 return false;
749}
750
751KArchive *KArchiveEntry::archive() const
752{
753 return d->archive;
754}
755
756////////////////////////////////////////////////////////////////////////
757/////////////////////// KArchiveFile ///////////////////////////////////
758////////////////////////////////////////////////////////////////////////
759
760class KArchiveFilePrivate
761{
762public:
763 KArchiveFilePrivate(qint64 _pos, qint64 _size)
764 : pos(_pos)
765 , size(_size)
766 {
767 }
768 qint64 pos;
769 qint64 size;
770};
771
773 const QString &name,
774 int access,
775 const QDateTime &date,
776 const QString &user,
777 const QString &group,
778 const QString &symlink,
779 qint64 pos,
780 qint64 size)
781 : KArchiveEntry(t, name, access, date, user, group, symlink)
782 , d(new KArchiveFilePrivate(pos, size))
783{
784}
785
787{
788 delete d;
789}
790
792{
793 return d->pos;
794}
795
796qint64 KArchiveFile::size() const
797{
798 return d->size;
799}
800
802{
803 d->size = s;
804}
805
807{
808 bool ok = archive()->device()->seek(d->pos);
809 if (!ok) {
810 // qCWarning(KArchiveLog) << "Failed to sync to" << d->pos << "to read" << name();
811 }
812
813 // Read content
814 QByteArray arr;
815 if (d->size) {
816 arr = archive()->device()->read(d->size);
817 Q_ASSERT(arr.size() == d->size);
818 }
819 return arr;
820}
821
823{
824 return new KLimitedIODevice(archive()->device(), d->pos, d->size);
825}
826
828{
829 return true;
830}
831
832static QFileDevice::Permissions withExecutablePerms(QFileDevice::Permissions filePerms, mode_t perms)
833{
834 if (perms & 01) {
835 filePerms |= QFileDevice::ExeOther;
836 }
837
838 if (perms & 010) {
839 filePerms |= QFileDevice::ExeGroup;
840 }
841
842 if (perms & 0100) {
843 filePerms |= QFileDevice::ExeOwner;
844 }
845
846 return filePerms;
847}
848
849bool KArchiveFile::copyTo(const QString &dest) const
850{
851 QFile f(dest + QLatin1Char('/') + name());
853 QIODevice *inputDev = createDevice();
854 if (!inputDev) {
855 f.remove();
856 return false;
857 }
858
859 // Read and write data in chunks to minimize memory usage
860 const qint64 chunkSize = 1024 * 1024;
861 qint64 remainingSize = d->size;
862 QByteArray array;
863 array.resize(int(qMin(chunkSize, remainingSize)));
864
865 while (remainingSize > 0) {
866 const qint64 currentChunkSize = qMin(chunkSize, remainingSize);
867 const qint64 n = inputDev->read(array.data(), currentChunkSize);
868 Q_UNUSED(n) // except in Q_ASSERT
869 Q_ASSERT(n == currentChunkSize);
870 f.write(array.data(), currentChunkSize);
871 remainingSize -= currentChunkSize;
872 }
873 f.setPermissions(withExecutablePerms(f.permissions(), permissions()));
874 f.close();
875
876 delete inputDev;
877 return true;
878 }
879 return false;
880}
881
882////////////////////////////////////////////////////////////////////////
883//////////////////////// KArchiveDirectory /////////////////////////////////
884////////////////////////////////////////////////////////////////////////
885
887 const QString &name,
888 int access,
889 const QDateTime &date,
890 const QString &user,
891 const QString &group,
892 const QString &symlink)
893 : KArchiveEntry(t, name, access, date, user, group, symlink)
894 , d(new KArchiveDirectoryPrivate(this))
895{
896}
897
898KArchiveDirectory::~KArchiveDirectory()
899{
900 delete d;
901}
902
904{
905 return d->entries.keys();
906}
907
909{
910 KArchiveDirectory *dummy;
911 return d->entry(_name, &dummy);
912}
913
915{
916 const KArchiveEntry *e = entry(name);
917 if (e && e->isFile()) {
918 return static_cast<const KArchiveFile *>(e);
919 }
920 return nullptr;
921}
922
927
929{
930 if (d->entries.value(entry->name())) {
931 qCWarning(KArchiveLog) << "directory " << name() << "has entry" << entry->name() << "already";
932 delete entry;
933 return false;
934 }
935 d->entries.insert(entry->name(), entry);
936 return true;
937}
938
943
945{
946 if (!entry) {
947 return false;
948 }
949
950 QHash<QString, KArchiveEntry *>::Iterator it = d->entries.find(entry->name());
951 // nothing removed?
952 if (it == d->entries.end()) {
953 qCWarning(KArchiveLog) << "directory " << name() << "has no entry with name " << entry->name();
954 return false;
955 }
956 if (it.value() != entry) {
957 qCWarning(KArchiveLog) << "directory " << name() << "has another entry for name " << entry->name();
958 return false;
959 }
960 d->entries.erase(it);
961 return true;
962}
963
965{
966 return true;
967}
968
969static bool sortByPosition(const KArchiveFile *file1, const KArchiveFile *file2)
970{
971 return file1->position() < file2->position();
972}
973
974bool KArchiveDirectory::copyTo(const QString &dest, bool recursiveCopy) const
975{
976 QDir root;
977 const QString destDir(QDir(dest).absolutePath()); // get directory path without any "." or ".."
978
980 QMap<qint64, QString> fileToDir;
981
982 // placeholders for iterated items
984 QStack<QString> dirNameStack;
985
986 dirStack.push(this); // init stack at current directory
987 dirNameStack.push(destDir); // ... with given path
988 do {
989 const KArchiveDirectory *curDir = dirStack.pop();
990
991 // extract only to specified folder if it is located within archive's extraction folder
992 // otherwise put file under root position in extraction folder
993 QString curDirName = dirNameStack.pop();
994 if (!QDir(curDirName).absolutePath().startsWith(destDir)) {
995 qCWarning(KArchiveLog) << "Attempted export into folder" << curDirName << "which is outside of the extraction root folder" << destDir << "."
996 << "Changing export of contained files to extraction root folder.";
997 curDirName = destDir;
998 }
999
1000 if (!root.mkpath(curDirName)) {
1001 return false;
1002 }
1003
1004 const QStringList dirEntries = curDir->entries();
1005 for (QStringList::const_iterator it = dirEntries.begin(); it != dirEntries.end(); ++it) {
1006 const KArchiveEntry *curEntry = curDir->entry(*it);
1007 if (!curEntry->symLinkTarget().isEmpty()) {
1008 QString linkName = curDirName + QLatin1Char('/') + curEntry->name();
1009 // To create a valid link on Windows, linkName must have a .lnk file extension.
1010#ifdef Q_OS_WIN
1011 if (!linkName.endsWith(QLatin1String(".lnk"))) {
1012 linkName += QLatin1String(".lnk");
1013 }
1014#endif
1015 QFile symLinkTarget(curEntry->symLinkTarget());
1016 if (!symLinkTarget.link(linkName)) {
1017 // qCDebug(KArchiveLog) << "symlink(" << curEntry->symLinkTarget() << ',' << linkName << ") failed:" << strerror(errno);
1018 }
1019 } else {
1020 if (curEntry->isFile()) {
1021 const KArchiveFile *curFile = dynamic_cast<const KArchiveFile *>(curEntry);
1022 if (curFile) {
1023 fileList.append(curFile);
1024 fileToDir.insert(curFile->position(), curDirName);
1025 }
1026 }
1027
1028 if (curEntry->isDirectory() && recursiveCopy) {
1029 const KArchiveDirectory *ad = dynamic_cast<const KArchiveDirectory *>(curEntry);
1030 if (ad) {
1031 dirStack.push(ad);
1032 dirNameStack.push(curDirName + QLatin1Char('/') + curEntry->name());
1033 }
1034 }
1035 }
1036 }
1037 } while (!dirStack.isEmpty());
1038
1039 std::sort(fileList.begin(), fileList.end(), sortByPosition); // sort on d->pos, so we have a linear access
1040
1041 for (QList<const KArchiveFile *>::const_iterator it = fileList.constBegin(), end = fileList.constEnd(); it != end; ++it) {
1042 const KArchiveFile *f = *it;
1043 qint64 pos = f->position();
1044 if (!f->copyTo(fileToDir[pos])) {
1045 return false;
1046 }
1047 }
1048 return true;
1049}
1050
1051void KArchive::virtual_hook(int, void *)
1052{
1053 /*BASE::virtual_hook( id, data )*/;
1054}
1055
1056void KArchiveEntry::virtual_hook(int, void *)
1057{
1058 /*BASE::virtual_hook( id, data );*/
1059}
1060
1061void KArchiveFile::virtual_hook(int id, void *data)
1062{
1063 KArchiveEntry::virtual_hook(id, data);
1064}
1065
1066void KArchiveDirectory::virtual_hook(int id, void *data)
1067{
1068 KArchiveEntry::virtual_hook(id, data);
1069}
Represents a directory entry in a KArchive.
bool removeEntryV2(KArchiveEntry *)
Removes an entry from the directory.
Definition karchive.cpp:944
void addEntry(KArchiveEntry *)
Definition karchive.cpp:923
KArchiveDirectory(KArchive *archive, const QString &name, int access, const QDateTime &date, const QString &user, const QString &group, const QString &symlink)
Creates a new directory entry.
Definition karchive.cpp:886
QStringList entries() const
Returns a list of sub-entries.
Definition karchive.cpp:903
bool copyTo(const QString &dest, bool recursive=true) const
Extracts all entries in this archive directory to the directory dest.
Definition karchive.cpp:974
void removeEntry(KArchiveEntry *)
Definition karchive.cpp:939
bool addEntryV2(KArchiveEntry *)
Definition karchive.cpp:928
const KArchiveEntry * entry(const QString &name) const
Returns the entry in the archive with the given name.
Definition karchive.cpp:908
bool isDirectory() const override
Checks whether this entry is a directory.
Definition karchive.cpp:964
const KArchiveFile * file(const QString &name) const
Returns the file entry in the archive with the given name.
Definition karchive.cpp:914
A base class for entries in an KArchive.
mode_t permissions() const
The permissions and mode flags as returned by the stat() function in st_mode.
Definition karchive.cpp:721
QString user() const
User who created the file.
Definition karchive.cpp:726
virtual bool isDirectory() const
Checks whether the entry is a directory.
Definition karchive.cpp:746
KArchiveEntry(KArchive *archive, const QString &name, int access, const QDateTime &date, const QString &user, const QString &group, const QString &symlink)
Creates a new entry.
Definition karchive.cpp:695
QDateTime date() const
Creation date of the file.
Definition karchive.cpp:711
QString group() const
Group of the user who created the file.
Definition karchive.cpp:731
QString name() const
Name of the file without path.
Definition karchive.cpp:716
QString symLinkTarget() const
Symlink if there is one.
Definition karchive.cpp:736
virtual bool isFile() const
Checks whether the entry is a file.
Definition karchive.cpp:741
Represents a file entry in a KArchive.
KArchiveFile(KArchive *archive, const QString &name, int access, const QDateTime &date, const QString &user, const QString &group, const QString &symlink, qint64 pos, qint64 size)
Creates a new file entry.
Definition karchive.cpp:772
bool copyTo(const QString &dest) const
Extracts the file to the directory dest.
Definition karchive.cpp:849
qint64 size() const
Size of the data.
Definition karchive.cpp:796
virtual QIODevice * createDevice() const
This method returns QIODevice (internal class: KLimitedIODevice) on top of the underlying QIODevice.
Definition karchive.cpp:822
virtual QByteArray data() const
Returns the data of the file.
Definition karchive.cpp:806
void setSize(qint64 s)
Set size of data, usually after writing the file.
Definition karchive.cpp:801
~KArchiveFile() override
Destructor.
Definition karchive.cpp:786
qint64 position() const
Position of the data in the [uncompressed] archive.
Definition karchive.cpp:791
bool isFile() const override
Checks whether this entry is a file.
Definition karchive.cpp:827
KArchive is a base class for reading and writing archives.
Definition karchive.h:41
QString errorString() const
Returns a description of the last error.
Definition karchive.cpp:251
QIODevice * device() const
The underlying device.
Definition karchive.cpp:630
virtual bool createDevice(QIODevice::OpenMode mode)
Can be reimplemented in order to change the creation of the device (when using the fileName construct...
Definition karchive.cpp:174
virtual bool close()
Closes the archive.
Definition karchive.cpp:214
virtual bool doFinishWriting(qint64 size)=0
Called after writing the data.
bool addLocalFile(const QString &fileName, const QString &destName)
Writes a local file into the archive.
Definition karchive.cpp:262
virtual KArchiveDirectory * rootDir()
Retrieves or create the root directory.
Definition karchive.cpp:517
bool finishWriting(qint64 size)
Call finishWriting after writing the data.
Definition karchive.cpp:477
KArchive(const QString &fileName)
Base constructor (protected since this is a pure virtual class).
Definition karchive.cpp:115
virtual bool doWriteDir(const QString &name, const QString &user, const QString &group, mode_t perm, const QDateTime &atime, const QDateTime &mtime, const QDateTime &ctime)=0
Write a directory to the archive.
virtual bool doWriteSymLink(const QString &name, const QString &target, const QString &user, const QString &group, mode_t perm, const QDateTime &atime, const QDateTime &mtime, const QDateTime &ctime)=0
Writes a symbolic link to the archive.
virtual bool open(QIODevice::OpenMode mode)
Opens the archive for reading or writing.
Definition karchive.cpp:141
virtual bool closeArchive()=0
Closes the archive.
bool writeSymLink(const QString &name, const QString &target, const QString &user=QString(), const QString &group=QString(), mode_t perm=0120755, const QDateTime &atime=QDateTime(), const QDateTime &mtime=QDateTime(), const QDateTime &ctime=QDateTime())
Writes a symbolic link to the archive if supported.
Definition karchive.cpp:449
const KArchiveDirectory * directory() const
If an archive is opened for reading, then the contents of the archive can be accessed via this functi...
Definition karchive.cpp:256
virtual bool doPrepareWriting(const QString &name, const QString &user, const QString &group, qint64 size, mode_t perm, const QDateTime &atime, const QDateTime &mtime, const QDateTime &ctime)=0
This virtual method must be implemented by subclasses.
bool writeFile(const QString &name, QByteArrayView data, mode_t perm=0100644, const QString &user=QString(), const QString &group=QString(), const QDateTime &atime=QDateTime(), const QDateTime &mtime=QDateTime(), const QDateTime &ctime=QDateTime())
Writes a new file into the archive.
Definition karchive.cpp:383
bool prepareWriting(const QString &name, const QString &user, const QString &group, qint64 size, mode_t perm=0100644, const QDateTime &atime=QDateTime(), const QDateTime &mtime=QDateTime(), const QDateTime &ctime=QDateTime())
Here's another way of writing a file into an archive: Call prepareWriting(), then call writeData() as...
Definition karchive.cpp:461
virtual bool openArchive(QIODevice::OpenMode mode)=0
Opens an archive for reading or writing.
bool writeDir(const QString &name, const QString &user=QString(), const QString &group=QString(), mode_t perm=040755, const QDateTime &atime=QDateTime(), const QDateTime &mtime=QDateTime(), const QDateTime &ctime=QDateTime())
If an archive is opened for writing then you can add new directories using this function.
Definition karchive.cpp:438
bool writeData(const char *data, qint64 size)
Write data into the current file - to be called after calling prepareWriting.
Definition karchive.cpp:412
KArchiveDirectory * findOrCreate(const QString &path)
Ensures that path exists, create otherwise.
Definition karchive.cpp:529
bool addLocalDirectory(const QString &path, const QString &destName)
Writes a local directory into the archive, including all its contents, recursively.
Definition karchive.cpp:348
QIODevice::OpenMode mode() const
Returns the mode in which the archive was opened.
Definition karchive.cpp:625
virtual bool doWriteData(const char *data, qint64 size)
Write data into the current file.
Definition karchive.cpp:422
QString fileName() const
The name of the archive file, as passed to the constructor that takes a fileName, or an empty string ...
Definition karchive.cpp:640
void setRootDir(KArchiveDirectory *rootDir)
Derived classes call setRootDir from openArchive, to set the root directory after parsing an existing...
Definition karchive.cpp:618
bool isOpen() const
Checks whether the archive is open.
Definition karchive.cpp:635
void setDevice(QIODevice *dev)
Can be called by derived classes in order to set the underlying device.
Definition karchive.cpp:609
void setErrorString(const QString &errorStr)
Sets error description.
Definition karchive.cpp:482
KIOCORE_EXPORT QString number(KIO::filesize_t size)
QString path(const QString &relativePath)
KIOCORE_EXPORT QString dir(const QString &fileClass)
QString name(StandardAction id)
const char * constData() const const
char * data()
void resize(qsizetype newSize, char c)
qsizetype size() const const
const_pointer constData() const const
qsizetype size() const const
QDate date() const const
QDateTime fromSecsSinceEpoch(qint64 secs)
QString cleanPath(const QString &path)
bool mkpath(const QString &dirPath) const const
QString decodeName(const QByteArray &localFileName)
QByteArray encodeName(const QString &fileName)
bool open(FILE *fh, OpenMode mode, FileHandleFlags handleFlags)
Permissions permissions(const QString &fileName)
bool remove()
virtual bool setPermissions(Permissions permissions) override
typedef Permissions
virtual void close() override
QDateTime birthTime() const const
QString group() const const
bool isDir() const const
bool isFile() const const
QDateTime lastModified() const const
QDateTime lastRead() const const
QString owner() const const
qint64 size() const const
QString symLinkTarget() const const
typedef Iterator
iterator end()
T value(const Key &key) const const
QString errorString() const const
QByteArray read(qint64 maxSize)
qint64 write(const QByteArray &data)
typedef OpenMode
void append(QList< T > &&value)
iterator begin()
const_iterator constBegin() const const
const_iterator constEnd() const const
iterator end()
bool isEmpty() const const
iterator insert(const Key &key, const T &value)
void push(const T &t)
bool endsWith(QChar c, Qt::CaseSensitivity cs) const const
QString fromWCharArray(const wchar_t *string, qsizetype size)
qsizetype indexOf(QChar ch, qsizetype from, Qt::CaseSensitivity cs) const const
bool isEmpty() const const
qsizetype lastIndexOf(QChar ch, Qt::CaseSensitivity cs) const const
QString left(qsizetype n) const const
qsizetype length() const const
QString mid(qsizetype position, qsizetype n) const const
QTextStream & left(QTextStream &stream)
QTextStream & right(QTextStream &stream)
This file is part of the KDE documentation.
Documentation copyright © 1996-2025 The KDE developers.
Generated on Fri Apr 4 2025 12:10:52 by doxygen 1.13.2 written by Dimitri van Heesch, © 1997-2006

KDE's Doxygen guidelines are available online.