Skip to content

Commit 9d2b720

Browse files
committed
Merge branch 'future'
Pull in a few useful fixes, particularly for Python 3.12
2 parents a2fe453 + f593bcc commit 9d2b720

File tree

9 files changed

+452
-163
lines changed

9 files changed

+452
-163
lines changed

bdsim/blockdiagram.py

+17-3
Original file line numberDiff line numberDiff line change
@@ -164,6 +164,15 @@ def connect(self, start, *ends, name=None):
164164

165165
# start.type = 'start'
166166

167+
# ensure all blocks are in the blocklist
168+
for x in [start, *ends]:
169+
if isinstance(x, Block):
170+
if x.bd is None:
171+
self.add_block(x)
172+
elif isinstance(x, Plug):
173+
if x.block.bd is None:
174+
self.add_block(x.block)
175+
167176
for end in ends:
168177
if isinstance(start, Block):
169178
if isinstance(end, Block):
@@ -764,7 +773,7 @@ def schedule_dotfile(self, filename):
764773
def _debugger(self, simstate=None, integrator=None):
765774
if simstate.t_stop is not None and simstate.t < simstate.t_stop:
766775
return
767-
776+
768777
def print_output(b, t, inports, x):
769778
out = b.output(t, inports, x)
770779
if len(out) == 1:
@@ -803,7 +812,9 @@ def print_output(b, t, inports, x):
803812
if b.nout > 0:
804813
print_output(b, t, b.inputs, b._x)
805814
elif cmd[0] == "i":
806-
print(f"status={integrator.status}, dt={integrator.step_size:.4g}, nfev={integrator.nfev}")
815+
print(
816+
f"status={integrator.status}, dt={integrator.step_size:.4g}, nfev={integrator.nfev}"
817+
)
807818
elif cmd[0] == "s":
808819
# step
809820
break
@@ -825,7 +836,9 @@ def print_output(b, t, inports, x):
825836
print(self.debug_watch)
826837
self.debug_watch = None
827838
else:
828-
self.debug_watch = [self.blocklist[int(s.strip())] for s in cmd[2:].split(" ")]
839+
self.debug_watch = [
840+
self.blocklist[int(s.strip())] for s in cmd[2:].split(" ")
841+
]
829842
elif cmd == "pdb":
830843
import pdb
831844

@@ -845,6 +858,7 @@ def print_output(b, t, inports, x):
845858
except (IndexError, ValueError, TypeError):
846859
print("??")
847860
pass
861+
848862
# ---------------------------------------------------------------------- #
849863

850864
def report_summary(self, sortby="name", **kwargs):

bdsim/blocks/IO/Firmata.py

+96
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,96 @@
1+
"""
2+
Define real-time i/o blocks for use in block diagrams. These are blocks that:
3+
4+
- have inputs or outputs
5+
- have no state variables
6+
- are a subclass of ``SourceBlock`` or ``SinkBlock``
7+
8+
"""
9+
# The constructor of each class ``MyClass`` with a ``@block`` decorator becomes a method ``MYCLASS()`` of the BlockDiagram instance.
10+
11+
from bdsim.components import SinkBlock, SourceBlock
12+
import time
13+
import sys
14+
15+
16+
class FirmataIO:
17+
board = None
18+
port = "/dev/cu.usbmodem1441401"
19+
20+
def __init__(self):
21+
from pyfirmata import Arduino, util
22+
23+
if FirmataIO.board is None:
24+
print(f"connecting to Arduino/firmata node on {self.port}...", end="")
25+
sys.stdout.flush()
26+
FirmataIO.board = Arduino(self.port)
27+
print(" done")
28+
29+
# start a background thread to read inputs
30+
iterator = util.Iterator(FirmataIO.board)
31+
iterator.start()
32+
time.sleep(0.25) # allow time for the iterator thread to start
33+
34+
def pin(self, name):
35+
return FirmataIO.board.get_pin(name)
36+
37+
38+
class AnalogIn(SourceBlock):
39+
nin = 0
40+
nout = 1
41+
42+
def __init__(self, pin=None, scale=1.0, offset=0.0, **blockargs):
43+
super().__init__(**blockargs)
44+
self.board = FirmataIO()
45+
self.pin = self.board.pin(f"a:{pin}:i")
46+
self.scale = scale
47+
self.offset = offset
48+
49+
# deal with random None values at startup
50+
while self.pin.read() == None:
51+
time.sleep(0.1)
52+
53+
def output(self, t, inports, x):
54+
return [self.scale * self.pin.read() + self.offset]
55+
56+
57+
class AnalogOut(SinkBlock):
58+
nin = 1
59+
nout = 0
60+
61+
def __init__(self, pin=None, scale=1.0, offset=0.0, **blockargs):
62+
super().__init__(**blockargs)
63+
self.board = FirmataIO()
64+
self.pin = self.board.pin(f"d:{pin}:p") # PWM output
65+
self.scale = scale
66+
self.offset = offset
67+
68+
def step(self, t, inports):
69+
self.pin.write(self.scale * inports[0] + self.offset)
70+
71+
72+
class DigitalIn(FirmataIO, SourceBlock):
73+
nin = 0
74+
nout = 1
75+
76+
def __init__(self, pin=None, bool=False, **blockargs):
77+
super().__init__(**blockargs)
78+
self.pin = self.board.get_pin(f"d:{pin}:i")
79+
80+
def output(self, t, inports, x):
81+
if self.bool:
82+
return [self.pin.read()]
83+
else:
84+
return [self.pin.read() > 0]
85+
86+
87+
class DigitalOut(FirmataIO, SinkBlock):
88+
nin = 1
89+
nout = 0
90+
91+
def __init__(self, pin=None, **blockargs):
92+
super().__init__(**blockargs)
93+
self.pin = self.board.get_pin(f"d:{pin}:o")
94+
95+
def step(self, t, inports):
96+
self.pin.write(inports[0] > 0)

