forked from py-pdf/pypdf
-
Notifications
You must be signed in to change notification settings - Fork 61
/
Copy pathpdf.py
2945 lines (2506 loc) · 105 KB
/
pdf.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# -*- coding: utf-8 -*-
#
# vim: sw=4:expandtab:foldmethod=marker
#
# Copyright (c) 2006, Mathieu Fenniak
# Copyright (c) 2007, Ashish Kulkarni <[email protected]>
#
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are
# met:
#
# * Redistributions of source code must retain the above copyright notice,
# this list of conditions and the following disclaimer.
# * Redistributions in binary form must reproduce the above copyright notice,
# this list of conditions and the following disclaimer in the documentation
# and/or other materials provided with the distribution.
# * The name of the author may not be used to endorse or promote products
# derived from this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
# AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
# IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
# ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
# LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
# CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
# SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
# INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
# CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
# ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
# POSSIBILITY OF SUCH DAMAGE.
"""
A pure-Python PDF library with an increasing number of capabilities.
See README.md for links to FAQ, documentation, homepage, etc.
"""
from hashlib import md5
import io
import os
import random
import struct
import sys
from sys import version_info
import time
import uuid
from pypdf import utils
from pypdf.generic import (
ArrayObject,
BooleanObject,
ByteStringObject,
ContentStream,
ConvertFunctionsToVirtualList,
DecodedStreamObject,
Destination,
DictionaryObject,
DocumentInformation,
Field,
FloatObject,
IndirectObject,
NameObject,
NullObject,
NumberObject,
PageObject,
RectangleObject,
StreamObject,
TextStringObject,
TreeObject,
codecs,
createStringObject,
readObject,
warnings,
)
from pypdf.utils import (
PdfReadError,
PdfReadWarning,
PdfStreamError,
PyPdfError,
RC4Encrypt,
formatWarning,
isString,
pairs,
)
from pypdf.utils import (
pypdfOrd,
pypdfStr,
pypdfUnicode,
readNonWhitespace,
readUntilWhitespace,
)
from pypdf.utils import pypdfBytes as b_
if version_info < (3, 0):
from cStringIO import StringIO
BytesIO = StringIO
else:
from io import StringIO, BytesIO
__author__ = "Mathieu Fenniak"
__author_email__ = "[email protected]"
__maintainer__ = "Phaseit, Inc."
__maintainer_email = "[email protected]"
class PdfFileWriter(object):
def __init__(self, stream, debug=False):
"""
This class supports writing PDF files out, given pages produced by
another class (typically :class:`PdfFileReader<PdfFileReader>`).
:param stream: File-like object or path to a PDF file in ``str``
format. If of the former type, the object must support the
``write()`` and the ``tell()`` methods.
:param bool debug: Whether this class should emit debug informations
(recommended for development). Defaults to False.
"""
self._header = b_("%PDF-1.3")
self._objects = [] # array of indirect objects
self.debug = debug
if isString(stream):
self._stream = open(stream, "wb")
else:
# We rely on duck typing
self._stream = stream
if hasattr(self._stream, "mode") and "b" not in self._stream.mode:
warnings.warn(
"File <%s> to write to is not in binary mode. It may not be "
"written to correctly." % self._stream.name
)
# The root of our page tree node.
pages = DictionaryObject()
pages.update(
{
NameObject("/Type"): NameObject("/Pages"),
NameObject("/Count"): NumberObject(0),
NameObject("/Kids"): ArrayObject(),
}
)
self._pages = self._addObject(pages)
info = DictionaryObject()
info.update(
{
NameObject("/Producer"): createStringObject(
codecs.BOM_UTF16_BE + pypdfUnicode("pypdf").encode("utf-16be")
)
}
)
self._info = self._addObject(info)
root = DictionaryObject()
root.update(
{
NameObject("/Type"): NameObject("/Catalog"),
NameObject("/Pages"): self._pages,
}
)
self._root = None
self._rootObject = root
def __enter__(self):
return self
def __exit__(self, excType, excVal, excTb):
# TO-DO Implement AND TEST along with PdfFileWriter.close()
if not self.isClosed:
self.close()
return False
def __repr__(self):
return "<%s.%s _stream=%s, _header=%s, isClosed=%s, debug=%s>" % (
self.__class__.__module__,
self.__class__.__name__,
self._stream,
self._header.decode(),
self.isClosed,
self.debug,
)
def __del__(self):
self.close()
for a in ("_objects", "_stream", "_pages", "_info", "_root", "_rootObject"):
if hasattr(self, a):
delattr(self, a)
def close(self):
"""
Deallocates file-system resources associated with this
``PdfFileWriter`` instance.
"""
if not self._stream.closed:
self._stream.flush()
self._stream.close()
@property
def isClosed(self):
"""
:return: ``True`` if the IO streams associated with this file have
been closed, ``False`` otherwise.
"""
return not bool(self._stream) or self._stream.closed
def _addObject(self, obj):
self._objects.append(obj)
return IndirectObject(len(self._objects), 0, self)
def getObject(self, ido):
if ido.pdf is not self:
raise ValueError("ido.pdf must be self")
return self._objects[ido.idnum - 1]
def _addPage(self, page, action):
if page["/Type"] != "/Page":
raise ValueError("Page type is not /Page")
page[NameObject("/Parent")] = self._pages
pages = self.getObject(self._pages)
action(pages["/Kids"], self._addObject(page))
pages[NameObject("/Count")] = NumberObject(pages["/Count"] + 1)
########
#
# Note that pubpub-zz offered pull request #75. CL accepted part of it, and mangled
# the pull request. pubpub-zz, please contact CL again, so we can construct and merge
# a fully valid pull request.
#
# See <URL: https://github.com/claird/PyPDF4/pull/75/ > for related information.
#
########
def addPage(self, page):
"""
Adds a page to this PDF file. The page is usually acquired from a
:class:`PdfFileReader<PdfFileReader>` instance.
:param PageObject page: The page to add to the document. Should be
an instance of :class:`PageObject<pypdf.pdf.PageObject>`
"""
self._addPage(page, list.append)
def insertPage(self, page, index=0):
"""
Insert a page in this PDF file. The page is usually acquired from a
:class:`PdfFileReader<PdfFileReader>` instance.
:param PageObject page: The page to add to the document. This argument
should be an instance of :class:`PageObject<pdf.PageObject>`.
:param int index: Position at which the page will be inserted.
"""
self._addPage(page, lambda l, p: l.insert(index, p))
def getPage(self, pageNumber):
"""
Retrieves a page by number from this PDF file.
:param int pageNumber: The page number to retrieve
(pages begin at zero).
:return: the page at the index given by *pageNumber*
:rtype: :class:`PageObject<pdf.PageObject>`
"""
pages = self.getObject(self._pages)
# XXX: crude hack
return pages["/Kids"][pageNumber].getObject()
@property
def numPages(self):
"""
:return: the number of pages.
:rtype: int
"""
return int(self.getObject(self._pages)[NameObject("/Count")])
def addBlankPage(self, width=None, height=None):
"""
Appends a blank page to this PDF file and returns it. If no page size
is specified, use the size of the last page.
:param float width: The width of the new page expressed in default user
space units.
:param float height: The height of the new page expressed in default
user space units.
:return: the newly appended page
:rtype: :class:`PageObject<pypdf.pdf.PageObject>`
:raises PageSizeNotDefinedError: if width and height are not defined
and previous page does not exist.
"""
page = PageObject.createBlankPage(self, width, height)
self.addPage(page)
return page
def insertBlankPage(self, width=None, height=None, index=0):
"""
Inserts a blank page to this PDF file and returns it. If no page size
is specified, use the size of the last page.
:param float width: The width of the new page expressed in default user
space units.
:param float height: The height of the new page expressed in default
user space units.
:param int index: Position to add the page.
:return: the newly appended page
:rtype: :class:`PageObject<pypdf.pdf.PageObject>`
:raises PageSizeNotDefinedError: if width and height are not defined
and previous page does not exist.
"""
if width is None or height is None and (self.numPages - 1) >= index:
oldpage = self.getPage(index)
width = oldpage.mediaBox.getWidth()
height = oldpage.mediaBox.getHeight()
page = PageObject.createBlankPage(self, width, height)
self.insertPage(page, index)
return page
def addJS(self, javascript):
"""
Add a Javascript code snippet to be launched upon this PDF opening.\n
As an example, this will launch the print window when the PDF is
opened:\n
writer.addJS(\
"this.print({bUI:true,bSilent:false,bShrinkToFit:true});"\\
)\
:param str javascript: Javascript code.
"""
js = DictionaryObject()
js.update(
{
NameObject("/Type"): NameObject("/Action"),
NameObject("/S"): NameObject("/JavaScript"),
NameObject("/JS"): createStringObject(javascript),
}
)
js_indirect_object = self._addObject(js)
# We need a name for parameterized javascript in the pdf file, but it
# can be anything.
js_string_name = str(uuid.uuid4())
js_name_tree = DictionaryObject()
js_name_tree.update(
{
NameObject("/JavaScript"): DictionaryObject(
{
NameObject("/Names"): ArrayObject(
[createStringObject(js_string_name), js_indirect_object]
)
}
)
}
)
self._addObject(js_name_tree)
self._rootObject.update(
{
NameObject("/JavaScript"): js_indirect_object,
NameObject("/Names"): js_name_tree,
}
)
def addAttachment(self, fname, fdata):
"""
Embed a file inside the PDF.
:param str fname: The filename to display.
:param str fdata: The data in the file.
Reference:
https://www.adobe.com/content/dam/Adobe/en/devnet/acrobat/pdfs/PDF32000_2008.pdf
Section 7.11.3
"""
# We need three entries:
# * The file's data
# * The /Filespec entry
# * The file's name, which goes in the Catalog
# The entry for the file
""" Sample:
8 0 obj
<<
/Length 12
/Type /EmbeddedFile
>>
stream
Hello world!
endstream
endobj
"""
file_entry = DecodedStreamObject()
file_entry.setData(fdata)
file_entry.update({NameObject("/Type"): NameObject("/EmbeddedFile")})
# The Filespec entry
"""Sample:
7 0 obj
<<
/Type /Filespec
/F (hello.txt)
/EF << /F 8 0 R >>
>>
"""
efEntry = DictionaryObject()
efEntry.update({NameObject("/F"): file_entry})
filespec = DictionaryObject()
filespec.update(
{
NameObject("/Type"): NameObject("/Filespec"),
# Perhaps also try TextStringObject
NameObject("/F"): createStringObject(fname),
NameObject("/EF"): efEntry,
}
)
# Then create the entry for the root, as it needs a reference to the
# Filespec
"""Sample:
1 0 obj
<<
/Type /Catalog
/Outlines 2 0 R
/Pages 3 0 R
/Names << /EmbeddedFiles << /Names [(hello.txt) 7 0 R] >> >>
>>
endobj
"""
embeddedFilesNamesDictionary = DictionaryObject()
embeddedFilesNamesDictionary.update(
{NameObject("/Names"): ArrayObject([createStringObject(fname), filespec])}
)
embeddedFilesDictionary = DictionaryObject()
embeddedFilesDictionary.update(
{NameObject("/EmbeddedFiles"): embeddedFilesNamesDictionary}
)
# Update the root
self._rootObject.update({NameObject("/Names"): embeddedFilesDictionary})
def attachFiles(self, files, cut_paths=True):
"""
Embed multiple files inside the PDF.
Similar to addAttachment but receives a file path or a list of file paths.
Allows attaching more than one file.
:param files: Single file path (string) or multiple file paths (list of strings).
:param cut_paths: Display file name only in PDF if True,
else display full parameter string or list entry.
"""
if not isinstance(files, list):
files = [files]
files_array = ArrayObject()
for file in files:
fname = file
if cut_paths:
fname = os.path.basename(fname)
fdata = open(file, "rb").read()
# The entry for the file
file_entry = DecodedStreamObject()
file_entry.setData(fdata)
file_entry.update({NameObject("/Type"): NameObject("/EmbeddedFile")})
# The Filespec entry
efEntry = DictionaryObject()
efEntry.update({NameObject("/F"): file_entry})
filespec = DictionaryObject()
filespec.update(
{
NameObject("/Type"): NameObject("/Filespec"),
NameObject("/F"): createStringObject(fname),
NameObject("/EF"): efEntry,
}
)
files_array.extend([createStringObject(fname), filespec])
# The entry for the root
embeddedFilesNamesDictionary = DictionaryObject()
embeddedFilesNamesDictionary.update({NameObject("/Names"): files_array})
embeddedFilesDictionary = DictionaryObject()
embeddedFilesDictionary.update(
{NameObject("/EmbeddedFiles"): embeddedFilesNamesDictionary}
)
# Update the root
self._rootObject.update({NameObject("/Names"): embeddedFilesDictionary})
def appendPagesFromReader(self, reader, afterPageAppend=None):
"""
Copy pages from reader to writer. Includes an optional callback
parameter which is invoked after pages are appended to the writer.
:param reader: a PdfFileReader object from which to copy page
annotations to this writer object. The writer's annots will then
be updated.
:param afterPageAppend: Callback function that is invoked after each
page is appended to the writer. Takes a ``writerPageref`` argument
that references to the page appended to the writer.
"""
# Get page count from writer and reader
readerNumPages = reader.numPages
writerNumPages = self.numPages
# Copy pages from reader to writer
for rpagenum in range(readerNumPages):
self.addPage(reader.getPage(rpagenum))
writerPage = self.getPage(writerNumPages + rpagenum)
# Trigger callback, pass writer page as parameter
if callable(afterPageAppend):
afterPageAppend(writerPage)
def updatePageFormFieldValues(self, page, fields):
"""
Update the form field values for a given page from a fields dictionary.
Copy field texts and values from fields to page.
:param page: Page reference from PDF writer where the annotations and
field data will be updated.
:param fields: a Python dictionary of field names (/T) and text values
(/V).
"""
# Iterate through the pages and update field values
for j in range(len(page["/Annots"])):
writer_annot = page["/Annots"][j].getObject()
for field in fields:
if writer_annot.get("/T") == field:
writer_annot.update(
{NameObject("/V"): TextStringObject(fields[field])}
)
def cloneReaderDocumentRoot(self, reader):
"""
Copy the reader document root to the writer.
:param reader: ``PdfFileReader`` from the document root that should be
copied.
"""
self._rootObject = reader._trailer["/Root"]
def cloneDocumentFromReader(self, reader, afterPageAppend=None):
"""
Create a clone of a document from a PDF file reader.
:param reader: PDF file reader instance from which the clone
should be created.
:param afterPageAppend: Callback function that is invoked after each
page is appended to the writer. Takes as a single argument a
reference to the page appended.
"""
self.cloneReaderDocumentRoot(reader)
self.appendPagesFromReader(reader, afterPageAppend)
def encrypt(self, userPwd, ownerPwd=None, use128Bits=True):
"""
Encrypt this PDF file with the PDF Standard encryption handler.
:param str userPwd: The "user password", which allows for opening and
reading the PDF file with the restrictions provided.
:param str ownerPwd: The "owner password", which allows for opening the
PDF files without any restrictions. By default, the owner password
is the same as the user password.
:param bool use128Bits: flag as to whether to use 128bit encryption.
When false, 40bit encryption will be used. By default, this flag
is on.
"""
# TO-DO Clean this method's code, as it fires up many code linting
# warnings
if ownerPwd is None:
ownerPwd = userPwd
if use128Bits:
V = 2
rev = 3
keylen = int(128 / 8)
else:
V = 1
rev = 2
keylen = int(40 / 8)
# Permit everything:
P = -1
O = ByteStringObject(_alg33(ownerPwd, userPwd, rev, keylen))
ID_1 = ByteStringObject(md5(b_(repr(time.time()))).digest())
ID_2 = ByteStringObject(md5(b_(repr(random.random()))).digest())
self._ID = ArrayObject((ID_1, ID_2))
if rev == 2:
U, key = _alg34(userPwd, O, P, ID_1)
else:
assert rev == 3
U, key = _alg35(userPwd, rev, keylen, O, P, ID_1, False)
encrypt = DictionaryObject()
encrypt[NameObject("/Filter")] = NameObject("/Standard")
encrypt[NameObject("/V")] = NumberObject(V)
if V == 2:
encrypt[NameObject("/Length")] = NumberObject(keylen * 8)
encrypt[NameObject("/R")] = NumberObject(rev)
encrypt[NameObject("/O")] = ByteStringObject(O)
encrypt[NameObject("/U")] = ByteStringObject(U)
encrypt[NameObject("/P")] = NumberObject(P)
self._encrypt = self._addObject(encrypt)
self._encrypt_key = key
def write(self):
"""
Writes the collection of pages added to this object out as a PDF file.
"""
if not self._root:
self._root = self._addObject(self._rootObject)
externalReferenceMap = {}
# PDF objects sometimes have circular references to their /Page objects
# inside their object tree (for example, annotations). Those will be
# indirect references to objects that we've recreated in this PDF. To
# address this problem, PageObject's store their original object
# reference number, and we add it to the external reference map before
# we sweep for indirect references. This forces self-page-referencing
# trees to reference the correct new object location, rather than
# copying in a new copy of the page object.
for objIndex in range(len(self._objects)):
obj = self._objects[objIndex]
if isinstance(obj, PageObject) and obj.indirectRef is not None:
data = obj.indirectRef
if data.pdf not in externalReferenceMap:
externalReferenceMap[data.pdf] = {}
if data.generation not in externalReferenceMap[data.pdf]:
externalReferenceMap[data.pdf][data.generation] = {}
externalReferenceMap[data.pdf][data.generation][
data.idnum
] = IndirectObject(objIndex + 1, 0, self)
# TO-DO Instance attribute defined outside __init__(). Carefully move
# it out of here
self.stack = []
self._sweepIndirectReferences(externalReferenceMap, self._root)
del self.stack
# Begin writing:
object_positions = []
self._stream.write(self._header + b_("\n"))
self._stream.write(b_("%\xE2\xE3\xCF\xD3\n"))
for i in range(len(self._objects)):
idnum = i + 1
obj = self._objects[i]
object_positions.append(self._stream.tell())
self._stream.write(b_(str(idnum) + " 0 obj\n"))
key = None
if hasattr(self, "_encrypt") and idnum != self._encrypt.idnum:
pack1 = struct.pack("<i", i + 1)[:3]
pack2 = struct.pack("<i", 0)[:2]
key = self._encrypt_key + pack1 + pack2
assert len(key) == (len(self._encrypt_key) + 5)
md5_hash = md5(key).digest()
key = md5_hash[: min(16, len(self._encrypt_key) + 5)]
obj.writeToStream(self._stream, key)
self._stream.write(b_("\nendobj\n"))
# xref table
xref_location = self._stream.tell()
self._stream.write(b_("xref\n"))
self._stream.write(b_("0 %s\n" % (len(self._objects) + 1)))
self._stream.write(b_("%010d %05d f \n" % (0, 65535)))
for offset in object_positions:
self._stream.write(b_("%010d %05d n \n" % (offset, 0)))
self._stream.write(b_("trailer\n"))
trailer = DictionaryObject()
trailer.update(
{
NameObject("/Size"): NumberObject(len(self._objects) + 1),
NameObject("/Root"): self._root,
NameObject("/Info"): self._info,
}
)
if hasattr(self, "_ID"):
trailer[NameObject("/ID")] = self._ID
if hasattr(self, "_encrypt"):
trailer[NameObject("/Encrypt")] = self._encrypt
trailer.writeToStream(self._stream, None)
# EOF
self._stream.write(b_("\nstartxref\n%s\n%%%%EOF\n" % xref_location))
def addMetadata(self, infos):
"""
Add custom metadata to the output.
:param dict infos: a Python dictionary where each key is a field
and each value is your new metadata.
"""
args = {}
for key, value in list(infos.items()):
args[NameObject(key)] = createStringObject(value)
self.getObject(self._info).update(args)
def _sweepIndirectReferences(self, externMap, data):
if self.debug:
print(data, "TYPE", data.__class__.__name__)
if isinstance(data, DictionaryObject):
for key, value in data.items():
value = self._sweepIndirectReferences(externMap, value)
if isinstance(value, StreamObject):
# a dictionary value is a stream. streams must be indirect
# objects, so we need to change this value.
value = self._addObject(value)
data[key] = value
return data
if isinstance(data, ArrayObject):
for i in range(len(data)):
value = self._sweepIndirectReferences(externMap, data[i])
if isinstance(value, StreamObject):
# An array value is a stream. streams must be indirect
# objects, so we need to change this value
value = self._addObject(value)
data[i] = value
return data
if isinstance(data, IndirectObject):
# Internal indirect references are fine
if data.pdf == self:
if data.idnum in self.stack:
return data
self.stack.append(data.idnum)
realdata = self.getObject(data)
self._sweepIndirectReferences(externMap, realdata)
return data
if data.pdf.isClosed:
raise ValueError(
"I/O operation on closed file: " + data.pdf._stream.name
)
newobj = (
externMap.get(data.pdf, {})
.get(data.generation, {})
.get(data.idnum, None)
)
if newobj is None:
try:
newobj = data.pdf.getObject(data)
self._objects.append(None) # placeholder
idnum = len(self._objects)
newobj_ido = IndirectObject(idnum, 0, self)
if data.pdf not in externMap:
externMap[data.pdf] = {}
if data.generation not in externMap[data.pdf]:
externMap[data.pdf][data.generation] = {}
externMap[data.pdf][data.generation][data.idnum] = newobj_ido
newobj = self._sweepIndirectReferences(externMap, newobj)
self._objects[idnum - 1] = newobj
return newobj_ido
except (ValueError, PyPdfError):
# Unable to resolve the Object, returning NullObject
# instead.
warnings.warn(
"Unable to resolve [{}: {}], returning NullObject "
"instead".format(data.__class__.__name__, data)
)
return NullObject()
return newobj
return data
def getReference(self, obj):
idnum = self._objects.index(obj) + 1
ref = IndirectObject(idnum, 0, self)
assert ref.getObject() == obj
return ref
def getOutlineRoot(self):
if "/Outlines" in self._rootObject:
outline = self._rootObject["/Outlines"]
idnum = self._objects.index(outline) + 1
outlineRef = IndirectObject(idnum, 0, self)
assert outlineRef.getObject() == outline
else:
outline = TreeObject()
outline.update({})
outlineRef = self._addObject(outline)
self._rootObject[NameObject("/Outlines")] = outlineRef
return outline
def getNamedDestRoot(self):
if "/Names" in self._rootObject and isinstance(
self._rootObject["/Names"], DictionaryObject
):
names = self._rootObject["/Names"]
idnum = self._objects.index(names) + 1
namesRef = IndirectObject(idnum, 0, self)
assert namesRef.getObject() == names
if "/Dests" in names and isinstance(names["/Dests"], DictionaryObject):
dests = names["/Dests"]
idnum = self._objects.index(dests) + 1
destsRef = IndirectObject(idnum, 0, self)
assert destsRef.getObject() == dests
if "/Names" in dests:
nd = dests["/Names"]
else:
nd = ArrayObject()
dests[NameObject("/Names")] = nd
else:
dests = DictionaryObject()
destsRef = self._addObject(dests)
names[NameObject("/Dests")] = destsRef
nd = ArrayObject()
dests[NameObject("/Names")] = nd
else:
names = DictionaryObject()
namesRef = self._addObject(names)
self._rootObject[NameObject("/Names")] = namesRef
dests = DictionaryObject()
destsRef = self._addObject(dests)
names[NameObject("/Dests")] = destsRef
nd = ArrayObject()
dests[NameObject("/Names")] = nd
return nd
def addBookmarkDestination(self, dest, parent=None):
destRef = self._addObject(dest)
outlineRef = self.getOutlineRoot()
if parent is None:
parent = outlineRef
parent = parent.getObject()
parent.addChild(destRef, self)
return destRef
def addBookmarkDict(self, bookmark, parent=None):
bookmarkObj = TreeObject()
for k, v in list(bookmark.items()):
bookmarkObj[NameObject(str(k))] = v
bookmarkObj.update(bookmark)
if "/A" in bookmark:
action = DictionaryObject()
for k, v in list(bookmark["/A"].items()):
action[NameObject(str(k))] = v
actionRef = self._addObject(action)
bookmarkObj[NameObject("/A")] = actionRef
bookmarkRef = self._addObject(bookmarkObj)
outlineRef = self.getOutlineRoot()
if parent is None:
parent = outlineRef
parent = parent.getObject()
parent.addChild(bookmarkRef, self)
return bookmarkRef
def addBookmark(
self,
title,
pagenum,
parent=None,
color=None,
bold=False,
italic=False,
fit="/Fit",
*args
):
"""
Add a bookmark to this PDF file.
:param str title: Title to use for this bookmark.
:param int pagenum: Page number this bookmark will point to.
:param parent: A reference to a parent bookmark to create nested
bookmarks.
:param tuple color: Color of the bookmark as a red, green, blue tuple
from 0.0 to 1.0
:param bool bold: Bookmark is bold
:param bool italic: Bookmark is italic
:param str fit: The fit of the destination page. See
:meth:`addLink()<addLink>` for details.
"""
pageRef = self.getObject(self._pages)["/Kids"][pagenum]
action = DictionaryObject()
zoomArgs = []
for a in args:
if a is not None:
zoomArgs.append(NumberObject(a))
else:
zoomArgs.append(NullObject())
dest = Destination(
NameObject("/" + title + " bookmark"), pageRef, NameObject(fit), *zoomArgs
)
destArray = dest.getDestArray()
action.update(
{NameObject("/D"): destArray, NameObject("/S"): NameObject("/GoTo")}
)
actionRef = self._addObject(action)
outlineRef = self.getOutlineRoot()
if parent is None:
parent = outlineRef
bookmark = TreeObject()
bookmark.update(
{
NameObject("/A"): actionRef,
NameObject("/Title"): createStringObject(title),
}
)
if color is not None:
bookmark.update(
{NameObject("/C"): ArrayObject([FloatObject(c) for c in color])}
)
this_format = 0
if italic:
this_format += 1
if bold:
this_format += 2
if this_format:
bookmark.update({NameObject("/F"): NumberObject(this_format)})
bookmarkRef = self._addObject(bookmark)
parent = parent.getObject()
parent.addChild(bookmarkRef, self)
return bookmarkRef
def addNamedDestinationObject(self, dest):
destRef = self._addObject(dest)
nd = self.getNamedDestRoot()
nd.extend([dest["/Title"], destRef])
return destRef
def addNamedDestination(self, title, pagenum):
pageRef = self.getObject(self._pages)["/Kids"][pagenum]
dest = DictionaryObject()
dest.update(
{
NameObject("/D"): ArrayObject(
[pageRef, NameObject("/FitH"), NumberObject(826)]
),
NameObject("/S"): NameObject("/GoTo"),
}
)
destRef = self._addObject(dest)
nd = self.getNamedDestRoot()
nd.extend([title, destRef])
return destRef