This repository has been archived by the owner on Oct 9, 2023. It is now read-only.
forked from Bouke/docx-mailmerge
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmailmerge.py
323 lines (270 loc) · 13.9 KB
/
mailmerge.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
from copy import deepcopy
import re
from lxml.etree import Element
from lxml import etree
from zipfile import ZipFile, ZIP_DEFLATED
NAMESPACES = {
'w': 'http://schemas.openxmlformats.org/wordprocessingml/2006/main',
'mc': 'http://schemas.openxmlformats.org/markup-compatibility/2006',
'ct': 'http://schemas.openxmlformats.org/package/2006/content-types',
}
CONTENT_TYPES_PARTS = (
'application/vnd.openxmlformats-officedocument.wordprocessingml.document.main+xml',
'application/vnd.openxmlformats-officedocument.wordprocessingml.header+xml',
'application/vnd.openxmlformats-officedocument.wordprocessingml.footer+xml',
)
CONTENT_TYPE_SETTINGS = 'application/vnd.openxmlformats-officedocument.wordprocessingml.settings+xml'
class MailMerge(object):
def __init__(self, file, remove_empty_tables=False):
self.zip = ZipFile(file)
self.parts = {}
self.settings = None
self._settings_info = None
self.remove_empty_tables = remove_empty_tables
try:
content_types = etree.parse(self.zip.open('[Content_Types].xml'))
for file in content_types.findall('{%(ct)s}Override' % NAMESPACES):
type = file.attrib['ContentType' % NAMESPACES]
if type in CONTENT_TYPES_PARTS:
zi, self.parts[zi] = self.__get_tree_of_file(file)
elif type == CONTENT_TYPE_SETTINGS:
self._settings_info, self.settings = self.__get_tree_of_file(file)
to_delete = []
r = re.compile(r' MERGEFIELD +"?([^ ]+?)"? +(|\\\* MERGEFORMAT )', re.I)
for part in self.parts.values():
for parent in part.findall('.//{%(w)s}fldSimple/..' % NAMESPACES):
for idx, child in enumerate(parent):
if child.tag != '{%(w)s}fldSimple' % NAMESPACES:
continue
instr = child.attrib['{%(w)s}instr' % NAMESPACES]
m = r.match(instr)
if m is None:
continue
parent[idx] = Element('MergeField', name=m.group(1))
for parent in part.findall('.//{%(w)s}instrText/../..' % NAMESPACES):
children = list(parent)
fields = zip(
[children.index(e) for e in
parent.findall('{%(w)s}r/{%(w)s}fldChar[@{%(w)s}fldCharType="begin"]/..' % NAMESPACES)],
[children.index(e) for e in
parent.findall('{%(w)s}r/{%(w)s}fldChar[@{%(w)s}fldCharType="end"]/..' % NAMESPACES)]
)
for idx_begin, idx_end in fields:
# consolidate all instrText nodes between'begin' and 'end' into a single node
begin = children[idx_begin]
instr_elements = [e for e in
begin.getparent().findall('{%(w)s}r/{%(w)s}instrText' % NAMESPACES)
if idx_begin < children.index(e.getparent()) < idx_end]
if len(instr_elements) == 0:
continue
# set the text of the first instrText element to the concatenation
# of all the instrText element texts
instr_text = ''.join([e.text for e in instr_elements])
instr_elements[0].text = instr_text
# delete all instrText elements except the first
for instr in instr_elements[1:]:
instr.getparent().remove(instr)
m = r.match(instr_text)
if m is None:
continue
parent[idx_begin] = Element('MergeField', name=m.group(1))
# use this so we know *where* to put the replacement
instr_elements[0].tag = 'MergeText'
block = instr_elements[0].getparent()
# append the other tags in the w:r block too
parent[idx_begin].extend(list(block))
to_delete += [(parent, parent[i + 1])
for i in range(idx_begin, idx_end)]
for parent, child in to_delete:
parent.remove(child)
# Remove mail merge settings to avoid error messages when opening document in Winword
if self.settings:
settings_root = self.settings.getroot()
mail_merge = settings_root.find('{%(w)s}mailMerge' % NAMESPACES)
if mail_merge is not None:
settings_root.remove(mail_merge)
except:
self.zip.close()
raise
def __get_tree_of_file(self, file):
fn = file.attrib['PartName' % NAMESPACES].split('/', 1)[1]
zi = self.zip.getinfo(fn)
return zi, etree.parse(self.zip.open(zi))
def write(self, file):
# Replace all remaining merge fields with empty values
for field in self.get_merge_fields():
self.merge(**{field: ''})
with ZipFile(file, 'w', ZIP_DEFLATED) as output:
for zi in self.zip.filelist:
if zi in self.parts:
xml = etree.tostring(self.parts[zi].getroot())
output.writestr(zi.filename, xml)
elif zi == self._settings_info:
xml = etree.tostring(self.settings.getroot())
output.writestr(zi.filename, xml)
else:
output.writestr(zi.filename, self.zip.read(zi))
def get_merge_fields(self, parts=None):
if not parts:
parts = self.parts.values()
fields = set()
for part in parts:
for mf in part.findall('.//MergeField'):
fields.add(mf.attrib['name'])
return fields
def merge_templates(self, replacements, separator, type):
"""
Duplicate template. Creates a copy of the template, does a merge, and separates the them by a break or a new section break (separator argument : 'break' or 'section').
the 'type' argument determines witch type of break or new section is inserted :
For Break, types can be :
- 'page' : Page Break. When the item is serialized out as xml, its value is "page".
- 'column' : Column Break. When the item is serialized out as xml, its value is "column". ONLY HAVE EFFECT IF DOCUMENT HAVE COLUMNS
- 'textWrapping' : Line Break. When the item is serialized out as xml, its value is "textWrapping".
For New section, types can be :
- 'continuous' : Begins the section on the next paragraph.
- 'evenPage' : The section begins on the next even-numbered page, leaving the next odd page blank if necessary.
- 'nextColumn' : The section begins on the following column on the page. ONLY HAVE EFFECT IF DOCUMENT HAVE COLUMNS
- 'nextPage' : The section begins on the following page.
- 'oddPage' : The section begins on the next odd-numbered page, leaving the next even page blank if necessary.
"""
#TO DO : TYPE PARAM CONTROL
#GET ROOT - WORK WITH DOCUMENT
for part in self.parts.values():
root = part.getroot()
tag = root.tag
if tag == '{%(w)s}ftr' % NAMESPACES or tag == '{%(w)s}hdr' % NAMESPACES:
continue
if separator == 'section':
#FINDING FIRST SECTION OF THE DOCUMENT
firstSection = root.find("w:body/w:p/w:pPr/w:sectPr", namespaces=NAMESPACES)
if firstSection == None:
firstSection = root.find("w:body/w:sectPr", namespaces=NAMESPACES)
#MODIFY TYPE ATTRIBUTE OF FIRST SECTION FOR MERGING
nextPageSec = deepcopy(firstSection)
for child in nextPageSec:
#Delete old type if exist
if child.tag == '{%(w)s}type' % NAMESPACES:
nextPageSec.remove(child)
#Create new type "nextPage" - to do : replace with parameter option
newType = etree.SubElement(nextPageSec, '{%(w)s}type' % NAMESPACES)
newType.set('{%(w)s}val' % NAMESPACES, type)
#REPLACING FIRST SECTION
secRoot = firstSection.getparent()
secRoot.replace(firstSection, nextPageSec)
#FINDING LAST SECTION OF THE DOCUMENT
lastSection = root.find("w:body/w:sectPr", namespaces=NAMESPACES)
#SAVING LAST SECTION
mainSection = deepcopy(lastSection)
lsecRoot = lastSection.getparent()
lsecRoot.remove(lastSection)
#COPY CHILD ELEMENTS OF BODY IN A LIST
childrenList = root.findall('w:body/*', namespaces=NAMESPACES)
#DELETE ALL SUBELEMENTS OF BODY
for child in root:
if child.tag == '{%(w)s}body' % NAMESPACES:
child.clear()
#REFILL BODY AND MERGE DOCS - ADD LAST SECTION ENCAPSULATED OR NOT
lr = len(replacements)
lc = len(childrenList)
parts = []
for i, repl in enumerate(replacements):
for (j, n) in enumerate(childrenList):
element = deepcopy(n)
for child in root:
if child.tag == '{%(w)s}body' % NAMESPACES:
child.append(element)
parts.append(element)
if (j + 1) == lc:
if (i + 1) == lr:
child.append(mainSection)
parts.append(mainSection)
else:
if separator == 'section':
intSection = deepcopy(mainSection)
p = etree.SubElement(child, '{%(w)s}p' % NAMESPACES)
pPr = etree.SubElement(p, '{%(w)s}pPr' % NAMESPACES)
pPr.append(intSection)
parts.append(p)
elif separator == 'break':
pb = etree.SubElement(child, '{%(w)s}p' % NAMESPACES)
r = etree.SubElement(pb, '{%(w)s}r' % NAMESPACES)
nbreak = Element('{%(w)s}br' % NAMESPACES)
nbreak.attrib['{%(w)s}type' % NAMESPACES] = type
r.append(nbreak)
self.merge(parts, **repl)
def merge_pages(self, replacements):
"""
Deprecated method.
"""
print('Please note that this method is deprecated. Use merge_templates method instead')
self.merge_templates(replacements, "break", "page")
def merge(self, parts=None, **replacements):
if not parts:
parts = self.parts.values()
for field, replacement in replacements.items():
if isinstance(replacement, list):
self.merge_rows(field, replacement)
else:
for part in parts:
self.__merge_field(part, field, replacement)
def __merge_field(self, part, field, text):
for mf in part.findall('.//MergeField[@name="%s"]' % field):
children = list(mf)
mf.clear() # clear away the attributes
mf.tag = '{%(w)s}r' % NAMESPACES
mf.extend(children)
nodes = []
# preserve new lines in replacement text
text = text or '' # text might be None
text_parts = text.replace('\r', '').split('\n')
for i, text_part in enumerate(text_parts):
text_node = Element('{%(w)s}t' % NAMESPACES)
text_node.text = text_part
nodes.append(text_node)
# if not last node add new line node
if i < (len(text_parts) - 1):
nodes.append(Element('{%(w)s}br' % NAMESPACES))
ph = mf.find('MergeText')
if ph is not None:
# add text nodes at the exact position where
# MergeText was found
index = mf.index(ph)
for node in reversed(nodes):
mf.insert(index, node)
mf.remove(ph)
else:
mf.extend(nodes)
def merge_rows(self, anchor, rows):
table, idx, template = self.__find_row_anchor(anchor)
if table is not None:
if len(rows) > 0:
del table[idx]
for i, row_data in enumerate(rows):
row = deepcopy(template)
self.merge([row], **row_data)
table.insert(idx + i, row)
else:
# if there is no data for a given table
# we check whether table needs to be removed
if self.remove_empty_tables:
parent = table.getparent()
parent.remove(table)
def __find_row_anchor(self, field, parts=None):
if not parts:
parts = self.parts.values()
for part in parts:
for table in part.findall('.//{%(w)s}tbl' % NAMESPACES):
for idx, row in enumerate(table):
if row.find('.//MergeField[@name="%s"]' % field) is not None:
return table, idx, row
return None, None, None
def __enter__(self):
return self
def __exit__(self, type, value, traceback):
self.close()
def close(self):
if self.zip is not None:
try:
self.zip.close()
finally:
self.zip = None