KArchive

kzip.cpp
1/* This file is part of the KDE libraries
2 SPDX-FileCopyrightText: 2000 David Faure <faure@kde.org>
3 SPDX-FileCopyrightText: 2002 Holger Schroeder <holger-kde@holgis.net>
4
5 SPDX-License-Identifier: LGPL-2.0-or-later
6*/
7
8#include "kzip.h"
9#include "karchive_p.h"
10#include "kcompressiondevice.h"
11#include "klimitediodevice_p.h"
12#include "loggingcategory.h"
13
14#include <QByteArray>
15#include <QDate>
16#include <QDebug>
17#include <QDir>
18#include <QFile>
19#include <QHash>
20#include <QList>
21#include <QtEndian>
22#include <qplatformdefs.h>
23
24#include <string.h>
25#include <time.h>
26#include <zlib.h>
27
28#ifndef QT_STAT_LNK
29#define QT_STAT_LNK 0120000
30#endif // QT_STAT_LNK
31
32static const int max_path_len = 4095; // maximum number of character a path may contain
33
34static void transformToMsDos(const QDateTime &_dt, char *buffer)
35{
36 const QDateTime dt = _dt.isValid() ? _dt : QDateTime::currentDateTime();
37 /* clang-format off */
38 const quint16 time = (dt.time().hour() << 11) // 5 bit hour
39 | (dt.time().minute() << 5) // 6 bit minute
40 | (dt.time().second() >> 1); // 5 bit double seconds
41 /* clang-format on */
42
43 buffer[0] = char(time);
44 buffer[1] = char(time >> 8);
45
46 /* clang-format off */
47 const quint16 date = ((dt.date().year() - 1980) << 9) // 7 bit year 1980-based
48 | (dt.date().month() << 5) // 4 bit month
49 | (dt.date().day()); // 5 bit day
50 /* clang-format on */
51
52 buffer[2] = char(date);
53 buffer[3] = char(date >> 8);
54}
55
56static uint transformFromMsDos(const char *buffer)
57{
58 quint16 time = (uchar)buffer[0] | ((uchar)buffer[1] << 8);
59 int h = time >> 11;
60 int m = (time & 0x7ff) >> 5;
61 int s = (time & 0x1f) * 2;
62 QTime qt(h, m, s);
63
64 quint16 date = (uchar)buffer[2] | ((uchar)buffer[3] << 8);
65 int y = (date >> 9) + 1980;
66 int o = (date & 0x1ff) >> 5;
67 int d = (date & 0x1f);
68 QDate qd(y, o, d);
69
70 QDateTime dt(qd, qt);
71 return dt.toSecsSinceEpoch();
72}
73
74static uint parseUi32(const char *buffer)
75{
76 return uint((uchar)buffer[0] | (uchar)buffer[1] << 8 | (uchar)buffer[2] << 16 | (uchar)buffer[3] << 24);
77}
78
79static quint64 parseUi64(const char *buffer)
80{
81 const uint a = uint((uchar)buffer[0] | (uchar)buffer[1] << 8 | (uchar)buffer[2] << 16 | (uchar)buffer[3] << 24);
82 const uint b = uint((uchar)buffer[4] | (uchar)buffer[5] << 8 | (uchar)buffer[6] << 16 | (uchar)buffer[7] << 24);
83 return (a | (quint64)b << 32);
84}
85
86// == parsing routines for zip headers
87
88/** all relevant information about parsing file information */
89struct ParseFileInfo {
90 // file related info
91 mode_t perm; // permissions of this file
92 // TODO: use quint32 instead of a uint?
93 uint atime; // last access time (UNIX format)
94 uint mtime; // modification time (UNIX format)
95 uint ctime; // creation time (UNIX format)
96 int uid; // user id (-1 if not specified)
97 int gid; // group id (-1 if not specified)
98 QByteArray guessed_symlink; // guessed symlink target
99 uint dataoffset = 0; // offset from start of local header to data
100
101 // parsing related info
102 bool exttimestamp_seen; // true if extended timestamp extra field
103 // has been parsed
104 bool newinfounix_seen; // true if Info-ZIP Unix New extra field has
105 // been parsed
106
107 // file sizes and header position from a ZIP64 extra field
108 quint64 uncompressedSize = 0;
109 quint64 compressedSize = 0;
110 quint64 localheaderoffset = 0;
111
112 ParseFileInfo()
113 : perm(0100644)
114 , uid(-1)
115 , gid(-1)
116 , exttimestamp_seen(false)
117 , newinfounix_seen(false)
118 {
119 ctime = mtime = atime = time(nullptr);
120 }
121};
122
123/** updates the parse information with the given extended timestamp extra field.
124 * @param buffer start content of buffer known to contain an extended
125 * timestamp extra field (without magic & size)
126 * @param size size of field content (must not count magic and size entries)
127 * @param islocal true if this is a local field, false if central
128 * @param pfi ParseFileInfo object to be updated
129 * @return true if processing was successful
130 */
131static bool parseExtTimestamp(const char *buffer, int size, bool islocal, ParseFileInfo &pfi)
132{
133 if (size < 1) {
134 // qCDebug(KArchiveLog) << "premature end of extended timestamp (#1)";
135 return false;
136 } /*end if*/
137 int flags = *buffer; // read flags
138 buffer += 1;
139 size -= 1;
140
141 if (flags & 1) { // contains modification time
142 if (size < 4) {
143 // qCDebug(KArchiveLog) << "premature end of extended timestamp (#2)";
144 return false;
145 } /*end if*/
146 pfi.mtime = uint((uchar)buffer[0] | (uchar)buffer[1] << 8 | (uchar)buffer[2] << 16 | (uchar)buffer[3] << 24);
147 buffer += 4;
148 size -= 4;
149 } /*end if*/
150 // central extended field cannot contain more than the modification time
151 // even if other flags are set
152 if (!islocal) {
153 pfi.exttimestamp_seen = true;
154 return true;
155 } /*end if*/
156
157 if (flags & 2) { // contains last access time
158 if (size < 4) {
159 // qCDebug(KArchiveLog) << "premature end of extended timestamp (#3)";
160 return true;
161 } /*end if*/
162 pfi.atime = uint((uchar)buffer[0] | (uchar)buffer[1] << 8 | (uchar)buffer[2] << 16 | (uchar)buffer[3] << 24);
163 buffer += 4;
164 size -= 4;
165 } /*end if*/
166
167 if (flags & 4) { // contains creation time
168 if (size < 4) {
169 // qCDebug(KArchiveLog) << "premature end of extended timestamp (#4)";
170 return true;
171 } /*end if*/
172 pfi.ctime = uint((uchar)buffer[0] | (uchar)buffer[1] << 8 | (uchar)buffer[2] << 16 | (uchar)buffer[3] << 24);
173 buffer += 4;
174 } /*end if*/
175
176 pfi.exttimestamp_seen = true;
177 return true;
178}
179
180/** updates the parse information with the given Info-ZIP Unix old extra field.
181 * @param buffer start of content of buffer known to contain an Info-ZIP
182 * Unix old extra field (without magic & size)
183 * @param size size of field content (must not count magic and size entries)
184 * @param islocal true if this is a local field, false if central
185 * @param pfi ParseFileInfo object to be updated
186 * @return true if processing was successful
187 */
188static bool parseInfoZipUnixOld(const char *buffer, int size, bool islocal, ParseFileInfo &pfi)
189{
190 // spec mandates to omit this field if one of the newer fields are available
191 if (pfi.exttimestamp_seen || pfi.newinfounix_seen) {
192 return true;
193 }
194
195 if (size < 8) {
196 // qCDebug(KArchiveLog) << "premature end of Info-ZIP unix extra field old";
197 return false;
198 }
199
200 pfi.atime = uint((uchar)buffer[0] | (uchar)buffer[1] << 8 | (uchar)buffer[2] << 16 | (uchar)buffer[3] << 24);
201 buffer += 4;
202 pfi.mtime = uint((uchar)buffer[0] | (uchar)buffer[1] << 8 | (uchar)buffer[2] << 16 | (uchar)buffer[3] << 24);
203 buffer += 4;
204 if (islocal && size >= 12) {
205 pfi.uid = (uchar)buffer[0] | (uchar)buffer[1] << 8;
206 buffer += 2;
207 pfi.gid = (uchar)buffer[0] | (uchar)buffer[1] << 8;
208 buffer += 2;
209 } /*end if*/
210 return true;
211}
212
213#if 0 // not needed yet
214/** updates the parse information with the given Info-ZIP Unix new extra field.
215 * @param buffer start of content of buffer known to contain an Info-ZIP
216 * Unix new extra field (without magic & size)
217 * @param size size of field content (must not count magic and size entries)
218 * @param islocal true if this is a local field, false if central
219 * @param pfi ParseFileInfo object to be updated
220 * @return true if processing was successful
221 */
222static bool parseInfoZipUnixNew(const char *buffer, int size, bool islocal,
223 ParseFileInfo &pfi)
224{
225 if (!islocal) { // contains nothing in central field
226 pfi.newinfounix = true;
227 return true;
228 }
229
230 if (size < 4) {
231 qCDebug(KArchiveLog) << "premature end of Info-ZIP unix extra field new";
232 return false;
233 }
234
235 pfi.uid = (uchar)buffer[0] | (uchar)buffer[1] << 8;
236 buffer += 2;
237 pfi.gid = (uchar)buffer[0] | (uchar)buffer[1] << 8;
238 buffer += 2;
239
240 pfi.newinfounix = true;
241 return true;
242}
243#endif
244
245/**
246 * parses the extra field
247 * @param buffer start of buffer where the extra field is to be found
248 * @param size size of the extra field
249 * @param pfi ParseFileInfo object which to write the results into
250 * @return true if parsing was successful
251 */
252static bool parseExtraField(const char *buffer, int size, ParseFileInfo &pfi)
253{
254 while (size >= 4) { // as long as a potential extra field can be read
255 int magic = (uchar)buffer[0] | (uchar)buffer[1] << 8;
256 buffer += 2;
257 int fieldsize = (uchar)buffer[0] | (uchar)buffer[1] << 8;
258 buffer += 2;
259 size -= 4;
260
261 if (fieldsize > size) {
262 // qCDebug(KArchiveLog) << "fieldsize: " << fieldsize << " size: " << size;
263 // qCDebug(KArchiveLog) << "premature end of extra fields reached";
264 break;
265 }
266
267 switch (magic) {
268 case 0x0001: // ZIP64 extended file information
269 if (size >= 8) {
270 pfi.uncompressedSize = parseUi64(buffer);
271 }
272 if (size >= 16) {
273 pfi.compressedSize = parseUi64(buffer + 8);
274 }
275 if (size >= 24) {
276 pfi.localheaderoffset = parseUi64(buffer + 16);
277 }
278 break;
279 case 0x5455: // extended timestamp
280 if (!parseExtTimestamp(buffer, fieldsize, true, pfi)) {
281 return false;
282 }
283 break;
284 case 0x5855: // old Info-ZIP unix extra field
285 if (!parseInfoZipUnixOld(buffer, fieldsize, true, pfi)) {
286 return false;
287 }
288 break;
289#if 0 // not needed yet
290 case 0x7855: // new Info-ZIP unix extra field
291 if (!parseInfoZipUnixNew(buffer, fieldsize, islocal, pfi)) {
292 return false;
293 }
294 break;
295#endif
296 default:
297 /* ignore everything else */
298 ;
299 } /*end switch*/
300
301 buffer += fieldsize;
302 size -= fieldsize;
303 } /*wend*/
304 return true;
305}
306
307/**
308 * Advance the current file position to the next possible header location
309 *
310 * @param dev device that is read from
311 * @param header storage location for the complete header
312 * @param minSize required size of the header
313 * @return true if a possible header location matching the 'PK' signature
314 * bytes have been found, false if the end of file has been reached
315 */
316static bool seekAnyHeader(QIODevice *dev, QByteArray &header, qsizetype minSize)
317{
318 header.resize(1024);
319 int n = dev->peek(header.data(), header.size());
320
321 while (n >= minSize) {
322 if (auto i = header.indexOf("PK"); i >= 0) {
323 dev->seek(dev->pos() + i);
324 if ((i + minSize) < n) {
325 header.remove(0, i);
326 header.resize(minSize);
327 return true;
328 } else {
329 n = dev->peek(header.data(), minSize);
330 header.resize(n);
331 return n >= minSize;
332 }
333 }
334 dev->seek(dev->pos() + (n - 1));
335 n = dev->peek(header.data(), header.size());
336 }
337 header.resize(n);
338 return false;
339}
340
341/**
342 * Advance the current file position to the next header following
343 * a data descriptor
344 *
345 * @param dev device that is read from
346 * @param isZip64 use Zip64 data descriptor layout
347 * @return true if a data descriptor signature has been found, and the
348 * compressed size matches the current position advance
349 */
350static bool seekPostDataDescriptor(QIODevice *dev, bool isZip64)
351{
352 // Both size fields are uint64 for Zip64, uint32 otherwise
353 const qsizetype descriptorSize = isZip64 ? 24 : 16;
354
355 QByteArray header;
356 auto oldPos = dev->pos();
357
358 while (seekAnyHeader(dev, header, descriptorSize)) {
359 // qCDebug(KArchiveLog) << "Possible data descriptor header at" << dev->pos() << header;
360 if (header.startsWith("PK\x07\x08")) {
361 qint64 compressedSize = isZip64 ? parseUi64(header.constData() + 8) //
362 : parseUi32(header.constData() + 8);
363 if (oldPos + compressedSize == dev->pos()) {
364 dev->seek(dev->pos() + descriptorSize);
365 return true;
366 }
367 dev->seek(dev->pos() + 4); // Skip found 'PK\7\8'
368 } else {
369 dev->seek(dev->pos() + 2); // Skip found 'PK'
370 }
371 }
372 return false;
373}
374
375/**
376 * Advance the current file position to the next header
377 * @param dev device that is read from
378 * @return true if a local or central header token could be reached, false on error
379 */
380static bool seekToNextHeaderToken(QIODevice *dev)
381{
382 QByteArray header;
383
384 while (seekAnyHeader(dev, header, 4)) {
385 // qCDebug(KArchiveLog) << "Possible header at" << dev->pos() << header;
386 // PK34 for the next local header in case there is no data descriptor
387 // PK12 for the central header in case there is no data descriptor
388 if (header.startsWith("PK\x03\x04") || header.startsWith("PK\x01\x02")) {
389 return true;
390 }
391 }
392 return false;
393}
394
395////////////////////////////////////////////////////////////////////////
396/////////////////////////// KZip ///////////////////////////////////////
397////////////////////////////////////////////////////////////////////////
398
399class Q_DECL_HIDDEN KZip::KZipPrivate
400{
401public:
402 KZipPrivate()
403 : m_crc(0)
404 , m_currentFile(nullptr)
405 , m_currentDev(nullptr)
406 , m_compression(8)
407 , m_extraField(KZip::NoExtraField)
408 , m_offset(0)
409 {
410 }
411
412 unsigned long m_crc; // checksum
413 KZipFileEntry *m_currentFile; // file currently being written
414 QIODevice *m_currentDev; // filterdev used to write to the above file
415 QList<KZipFileEntry *> m_fileList; // flat list of all files, for the index (saves a recursive method ;)
416 int m_compression;
417 KZip::ExtraField m_extraField;
418 // m_offset holds the offset of the place in the zip,
419 // where new data can be appended. after openarchive it points to 0, when in
420 // writeonly mode, or it points to the beginning of the central directory.
421 // each call to writefile updates this value.
422 quint64 m_offset;
423};
424
427 , d(new KZipPrivate)
428{
429}
430
432 : KArchive(dev)
433 , d(new KZipPrivate)
434{
435}
436
438{
439 // qCDebug(KArchiveLog) << this;
440 if (isOpen()) {
441 close();
442 }
443 delete d;
444}
445
447{
448 // qCDebug(KArchiveLog);
449 d->m_fileList.clear();
450
451 if (mode == QIODevice::WriteOnly) {
452 return true;
453 }
454
455 char buffer[47];
456
457 // Check that it's a valid ZIP file
458 // KArchive::open() opened the underlying device already.
459
460 // contains information gathered from the local file headers
462
463 QIODevice *dev = device();
464
465 // We set a bool for knowing if we are allowed to skip the start of the file
466 bool startOfFile = true;
467
468 for (;;) { // repeat until 'end of entries' signature is reached
469 // qCDebug(KArchiveLog) << "loop starts";
470 // qCDebug(KArchiveLog) << "dev->pos() now : " << dev->pos();
471 int n = dev->read(buffer, 4);
472
473 if (n < 4) {
474 setErrorString(tr("Invalid ZIP file. Unexpected end of file. (Error code: %1)").arg(1));
475 return false;
476 }
477
478 if (!memcmp(buffer, "PK\6\6", 4)) { // 'Zip64 end of central directory record'
479 startOfFile = false;
480 break;
481 }
482
483 if (!memcmp(buffer, "PK\5\6", 4)) { // 'end of entries'
484 // qCDebug(KArchiveLog) << "PK56 found end of archive at offset" << dev->pos();
485 startOfFile = false;
486 break;
487 }
488
489 if (!memcmp(buffer, "PK\3\4", 4)) { // local file header
490 // qCDebug(KArchiveLog) << "PK34 found local file header at offset" << dev->pos();
491 startOfFile = false;
492
493 // read static header stuff
494 n = dev->read(buffer, 26);
495 if (n < 26) {
496 setErrorString(tr("Invalid ZIP file. Unexpected end of file. (Error code: %1)").arg(4));
497 return false;
498 }
499 int neededVersion = (uchar)buffer[0] | (uchar)buffer[1] << 8;
500 bool isZip64 = neededVersion >= 45;
501
502 int gpf = (uchar)buffer[2]; // "general purpose flag" not "general protection fault" ;-)
503 int compression_mode = (uchar)buffer[4] | (uchar)buffer[5] << 8;
504 uint mtime = transformFromMsDos(buffer + 6);
505
506 const qint64 compr_size = parseUi32(buffer + 14);
507 const qint64 uncomp_size = parseUi32(buffer + 18);
508 const int namelen = uint(uchar(buffer[22])) | uint(uchar(buffer[23])) << 8;
509 const int extralen = uint(uchar(buffer[24])) | uint(uchar(buffer[25])) << 8;
510
511 /*
512 qCDebug(KArchiveLog) << "general purpose bit flag: " << gpf;
513 qCDebug(KArchiveLog) << "compressed size: " << compr_size;
514 qCDebug(KArchiveLog) << "uncompressed size: " << uncomp_size;
515 qCDebug(KArchiveLog) << "namelen: " << namelen;
516 qCDebug(KArchiveLog) << "extralen: " << extralen;
517 qCDebug(KArchiveLog) << "archive size: " << dev->size();
518 */
519
520 // read fileName
521 if (namelen <= 0) {
522 setErrorString(tr("Invalid ZIP file. Negative name length"));
523 return false;
524 }
525 QByteArray fileName = dev->read(namelen);
526 if (fileName.size() < namelen) {
527 setErrorString(tr("Invalid ZIP file. Name not completely read (#2)"));
528 return false;
529 }
530
531 ParseFileInfo pfi;
532 pfi.mtime = mtime;
533 pfi.dataoffset = 30 + extralen + namelen;
534
535 // read and parse the beginning of the extra field,
536 // skip rest of extra field in case it is too long
537 unsigned int extraFieldEnd = dev->pos() + extralen;
538 int handledextralen = qMin(extralen, (int)sizeof buffer);
539
540 // if (handledextralen)
541 // qCDebug(KArchiveLog) << "handledextralen: " << handledextralen;
542
543 n = dev->read(buffer, handledextralen);
544 // no error msg necessary as we deliberately truncate the extra field
545 if (!parseExtraField(buffer, n, pfi)) {
546 setErrorString(tr("Invalid ZIP File. Broken ExtraField."));
547 return false;
548 }
549
550 // jump to end of extra field
551 dev->seek(extraFieldEnd);
552
553 // we have to take care of the 'general purpose bit flag'.
554 // if bit 3 is set, the header doesn't contain the length of
555 // the file and we look for the signature 'PK\7\8'.
556 if (gpf & 8) {
557 // here we have to read through the compressed data to find
558 // the next PKxx
559 if (!seekPostDataDescriptor(dev, isZip64)) {
560 setErrorString(tr("Could not seek to next header token"));
561 return false;
562 }
563 } else {
564 // here we skip the compressed data and jump to the next header
565 // qCDebug(KArchiveLog) << "general purpose bit flag indicates, that local file header contains valid size";
566 bool foundSignature = false;
567 // check if this could be a symbolic link
568 if (compression_mode == NoCompression //
569 && uncomp_size <= max_path_len //
570 && uncomp_size > 0) {
571 // read content and store it
572 // If it's not a symlink, then we'll just discard the data for now.
573 pfi.guessed_symlink = dev->read(uncomp_size);
574 if (pfi.guessed_symlink.size() < uncomp_size) {
575 setErrorString(tr("Invalid ZIP file. Unexpected end of file. (#5)"));
576 return false;
577 }
578 } else {
579 if (compr_size > dev->size()) {
580 // here we cannot trust the compressed size, so scan through the compressed
581 // data to find the next header
582 if (!seekToNextHeaderToken(dev)) {
583 setErrorString(tr("Could not seek to next header token"));
584 return false;
585 }
586 foundSignature = true;
587 } else {
588 // qCDebug(KArchiveLog) << "before interesting dev->pos(): " << dev->pos();
589 const bool success = dev->seek(dev->pos() + compr_size);
590 if (!success) {
591 setErrorString(tr("Could not seek to file compressed size"));
592 return false;
593 }
594 /* qCDebug(KArchiveLog) << "after interesting dev->pos(): " << dev->pos();
595 if (success)
596 qCDebug(KArchiveLog) << "dev->at was successful... ";
597 else
598 qCDebug(KArchiveLog) << "dev->at failed... ";*/
599 }
600 }
601 // test for optional data descriptor
602 if (!foundSignature) {
603 // qCDebug(KArchiveLog) << "Testing for optional data descriptor";
604 // read static data descriptor
605 n = dev->peek(buffer, 4);
606 if (n < 4) {
607 setErrorString(tr("Invalid ZIP file. Unexpected end of file. (#1)"));
608 return false;
609 }
610
611 QByteArrayView currentHead(buffer, 4);
612 // qCDebug(KArchiveLog) << "Testing for optional data descriptor @ " << dev->pos() << currentHead;
613 if (currentHead.startsWith("PK\x07\x08")) {
614 dev->seek(dev->pos() + 16); // skip rest of the 'data_descriptor'
615 } else if (!(currentHead.startsWith("PK\x03\x04") || currentHead.startsWith("PK\x01\x02"))) {
616 // assume data descriptor without signature
617 dev->seek(dev->pos() + 12); // skip rest of the 'data_descriptor'
618 }
619 }
620
621 // not needed any more
622 /* // here we calculate the length of the file in the zip
623 // with headers and jump to the next header.
624 uint skip = compr_size + namelen + extralen;
625 offset += 30 + skip;*/
626 }
627 pfi_map.insert(fileName, pfi);
628 } else if (!memcmp(buffer, "PK\1\2", 4)) { // central block
629 // qCDebug(KArchiveLog) << "PK12 found central block at offset" << dev->pos();
630 startOfFile = false;
631
632 // so we reached the central header at the end of the zip file
633 // here we get all interesting data out of the central header
634 // of a file
635 auto offset = dev->pos() - 4;
636
637 // set offset for appending new files
638 if (d->m_offset == 0) {
639 d->m_offset = offset;
640 }
641
642 n = dev->read(buffer + 4, 42);
643 if (n < 42) {
644 setErrorString(tr("Invalid ZIP file, central entry too short (not long enough for valid entry)"));
645 return false;
646 }
647
648 // length of extra attributes
649 int extralen = (uchar)buffer[31] << 8 | (uchar)buffer[30];
650 // length of comment for this file
651 int commlen = (uchar)buffer[33] << 8 | (uchar)buffer[32];
652 // compression method of this file
653 int cmethod = (uchar)buffer[11] << 8 | (uchar)buffer[10];
654 // int gpf = (uchar)buffer[9] << 8 | (uchar)buffer[10];
655 // qCDebug(KArchiveLog) << "general purpose flag=" << gpf;
656 // length of the fileName (well, pathname indeed)
657 int namelen = (uchar)buffer[29] << 8 | (uchar)buffer[28];
658 if (namelen <= 0) {
659 setErrorString(tr("Invalid ZIP file, file path name length is zero"));
660 return false;
661 }
662 QByteArray varData = dev->read(namelen + extralen);
663
664 ParseFileInfo extrafi;
665 if (extralen) {
666 parseExtraField(varData.constData() + namelen, extralen, extrafi);
667 }
668
669 QByteArray bufferName(varData.constData(), namelen);
670 if (bufferName.size() < namelen) {
671 // qCWarning(KArchiveLog) << "Invalid ZIP file. Name not completely read";
672 }
673
674 ParseFileInfo pfi = pfi_map.value(bufferName, ParseFileInfo());
675
676 QString name(QFile::decodeName(bufferName));
677
678 // qCDebug(KArchiveLog) << "name: " << name;
679
680 // qCDebug(KArchiveLog) << "cmethod: " << cmethod;
681 // qCDebug(KArchiveLog) << "extralen: " << extralen;
682
683 // crc32 of the file
684 uint crc32 = parseUi32(buffer + 16);
685
686 // uncompressed file size
687 quint64 ucsize = parseUi32(buffer + 24);
688 if (ucsize == 0xFFFFFFFF) {
689 ucsize = extrafi.uncompressedSize;
690 }
691 // compressed file size
692 quint64 csize = parseUi32(buffer + 20);
693 if (csize == 0xFFFFFFFF) {
694 csize = extrafi.compressedSize;
695 }
696
697 // offset of local header
698 quint64 localheaderoffset = parseUi32(buffer + 42);
699 if (localheaderoffset == 0xFFFFFFFF) {
700 localheaderoffset = extrafi.localheaderoffset;
701 }
702
703 // qCDebug(KArchiveLog) << "localheader dataoffset: " << pfi.dataoffset;
704
705 // offset, where the real data for uncompression starts
706 qint64 dataoffset = localheaderoffset + pfi.dataoffset; // comment only in central header
707
708 // qCDebug(KArchiveLog) << "csize: " << csize;
709
710 int os_madeby = (uchar)buffer[5];
711 bool isdir = false;
712 int access = 0100644;
713
714 if (os_madeby == 3) { // good ole unix
715 access = (uchar)buffer[40] | (uchar)buffer[41] << 8;
716 }
717
718 QString entryName;
719
720 if (name.endsWith(QLatin1Char('/'))) { // Entries with a trailing slash are directories
721 isdir = true;
722 name = name.left(name.length() - 1);
723 if (os_madeby != 3) {
724 access = S_IFDIR | 0755;
725 } else {
726 access |= S_IFDIR | 0700;
727 }
728 }
729
730 int pos = name.lastIndexOf(QLatin1Char('/'));
731 if (pos == -1) {
732 entryName = name;
733 } else {
734 entryName = name.mid(pos + 1);
735 }
736 if (entryName.isEmpty()) {
737 setErrorString(tr("Invalid ZIP file, found empty entry name"));
738 return false;
739 }
740
741 KArchiveEntry *entry;
742 if (isdir) {
743 QString path = QDir::cleanPath(name);
744 const KArchiveEntry *ent = rootDir()->entry(path);
745 if (ent && ent->isDirectory()) {
746 // qCDebug(KArchiveLog) << "Directory already exists, NOT going to add it again";
747 entry = nullptr;
748 } else {
749 QDateTime mtime = KArchivePrivate::time_tToDateTime(pfi.mtime);
750 entry = new KArchiveDirectory(this, entryName, access, mtime, rootDir()->user(), rootDir()->group(), QString());
751 // qCDebug(KArchiveLog) << "KArchiveDirectory created, entryName= " << entryName << ", name=" << name;
752 }
753 } else {
754 QString symlink;
755 if ((access & QT_STAT_MASK) == QT_STAT_LNK) {
756 symlink = QFile::decodeName(pfi.guessed_symlink);
757 }
758 QDateTime mtime = KArchivePrivate::time_tToDateTime(pfi.mtime);
759 entry =
760 new KZipFileEntry(this, entryName, access, mtime, rootDir()->user(), rootDir()->group(), symlink, name, dataoffset, ucsize, cmethod, csize);
761 static_cast<KZipFileEntry *>(entry)->setHeaderStart(localheaderoffset);
762 static_cast<KZipFileEntry *>(entry)->setCRC32(crc32);
763 // qCDebug(KArchiveLog) << "KZipFileEntry created, entryName= " << entryName << ", name=" << name;
764 d->m_fileList.append(static_cast<KZipFileEntry *>(entry));
765 }
766
767 if (entry) {
768 if (pos == -1) {
769 // We don't want to fail opening potentially malformed files, so void the return value
770 (void)rootDir()->addEntryV2(entry);
771 } else {
772 // In some tar files we can find dir/./file => call cleanPath
773 QString path = QDir::cleanPath(name.left(pos));
774 // Ensure container directory exists, create otherwise
775 KArchiveDirectory *tdir = findOrCreate(path);
776 if (tdir) {
777 (void)tdir->addEntryV2(entry);
778 } else {
779 setErrorString(tr("File %1 is in folder %2, but %3 is actually a file.").arg(entryName, path, path));
780 delete entry;
781 return false;
782 }
783 }
784 }
785
786 // calculate offset to next entry
787 offset += 46 + commlen + extralen + namelen;
788 const bool b = dev->seek(offset);
789 if (!b) {
790 setErrorString(tr("Could not seek to next entry"));
791 return false;
792 }
793 } else if (startOfFile) {
794 // The file does not start with any ZIP header (e.g. self-extractable ZIP files)
795 // Therefore we need to find the first PK\003\004 (local header)
796 // qCDebug(KArchiveLog) << "Try to skip start of file";
797 startOfFile = false;
798 bool foundSignature = false;
799
800 QByteArray header;
801 while (seekAnyHeader(dev, header, 4)) {
802 // We have to detect the magic token for a local header: PK\003\004
803 /*
804 * Note: we do not need to check the other magics, if the ZIP file has no
805 * local header, then it has not any files!
806 */
807 if (header.startsWith("PK\x03\x04")) {
808 foundSignature = true;
809 break;
810 }
811 }
812
813 if (!foundSignature) {
814 setErrorString(tr("Invalid ZIP file. Unexpected end of file."));
815 return false;
816 }
817 } else {
818 setErrorString(tr("Invalid ZIP file. Unrecognized header at offset %1").arg(dev->pos() - 4));
819 return false;
820 }
821 }
822 // qCDebug(KArchiveLog) << "*** done *** ";
823 return true;
824}
825
827{
828 if (!(mode() & QIODevice::WriteOnly)) {
829 // qCDebug(KArchiveLog) << "readonly";
830 return true;
831 }
832
833 // ReadWrite or WriteOnly
834 // write all central dir file entries
835
836 // to be written at the end of the file...
837 char buffer[22]; // first used for 12, then for 22 at the end
838 uLong crc = crc32(0L, nullptr, 0);
839
840 qint64 centraldiroffset = device()->pos();
841 // qCDebug(KArchiveLog) << "closearchive: centraldiroffset: " << centraldiroffset;
842 qint64 atbackup = centraldiroffset;
843 for (KZipFileEntry *entry : d->m_fileList) {
844 // set crc and compressed size in each local file header
845 if (!device()->seek(entry->headerStart() + 14)) {
846 setErrorString(tr("Could not seek to next file header: %1").arg(device()->errorString()));
847 return false;
848 }
849 // qCDebug(KArchiveLog) << "closearchive setcrcandcsize: fileName:"
850 // << entry->path()
851 // << "encoding:" << entry->encoding();
852
853 uLong mycrc = entry->crc32();
854 buffer[0] = char(mycrc); // crc checksum, at headerStart+14
855 buffer[1] = char(mycrc >> 8);
856 buffer[2] = char(mycrc >> 16);
857 buffer[3] = char(mycrc >> 24);
858
859 int mysize1 = entry->compressedSize();
860 buffer[4] = char(mysize1); // compressed file size, at headerStart+18
861 buffer[5] = char(mysize1 >> 8);
862 buffer[6] = char(mysize1 >> 16);
863 buffer[7] = char(mysize1 >> 24);
864
865 int myusize = entry->size();
866 buffer[8] = char(myusize); // uncompressed file size, at headerStart+22
867 buffer[9] = char(myusize >> 8);
868 buffer[10] = char(myusize >> 16);
869 buffer[11] = char(myusize >> 24);
870
871 if (device()->write(buffer, 12) != 12) {
872 setErrorString(tr("Could not write file header: %1").arg(device()->errorString()));
873 return false;
874 }
875 }
876 device()->seek(atbackup);
877
878 for (KZipFileEntry *entry : d->m_fileList) {
879 // qCDebug(KArchiveLog) << "fileName:" << entry->path()
880 // << "encoding:" << entry->encoding();
881
882 QByteArray path = QFile::encodeName(entry->path());
883
884 const int extra_field_len = (d->m_extraField == ModificationTime) ? 9 : 0;
885 const int bufferSize = extra_field_len + path.length() + 46;
886 char *buffer = new char[bufferSize];
887
888 memset(buffer, 0, 46); // zero is a nice default for most header fields
889
890 /* clang-format off */
891 const char head[] = {
892 'P', 'K', 1, 2, // central file header signature
893 0x14, 3, // version made by (3 == UNIX)
894 0x14, 0 // version needed to extract
895 };
896 /* clang-format on */
897
898 // I do not know why memcpy is not working here
899 // memcpy(buffer, head, sizeof(head));
900 memmove(buffer, head, sizeof(head));
901
902 buffer[10] = char(entry->encoding()); // compression method
903 buffer[11] = char(entry->encoding() >> 8);
904
905 transformToMsDos(entry->date(), &buffer[12]);
906
907 uLong mycrc = entry->crc32();
908 buffer[16] = char(mycrc); // crc checksum
909 buffer[17] = char(mycrc >> 8);
910 buffer[18] = char(mycrc >> 16);
911 buffer[19] = char(mycrc >> 24);
912
913 int mysize1 = entry->compressedSize();
914 buffer[20] = char(mysize1); // compressed file size
915 buffer[21] = char(mysize1 >> 8);
916 buffer[22] = char(mysize1 >> 16);
917 buffer[23] = char(mysize1 >> 24);
918
919 int mysize = entry->size();
920 buffer[24] = char(mysize); // uncompressed file size
921 buffer[25] = char(mysize >> 8);
922 buffer[26] = char(mysize >> 16);
923 buffer[27] = char(mysize >> 24);
924
925 buffer[28] = char(path.length()); // fileName length
926 buffer[29] = char(path.length() >> 8);
927
928 buffer[30] = char(extra_field_len);
929 buffer[31] = char(extra_field_len >> 8);
930
931 buffer[40] = char(entry->permissions());
932 buffer[41] = char(entry->permissions() >> 8);
933
934 int myhst = entry->headerStart();
935 buffer[42] = char(myhst); // relative offset of local header
936 buffer[43] = char(myhst >> 8);
937 buffer[44] = char(myhst >> 16);
938 buffer[45] = char(myhst >> 24);
939
940 // file name
941 strncpy(buffer + 46, path.constData(), path.length());
942 // qCDebug(KArchiveLog) << "closearchive length to write: " << bufferSize;
943
944 // extra field
945 if (d->m_extraField == ModificationTime) {
946 char *extfield = buffer + 46 + path.length();
947 // "Extended timestamp" header (0x5455)
948 extfield[0] = 'U';
949 extfield[1] = 'T';
950 extfield[2] = 5; // data size
951 extfield[3] = 0;
952 extfield[4] = 1 | 2 | 4; // specify flags from local field
953 // (unless I misread the spec)
954 // provide only modification time
955 unsigned long time = (unsigned long)entry->date().toSecsSinceEpoch();
956 extfield[5] = char(time);
957 extfield[6] = char(time >> 8);
958 extfield[7] = char(time >> 16);
959 extfield[8] = char(time >> 24);
960 }
961
962 crc = crc32(crc, (Bytef *)buffer, bufferSize);
963 bool ok = (device()->write(buffer, bufferSize) == bufferSize);
964 delete[] buffer;
965 if (!ok) {
966 setErrorString(tr("Could not write file header: %1").arg(device()->errorString()));
967 return false;
968 }
969 }
970 qint64 centraldirendoffset = device()->pos();
971 // qCDebug(KArchiveLog) << "closearchive: centraldirendoffset: " << centraldirendoffset;
972 // qCDebug(KArchiveLog) << "closearchive: device()->pos(): " << device()->pos();
973
974 // write end of central dir record.
975 buffer[0] = 'P'; // end of central dir signature
976 buffer[1] = 'K';
977 buffer[2] = 5;
978 buffer[3] = 6;
979
980 buffer[4] = 0; // number of this disk
981 buffer[5] = 0;
982
983 buffer[6] = 0; // number of disk with start of central dir
984 buffer[7] = 0;
985
986 int count = d->m_fileList.count();
987 // qCDebug(KArchiveLog) << "number of files (count): " << count;
988
989 buffer[8] = char(count); // total number of entries in central dir of
990 buffer[9] = char(count >> 8); // this disk
991
992 buffer[10] = buffer[8]; // total number of entries in the central dir
993 buffer[11] = buffer[9];
994
995 int cdsize = centraldirendoffset - centraldiroffset;
996 buffer[12] = char(cdsize); // size of the central dir
997 buffer[13] = char(cdsize >> 8);
998 buffer[14] = char(cdsize >> 16);
999 buffer[15] = char(cdsize >> 24);
1000
1001 // qCDebug(KArchiveLog) << "end : centraldiroffset: " << centraldiroffset;
1002 // qCDebug(KArchiveLog) << "end : centraldirsize: " << cdsize;
1003
1004 buffer[16] = char(centraldiroffset); // central dir offset
1005 buffer[17] = char(centraldiroffset >> 8);
1006 buffer[18] = char(centraldiroffset >> 16);
1007 buffer[19] = char(centraldiroffset >> 24);
1008
1009 buffer[20] = 0; // zipfile comment length
1010 buffer[21] = 0;
1011
1012 if (device()->write(buffer, 22) != 22) {
1013 setErrorString(tr("Could not write central dir record: %1").arg(device()->errorString()));
1014 return false;
1015 }
1016
1017 return true;
1018}
1019
1020bool KZip::doWriteDir(const QString &name,
1021 const QString &user,
1022 const QString &group,
1023 mode_t perm,
1024 const QDateTime &atime,
1025 const QDateTime &mtime,
1026 const QDateTime &ctime)
1027{
1028 // Zip files have no explicit directories, they are implicitly created during extraction time
1029 // when file entries have paths in them.
1030 // However, to support empty directories, we must create a dummy file entry which ends with '/'.
1031 QString dirName = name;
1032 if (!name.endsWith(QLatin1Char('/'))) {
1033 dirName = dirName.append(QLatin1Char('/'));
1034 }
1035 return writeFile(dirName, QByteArrayView(), perm, user, group, atime, mtime, ctime);
1036}
1037
1039 const QString &user,
1040 const QString &group,
1041 qint64 /*size*/,
1042 mode_t perm,
1043 const QDateTime &accessTime,
1044 const QDateTime &modificationTime,
1045 const QDateTime &creationTime)
1046{
1047 // qCDebug(KArchiveLog);
1048 if (!isOpen()) {
1049 setErrorString(tr("Application error: ZIP file must be open before being written into"));
1050 qCWarning(KArchiveLog) << "doPrepareWriting failed: !isOpen()";
1051 return false;
1052 }
1053
1054 if (!(mode() & QIODevice::WriteOnly)) { // accept WriteOnly and ReadWrite
1055 setErrorString(tr("Application error: attempted to write into non-writable ZIP file"));
1056 qCWarning(KArchiveLog) << "doPrepareWriting failed: !(mode() & QIODevice::WriteOnly)";
1057 return false;
1058 }
1059
1060 if (!device()) {
1061 setErrorString(tr("Cannot create a device. Disk full?"));
1062 return false;
1063 }
1064
1065 // set right offset in zip.
1066 if (!device()->seek(d->m_offset)) {
1067 setErrorString(tr("Cannot seek in ZIP file. Disk full?"));
1068 return false;
1069 }
1070
1071 uint atime = accessTime.toSecsSinceEpoch();
1072 uint mtime = modificationTime.toSecsSinceEpoch();
1073 uint ctime = creationTime.toSecsSinceEpoch();
1074
1075 // Find or create parent dir
1076 KArchiveDirectory *parentDir = rootDir();
1077 QString fileName(name);
1078 int i = name.lastIndexOf(QLatin1Char('/'));
1079 if (i != -1) {
1080 QString dir = name.left(i);
1081 fileName = name.mid(i + 1);
1082 // qCDebug(KArchiveLog) << "ensuring" << dir << "exists. fileName=" << fileName;
1083 parentDir = findOrCreate(dir);
1084 }
1085
1086 // delete entries in the filelist with the same fileName as the one we want
1087 // to save, so that we don't have duplicate file entries when viewing the zip
1088 // with konqi...
1089 // CAUTION: the old file itself is still in the zip and won't be removed !!!
1090 // qCDebug(KArchiveLog) << "fileName to write: " << name;
1091 for (auto it = d->m_fileList.begin(); it != d->m_fileList.end();) {
1092 // qCDebug(KArchiveLog) << "prepfileName: " << entry->path();
1093 if (name == (*it)->path()) {
1094 // also remove from the parentDir
1095 if (!parentDir->removeEntryV2(*it)) {
1096 return false;
1097 }
1098 // qCDebug(KArchiveLog) << "removing following entry: " << entry->path();
1099 delete *it;
1100 it = d->m_fileList.erase(it);
1101 } else {
1102 it++;
1103 }
1104 }
1105
1106 // construct a KZipFileEntry and add it to list
1107 KZipFileEntry *e = new KZipFileEntry(this,
1108 fileName,
1109 perm,
1110 modificationTime,
1111 user,
1112 group,
1113 QString(),
1114 name,
1115 device()->pos() + 30 + name.length(), // start
1116 0 /*size unknown yet*/,
1117 d->m_compression,
1118 0 /*csize unknown yet*/);
1119 e->setHeaderStart(device()->pos());
1120 // qCDebug(KArchiveLog) << "wrote file start: " << e->position() << " name: " << name;
1121 if (!parentDir->addEntryV2(e)) {
1122 return false;
1123 }
1124
1125 d->m_currentFile = e;
1126 d->m_fileList.append(e);
1127
1128 int extra_field_len = 0;
1129 if (d->m_extraField == ModificationTime) {
1130 extra_field_len = 17; // value also used in finishWriting()
1131 }
1132
1133 // write out zip header
1134 QByteArray encodedName = QFile::encodeName(name);
1135 int bufferSize = extra_field_len + encodedName.length() + 30;
1136 // qCDebug(KArchiveLog) << "bufferSize=" << bufferSize;
1137 char *buffer = new char[bufferSize];
1138
1139 buffer[0] = 'P'; // local file header signature
1140 buffer[1] = 'K';
1141 buffer[2] = 3;
1142 buffer[3] = 4;
1143
1144 buffer[4] = 0x14; // version needed to extract
1145 buffer[5] = 0;
1146
1147 buffer[6] = 0; // general purpose bit flag
1148 buffer[7] = 0;
1149
1150 buffer[8] = char(e->encoding()); // compression method
1151 buffer[9] = char(e->encoding() >> 8);
1152
1153 transformToMsDos(e->date(), &buffer[10]);
1154
1155 buffer[14] = 'C'; // dummy crc
1156 buffer[15] = 'R';
1157 buffer[16] = 'C';
1158 buffer[17] = 'q';
1159
1160 buffer[18] = 'C'; // compressed file size
1161 buffer[19] = 'S';
1162 buffer[20] = 'I';
1163 buffer[21] = 'Z';
1164
1165 buffer[22] = 'U'; // uncompressed file size
1166 buffer[23] = 'S';
1167 buffer[24] = 'I';
1168 buffer[25] = 'Z';
1169
1170 buffer[26] = (uchar)(encodedName.length()); // fileName length
1171 buffer[27] = (uchar)(encodedName.length() >> 8);
1172
1173 buffer[28] = (uchar)(extra_field_len); // extra field length
1174 buffer[29] = (uchar)(extra_field_len >> 8);
1175
1176 // file name
1177 strncpy(buffer + 30, encodedName.constData(), encodedName.length());
1178
1179 // extra field
1180 if (d->m_extraField == ModificationTime) {
1181 char *extfield = buffer + 30 + encodedName.length();
1182 // "Extended timestamp" header (0x5455)
1183 extfield[0] = 'U';
1184 extfield[1] = 'T';
1185 extfield[2] = 13; // data size
1186 extfield[3] = 0;
1187 extfield[4] = 1 | 2 | 4; // contains mtime, atime, ctime
1188
1189 extfield[5] = char(mtime);
1190 extfield[6] = char(mtime >> 8);
1191 extfield[7] = char(mtime >> 16);
1192 extfield[8] = char(mtime >> 24);
1193
1194 extfield[9] = char(atime);
1195 extfield[10] = char(atime >> 8);
1196 extfield[11] = char(atime >> 16);
1197 extfield[12] = char(atime >> 24);
1198
1199 extfield[13] = char(ctime);
1200 extfield[14] = char(ctime >> 8);
1201 extfield[15] = char(ctime >> 16);
1202 extfield[16] = char(ctime >> 24);
1203 }
1204
1205 // Write header
1206 bool b = (device()->write(buffer, bufferSize) == bufferSize);
1207 d->m_crc = 0;
1208 delete[] buffer;
1209
1210 if (!b) {
1211 setErrorString(tr("Could not write to the archive. Disk full?"));
1212 return false;
1213 }
1214
1215 // Prepare device for writing the data
1216 // Either device() if no compression, or a KCompressionDevice to compress
1217 if (d->m_compression == 0) {
1218 d->m_currentDev = device();
1219 return true;
1220 }
1221
1222 auto compressionDevice = new KCompressionDevice(device(), false, KCompressionDevice::GZip);
1223 d->m_currentDev = compressionDevice;
1224 compressionDevice->setSkipHeaders(); // Just zlib, not gzip
1225
1226 b = d->m_currentDev->open(QIODevice::WriteOnly);
1227 Q_ASSERT(b);
1228
1229 if (!b) {
1230 setErrorString(tr("Could not open compression device: %1").arg(d->m_currentDev->errorString()));
1231 }
1232
1233 return b;
1234}
1235
1236bool KZip::doFinishWriting(qint64 size)
1237{
1238 if (d->m_currentFile->encoding() == 8) {
1239 // Finish
1240 (void)d->m_currentDev->write(nullptr, 0);
1241 delete d->m_currentDev;
1242 }
1243 // If 0, d->m_currentDev was device() - don't delete ;)
1244 d->m_currentDev = nullptr;
1245
1246 Q_ASSERT(d->m_currentFile);
1247 // qCDebug(KArchiveLog) << "fileName: " << d->m_currentFile->path();
1248 // qCDebug(KArchiveLog) << "getpos (at): " << device()->pos();
1249 d->m_currentFile->setSize(size);
1250 int extra_field_len = 0;
1251 if (d->m_extraField == ModificationTime) {
1252 extra_field_len = 17; // value also used in finishWriting()
1253 }
1254
1255 const QByteArray encodedName = QFile::encodeName(d->m_currentFile->path());
1256 int csize = device()->pos() - d->m_currentFile->headerStart() - 30 - encodedName.length() - extra_field_len;
1257 d->m_currentFile->setCompressedSize(csize);
1258 // qCDebug(KArchiveLog) << "usize: " << d->m_currentFile->size();
1259 // qCDebug(KArchiveLog) << "csize: " << d->m_currentFile->compressedSize();
1260 // qCDebug(KArchiveLog) << "headerstart: " << d->m_currentFile->headerStart();
1261
1262 // qCDebug(KArchiveLog) << "crc: " << d->m_crc;
1263 d->m_currentFile->setCRC32(d->m_crc);
1264
1265 d->m_currentFile = nullptr;
1266
1267 // update saved offset for appending new files
1268 d->m_offset = device()->pos();
1269 return true;
1270}
1271
1273 const QString &target,
1274 const QString &user,
1275 const QString &group,
1276 mode_t perm,
1277 const QDateTime &atime,
1278 const QDateTime &mtime,
1279 const QDateTime &ctime)
1280{
1281 // reassure that symlink flag is set, otherwise strange things happen on
1282 // extraction
1283 perm |= QT_STAT_LNK;
1285 setCompression(NoCompression); // link targets are never compressed
1286
1287 if (!doPrepareWriting(name, user, group, 0, perm, atime, mtime, ctime)) {
1288 setCompression(c);
1289 return false;
1290 }
1291
1292 QByteArray symlink_target = QFile::encodeName(target);
1293 if (!writeData(symlink_target.constData(), symlink_target.length())) {
1294 setCompression(c);
1295 return false;
1296 }
1297
1298 if (!finishWriting(symlink_target.length())) {
1299 setCompression(c);
1300 return false;
1301 }
1302
1303 setCompression(c);
1304 return true;
1305}
1306
1307void KZip::virtual_hook(int id, void *data)
1308{
1309 KArchive::virtual_hook(id, data);
1310}
1311
1312bool KZip::doWriteData(const char *data, qint64 size)
1313{
1314 Q_ASSERT(d->m_currentFile);
1315 Q_ASSERT(d->m_currentDev);
1316 if (!d->m_currentFile || !d->m_currentDev) {
1317 setErrorString(tr("No file or device"));
1318 return false;
1319 }
1320
1321 // crc to be calculated over uncompressed stuff...
1322 // and they didn't mention it in their docs...
1323 d->m_crc = crc32(d->m_crc, (const Bytef *)data, size);
1324
1325 qint64 written = d->m_currentDev->write(data, size);
1326 // qCDebug(KArchiveLog) << "wrote" << size << "bytes.";
1327 const bool ok = written == size;
1328
1329 if (!ok) {
1330 setErrorString(tr("Error writing data: %1").arg(d->m_currentDev->errorString()));
1331 }
1332
1333 return ok;
1334}
1335
1337{
1338 d->m_compression = (c == NoCompression) ? 0 : 8;
1339}
1340
1342{
1343 return (d->m_compression == 8) ? DeflateCompression : NoCompression;
1344}
1345
1347{
1348 d->m_extraField = ef;
1349}
1350
1352{
1353 return d->m_extraField;
1354}
1355
1356////////////////////////////////////////////////////////////////////////
1357////////////////////// KZipFileEntry////////////////////////////////////
1358////////////////////////////////////////////////////////////////////////
1359class Q_DECL_HIDDEN KZipFileEntry::KZipFileEntryPrivate
1360{
1361public:
1362 KZipFileEntryPrivate()
1363 : crc(0)
1364 , compressedSize(0)
1365 , headerStart(0)
1366 , encoding(0)
1367 {
1368 }
1369 unsigned long crc;
1370 qint64 compressedSize;
1371 qint64 headerStart;
1372 int encoding;
1373 QString path;
1374};
1375
1377 const QString &name,
1378 int access,
1379 const QDateTime &date,
1380 const QString &user,
1381 const QString &group,
1382 const QString &symlink,
1383 const QString &path,
1384 qint64 start,
1385 qint64 uncompressedSize,
1386 int encoding,
1387 qint64 compressedSize)
1388 : KArchiveFile(zip, name, access, date, user, group, symlink, start, uncompressedSize)
1389 , d(new KZipFileEntryPrivate)
1390{
1391 d->path = path;
1392 d->encoding = encoding;
1393 d->compressedSize = compressedSize;
1394}
1395
1397{
1398 delete d;
1399}
1400
1401int KZipFileEntry::encoding() const
1402{
1403 return d->encoding;
1404}
1405
1406qint64 KZipFileEntry::compressedSize() const
1407{
1408 return d->compressedSize;
1409}
1410
1411void KZipFileEntry::setCompressedSize(qint64 compressedSize)
1412{
1413 d->compressedSize = compressedSize;
1414}
1415
1416void KZipFileEntry::setHeaderStart(qint64 headerstart)
1417{
1418 d->headerStart = headerstart;
1419}
1420
1421qint64 KZipFileEntry::headerStart() const
1422{
1423 return d->headerStart;
1424}
1425
1426unsigned long KZipFileEntry::crc32() const
1427{
1428 return d->crc;
1429}
1430
1431void KZipFileEntry::setCRC32(unsigned long crc32)
1432{
1433 d->crc = crc32;
1434}
1435
1437{
1438 return d->path;
1439}
1440
1442{
1443 QIODevice *dev = createDevice();
1444 QByteArray arr;
1445 if (dev) {
1446 arr = dev->readAll();
1447 delete dev;
1448 }
1449 return arr;
1450}
1451
1453{
1454 // qCDebug(KArchiveLog) << "creating iodevice limited to pos=" << position() << ", csize=" << compressedSize();
1455 // Limit the reading to the appropriate part of the underlying device (e.g. file)
1456 KLimitedIODevice *limitedDev = new KLimitedIODevice(archive()->device(), position(), compressedSize());
1457 if (encoding() == 0 || compressedSize() == 0) { // no compression (or even no data)
1458 return limitedDev;
1459 }
1460
1461 if (encoding() == 8) {
1462 // On top of that, create a device that uncompresses the zlib data
1463 KCompressionDevice *filterDev = new KCompressionDevice(limitedDev, true, KCompressionDevice::GZip);
1464
1465 if (!filterDev) {
1466 return nullptr; // ouch
1467 }
1468 filterDev->setSkipHeaders(); // Just zlib, not gzip
1469 bool b = filterDev->open(QIODevice::ReadOnly);
1470 Q_UNUSED(b);
1471 Q_ASSERT(b);
1472 return filterDev;
1473 }
1474
1475 qCCritical(KArchiveLog) << "This zip file contains files compressed with method" << encoding() << ", this method is currently not supported by KZip,"
1476 << "please use a command-line tool to handle this file.";
1477 delete limitedDev;
1478 return nullptr;
1479}
Represents a directory entry in a KArchive.
bool removeEntryV2(KArchiveEntry *)
Removes an entry from the directory.
Definition karchive.cpp:944
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
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
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
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
qint64 size() const
Size of the data.
Definition karchive.cpp:796
qint64 position() const
Position of the data in the [uncompressed] archive.
Definition karchive.cpp:791
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 close()
Closes the archive.
Definition karchive.cpp:214
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
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 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
QIODevice::OpenMode mode() const
Returns the mode in which the archive was opened.
Definition karchive.cpp:625
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
bool isOpen() const
Checks whether the archive is open.
Definition karchive.cpp:635
void setErrorString(const QString &errorStr)
Sets error description.
Definition karchive.cpp:482
A class for reading and writing compressed data onto a device (e.g.
void setSkipHeaders()
Call this let this device skip the gzip headers when reading/writing.
bool open(QIODevice::OpenMode mode) override
Open for reading or writing.
A KZipFileEntry represents a file in a zip archive.
KZipFileEntry(KZip *zip, const QString &name, int access, const QDateTime &date, const QString &user, const QString &group, const QString &symlink, const QString &path, qint64 start, qint64 uncompressedSize, int encoding, qint64 compressedSize)
Creates a new zip file entry.
Definition kzip.cpp:1376
~KZipFileEntry() override
Destructor.
Definition kzip.cpp:1396
void setCompressedSize(qint64 compressedSize)
Only used when writing.
Definition kzip.cpp:1411
unsigned long crc32() const
CRC: only used when writing.
Definition kzip.cpp:1426
const QString & path() const
Name with complete path - KArchiveFile::name() is the filename only (no path)
Definition kzip.cpp:1436
QIODevice * createDevice() const override
This method returns a QIODevice to read the file contents.
Definition kzip.cpp:1452
QByteArray data() const override
Definition kzip.cpp:1441
void setHeaderStart(qint64 headerstart)
Header start: only used when writing.
Definition kzip.cpp:1416
A class for reading / writing zip archives.
Definition kzip.h:38
bool openArchive(QIODevice::OpenMode mode) override
Opens the archive for reading.
Definition kzip.cpp:446
bool doWriteDir(const QString &name, const QString &user, const QString &group, mode_t perm, const QDateTime &atime, const QDateTime &mtime, const QDateTime &ctime) override
Reimplemented from KArchive.
Definition kzip.cpp:1020
void setCompression(Compression c)
Call this before writeFile or prepareWriting, to define whether the next files to be written should b...
Definition kzip.cpp:1336
ExtraField
Describes the contents of the "extra field" for a given file in the Zip archive.
Definition kzip.h:68
@ ModificationTime
Modification time ("extended timestamp" header)
Definition kzip.h:70
bool doPrepareWriting(const QString &name, const QString &user, const QString &group, qint64 size, mode_t perm, const QDateTime &atime, const QDateTime &mtime, const QDateTime &creationTime) override
Reimplemented from KArchive.
Definition kzip.cpp:1038
void setExtraField(ExtraField ef)
Call this before writeFile or prepareWriting, to define what the next file to be written should have ...
Definition kzip.cpp:1346
KZip(const QString &filename)
Creates an instance that operates on the given filename.
Definition kzip.cpp:425
bool doFinishWriting(qint64 size) override
Write data to a file that has been created using prepareWriting().
Definition kzip.cpp:1236
~KZip() override
If the zip file is still opened, then it will be closed automatically by the destructor.
Definition kzip.cpp:437
bool closeArchive() override
Closes the archive.
Definition kzip.cpp:826
Compression
Describes the compression type for a given file in the Zip archive.
Definition kzip.h:92
@ DeflateCompression
Deflate compression method.
Definition kzip.h:94
@ NoCompression
Uncompressed.
Definition kzip.h:93
Compression compression() const
The current compression mode that will be used for new files.
Definition kzip.cpp:1341
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) override
Reimplemented from KArchive.
Definition kzip.cpp:1272
bool doWriteData(const char *data, qint64 size) override
Write data to a file that has been created using prepareWriting().
Definition kzip.cpp:1312
ExtraField extraField() const
The current type of "extra field" that will be used for new files.
Definition kzip.cpp:1351
Q_SCRIPTABLE QString start(QString train="")
QString path(const QString &relativePath)
const char * constData() const const
char * data()
qsizetype indexOf(QByteArrayView bv, qsizetype from) const const
qsizetype length() const const
QByteArray & remove(qsizetype pos, qsizetype len)
void resize(qsizetype newSize, char c)
qsizetype size() const const
bool startsWith(QByteArrayView bv) const const
bool startsWith(QByteArrayView bv) const const
QDateTime currentDateTime()
QDate date() const const
bool isValid() const const
QTime time() const const
qint64 toSecsSinceEpoch() const const
QString cleanPath(const QString &path)
QString decodeName(const QByteArray &localFileName)
QByteArray encodeName(const QString &fileName)
iterator insert(const Key &key, const T &value)
T value(const Key &key) const const
QByteArray peek(qint64 maxSize)
virtual qint64 pos() const const
QByteArray read(qint64 maxSize)
QByteArray readAll()
virtual bool seek(qint64 pos)
virtual qint64 size() const const
qint64 write(const QByteArray &data)
typedef OpenMode
QString & append(QChar ch)
const QChar * constData() const const
bool endsWith(QChar c, 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
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.