efind
electronic component selection utility
Loading...
Searching...
No Matches
efind.py
Go to the documentation of this file.
1"""
2Do a quick, sequential, numerical (not symbolic) exploration of some electronic component values to
3propose solutions that use standard, inexpensive parts.
4"""
5
6
7from bisect import bisect_left
8from itertools import islice
9from math import log10, floor
10from typing import (
11 Callable,
12 Iterable,
13 List,
14 Optional,
15 Protocol,
16 Sequence,
17 Set,
18 Tuple,
19)
20
21
22# See https://en.wikipedia.org/wiki/E_series_of_preferred_numbers
23E3 = (1.0, 2.2, 4.7)
24
25E6 = (1.0, 1.5, 2.2, 3.3, 4.7, 6.8)
26
27E12 = (1.0, 1.2, 1.5, 1.8, 2.2, 2.7, 3.3, 3.9, 4.7, 5.6, 6.8, 8.2)
28
29E24 = (
30 1.0, 1.1, 1.2, 1.3, 1.5, 1.6, 1.8, 2.0, 2.2, 2.4, 2.7, 3.0,
31 3.3, 3.6, 3.9, 4.3, 4.7, 5.1, 5.6, 6.2, 6.8, 7.5, 8.2, 9.1,
32)
33
34E48 = (
35 1.00, 1.05, 1.10, 1.15, 1.21, 1.27, 1.33, 1.40, 1.47, 1.54, 1.62, 1.69,
36 1.78, 1.87, 1.96, 2.05, 2.15, 2.26, 2.37, 2.49, 2.61, 2.74, 2.87, 3.01,
37 3.16, 3.32, 3.48, 3.65, 3.83, 4.02, 4.22, 4.42, 4.64, 4.87, 5.11, 5.36,
38 5.62, 5.90, 6.19, 6.49, 6.81, 7.15, 7.50, 7.87, 8.25, 8.66, 9.09, 9.53,
39)
40
41E96 = (
42 1.00, 1.02, 1.05, 1.07, 1.10, 1.13, 1.15, 1.18, 1.21, 1.24, 1.27, 1.30,
43 1.33, 1.37, 1.40, 1.43, 1.47, 1.50, 1.54, 1.58, 1.62, 1.65, 1.69, 1.74,
44 1.78, 1.82, 1.87, 1.91, 1.96, 2.00, 2.05, 2.10, 2.15, 2.21, 2.26, 2.32,
45 2.37, 2.43, 2.49, 2.55, 2.61, 2.67, 2.74, 2.80, 2.87, 2.94, 3.01, 3.09,
46 3.16, 3.24, 3.32, 3.40, 3.48, 3.57, 3.65, 3.74, 3.83, 3.92, 4.02, 4.12,
47 4.22, 4.32, 4.42, 4.53, 4.64, 4.75, 4.87, 4.99, 5.11, 5.23, 5.36, 5.49,
48 5.62, 5.76, 5.90, 6.04, 6.19, 6.34, 6.49, 6.65, 6.81, 6.98, 7.15, 7.32,
49 7.50, 7.68, 7.87, 8.06, 8.25, 8.45, 8.66, 8.87, 9.09, 9.31, 9.53, 9.76,
50)
51
52
53def bisect_lower(a: Sequence[float], x: float) -> int:
54 """
55 Run bisect, but use one index before the return value of `bisect_left`
56 @param a The sorted haystack
57 @param x The needle
58 @return The index of the array element that equals or is lesser than `x`
59 """
60 i = bisect_left(a, x)
61 if (
62 (i < len(a) and a[i] > x) or
63 (i >= len(a) and a[i % len(a)]*10 > x)
64 ):
65 i -= 1
66 return i
67
68
69def approximate(x: float, series: Sequence[float]) -> tuple[Optional[int], float]:
70 """
71 Approximate a value by using the given series.
72 @param x Any positive value
73 @param series Any of E3 through E96
74 @return An integer index into the series for the element lesser than or equal to the value's
75 mantissa, and the value's decade - a power of ten
76 """
77 if x == float('inf'):
78 return None, float('inf')
79
80 decade = 10**floor(log10(x))
81 mantissa = x / decade
82 index = bisect_lower(series, mantissa)
83 if index >= len(series):
84 return 0, decade * 10
85 return index, decade
86
87
88def fmt_eng(x: float, unit: str, sig: int = 2) -> str:
89 """
90 Format a number in engineering (SI) notation
91 @param x Any number
92 @param unit The quantity unit (Hz, A, etc.)
93 @param sig Number of significant digits to show
94 @return The formatted string
95 """
96 if x == 0:
97 p = 0
98 elif x == float('inf'):
99 return '∞'
100 else:
101 p = floor(log10(abs(x)))
102 e = int(floor(p / 3))
103 digs = max(0, sig - p%3 - 1)
104 mantissa = x / 10**(3*e)
105
106 if e == 0:
107 prefix = ''
108 elif 0 < e < 9:
109 # See https://en.wikipedia.org/wiki/Metric_prefix
110 prefix = ' kMGTPEZY'[e]
111 elif 0 > e > -8:
112 prefix = 'mμnpfazy'[-e-1]
113 else:
114 raise IndexError(f'Number out of SI range: {x:.1e}')
115
116 fmt = '{:.%df} {:}{:}' % digs
117 return fmt.format(mantissa, prefix, unit)
118
119
120class CalculateCall(Protocol):
121 """
122 A callable with any number of floating-point arguments, returning a float
123 """
124 def __call__(self, *args: float) -> float:
125 ...
126
127
129 """
130 A value associated with a component - to track approximated values
131 """
132
134 self,
135 component: 'Component',
136 decade: Optional[float] = None,
137 index: Optional[int] = None,
138 exact: Optional[float] = None,
139 ) -> None:
140 """
141 Valid combinations:
142 - exact - approximated value will be calculated
143 - exact, index, decade - approximated value = series[index]*decade
144 - index, decade - approximated value = series[index]*decade;
145 exact=approximate
146
147 @param decade The quantity's power-of-ten
148 @param index The integer index into the series for the quantity's mantissa
149 @param exact The exact quantity, if known
150 """
151
152 self.component = component
153
154 if index is None:
155 assert decade is None
156 assert exact is not None
157 self.exact = exact
158 self.index, self.decade = approximate(exact, component.series)
159 else:
160 assert decade is not None
161 self.index, self.decade = index, decade
162
163 if self.decade == float('inf'):
164 self.approx = float('inf')
165 else:
166 self.approx = component.series[self.index] * self.decade
167
168 if index is not None:
169 if exact is None:
170 self.exact = self.approx
171 else:
172 self.exact = exact
173
174 @property
175 def error(self) -> float:
176 return self.approx / self.exact - 1
177
178 def get_other(self) -> Optional['ComponentValue']:
179 """
180 @return If this approximated value is below its exact value, then the next-highest E24
181 value; otherwise None
182 """
183 if self.approx >= self.exact:
184 return None
185
186 index, decade = self.index + 1, self.decade
187 if index >= len(self.component.series):
188 index = 0
189 decade *= 10
190 return ComponentValue(component=self.component, exact=self.exact,
191 index=index, decade=decade)
192
193 def get_best(self) -> 'ComponentValue':
194 other = self.get_other()
195 if other is None:
196 return self
197
198 if self.error**2 < other.error**2:
199 return self
200 return other
201
202 def __str__(self) -> str:
203 return fmt_eng(self.approx, self.component.unit, self.component.digits)
204
205 def fmt_exact(self) -> str:
206 return fmt_eng(self.exact, self.component.unit, 4)
207
208
210 """
211 A component, without knowledge of its value - only bounds and defining formula
212 """
213
215 self,
216 prefix: str,
217 suffix: str,
218 unit: str,
219 series: Sequence[float] = E24,
220 calculate: Optional[CalculateCall] = None,
221 minimum: float = 0,
222 maximum: Optional[float] = None,
223 use_for_err: bool = True,
224 ) -> None:
225 """
226 @param prefix i.e. R, C or L
227 @param suffix Typically a number, i.e. the "2" in R2
228 @param unit i.e. Hz, A, F, ...
229 @param series One of E3 through E96
230 @param calculate A callable that will be given all values of previous components in the
231 calculation sequence. These values are floats, and the return must be a
232 float. If this callable is None, the component will be interpreted as a
233 degree of freedom.
234 @param minimum Min allowable value; the return of calculate will be checked against this and
235 failures will be silently dropped. Must be at least zero, or greater than
236 zero if calculate is not None.
237 @param maximum Max allowable value; the return of calculate will be checked against this and
238 failures will be silently dropped.
239 @param use_for_err If True, error from this component's ideal to approximated value will
240 influence the solution rank.
241 """
242 (
243 self.prefix, self.suffix, self.unit, self.series,
244 self.calculate, self.min, self.max, self.use_for_err,
245 ) = (
246 prefix, suffix, unit, series, calculate, minimum, maximum,
247 use_for_err,
248 )
249
250 if minimum < 0:
251 raise ValueError('Minimum must be non-negative')
252 if maximum is not None and maximum < minimum:
253 raise ValueError('Invalid maximum value')
254
255 if calculate:
257 elif minimum > 0:
258 self.start_index, self.start_decade = approximate(minimum, series)
259 self.values = self._iter_values
260
261 self.digits: int = 3 if len(series) > 24 else 2
262
263 self.fmt_field: Callable[[str], str] = ('{:>%d}' % (4 + self.digits)).format
264
265 def __str__(self) -> str:
266 return self.name
267
268 @property
269 def name(self) -> str:
270 return f'{self.prefix}{self.suffix}'
271
272 def _calculate_values(
273 self, prev: Sequence[ComponentValue]
274 ) -> Iterable[ComponentValue]:
275
276 def values():
277 # Get the value based on exact values first
278 from_exact_val = self.calculate(*(p.exact for p in prev))
279 if from_exact_val <= 0:
280 return
281
282 from_exact = ComponentValue(self, exact=from_exact_val)
283 yield from_exact
284 other = from_exact.get_other()
285 if other:
286 yield other
287
288 # See if there's a difference when calculating against approximated
289 # values
290 from_approx_val = self.calculate(*(p.approx for p in prev))
291 if from_approx_val > 0:
292 from_approx = ComponentValue(self, exact=from_approx_val)
293 if from_approx.exact != from_exact.exact:
294 yield from_approx
295 other = from_approx.get_other()
296 if other:
297 yield other
298
299 for v in values():
300 if (
301 self.min <= v.exact and
302 (self.max is None or self.max >= v.exact)
303 ):
304 yield v
305
306 def _all_values(self) -> Iterable[Tuple[int, float]]:
307 decade = self.start_decade
308 for index in range(self.start_index, len(self.series)):
309 yield index, decade
310 while True:
311 decade *= 10
312 for index in range(len(self.series)):
313 yield index, decade
314
315 def _iter_values(
316 self, prev: Sequence[ComponentValue],
317 ) -> Iterable[ComponentValue]:
318 for index, decade in self._all_values():
319 value = ComponentValue(self, index=index, decade=decade)
320 if value.approx > self.max:
321 return
322 yield value
323
324
327 self,
328 suffix: str,
329 series: Sequence[float] = E24,
330 calculate: Optional[CalculateCall] = None,
331 minimum: float = 0,
332 maximum: Optional[float] = None,
333 use_for_err: bool = False,
334 ) -> None:
335 super().__init__('R', suffix, 'Ω', series, calculate, minimum, maximum, use_for_err)
336
337
340 self,
341 suffix: str,
342 series: Sequence[float] = E24,
343 calculate: Optional[CalculateCall] = None,
344 minimum: float = 0,
345 maximum: Optional[float] = None,
346 use_for_err: bool = True,
347 ):
348 super().__init__('C', suffix, 'F', series, calculate, minimum, maximum, use_for_err)
349
350
351class Output:
352 """
353 A calculated parameter - potentially but not necessarily a circuit output - to be calculated and
354 checked for error in the solution ranking process.
355 """
356
358 self, name: str, unit: str, expected: float, calculate: CalculateCall,
359 ) -> None:
360 """
361 @param name i.e. Vout
362 @param unit i.e. V, A, Hz...
363 @param expected The value that this parameter would assume under ideal circumstances
364 @param calculate A callable accepting a sequence of floats - one per component, in the same
365 order as they were passed to the Solver constructor; returning a float.
366 """
367 self.name, self.unit, self.expected, self.calculate = (
368 name, unit, expected, calculate,
369 )
370
371 def error(self, value: float) -> float:
372 """
373 @return Absolute error, since the expected value might be 0
374 """
375 return value - self.expected
376
377 def __str__(self) -> str:
378 return self.name
379
380
381class Solver:
382 """
383 Basic recursive solver class that does a brute-force search through some component values.
384 """
385
387 self,
388 components: Sequence[Component],
389 outputs: Sequence[Output],
390 threshold: Optional[float] = 1e-3,
391 ) -> None:
392 """
393 @param components A sequence of Component instances. The order of this sequence determines
394 the order of parameters passed to Output.calculate and
395 Component.calculate.
396 @param outputs A sequence of Output instances - can be empty.
397 @param threshold Maximum error above which solutions will be discarded.
398 """
399 self.components, self.outputs = components, outputs
400 self.candidates: List[Tuple[
401 float, # error
402 Sequence[float], # output values
403 Sequence[ComponentValue], # component values to get the above
404 ]] = []
405 self.approx_seen: Set[Tuple[float, ...]] = set()
406 self.threshold = threshold
407
408 def _recurse(self, values: List[Optional[ComponentValue]], index: int = 0) -> None:
409 if index >= len(self.components):
410 self._evaluate(values)
411 else:
412 comp = self.components[index]
413 for v in comp.values(values[:index]):
414 values[index] = v
415 self._recurse(values, index+1)
416
417 def solve(self) -> None:
418 """
419 Recurse through all of the components, doing a brute-force search. Results are stored in
420 self.candidates and sorted in order of increasing error.
421 """
422 values = [None]*len(self.components)
423 self._recurse(values)
424 self.candidates.sort(key=lambda v: v[0])
425
426 def _evaluate(self, values: Sequence[ComponentValue]) -> None:
427 approx = tuple(v.approx for v in values)
428 if approx in self.approx_seen:
429 return
430
431 outputs = tuple(
432 o.calculate(*approx)
433 for o in self.outputs
434 )
435 err = sum(
436 o.error(v)**2
437 for o, v in zip(self.outputs, outputs)
438 ) + sum(
439 v.error**2
440 for c, v in zip(self.components, values)
441 if c.use_for_err
442 )
443 if self.threshold is None or err < self.threshold:
444 self.candidates.append((err, outputs, tuple(values)))
445 self.approx_seen.add(approx)
446
447 def print(self, top: int = 10) -> None:
448 """
449 Print a table of all component values, output values and output error.
450 @param top Row limit.
451 """
452
453 print(' '.join(
454 comp.fmt_field(comp.name)
455 for comp in self.components
456 ), end=' ')
457 print(' '.join(
458 f'{output.name:>10} {"Err":>8}'
459 for output in self.outputs
460 ))
461
462 for err, outputs, values in islice(self.candidates, top):
463 print(' '.join(
464 value.component.fmt_field(str(value))
465 for value in values
466 ), end=' ')
467 print(' '.join(
468 f'{fmt_eng(value, output.unit, 4):>10} '
469 f'{output.error(value):>8.1e}'
470 for value, output in zip(outputs, self.outputs)
471 ))
A callable with any number of floating-point arguments, returning a float.
Definition: efind.py:120
float __call__(self, *float args)
Definition: efind.py:124
def __init__(self, str suffix, Sequence[float] series=E24, Optional[CalculateCall] calculate=None, float minimum=0, Optional[float] maximum=None, bool use_for_err=True)
Definition: efind.py:347
A value associated with a component - to track approximated values.
Definition: efind.py:128
str fmt_exact(self)
Definition: efind.py:205
float error(self)
Definition: efind.py:175
None __init__(self, 'Component' component, Optional[float] decade=None, Optional[int] index=None, Optional[float] exact=None)
Valid combinations:
Definition: efind.py:139
Optional[ 'ComponentValue'] get_other(self)
Definition: efind.py:178
'ComponentValue' get_best(self)
Definition: efind.py:193
str __str__(self)
Definition: efind.py:202
A component, without knowledge of its value - only bounds and defining formula.
Definition: efind.py:209
Iterable[Tuple[int, float]] _all_values(self)
Definition: efind.py:306
Iterable[ComponentValue] _iter_values(self, Sequence[ComponentValue] prev)
Definition: efind.py:317
None __init__(self, str prefix, str suffix, str unit, Sequence[float] series=E24, Optional[CalculateCall] calculate=None, float minimum=0, Optional[float] maximum=None, bool use_for_err=True)
Definition: efind.py:224
str __str__(self)
Definition: efind.py:265
str name(self)
Definition: efind.py:269
Iterable[ComponentValue] _calculate_values(self, Sequence[ComponentValue] prev)
Definition: efind.py:274
A calculated parameter - potentially but not necessarily a circuit output - to be calculated and chec...
Definition: efind.py:351
None __init__(self, str name, str unit, float expected, CalculateCall calculate)
Definition: efind.py:359
float error(self, float value)
Definition: efind.py:371
str __str__(self)
Definition: efind.py:377
None __init__(self, str suffix, Sequence[float] series=E24, Optional[CalculateCall] calculate=None, float minimum=0, Optional[float] maximum=None, bool use_for_err=False)
Definition: efind.py:334
Basic recursive solver class that does a brute-force search through some component values.
Definition: efind.py:381
None print(self, int top=10)
Print a table of all component values, output values and output error.
Definition: efind.py:447
None _recurse(self, List[Optional[ComponentValue]] values, int index=0)
Definition: efind.py:408
None __init__(self, Sequence[Component] components, Sequence[Output] outputs, Optional[float] threshold=1e-3)
Definition: efind.py:391
None _evaluate(self, Sequence[ComponentValue] values)
Definition: efind.py:426
None solve(self)
Recurse through all of the components, doing a brute-force search.
Definition: efind.py:417
int bisect_lower(Sequence[float] a, float x)
Run bisect, but use one index before the return value of bisect_left
Definition: efind.py:53
tuple[Optional[int], float] approximate(float x, Sequence[float] series)
Approximate a value by using the given series.
Definition: efind.py:69