-
Notifications
You must be signed in to change notification settings - Fork 208
/
Copy pathupdate_cc4_includes.py
executable file
·286 lines (254 loc) · 10.3 KB
/
update_cc4_includes.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
#!/usr/bin/env python3
# Copyright 2017 Creative Commons
# Written by Affinity Bridge
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
# Standard library
from pathlib import Path
import getopt
import os
import re
import sys
# Local/library specific
import lang_tag_to
class UpdateLicenseCode(object):
"""Add common elements -- current Site Header, Site Footer, and Head
statements -- to licence code HTML files."""
placeholders = {
"head": (
"<!-- Head Start - DO NOT DELETE -->",
"<!-- Head End - DO NOT DELETE -->",
),
"header": (
"<!-- Site Header Start - DO NOT DELETE -->",
"<!-- Site Header End - DO NOT DELETE -->",
),
"footer": (
"<!-- Site Footer Start - DO NOT DELETE -->",
"<!-- Site Footer End - DO NOT DELETE -->",
),
"language-selector": (
"<!-- Language Selector Start - DO NOT DELETE -->",
"<!-- Language Selector End - DO NOT DELETE -->",
),
"language-footer": (
"<!-- Language Footer Start - DO NOT DELETE -->",
"<!-- Language Footer End - DO NOT DELETE -->",
),
}
languages = {}
license_data = {}
license_types = []
iso_to_language = lang_tag_to.LABEL
lang_sel_text = lang_tag_to.SELECT_TEXT
def usage(self):
print("")
print("update_cc4_includes.py [-av]")
print(" -v: Verbose output")
print("")
print(" e.g. update_cc4_includes.py")
print(" update_cc4_includes.py -v")
def log(self, message, type="standard"):
if (type == "standard") or (type == "verbose" and self.verbose):
print(message)
def get_args(self):
"""Get arguments/options and set corresponding flags. On validation
error print usage help"""
try:
opts, args = getopt.getopt(sys.argv[1:], "v")
except getopt.GetoptError:
self.usage()
return False
self.verbose = False
for option in opts:
if "-v" in option:
self.verbose = True
return True
def get_path(self):
"""Where are the licenses?"""
self.path = False
path = Path.cwd()
pathdir = path.name
if pathdir == "legalcode":
self.path = path
if pathdir == "docroot":
self.path = path / "legalcode"
if pathdir == "tools":
self.path = path.parent / "docroot" / "legalcode"
if not self.path:
print("Please run from within the checked-out project.")
if self.path:
self.includes_path = Path(f"{sys.path[0]}/legalcode-includes")
return self.path is not False
def process_files(self, filelist):
"""File processing loop"""
languages = {}
license_types = []
# pre-process
for filepath in filelist:
license_data = self.parse_filename(filepath)
type_ = license_data["type"]
license_types.append(type_)
if type_ not in languages:
languages[type_] = []
languages[type_].append(license_data["language"])
self.license_data[filepath] = license_data
# sort and store data
self.license_types = sorted(list(set(license_types)))
for type_ in self.license_types:
self.languages[type_] = []
self.languages[type_] = sorted(list(set(languages[type_])))
# process files
for filepath in filelist:
self.process_file(filepath)
def process_file(self, filepath):
"""Verify the required placeholders exist and update file with common
elements"""
self.log(f"\nProcessing: {filepath.name}", "verbose")
with filepath.open(encoding="utf-8") as infile:
content = infile.read()
if self.has_placeholders(content):
self.log(f" Updating content: {filepath.name}", "verbose")
content = self.add_includes(content)
content = self.add_language_selector(content, filepath)
content = self.add_language_footer(content, filepath)
with filepath.open("w", encoding="utf-8") as outfile:
outfile.write(content)
else:
self.log(
f" No placeholders, skipping: {filepath.name}", "standard"
)
return
def add_includes(self, content):
"""Add the appropriate includes"""
for placeholder_pair in UpdateLicenseCode.placeholders:
start, end = UpdateLicenseCode.placeholders[placeholder_pair]
includefile = False
if placeholder_pair == "head":
includefile = self.includes_path / "html-head.html"
elif placeholder_pair == "header":
includefile = self.includes_path / "site-header.html"
elif placeholder_pair == "footer":
includefile = self.includes_path / "site-footer.html"
if not includefile:
continue
with includefile.open() as infile:
includetext = infile.read()
replacement = f"{start}\n{includetext}\n{end}"
target_string = re.search(
f"{start}.*?{end}", content, re.DOTALL
).group()
content = content.replace(target_string, replacement, 1)
return content
def add_language_selector(self, content, filepath):
"""Build and insert a language selector dropdown list."""
license_data = self.license_data[filepath]
current_language = license_data["language"]
sibling_languages = self.languages[license_data["type"]]
selector = (
'<div id="language-selector-block" class="container">'
'\n<div class="language-selector-inner">'
f"\n{self.lang_sel_text[current_language]}"
'\n<img class="language-icon"'
' src="/images/language_icon_x2.png" alt="Languages">'
"\n<select>"
)
for iso_code in sibling_languages:
# Set the selected option to the current language of the page
selected = ""
if iso_code == current_language:
selected = ' selected="selected"'
# Determine to option value for the language. English breaks the
# pattern so handle it differently.
option_value = f"legalcode.{iso_code}"
if iso_code == "en":
option_value = "legalcode"
# Add the selector vlaue
selector = (
f'{selector}\n<option value="{option_value}"{selected}>'
f"{self.iso_to_language[iso_code]}"
"</option>"
)
selector = f"{selector}\n</select>\n</div>\n</div>"
# Add the language selector block to the content
start, end = UpdateLicenseCode.placeholders["language-selector"]
target_string = re.search(
f"{start}.*?{end}", content, re.DOTALL
).group()
replacement = f"{start}\n{selector}\n{end}"
content = content.replace(target_string, replacement, 1)
return content
def add_language_footer(self, content, filepath):
"""Build and insert a language footer dropdown list."""
license_data = self.license_data[filepath]
current_language = license_data["language"]
sibling_languages = self.languages[license_data["type"]]
footer = ""
for i, iso_code in enumerate(sibling_languages):
if iso_code == current_language:
continue
# Determine to option value for the language. English breaks the
# pattern so handle it differently.
index = f"legalcode.{iso_code}"
if iso_code == "en":
index = "legalcode"
link = (
f'<a href="/licenses/{license_data["type"]}/4.0/{index}">'
f"{self.iso_to_language[iso_code]}</a>,\n"
)
footer = f"{footer}{link}"
footer = footer.rstrip(",\n")
# Add the language footer block to the content
start, end = UpdateLicenseCode.placeholders["language-footer"]
target_string = re.search(
f"{start}.*?{end}", content, re.DOTALL
).group()
if current_language in ["ja", "zh-Hans", "zh-Hant"]:
# Use ideographic full stop ("。")
period = "\u3002"
else:
# Use ASCII period
period = "."
replacement = f"{start}\n{footer}{period}\n{end}"
content = content.replace(target_string, replacement, 1)
return content
def parse_filename(self, filepath):
license_info = filepath.name[0:-5].split("_")
type = license_info[0]
version = license_info[1]
if len(license_info) > 2:
language = license_info[2]
else:
language = "en"
return {"type": type, "version": version, "language": language}
def has_placeholders(self, content):
"""Verify all of the required placeholders exist in a file"""
for placeholder_pair in UpdateLicenseCode.placeholders:
for placeholder in UpdateLicenseCode.placeholders[
placeholder_pair
]:
if content.find(placeholder) == -1:
return False
return True
def main(self):
"""Get the command line arguments, find the files, and process them"""
if self.get_args() and self.get_path():
file_list = [
f
for f in self.path.glob("*4.0*.html")
if not os.path.islink(f)
]
self.process_files(file_list)
if __name__ == "__main__":
updater = UpdateLicenseCode()
updater.main()