bdsim/blocks/IO/README.md

+19
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,19 @@
1+
This folder contains "drivers" for particular i/o hardware configurations.
2+
3+
Each file contains a set of class definitions which are imported in the normal
4+
Python fashion, not dynamically as are most bdsim blocks.
5+
6+
| File | Purpose |
7+
|------|---------|
8+
|Firmata.py | analog and digital i/o for Arduino + Firmata |
9+
10+
Notes:
11+
12+
- For [Firmata](https://github.com/firmata/protocol) you need to load a Firmata sketch onto the Arduino.
13+
- For now the port and the baudrate (57600) are hardwired. Perhaps the i/o system is initialized by a
14+
separate function, or options passed through BDRealTime.
15+
- There are myriad Firmata variants, but StandardFirmata is provided as a built-in
16+
example with the Arduino IDE and does digital and analog i/o. It runs fine on a Uno.
17+
- ConfigurableFirmata has more device options but needs to be installed, and its default
18+
baud rate is 115200. It does not include quadrature encoders :(
19+
- The Firmata interface is [pyfirmata](https://github.com/tino/pyFirmata), old but quite solid and efficient.

bdsim/blocks/README.md

-1
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,6 @@ The class definitions are grouped by block class
88
|discrete.py | discrete transfer blocks |
99
|displays.py | graphical sink blocks |
1010
|functions.py | function blocks without state |
11-
|io.py | |
1211
|linalg.py | linear algebra blocks |
1312
|sinks.py | signal sink blocks |
1413
|sources.py | signal source blocks |

bdsim/blocks/displays.py

+12-12
Original file line numberDiff line numberDiff line change
@@ -13,20 +13,17 @@
1313

1414
import matplotlib.pyplot as plt
1515
from matplotlib.pyplot import Polygon
16-
from numpy.lib.shape_base import expand_dims
17-
1816

1917
import spatialmath.base as sm
2018

2119
from bdsim.components import SinkBlock
2220
from bdsim.graphics import GraphicsBlock
2321

24-
2522
# ------------------------------------------------------------------------ #
2623

2724

2825
class Scope(GraphicsBlock):
29-
"""
26+
r"""
3027
:blockname:`SCOPE`
3128
3229
Plot input signals against time.
@@ -50,7 +47,7 @@ class Scope(GraphicsBlock):
5047
Create a scope block that plots multiple signals against time.
5148
5249
For each line plotted we can specify the:
53-
50+
5451
* line style as a heterogeneous list of:
5552
5653
* Matplotlib `fmt` string comprising a color and line style, eg. ``"k"`` or ``"r:"``
@@ -90,7 +87,7 @@ class Scope(GraphicsBlock):
9087
bd.SCOPE(styles=[{'color': 'blue'}, {'color': 'red', 'linestyle': '--'}])
9188
9289
**Single input port with NumPy array**
93-
90+
9491
The port is fed with a 1D-array, and ``vector`` is an:
9592
9693
* int, this is the expected width of the array, all its elements will be plotted
@@ -101,11 +98,11 @@ class Scope(GraphicsBlock):
10198
bd.SCOPE(vector=[0,1,2]) # display elements 0, 1, 2 of array on port 0
10299
bd.SCOPE(vector=[0,1], styles=[{'color': 'blue'}, {'color': 'red', 'linestyle': '--'}])
103100
104-
.. note::
105-
* If the vector is of width 3, by default the inputs are plotted as red, green
106-
and blue lines.
101+
.. note::
102+
* If the vector is of width 3, by default the inputs are plotted as red, green
103+
and blue lines.
107104
* If the vector is of width 6, by default the first three inputs are plotted as
108-
solid red, green and blue lines and the last three inputs are plotted as
105+
solid red, green and blue lines and the last three inputs are plotted as
109106
dashed red, green and blue lines.
110107
"""
111108

@@ -239,7 +236,6 @@ def start(self, simstate):
239236
np.array([]),
240237
] * self.nplots
241238

242-
243239
# create the figures
244240
self.fig = self.create_figure(simstate)
245241
self.ax = self.fig.add_subplot(111)
@@ -303,12 +299,16 @@ def start(self, simstate):
303299
if self.scale != "auto":
304300
self.ax.set_ylim(*self.scale)
305301
if self.labels is not None:
302+
306303
def fix_underscore(s):
307304
if s[0] == "_":
308305
return "-" + s[1:]
309306
else:
310307
return s
311-
self.ax.legend([fix_underscore(label) for label in self.labels], loc=self.loc)
308+
309+
self.ax.legend(
310+
[fix_underscore(label) for label in self.labels], loc=self.loc
311+
)
312312

313313
if self.watch:
314314
for wire in self.input_wires:

bdsim/blocks/io.py

-42
This file was deleted.

0 commit comments

Comments
 (0)