|
| 1 | +# https://farside.ph.utexas.edu/teaching/316/lectures/node46.html |
| 2 | + |
| 3 | +from __future__ import annotations |
| 4 | + |
| 5 | + |
| 6 | +def capacitor_parallel(capacitors: list[float]) -> float: |
| 7 | + """ |
| 8 | + Ceq = C1 + C2 + ... + Cn |
| 9 | + Calculate the equivalent resistance for any number of capacitors in parallel. |
| 10 | + >>> capacitor_parallel([5.71389, 12, 3]) |
| 11 | + 20.71389 |
| 12 | + >>> capacitor_parallel([5.71389, 12, -3]) |
| 13 | + Traceback (most recent call last): |
| 14 | + ... |
| 15 | + ValueError: Capacitor at index 2 has a negative value! |
| 16 | + """ |
| 17 | + sum_c = 0.0 |
| 18 | + for index, capacitor in enumerate(capacitors): |
| 19 | + if capacitor < 0: |
| 20 | + msg = f"Capacitor at index {index} has a negative value!" |
| 21 | + raise ValueError(msg) |
| 22 | + sum_c += capacitor |
| 23 | + return sum_c |
| 24 | + |
| 25 | + |
| 26 | +def capacitor_series(capacitors: list[float]) -> float: |
| 27 | + """ |
| 28 | + Ceq = 1/ (1/C1 + 1/C2 + ... + 1/Cn) |
| 29 | + >>> capacitor_series([5.71389, 12, 3]) |
| 30 | + 1.6901062252507735 |
| 31 | + >>> capacitor_series([5.71389, 12, -3]) |
| 32 | + Traceback (most recent call last): |
| 33 | + ... |
| 34 | + ValueError: Capacitor at index 2 has a negative or zero value! |
| 35 | + >>> capacitor_series([5.71389, 12, 0.000]) |
| 36 | + Traceback (most recent call last): |
| 37 | + ... |
| 38 | + ValueError: Capacitor at index 2 has a negative or zero value! |
| 39 | + """ |
| 40 | + |
| 41 | + first_sum = 0.0 |
| 42 | + for index, capacitor in enumerate(capacitors): |
| 43 | + if capacitor <= 0: |
| 44 | + msg = f"Capacitor at index {index} has a negative or zero value!" |
| 45 | + raise ValueError(msg) |
| 46 | + first_sum += 1 / capacitor |
| 47 | + return 1 / first_sum |
| 48 | + |
| 49 | + |
| 50 | +if __name__ == "__main__": |
| 51 | + import doctest |
| 52 | + |
| 53 | + doctest.testmod() |
0 commit comments