-
Notifications
You must be signed in to change notification settings - Fork 20
/
tab2opf.py
executable file
·331 lines (293 loc) · 9.73 KB
/
tab2opf.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
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
#
# Script for conversion of Stardict tabfile (<header>\t<definition>
# per line) into the OPF file for MobiPocket Dictionary
#
# For usage of dictionary convert it by:
# (wine) mobigen.exe DICTIONARY.opf
# or now...
# kindlegen DICTIONARY.opf
#
# MobiPocket Reader at: www.mobipocket.com for platforms:
# PalmOs, Windows Mobile, Symbian (Series 60, Series 80, 90, UIQ), Psion, Blackberry, Franklin, iLiad (by iRex), BenQ-Siemens, Pepper Pad..
# http://www.mobipocket.com/en/DownloadSoft/DownloadManualInstall.asp
# mobigen.exe available at:
# http://www.mobipocket.com/soft/prcgen/mobigen.zip
#
# Copyright (C) 2007 - Klokan Petr Přidal (www.klokan.cz)
# Copyright (C) 2015 - Alexander Peyser (github.com/apeyser)
#
#
# Version history:
# 0.1 (19.7.2007) Initial version
# 0.2 (2/2015) Rework removing encoding, runs on python3
#
# This library is free software; you can redistribute it and/or
# modify it under the terms of the GNU Library General Public
# License as published by the Free Software Foundation; either
# version 2 of the License, or (at your option) any later version.
#
# This library 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
# Library General Public License for more details.
#
# You should have received a copy of the GNU Library General Public
# License along with this library; if not, write to the
# Free Software Foundation, Inc., 59 Temple Place - Suite 330,
# Boston, MA 02111-1307, USA.
# VERSION
VERSION = "0.2"
import sys
import os
import argparse
from itertools import islice, count, groupby
from contextlib import contextmanager
import importlib
# Stop with the encoding -- it's broken anyhow
# in the kindles and undefined.
def normalizeLetter(ch):
try: ch = mapping[ch]
except KeyError: pass
return ch
def normalizeUnicode(text):
"""
Reduce some characters to something else
"""
return ''.join(normalizeLetter(c) for c in text)
# Args:
# --verbose
# --module: module to load and attempt to extract getdef, getkey & mapping
# --source: source language code (en by default)
# --target: target language code (en by default)
# file: the tab delimited file to read
def parseargs():
if len(sys.argv) < 1:
print("tab2opf (Stardict->MobiPocket)")
print("------------------------------")
print("Version: %s" % VERSION)
print("Copyright (C) 2007 - Klokan Petr Pridal")
print()
print("Usage: python tab2opf.py [-utf] DICTIONARY.tab")
print()
print("ERROR: You have to specify a .tab file")
sys.exit(1)
parser = argparse.ArgumentParser("tab2opf")
parser.add_argument("-v", "--verbose", help="make verbose",
action="store_true")
parser.add_argument("-m", "--module",
help="Import module for mapping, getkey, getdef")
parser.add_argument("-s", "--source", default="en", help="Source language")
parser.add_argument("-t", "--target", default="en", help="Target language")
parser.add_argument("file", help="tab file to input")
return parser.parse_args()
def loadmember(mod, attr, dfault):
if hasattr(mod, attr):
print("Loading {} from {}".format(attr, mod.__name__))
globals()[attr] = getattr(mod, attr)
else: globals()[attr] = dfault
def importmod():
global MODULE
if MODULE is None: mod = None
else:
mod = importlib.import_module(MODULE)
print("Loading methods from: {}".format(mod.__file__))
loadmember(mod, 'getkey', lambda key: key)
loadmember(mod, 'getdef', lambda dfn: dfn)
loadmember(mod, 'mapping', {})
args = parseargs()
VERBOSE = args.verbose
FILENAME = args.file
MODULE = args.module
INLANG = args.source
OUTLANG = args.target
importmod()
# add a single [term, definition]
# to defs[key]
# r is a tab split line
def readkey(r, defs):
try: term, defn = r.split('\t',1)
except ValueError:
print("Bad line: '{}'".format(r))
raise
term = term.strip()
defn = getdef(defn)
defn = defn.replace("\\\\","\\").\
replace(">", "\\>").\
replace("<", "\\<").\
replace("\\n","<br/>\n").\
strip()
nkey = normalizeUnicode(term)
key = getkey(nkey)
key = key.\
replace('"', "'").\
replace('<', '\\<').\
replace('>', '\\>').\
lower().strip()
nkey = nkey.\
replace('"', "'").\
replace('<', '\\<').\
replace('>', '\\>').\
lower().strip()
if key == '':
raise Exception("Missing key {}".format(term))
if defn == '':
raise Exception("Missing definition {}".format(term))
if VERBOSE: print(key, ":", term)
ndef = [term, defn, key == nkey]
if key in defs: defs[key].append(ndef)
else: defs[key] = [ndef]
# Skip empty lines and lines that only have a comment
def inclline(s):
s = s.lstrip()
return len(s) != 0 and s[0] != '#'
# Iterate over FILENAME, reading lines of
# term {tab} definition
# skips empty lines and commented out lines
#
def readkeys():
if VERBOSE: print("Reading {}".format(FILENAME))
with open(FILENAME,'r', encoding='utf-8') as fr:
defns = {}
for r in filter(inclline, fr):
readkey(r, defns)
return defns
# Write to key file {name}{n}.html
# put the body inside the context manager
# The onclick here gives a kindlegen warning
# but appears to be necessary to actually
# have a lookup dictionary
@contextmanager
def writekeyfile(name, i):
fname = "{}{}.html".format(name, i)
if VERBOSE: print("Key file: {}".format(fname))
with open(fname, 'w') as to:
to.write("""<?xml version="1.0" encoding="utf-8"?>
<html xmlns:idx="www.mobipocket.com" xmlns:mbp="www.mobipocket.com" xmlns:xlink="http://www.w3.org/1999/xlink">
<body>
<mbp:pagebreak/>
<mbp:frameset>
<mbp:slave-frame display="bottom" device="all" breadth="auto" leftmargin="0" rightmargin="0" bottommargin="0" topmargin="0">
<div align="center" bgcolor="yellow"/>
<a onclick="index_search()">Dictionary Search</a>
</div>
</mbp:slave-frame>
<mbp:pagebreak/>
""")
try: yield to
finally:
to.write("""
</mbp:frameset>
</body>
</html>
""")
# Order definitions by keys, then by whether the key
# matches the original term, then by length of term
# then alphabetically
def keyf(defn):
term = defn[0]
if defn[2]: l = 0
else: l = len(term)
return l, term
# Write into to the key, definition pairs
# key -> [[term, defn, key==term]]
def writekey(to, key, defn):
terms = iter(sorted(defn, key=keyf))
for term, g in groupby(terms, key=lambda d: d[0]):
to.write(
"""
<idx:entry name="word" scriptable="yes">
<h2>
<idx:orth value="{key}">{term}</idx:orth>
</h2>
""".format(term=term, key=key))
to.write('; '.join(ndefn for _, ndefn, _ in g))
to.write(
"""
</idx:entry>
"""
)
if VERBOSE: print(key)
# Write all the keys, where defns is a map of
# key --> [[term, defn, key==term]...]
# and name is the basename
# The files are split so that there are no more than
# 10,000 keys written to each file (why?? I dunno)
#
# Returns the number of files.
def writekeys(defns, name):
keyit = iter(sorted(defns))
for j in count():
with writekeyfile(name, j) as to:
keys = list(islice(keyit, 10000))
if len(keys) == 0: break
for key in keys:
writekey(to, key, defns[key])
return j+1
# After writing keys, the opf that references all the key files
# is constructed.
# openopf wraps the contents of writeopf
#
@contextmanager
def openopf(ndicts, name):
fname = "%s.opf" % name
if VERBOSE: print("Opf: {}".format(fname))
with open(fname, 'w') as to:
to.write("""<?xml version="1.0"?><!DOCTYPE package SYSTEM "oeb1.ent">
<!-- the command line instruction 'prcgen dictionary.opf' will produce the dictionary.prc file in the same folder-->
<!-- the command line instruction 'mobigen dictionary.opf' will produce the dictionary.mobi file in the same folder-->
<package unique-identifier="uid" xmlns:dc="Dublin Core">
<metadata>
<dc-metadata>
<dc:Identifier id="uid">{name}</dc:Identifier>
<!-- Title of the document -->
<dc:Title><h2>{name}</h2></dc:Title>
<dc:Language>EN</dc:Language>
</dc-metadata>
<x-metadata>
<output encoding="utf-8" flatten-dynamic-dir="yes"/>
<DictionaryInLanguage>{source}</DictionaryInLanguage>
<DictionaryOutLanguage>{target}</DictionaryOutLanguage>
</x-metadata>
</metadata>
<!-- list of all the files needed to produce the .prc file -->
<manifest>
""".format(name=name, source=INLANG, target=OUTLANG))
yield to
to.write("""
<tours/>
<guide> <reference type="search" title="Dictionary Search" onclick= "index_search()"/> </guide>
</package>
"""
)
# Write the opf that describes all the key files
def writeopf(ndicts, name):
with openopf(ndicts, name) as to:
for i in range(ndicts):
to.write(
""" <item id="dictionary{ndict}" href="{name}{ndict}.html" media-type="text/x-oeb1-document"/>
""".format(ndict=i, name=name))
to.write("""
</manifest>
<!-- list of the html files in the correct order -->
<spine>
"""
)
for i in range(ndicts):
to.write("""
<itemref idref="dictionary{ndict}"/>
""".format(ndict=i))
to.write("""
</spine>
""")
######################################################
# main
######################################################
print("Reading keys")
defns = readkeys()
name = os.path.splitext(os.path.basename(FILENAME))[0]
print("Writing keys")
ndicts = writekeys(defns, name)
print("Writing opf")
writeopf(ndicts, name)