-
Notifications
You must be signed in to change notification settings - Fork 6
/
get_voyage.py
218 lines (181 loc) · 6.66 KB
/
get_voyage.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
import urllib.request, bz2, io, os, sys, re, shutil
#from dateparser.search import search_dates # This one is worse than datefinder
from datefinder import find_dates # Maybe try sutime instead? (but needs Java)
from collections import OrderedDict
from multiprocessing import cpu_count
from glob import glob
from random import shuffle, seed
from lib.WikiExtractor import process_dump
from lib.utils import Document
seed(42)
script_dir = os.path.dirname(os.path.realpath(__file__)) + os.sep
def get_dump(dump_file="enwikivoyage-latest-pages-articles.xml"):
"""Downloads dump file"""
dump_url = "https://dumps.wikimedia.org/enwikivoyage/latest/enwikivoyage-latest-pages-articles.xml.bz2"
req = urllib.request.urlopen(dump_url)
CHUNK = 16 * 1024
decompressor = bz2.BZ2Decompressor()
with io.open(dump_file, 'wb') as fp:
while True:
chunk = req.read(CHUNK)
if not chunk:
break
fp.write(decompressor.decompress(chunk))
req.close()
def reformat_text(text):
def leap(year):
year = int(year)
if year % 4 > 0:
return False
elif year % 100 > 0:
return True
elif year % 400 >0:
return False
else:
return True
# Remove XML except hyperlinks and headings
text = text.replace(">",">").replace("<","<").replace("&","&").replace(" "," ")
text = re.sub(r"<(/a|a [^<>]*)>",r"#@Q\1Q@#",text)
text = re.sub(r"<(/?h[0-9])>",r"#@Q\1Q@#",text)
text = re.sub('<[^<>]+>','',text)
text = text.replace("#@Q","<").replace("Q@#",">")
# Mark up
text = re.sub(r'<h[0-9]>([^\n<>]+)</h[0-9]>', r"<head>\1</head>", text)
text = re.sub(r'(<a href)', r"<ref target", text)
text = re.sub(r'(target="[^"]+)%3A', r"\1:", text)
text = re.sub(r'(</?)a([ >])', r"\1ref\2", text)
text = re.sub(r'BULLET::::-?([^\n]+)', r"<item>\1</item>", text)
text = re.sub(r'^([^<\s][^\n]*)$',r'<p>\1</p>',text,flags=re.MULTILINE)
text = re.sub(r'♡❤♡([^❤♡]+)♡❤♡', r'<hi rend="bold">\1</hi>', text)
text = re.sub(r'♡❤([^❤♡]+)♡❤', r'<hi rend="italic">\1</hi>', text)
text = re.sub(r' +', r" ", text)
pats = [(r'((<item>.*?</item>\n?)+)',r'<list type="unordered">\n\1</list>\n')]
text = text.replace(""",'"')
for pat in pats:
text = re.sub(pat[0], pat[1], text,flags=re.MULTILINE|re.DOTALL)
dates = find_dates(text,source=True,strict=True) # Non-strict finds garbage
unique_dates = set([])
if dates is not None:
for d in dates:
date_spec, date_text = d
if len(date_text) < 4:
continue
year, month, day = date_spec.year, date_spec.month, date_spec.day
if year == 0:
year = "xxxx"
else:
year = str(year)
if month == 0 and day == 0:
when = '<date when="'+year+'">'
unique_dates.add((date_text,when))
continue
elif month == 0:
continue
month = str(month)
if len(month) ==1:
month = "0" + month
if day == 0:
start = year + "-" + month + "-01"
end = "31" if month in ["01","03","05","07","08","10","12"] else "30"
if month == "02":
if leap(year):
end = "29"
else:
end = "28"
end = year + "-" + month + "-" + end
when = '<date notBefore="'+start+'" notAfter="' + end + '">'
else: # Full date
day = str(day)
if len(day) == 1:
day = "0"+day
when = '<date when="' + year + "-" + month + "-" + day + '">'
unique_dates.add((date_text,when))
for t, d in unique_dates:
text = text.replace(t,d+t+"</date>")
return text
if __name__ == "__main__":
MAX_PER_FILE = 10
dump_file = "enwikivoyage-latest-pages-articles.xml"
if not os.path.exists(script_dir + dump_file):
sys.stderr.write("o Downloading data\n")
get_dump(dump_file)
else:
sys.stderr.write("o Found cached download data\n")
if not os.path.exists(script_dir + "data"):
os.mkdir(script_dir + "data")
if not os.path.exists(script_dir + "data" + os.sep + "voyage"):
os.mkdir(script_dir + "data" + os.sep + "voyage")
# Set file size for WikiExtractor output
file_size = "1M"
power = 'kmg'.find(file_size[-1].lower()) + 1
file_size = int(file_size[:-1]) * 1024 ** power
# Get Wiki content
if not os.path.exists(script_dir + "data" + os.sep + "voyage" + os.sep + "AA"):
sys.stderr.write("o Extracting data with WikiExtractor\n")
template_file = script_dir + "lib" + os.sep + "voyage_templ.txt"
default_process_count = max(1, cpu_count() - 1)
default_process_count =1
# If templates file does not exist yet, this will start a LONG pass of all data to harvest templates, then run
# the extraction
from types import SimpleNamespace
options = SimpleNamespace(toHTML=True, keepLists=True)
process_dump(script_dir+dump_file, template_file, script_dir + "data" + os.sep + "voyage" + os.sep, file_size,
False, default_process_count)
else:
sys.stderr.write("o Found processed files in data" + os.sep + "voyage" + os.sep + "AA\n")
# Sample documents from 50 randomly selected files
all_docs = []
files = glob(script_dir + "data" + os.sep + "voyage" + os.sep + "**" + os.sep + "wiki*",recursive=True)
shuffle(files)
#files = files[:1]
for file_ in files:
current_file_docs = 0
docs = io.open(file_,encoding="utf8").read().split("</doc>")
if len(all_docs) > 600:
break
for doc in docs:
if current_file_docs > MAX_PER_FILE:
break
if len(all_docs) > 600:
break
if "<doc" not in doc:
continue
current_doc = Document(genre="voyage")
m = re.search('<doc id="([^"]*)" url="([^"]*)" title="([^"]*)"', doc)
current_doc.url = m.group(2)
current_doc.title = m.group(3)
text = re.sub('<doc[^<>]*?>', '', doc)
text = reformat_text(text)
if text.count(" ") < 400:
continue
if text.count(" ") > 1000:
# Truncate text at first section exceeding 1000 spaces
sections = text.split("<head>")
current_text = []
for section in sections:
prev_text = current_text
current_text.append(section)
if "".join(current_text).count(" ") > 1000 and "".join(prev_text).count(" ") > 400:
break
text = "<head>".join(current_text)
# Remove empty section
text = re.sub(r'<head>[^<>]+</head>\s*(?=(<head>|</text>|$))',r'',text)
current_doc.text = text
all_docs.append(current_doc)
current_file_docs += 1
if not os.path.exists(script_dir + "out"):
os.mkdir(script_dir + "out")
if not os.path.exists(script_dir + "out" + os.sep + "voyage"):
os.mkdir(script_dir + "out" + os.sep + "voyage")
else:
shutil.rmtree(script_dir + "out" + os.sep + "voyage")
os.mkdir(script_dir + "out" + os.sep + "voyage")
out_dir = script_dir + "out" + os.sep + "voyage" + os.sep
shuffle(all_docs)
for i, doc in enumerate(all_docs):
doc.docnum = i
doc.author= "Wikivoyage community (see URL)"
#doc.date_created = ?
#doc.date_modified = ?
doc.serialize(out_dir)
sys.stdout.write("\no Wrote " + str(len(all_docs)) + " documents\n")