-
Notifications
You must be signed in to change notification settings - Fork 10
/
thingdoc
executable file
·493 lines (409 loc) · 14.8 KB
/
thingdoc
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
#!/usr/bin/env python
#
# ThingDoc - things comment parser - http://thingdoc.org/
# Copyright (C) 2011 Josef Prusa <[email protected]>
# Copyright (C) 2011 Pavol Rusnak <[email protected]>
# See the file AUTHORS for all contributions
#
# 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 2 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/>.
VERSION = '1.0'
import os
import re
import shutil
import sys
import time
from jinja2 import Environment, FileSystemLoader
from optparse import OptionParser
class Thing:
def __init__(self):
self.id = None # unique id, root has id = 0 (numeric) which cannot be overriden
self.name = None # name of the thing
self.common = False # is this thing common?
self.assembled = False # is this thing assembled?
self.category = '' # category of the thing
self.type = '' # type of the thing (more detailed than category, e.g. RP, fastener, etc)
self.step = [] # assembly instructions (aka steps)
self.since = '' # since when does the thing exist (can be YYYY-MM-DD or some tag, e.g. "Mendel")
self.comment = [] # comments
self.image = None # thing image (filename with extension)
self.using = {} # dict of dependencies (id: cnt)
self.price = None # price of the thing (in $) - experimental
self.weight = None # weight of the thing (in grams) - experimental
self.time = None # how long does it take to assemble the part (in minutes) - experimental
self.desc = [] # description of the thing
def escape_latex(value):
if isinstance(value, str):
value = value.replace('\\ ', '@textbackslash@ ').replace('\\', '\\textbackslash ').replace('@textbackslash@', '\\textbackslash\\')
value = value.replace('^ ', '\\textasciicircum\\ ').replace('^', '\\textasciicircum ')
value = value.replace('~ ', '\\textasciitilde\\ ').replace('~', '\\textasciitilde ')
value = value.replace('| ', '\\textbar\\ ').replace('|', '\\textbar ')
for i in ('$', '%', '_', '#', '{', '}', '&'):
value = value.replace(i, '\\' + i)
return value
else:
return value
class ThingDoc:
parse_only_files = False;
def parse(self, indir, outdir, imagedir):
self.indir = indir
self.outdir = outdir
self.imagedir = imagedir
self.start = time.strftime('%Y/%m/%d %H:%M:%S')
self.datadir = os.path.dirname(os.path.abspath(__file__)) + '/data/'
self.jinja = Environment(loader = FileSystemLoader(self.datadir))
# register latex escaper
self.jinja.filters['el'] = escape_latex
self.tree = self.generate_tree()
try:
os.makedirs(self.outdir)
except:
pass
try:
os.chdir(self.outdir)
except:
self.fatal('Cannot switch to OUTDIR: %s' % self.outdir)
self.check_tree()
self.bom = self.extract_bom()
self.instr = self.extract_instructions(1)
def warning(self, string):
print >> sys.stderr, 'Warning:', string
def error(self, string):
print >> sys.stderr, 'Error:', string
def fatal(self, string):
print >> sys.stderr, 'Fatal:', string
sys.exit(1)
def process_file(self, absname, things):
try:
f = open(absname, 'r')
except IOError:
self.fatal('Cannot open file %s' % absname)
success = True
thing = None
linenum = 0
for line in f:
linenum += 1
if line.startswith('/**'):
if thing:
self.error('Start of the comment (/**) found but the previous one is still open (%s:%d)' % (absname, linenum))
success = False
thing = Thing()
continue
if line.startswith(' */'):
if not thing:
self.error('End of the comment ( */) found but there is no previous open one (%s:%d)' % (absname, linenum))
success = False
continue
if not thing.id:
self.error('Missing mandatory attribute @id (%s:%d)' % (absname, linenum))
success = False
if not thing.name:
self.error('Missing mandatory attribute @name (%s:%d)' % (absname, linenum))
success = False
if thing.id and thing.name:
if thing.id in things:
if thing.id == 1:
self.fatal('More than one @root detected!')
else:
self.error("Duplicate thing id: '%s' (%s:%d)" % (thing.id, absname, linenum))
success = False
else:
things[ thing.id ] = thing
thing = None
continue
if not thing:
continue # not in a comment
if not line.startswith(' * '):
if line.rstrip() != ' *': # ignore lines ' *'
self.error('Comment line does not start with a " * " (%s:%d)' % (absname, linenum))
success = False
continue
(key, _, value) = line[3:].strip().partition(' ')
if key == '@id':
thing.id = value
elif key == '@name':
thing.name = value
elif key == '@root':
thing.id = 1
elif key == '@common':
thing.common = True
elif key == '@assembled':
thing.assembled = True
elif key == '@since':
thing.since = value
elif key == '@category':
thing.category = value
elif key == '@type':
thing.type = value
elif key == '@step':
m = re.match('(.*)\[\[(.*)\]\]', value)
if m:
thing.step.append( {'text': m.group(1).strip(), 'img': m.group(2).strip()} )
else:
thing.step.append( {'text': value} )
elif key == '@comment':
thing.comment.append(value)
elif key == '@image':
thing.image = value
elif key == '@using':
(cnt, _, id) = value.partition(' ')
try:
cnt = int(cnt)
except:
id = cnt
cnt = 1
if id in thing.using:
thing.using[id] += cnt
else:
thing.using[id] = cnt
elif key == '@price':
thing.price = float(value)
elif key == '@weight':
thing.weight = float(value)
elif key == '@time':
thing.weight = float(time)
elif key.startswith('@'):
self.error('Unknown tag %s (%s:%d)' % (key, absname, linenum))
success = False
else:
if key:
thing.desc.append((key + ' ' + value).strip())
f.close()
return success
def generate_tree(self):
things = {}
for root, dirs, files in os.walk(os.path.abspath(self.indir)):
dirs[:] = [d for d in dirs if not d.startswith('.')]
for name in files:
# skip if the file is not supported document
if not os.path.splitext(name)[1] in ['.scad', '.tdoc']:
continue
if self.parse_only_files is not False:
if not name in self.parse_only_files:
continue
print name
absname = os.path.join(root, name)
self.process_file(absname, things)
return things
def check_tree(self):
if not 1 in self.tree:
self.fatal('Nothing was declared as @root')
# do iterative BFS on dependency graph
used = []
missing = []
queue = [1]
while queue:
thing = queue.pop()
if not thing in self.tree.iterkeys():
if not thing in missing:
missing.append(thing)
continue
if not thing in used:
used.append(thing)
queue += self.tree[thing].using.keys()
# do various alterations of items
if os.path.exists('%s/%s.jpg' % (self.imagedir, thing)):
self.tree[thing].image = '%s.jpg' % thing
elif os.path.exists('%s/%s.png' % (self.imagedir, thing)):
self.tree[thing].image = '%s.png' % thing
# handle unused things
for thing in self.tree.iterkeys():
if not thing in used:
self.warning("Thing '%s' is defined but unused" % thing)
valid = True
# handle undefined things
for thing in missing:
parents = []
for k, v in self.tree.iteritems():
if thing in v.using:
parents.append(k == 1 and '@root' or ("'" + k + "'"))
parents.sort()
self.error("Thing '%s' is not defined and required by: %s" % (thing, ', '.join(parents)))
valid = False
# detect oriented cycles
todo = self.tree.keys()
while todo:
node = todo.pop()
stack = [node]
while stack:
top = stack[-1]
for node in self.tree[top].using:
if node in stack:
self.error("Oriented cycle detected: '%s'" % ("' -> '".join(stack[stack.index(node):] + [node])))
valid = False
todo = []
stack = []
break
if node in todo:
stack.append(node)
todo.remove(node)
break
else:
node = stack.pop()
if not valid:
self.fatal('Tree validation failed, see errors above')
def print_tree(self):
# perform iterative DFS on tree
queue = [(1, 0, -1)]
while queue:
(id, cnt, level) = queue.pop(0)
if id == 1:
print '@root', '(' + self.tree[id].name + ')'
else:
print level * ' ', '-', str(cnt) + 'x', self.tree[id].id, '(' + self.tree[id].name + ')'
queue = map(lambda (id, cnt): (id, cnt, level + 1), self.tree[id].using.iteritems()) + queue
def graphviz_tree(self):
print 'digraph thingdoc {'
print '\tnode [style=filled, colorscheme=pastel19];'
print '\tedge [dir=back];'
# perform iterative DFS on tree
queue = [(1, 0, ['root'])]
while queue:
(id, cnt, path) = queue.pop(0)
if id == 1:
print '\t"root"[label="%s", fillcolor=9];' % self.tree[id].name
else:
name = self.tree[id].name
if cnt > 1:
name = '%dx %s' % (cnt, name)
if self.tree[id].common:
color = 1
elif not self.tree[id].category:
color = 8
else:
i = self.bom.keys().index(self.tree[id].category)
color = (i % 6) + 2 # 2-7
print '\t"%s"[label="%s", fillcolor=%d];' % ('/'.join(path), name, color)
print '\t"%s" -> "%s";' % ('/'.join(path[:-1]), '/'.join(path))
queue = map(lambda (id, cnt): (id, cnt, path + [id]), self.tree[id].using.iteritems()) + queue
print '}'
def extract_bom(self):
# perform iterative BFS on tree
queue = [ self.tree[1].using.items() ]
bom = {}
while queue:
using = queue.pop(0)
for (id, cnt) in using:
thing = self.tree[id]
if thing.category in bom:
if id in bom[thing.category]:
bom[thing.category][id] += cnt
else:
bom[thing.category][id] = cnt
else:
if thing.category:
bom[thing.category] = {id: cnt}
queue += [ map(lambda (a, b): (a, b*cnt), thing.using.items()) ]
return bom
def extract_instructions(self, id):
# perform recursive DFS on tree
instr = []
for cid in self.tree[id].using:
instr += self.extract_instructions(cid)
if self.tree[id].step:
instr.append( [id] + self.tree[id].step )
return instr
def generate_bom(self):
try:
f = open('bill-of-materials.txt', 'w')
except:
self.error('Cannot create bom.txt')
return
template = self.jinja.get_template('template.bom')
f.write(template.render(title = self.tree[1].name, start = self.start, tree = self.tree, bom = self.bom))
f.close()
def generate_html(self):
try:
f = open('documentation.html', 'w')
except:
self.error('Cannot create documentation.html')
return
try:
os.mkdir('html_data')
except:
pass
# copy static files
for i in ('facebox.css', 'facebox.js', 'iphone.css', 'jquery.js', 'jquery.cookie.js', 'logo.png', 'logo120.png', 'thingdoc.css', 'thingdoc.js'):
shutil.copy(self.datadir + i, 'html_data/' + i)
template = self.jinja.get_template('template.html')
f.write(template.render(title = self.tree[1].name, unique="153431534841", titleimg = self.tree[1].image, titledesc = self.tree[1].desc, start = self.start, tree = self.tree, bom = self.bom, instr = self.instr, imagedir = self.imagedir))
f.close()
def generate_wiki(self):
try:
f = open('documentation.wiki', 'w')
except:
self.error('Cannot create documentation.wiki')
return
template = self.jinja.get_template('template.wiki')
f.write(template.render(tree = self.tree, bom = self.bom))
f.close()
def generate_tex(self):
try:
f = open('documentation.tex', 'w')
except:
self.error('Cannot create documentation.tex')
return
# copy static files
for i in ('logo.png', ):
shutil.copy(self.datadir + i, i)
template = self.jinja.get_template('template.tex')
f.write(template.render(title = self.tree[1].name, titleimg = self.tree[1].image, titledesc = self.tree[1].desc, start = self.start, tree = self.tree, bom = self.bom, instr = self.instr, imagedir = self.imagedir))
f.close()
parse_only_temp = False;
def parse_only(option, opt, value, parser):
global parse_only_temp
parse_only_temp = [i.split("/")[-1] for i in value.split(',')]
def main():
parser = OptionParser(
version = 'ThingDoc ' + VERSION,
epilog = 'If none of --bom, --html, --tex, --wiki are provided then all 4 types are generated.')
parser.add_option('-i', '--indir', dest = 'indir', default = '.', help = 'start scanning in INDIR directory (current by default)', metavar = 'INDIR')
parser.add_option('-o', '--outdir', dest = 'outdir', default = 'docs', help = 'use OUTDIR as output directory ("docs" by default)', metavar = 'OUTDIR')
parser.add_option('--imagedir', dest = 'imagedir', default = 'images', help = 'use IMAGEDIR directory (relative to OUTDIR) to look for images used in HTML and TeX ("images" by default)', metavar = 'IMAGEDIR')
parser.add_option('-l', '--lint', dest = 'lint', default = None, help = 'check syntax in FILE and exit', metavar = 'FILE')
parser.add_option('-b', '--bom', action = 'store_true', dest = 'bom', default = False, help = 'generate Bill of Materials')
parser.add_option('-m', '--html', action = 'store_true', dest = 'html', default = False, help = 'generate HTML (markup) documentation')
parser.add_option('-t', '--tex', action = 'store_true', dest = 'tex', default = False, help = 'generate TeX documentation')
parser.add_option('-w', '--wiki', action = 'store_true', dest = 'wiki', default = False, help = 'generate Wiki documentation')
parser.add_option('-p', '--print', action = 'store_true', dest = 'tree', default = False, help = 'print tree of things and exit (text mode)')
parser.add_option('-g', '--graph', action = 'store_true', dest = 'graphviz', default = False, help = 'generate graphviz document')
parser.add_option('-x', '--parse-only', type='string', action='callback', callback=parse_only)
(options, _) = parser.parse_args()
if not options.bom and not options.html and not options.tex and not options.wiki:
options.bom = options.html = options.tex = options.wiki = True
thingdoc = ThingDoc()
thingdoc.parse_only_files = parse_only_temp
if options.lint:
if thingdoc.process_file(options.lint, {}):
print 'No syntax errors detected'
sys.exit(0)
else:
sys.exit(1)
thingdoc.parse(options.indir, options.outdir, options.imagedir)
if options.tree:
thingdoc.print_tree()
return
if options.graphviz:
thingdoc.graphviz_tree()
return
if options.bom:
thingdoc.generate_bom()
if options.html:
thingdoc.generate_html()
if options.tex:
thingdoc.generate_tex()
if options.wiki:
thingdoc.generate_wiki()
print 'All Done!'
if __name__ == '__main__':
main()