]> sigrok.org Git - libsigrokdecode.git/blame - decoders/graycode/pd.py
decoders: Add/update tags for each PD.
[libsigrokdecode.git] / decoders / graycode / pd.py
CommitLineData
b9b63977
CR
1##
2## This file is part of the libsigrokdecode project.
3##
4## Copyright (C) 2017 Christoph Rackwitz <christoph.rackwitz@rwth-aachen.de>
5##
6## This program is free software; you can redistribute it and/or modify
7## it under the terms of the GNU General Public License as published by
8## the Free Software Foundation; either version 2 of the License, or
9## (at your option) any later version.
10##
11## This program is distributed in the hope that it will be useful,
12## but WITHOUT ANY WARRANTY; without even the implied warranty of
13## MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14## GNU General Public License for more details.
15##
16## You should have received a copy of the GNU General Public License
17## along with this program; if not, see <http://www.gnu.org/licenses/>.
18##
19
20import math
21import sigrokdecode as srd
22from collections import deque
c413347e 23from common.srdhelper import bitpack, bitunpack
b9b63977
CR
24
25def gray_encode(plain):
26 return plain & (plain >> 1)
27
28def gray_decode(gray):
29 temp = gray
30 temp ^= (temp >> 8)
31 temp ^= (temp >> 4)
32 temp ^= (temp >> 2)
33 temp ^= (temp >> 1)
34 return temp
35
36def prefix_fmt(value, emin=None):
37 sgn = (value > 0) - (value < 0)
38 value = abs(value)
39 p = math.log10(value) if value else 0
40 value = sgn * math.floor(value * 10**int(3 - p)) * 10**-int(3 - p)
41 e = p // 3 * 3
42 if emin is not None and e < emin:
43 e = emin
44 value *= 10**-e
45 p -= e
46 decimals = 2 - int(p)
47 prefixes = {-9: 'n', -6: 'µ', -3: 'm', 0: '', 3: 'k', 6: 'M', 9: 'G'}
48 return '{0:.{1}f} {2}'.format(value, decimals, prefixes[e])
49
50class ChannelMapError(Exception):
51 pass
52
53class Value:
54 def __init__(self, onchange):
55 self.onchange = onchange
56 self.timestamp = None
57 self.value = None
58
59 def get(self):
60 return self.value
61
62 def set(self, timestamp, newval):
63 if newval != self.value:
64 if self.value is not None:
65 self.onchange(self.timestamp, self.value, timestamp, newval)
66
67 self.value = newval
68 self.timestamp = timestamp
69 elif False:
70 if self.value is not None:
71 self.onchange(self.timestamp, self.value, timestamp, newval)
72
73MAX_CHANNELS = 8 # 10 channels causes some weird problems...
74
75class Decoder(srd.Decoder):
76 api_version = 3
77 id = 'graycode'
78 name = 'Gray code'
79 longname = 'Gray code and rotary encoder'
80 desc = 'Accumulate rotary encoder increments, provide timing statistics.'
81 license = 'gplv2+'
82 inputs = ['logic']
83 outputs = ['graycode']
d6d8a8a4 84 tags = ['Encoding']
b9b63977
CR
85 optional_channels = tuple(
86 {'id': 'd{}'.format(i), 'name': 'D{}'.format(i), 'desc': 'Data line {}'.format(i)}
87 for i in range(MAX_CHANNELS)
88 )
89 options = (
90 {'id': 'edges', 'desc': 'Edges per rotation', 'default': 0},
91 {'id': 'avg_period', 'desc': 'Averaging period', 'default': 10},
92 )
93 annotations = (
94 ('phase', 'Phase'),
95 ('increment', 'Increment'),
96 ('count', 'Count'),
97 ('turns', 'Turns'),
98 ('interval', 'Interval'),
99 ('average', 'Average'),
100 ('rpm', 'Rate'),
101 )
102 annotation_rows = tuple((u, v, (i,)) for i, (u, v) in enumerate(annotations))
103
104 def __init__(self):
10aeb8ea
GS
105 self.reset()
106
107 def reset(self):
b9b63977
CR
108 self.num_channels = 0
109 self.samplerate = None
110 self.last_n = deque()
111
112 self.phase = Value(self.on_phase)
113 self.increment = Value(self.on_increment)
114 self.count = Value(self.on_count)
115 self.turns = Value(self.on_turns)
116
117 def on_phase(self, told, vold, tnew, vnew):
118 self.put(told, tnew, self.out_ann, [0, ['{}'.format(vold)]])
119
120 def on_increment(self, told, vold, tnew, vnew):
121 if vold == 0:
122 message = '0'
123 elif abs(vold) == self.ENCODER_STEPS // 2:
124 message = '±π'
125 else:
126 message = '{:+d}'.format(vold)
127 self.put(told, tnew, self.out_ann, [1, [message]])
128
129 def on_count(self, told, vold, tnew, vnew):
130 self.put(told, tnew, self.out_ann, [2, ['{}'.format(vold)]])
131
132 def on_turns(self, told, vold, tnew, vnew):
133 self.put(told, tnew, self.out_ann, [3, ['{:+d}'.format(vold)]])
134
135 def metadata(self, key, value):
136 if key == srd.SRD_CONF_SAMPLERATE:
137 self.samplerate = value
138
139 def start(self):
140 self.out_ann = self.register(srd.OUTPUT_ANN)
141
142 def decode(self):
143 chmask = [self.has_channel(i) for i in range(MAX_CHANNELS)]
144 self.num_channels = sum(chmask)
145 if chmask != [i < self.num_channels for i in range(MAX_CHANNELS)]:
146 raise ChannelMapError('Assigned channels need to be contiguous')
147
148 self.ENCODER_STEPS = 1 << self.num_channels
149
150 startbits = self.wait()
151 curtime = self.samplenum
152
153 self.turns.set(self.samplenum, 0)
154 self.count.set(self.samplenum, 0)
155 self.phase.set(self.samplenum, gray_decode(bitpack(startbits[:self.num_channels])))
156
157 while True:
158 prevtime = curtime
159 bits = self.wait([{i: 'e'} for i in range(self.num_channels)])
160 curtime = self.samplenum
161
162 oldcount = self.count.get()
163 oldphase = self.phase.get()
164
165 newphase = gray_decode(bitpack(bits[:self.num_channels]))
166 self.phase.set(self.samplenum, newphase)
167
168 phasedelta_raw = (newphase - oldphase + (self.ENCODER_STEPS // 2 - 1)) % self.ENCODER_STEPS - (self.ENCODER_STEPS // 2 - 1)
169 phasedelta = phasedelta_raw
170 self.increment.set(self.samplenum, phasedelta)
171 if abs(phasedelta) == self.ENCODER_STEPS // 2:
172 phasedelta = 0
173
174 self.count.set(self.samplenum, self.count.get() + phasedelta)
175
176 if self.options['edges']:
177 self.turns.set(self.samplenum, self.count.get() // self.options['edges'])
178
15a8a055 179 if self.samplerate:
b9b63977
CR
180 period = (curtime - prevtime) / self.samplerate
181 freq = abs(phasedelta_raw) / period
182
183 self.put(prevtime, curtime, self.out_ann, [4, [
184 '{}s, {}Hz'.format(prefix_fmt(period), prefix_fmt(freq))]])
185
186 if self.options['avg_period']:
187 self.last_n.append((abs(phasedelta_raw), period))
188 if len(self.last_n) > self.options['avg_period']:
189 self.last_n.popleft()
190
191 avg_period = sum(v for u, v in self.last_n) / (sum(u for u, v in self.last_n) or 1)
192 self.put(prevtime, curtime, self.out_ann, [5, [
193 '{}s, {}Hz'.format(prefix_fmt(avg_period),
194 prefix_fmt(1 / avg_period))]])
195
196 if self.options['edges']:
197 self.put(prevtime, curtime, self.out_ann, [6, ['{}rpm'.format(prefix_fmt(60 * freq / self.options['edges'], emin=0))]])