-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathtest.py
executable file
·164 lines (131 loc) · 5.09 KB
/
test.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
#!/usr/bin/env python
'''Sample code for a semantic checking parser
Simply run ::
./test.py
to see the error message. For more output ::
./test.py -l INFO
To parse an input file,
./test.py <filename>
'''
from sexp_parser import *
import sys
import argparse
from io import StringIO
PY3 = sys.version_info[0] == 3
if PY3:
string_types = str,
else:
string_types = basestring,
test_data = \
r'''
(module DIP-16_0 (layer F.Cu) (tedit 0)
(fp_text reference "REF \"**\"" (at -11.14 0 90) (layer F.SilkS)
(effects (font (size 1.2 1.2) (thickness 0.15)))
)
(fp_text oops DIP-16_0 (at 0 0) (layer F.Fab)
(effects (font (size 1.2 1.2 oops) (thickness 0.15)))
)
(fp_line_opps (start -9.94 7.399999) (end 9.94 7.4) (layer F.SilkS) (width 0.15))
(fp_line (start 9.94 7.4) (end 9.94 -7.399999) (layer F.SilkS) (width 0.15))
(pad 16 thru_hole circle (at -8.89 -6.35) (size 1.05 1.05) (drill 0.65) (layers *.Cu *.Mask F.SilkS))
(pad 1 thru_hole circle (at -8.89 6.35) (size 1.05 1.05) (drill 0.65) (layers *.Cu *.Mask F.SilkS))
)
'''
# All the pasreXXXX helpers are defined in sexp_parser.py. You can write your
# own following the same signature
# Expression (at x y angle) can have the optional <angle>
class ParserStrict(SexpParser):
def _parse(self,idx,_data):
raise KeyError('unknown key')
class ParserFont(ParserStrict):
_parse1_size = parseFloat2 # expression with two float atoms
_parse1_thickness = parseFloat1 # expression with one float
class ParserEffects(ParserStrict):
_parse1_font = ParserFont
class ParserText(ParserStrict):
def _pos0_parse(self,data): # Possible values: 'reference','value','user'
if not isinstance(data,string_types):
raise ValueError('expects atom')
if data not in ('reference','value','user'):
raise ValueError('unknown text value')
return Sexp(None,data)
_pos1_parse = parseAtom # Second atom to be text content
# (at ...) expression can have a third optional float for angle
def _parse1_at(self,data):
try:
return parseFloat2(self,data)
except:
return parseFloat3(self,data)
_parse1_layer = parseCopy1
_parse1_effects = ParserEffects
class ParserLine(ParserStrict):
_parse1_start = parseFloat2
_parse1_end = parseFloat2
_parse1_layer = parseCopy1
_parse1_width = parseFloat1
# Setup default values. You can either set the defaults in the sub-parser
# here, Or set it at the parent parsers using tuples. See ParserModule._defaults
_defaults = 'sub_line'
class ParserModule(ParserStrict):
_pos0_parse = parseAtom # first value to be an atom
_parse1_layer = parseCopy1 # sub expression with one atom
_parse1_tedit = parseInt1 # sub expression with one integer value
_parse_fp_text = ParserText # composite expression
_parse_fp_line = ParserLine # composite expression
_parse_pad = SexpParser # Feel lazy? Don't check pad expression?
# Just let SexpParser handle the rest
# Setup default values. Text entry means we want that key to be a SexpList
# even if there is none, or only one instance.
#
# If The entry is a tuple, then The first element of the tuple specifies
# the key we want for a SexpList default. The rest elements specifies the
# sub keys for that key we want for SexpList. Those sub keys can themselves
# be a tuple.
#
# You can create arbitrary complex defaults, by using Sexp directly
# as the default value(s). See the extreme example below. In most cases,
# you'll be better off writing a subclass(es) to take care of its own
# defaults
_defaults = \
'pad',\
'fp_line',\
'fp_circle',\
'fp_arc',\
('fp_text',\
((Sexp('fp_extra'),\
Sexp('fp_extra2')))),\
(Sexp('extra'), \
(Sexp('child1'),Sexp('grandchild'),'c2'),\
'child2',\
Sexp('child3',[1,3,4]))
def __init__(self,data):
super(ParserModule,self).__init__(data)
if self._key != 'module': # check the root key
raise TypeError('invalid header: {}'.format(self._key))
@staticmethod
def load(filename):
with open(filename,'r') as f:
return ParserModule(parseSexp(f.read()))
parser = argparse.ArgumentParser()
parser.add_argument("filename",nargs='?')
parser.add_argument("-l", "--log", dest="logLevel",
choices=['DEBUG', 'INFO', 'WARNING', 'ERROR', 'CRITICAL'],
help="Set the logging level")
args = parser.parse_args()
logging.basicConfig(level=args.logLevel,
format="%(filename)s:%(lineno)s: %(levelname)s - %(message)s")
if args.filename:
module = ParserModule.load(args.filename[0])
else:
module = ParserModule(parseSexp(test_data))
for e in getSexpError(module):
print(e)
print('\nkeys: ')
for k in module:
print('\t{}: {}'.format(k,module[k]))
# test parsing quoted string
quoted = module['fp_text'][0][1]
print('\nquoted string: %s -> %s\n' % (quoted, unquote(quoted)))
assert(unquote(quoted) == 'REF "**"')
print('\nexport:')
exportSexp(module,sys.stdout)