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

KDE's Doxygen guidelines are available online.