Skip to content
Snippets Groups Projects
Commit 8e6cf8d1 authored by Oscar Gustafsson's avatar Oscar Gustafsson :bicyclist:
Browse files

Add basic functionality for saving schedules

parent 0be589c8
No related branches found
No related tags found
No related merge requests found
Pipeline #90253 failed
This commit is part of merge request !223. Comments created here will be created in the context of that merge request.
...@@ -11,11 +11,12 @@ from typing import Dict, Optional, Tuple, cast ...@@ -11,11 +11,12 @@ from typing import Dict, Optional, Tuple, cast
from b_asic.graph_component import GraphComponent from b_asic.graph_component import GraphComponent
from b_asic.port import InputPort from b_asic.port import InputPort
from b_asic.schedule import Schedule
from b_asic.signal_flow_graph import SFG from b_asic.signal_flow_graph import SFG
def sfg_to_python( def sfg_to_python(
sfg: SFG, counter: int = 0, suffix: Optional[str] = None sfg: SFG, counter: int = 0, suffix: Optional[str] = None, schedule=False
) -> str: ) -> str:
""" """
Given an SFG structure try to serialize it for saving to a file. Given an SFG structure try to serialize it for saving to a file.
...@@ -23,15 +24,20 @@ def sfg_to_python( ...@@ -23,15 +24,20 @@ def sfg_to_python(
Parameters Parameters
========== ==========
sfg : SFG sfg : SFG
The SFG to serialize The SFG to serialize.
counter : int, default: 0 counter : int, default: 0
Number used for naming the SFG. Enables SFGs in SFGs. Number used for naming the SFG. Enables SFGs in SFGs.
suffix : str, optional suffix : str, optional
String to append at the end of the result. String to append at the end of the result.
schedule : bool, default: False
True if printing a schedule.
""" """
_type = "Schedule" if schedule else "SFG"
result = ( result = (
'\n"""\nB-ASIC automatically generated SFG file.\n' '\n"""\n'
+ f"B-ASIC automatically generated {_type} file.\n"
+ "Name: " + "Name: "
+ f"{sfg.name}" + f"{sfg.name}"
+ "\n" + "\n"
...@@ -44,6 +50,8 @@ def sfg_to_python( ...@@ -44,6 +50,8 @@ def sfg_to_python(
result += "\nfrom b_asic import SFG, Signal, Input, Output" result += "\nfrom b_asic import SFG, Signal, Input, Output"
for op_type in {type(op) for op in sfg.operations}: for op_type in {type(op) for op in sfg.operations}:
result += f", {op_type.__name__}" result += f", {op_type.__name__}"
if schedule:
result += ", Schedule"
def kwarg_unpacker(comp: GraphComponent, params=None) -> str: def kwarg_unpacker(comp: GraphComponent, params=None) -> str:
if params is None: if params is None:
...@@ -61,56 +69,51 @@ def sfg_to_python( ...@@ -61,56 +69,51 @@ def sfg_to_python(
params = {k: v for k, v in params.items() if v} params = {k: v for k, v in params.items() if v}
if params.get("latency_offsets", None) is not None: if params.get("latency_offsets", None) is not None:
params["latency_offsets"] = { params["latency_offsets"] = {
k: v k: v for k, v in params["latency_offsets"].items() if v is not None
for k, v in params["latency_offsets"].items()
if v is not None
} }
if not params["latency_offsets"]: if not params["latency_offsets"]:
del params["latency_offsets"] del params["latency_offsets"]
return ", ".join( return ", ".join([f"{param}={value}" for param, value in params.items()])
[f"{param}={value}" for param, value in params.items()]
)
# No need to redefined I/Os # No need to redefined I/Os
io_ops = [*sfg._input_operations, *sfg._output_operations] io_ops = [*sfg.input_operations, *sfg.output_operations]
result += "\n# Inputs:\n" result += "\n# Inputs:\n"
for input_op in sfg._input_operations: for input_op in sfg.input_operations:
result += f"{input_op.graph_id} = Input({kwarg_unpacker(input_op)})\n" result += f"{input_op.graph_id} = Input({kwarg_unpacker(input_op)})\n"
result += "\n# Outputs:\n" result += "\n# Outputs:\n"
for output_op in sfg._output_operations: for output_op in sfg.output_operations:
result += ( result += f"{output_op.graph_id} = Output({kwarg_unpacker(output_op)})\n"
f"{output_op.graph_id} = Output({kwarg_unpacker(output_op)})\n"
)
result += "\n# Operations:\n" result += "\n# Operations:\n"
for op in sfg.split(): for operation in sfg.split():
if op in io_ops: if operation in io_ops:
continue continue
if isinstance(op, SFG): if isinstance(operation, SFG):
counter += 1 counter += 1
result = sfg_to_python(op, counter) + result result = sfg_to_python(operation, counter) + result
continue continue
result += ( result += (
f"{op.graph_id} = {op.__class__.__name__}({kwarg_unpacker(op)})\n" f"{operation.graph_id} ="
f" {operation.__class__.__name__}({kwarg_unpacker(operation)})\n"
) )
result += "\n# Signals:\n" result += "\n# Signals:\n"
# Keep track of already existing connections to avoid adding duplicates # Keep track of already existing connections to avoid adding duplicates
connections = [] connections = []
for op in sfg.split(): for operation in sfg.split():
for out in op.outputs: for out in operation.outputs:
for signal in out.signals: for signal in out.signals:
destination = cast(InputPort, signal.destination) destination = cast(InputPort, signal.destination)
dest_op = destination.operation dest_op = destination.operation
connection = ( connection = (
f"\nSignal(source={op.graph_id}." f"Signal(source={operation.graph_id}."
f"output({op.outputs.index(signal.source)})," f"output({operation.outputs.index(signal.source)}),"
f" destination={dest_op.graph_id}." f" destination={dest_op.graph_id}."
f"input({dest_op.inputs.index(destination)}))" f"input({dest_op.inputs.index(destination)}))\n"
) )
if connection in connections: if connection in connections:
continue continue
...@@ -119,20 +122,14 @@ def sfg_to_python( ...@@ -119,20 +122,14 @@ def sfg_to_python(
connections.append(connection) connections.append(connection)
inputs = "[" + ", ".join(op.graph_id for op in sfg.input_operations) + "]" inputs = "[" + ", ".join(op.graph_id for op in sfg.input_operations) + "]"
outputs = ( outputs = "[" + ", ".join(op.graph_id for op in sfg.output_operations) + "]"
"[" + ", ".join(op.graph_id for op in sfg.output_operations) + "]" sfg_name = sfg.name if sfg.name else f"sfg{counter}" if counter > 0 else "sfg"
) sfg_name_var = sfg_name.replace(" ", "_").replace("-", "_")
sfg_name = ( result += "\n# Signal flow graph:\n"
sfg.name if sfg.name else f"sfg{counter}" if counter > 0 else "sfg"
)
sfg_name_var = sfg_name.replace(" ", "_")
result += (
f"\n{sfg_name_var} = SFG(inputs={inputs}, outputs={outputs},"
f" name='{sfg_name}')\n"
)
result += ( result += (
"\n# SFG Properties:\n" + "prop = {'name':" + f"{sfg_name_var}" + "}" f"{sfg_name_var} = SFG(inputs={inputs}, outputs={outputs}, name='{sfg_name}')\n"
) )
result += "\n# SFG Properties:\n" + "prop = {'name':" + f"{sfg_name_var}" + "}\n"
if suffix is not None: if suffix is not None:
result += "\n" + suffix + "\n" result += "\n" + suffix + "\n"
...@@ -149,8 +146,8 @@ def python_to_sfg(path: str) -> Tuple[SFG, Dict[str, Tuple[int, int]]]: ...@@ -149,8 +146,8 @@ def python_to_sfg(path: str) -> Tuple[SFG, Dict[str, Tuple[int, int]]]:
path : str path : str
Path to file to read and deserialize. Path to file to read and deserialize.
""" """
with open(path) as f: with open(path) as file:
code = compile(f.read(), path, "exec") code = compile(file.read(), path, "exec")
exec(code, globals(), locals()) exec(code, globals(), locals())
return ( return (
...@@ -159,3 +156,22 @@ def python_to_sfg(path: str) -> Tuple[SFG, Dict[str, Tuple[int, int]]]: ...@@ -159,3 +156,22 @@ def python_to_sfg(path: str) -> Tuple[SFG, Dict[str, Tuple[int, int]]]:
else [v for k, v in locals().items() if isinstance(v, SFG)][0], else [v for k, v in locals().items() if isinstance(v, SFG)][0],
locals()["positions"] if "positions" in locals() else {}, locals()["positions"] if "positions" in locals() else {},
) )
def schedule_to_python(schedule: Schedule):
"""
Given a schedule structure try to serialize it for saving to a file.
Parameters
==========
schedule : Schedule
The schedule to serialize.
"""
sfg_name = schedule.sfg.name.replace(" ", "_").replace("-", "_")
result = "\n# Schedule:\n"
result += (
f"{sfg_name}_schedule = Schedule({sfg_name}, {schedule.schedule_time},"
f" {schedule.cyclic}, 'provided', {schedule.start_times},"
f" {dict(schedule.laps)})\n"
)
return sfg_to_python(schedule.sfg, schedule=True) + result
...@@ -55,8 +55,15 @@ class Schedule: ...@@ -55,8 +55,15 @@ class Schedule:
algorithm. algorithm.
cyclic : bool, default: False cyclic : bool, default: False
If the schedule is cyclic. If the schedule is cyclic.
scheduling_algorithm : {'ASAP'}, optional scheduling_algorithm : {'ASAP', 'provided'}, optional
The scheduling algorithm to use. Currently, only "ASAP" is supported. The scheduling algorithm to use. Currently, only "ASAP" is supported.
If 'provided', use provided *start_times* and *laps* dictionaries.
start_times : dict, optional
Dictionary with GraphIDs as keys and start times as values.
Used when *scheduling_algorithm* is 'provided'.
laps : dict, optional
Dictionary with GraphIDs as keys and laps as values.
Used when *scheduling_algorithm* is 'provided'.
""" """
_sfg: SFG _sfg: SFG
...@@ -72,15 +79,22 @@ class Schedule: ...@@ -72,15 +79,22 @@ class Schedule:
schedule_time: Optional[int] = None, schedule_time: Optional[int] = None,
cyclic: bool = False, cyclic: bool = False,
scheduling_algorithm: str = "ASAP", scheduling_algorithm: str = "ASAP",
start_times: Dict[GraphID, int] = None,
laps: Dict[GraphID, int] = None,
): ):
"""Construct a Schedule from an SFG.""" """Construct a Schedule from an SFG."""
self._sfg = sfg self._original_sfg = sfg
self._sfg = sfg() # Make a copy
self._start_times = {} self._start_times = {}
self._laps = defaultdict(lambda: 0) self._laps = defaultdict(lambda: 0)
self._cyclic = cyclic self._cyclic = cyclic
self._y_locations = defaultdict(lambda: None) self._y_locations = defaultdict(lambda: None)
if scheduling_algorithm == "ASAP": if scheduling_algorithm == "ASAP":
self._schedule_asap() self._schedule_asap()
elif scheduling_algorithm == "provided":
self._start_times = start_times
self._laps.update(laps)
self._remove_delays_no_laps()
else: else:
raise NotImplementedError( raise NotImplementedError(
f"No algorithm with name: {scheduling_algorithm} defined." f"No algorithm with name: {scheduling_algorithm} defined."
...@@ -107,8 +121,8 @@ class Schedule: ...@@ -107,8 +121,8 @@ class Schedule:
"""Return the current maximum end time among all operations.""" """Return the current maximum end time among all operations."""
max_end_time = 0 max_end_time = 0
for graph_id, op_start_time in self._start_times.items(): for graph_id, op_start_time in self._start_times.items():
op = cast(Operation, self._sfg.find_by_id(graph_id)) operation = cast(Operation, self._sfg.find_by_id(graph_id))
for outport in op.outputs: for outport in operation.outputs:
max_end_time = max( max_end_time = max(
max_end_time, max_end_time,
op_start_time + cast(int, outport.latency_offset), op_start_time + cast(int, outport.latency_offset),
...@@ -149,8 +163,8 @@ class Schedule: ...@@ -149,8 +163,8 @@ class Schedule:
) -> Dict["OutputPort", Dict["Signal", int]]: ) -> Dict["OutputPort", Dict["Signal", int]]:
ret = {} ret = {}
start_time = self._start_times[graph_id] start_time = self._start_times[graph_id]
op = cast(Operation, self._sfg.find_by_id(graph_id)) operation = cast(Operation, self._sfg.find_by_id(graph_id))
for output_port in op.outputs: for output_port in operation.outputs:
output_slacks = {} output_slacks = {}
available_time = start_time + cast(int, output_port.latency_offset) available_time = start_time + cast(int, output_port.latency_offset)
...@@ -200,8 +214,8 @@ class Schedule: ...@@ -200,8 +214,8 @@ class Schedule:
def _backward_slacks(self, graph_id: GraphID) -> Dict[InputPort, Dict[Signal, int]]: def _backward_slacks(self, graph_id: GraphID) -> Dict[InputPort, Dict[Signal, int]]:
ret = {} ret = {}
start_time = self._start_times[graph_id] start_time = self._start_times[graph_id]
op = cast(Operation, self._sfg.find_by_id(graph_id)) operation = cast(Operation, self._sfg.find_by_id(graph_id))
for input_port in op.inputs: for input_port in operation.inputs:
input_slacks = {} input_slacks = {}
usage_time = start_time + cast(int, input_port.latency_offset) usage_time = start_time + cast(int, input_port.latency_offset)
...@@ -270,14 +284,19 @@ class Schedule: ...@@ -270,14 +284,19 @@ class Schedule:
@property @property
def sfg(self) -> SFG: def sfg(self) -> SFG:
return self._sfg """The SFG of the current schedule."""
return self._original_sfg
@property @property
def start_times(self) -> Dict[GraphID, int]: def start_times(self) -> Dict[GraphID, int]:
"""The start times of the operations in the current schedule."""
return self._start_times return self._start_times
@property @property
def laps(self) -> Dict[GraphID, int]: def laps(self) -> Dict[GraphID, int]:
"""
The number of laps for the start times of the operations in the current schedule.
"""
return self._laps return self._laps
@property @property
...@@ -317,8 +336,11 @@ class Schedule: ...@@ -317,8 +336,11 @@ class Schedule:
ret = [self._schedule_time, *self._start_times.values()] ret = [self._schedule_time, *self._start_times.values()]
# Loop over operations # Loop over operations
for graph_id in self._start_times: for graph_id in self._start_times:
op = cast(Operation, self._sfg.find_by_id(graph_id)) operation = cast(Operation, self._sfg.find_by_id(graph_id))
ret += [cast(int, op.execution_time), *op.latency_offsets.values()] ret += [
cast(int, operation.execution_time),
*operation.latency_offsets.values(),
]
# Remove not set values (None) # Remove not set values (None)
ret = [v for v in ret if v is not None] ret = [v for v in ret if v is not None]
return ret return ret
...@@ -535,6 +557,13 @@ class Schedule: ...@@ -535,6 +557,13 @@ class Schedule:
self._start_times[graph_id] = new_start self._start_times[graph_id] = new_start
return self return self
def _remove_delays_no_laps(self) -> None:
delay_list = self._sfg.find_by_type_name(Delay.type_name())
while delay_list:
delay_op = cast(Delay, delay_list[0])
self._sfg = cast(SFG, self._sfg.remove_operation(delay_op.graph_id))
delay_list = self._sfg.find_by_type_name(Delay.type_name())
def _remove_delays(self) -> None: def _remove_delays(self) -> None:
delay_list = self._sfg.find_by_type_name(Delay.type_name()) delay_list = self._sfg.find_by_type_name(Delay.type_name())
while delay_list: while delay_list:
...@@ -549,35 +578,35 @@ class Schedule: ...@@ -549,35 +578,35 @@ class Schedule:
def _schedule_asap(self) -> None: def _schedule_asap(self) -> None:
"""Schedule the operations using as-soon-as-possible scheduling.""" """Schedule the operations using as-soon-as-possible scheduling."""
pl = self._sfg.get_precedence_list() precedence_list = self._sfg.get_precedence_list()
if len(pl) < 2: if len(precedence_list) < 2:
print("Empty signal flow graph cannot be scheduled.") print("Empty signal flow graph cannot be scheduled.")
return return
non_schedulable_ops = set() non_schedulable_ops = set()
for outport in pl[0]: for outport in precedence_list[0]:
op = outport.operation operation = outport.operation
if op.type_name() not in [Delay.type_name()]: if operation.type_name() not in [Delay.type_name()]:
if op.graph_id not in self._start_times: if operation.graph_id not in self._start_times:
# Set start time of all operations in the first iter to 0 # Set start time of all operations in the first iter to 0
self._start_times[op.graph_id] = 0 self._start_times[operation.graph_id] = 0
else: else:
non_schedulable_ops.add(op.graph_id) non_schedulable_ops.add(operation.graph_id)
for outport in pl[1]: for outport in precedence_list[1]:
op = outport.operation operation = outport.operation
if op.graph_id not in self._start_times: if operation.graph_id not in self._start_times:
# Set start time of all operations in the first iter to 0 # Set start time of all operations in the first iter to 0
self._start_times[op.graph_id] = 0 self._start_times[operation.graph_id] = 0
for outports in pl[2:]: for outports in precedence_list[2:]:
for outport in outports: for outport in outports:
op = outport.operation operation = outport.operation
if op.graph_id not in self._start_times: if operation.graph_id not in self._start_times:
# Schedule the operation if it does not have a start time yet. # Schedule the operation if it does not have a start time yet.
op_start_time = 0 op_start_time = 0
for inport in op.inputs: for inport in operation.inputs:
if len(inport.signals) != 1: if len(inport.signals) != 1:
raise ValueError( raise ValueError(
"Error in scheduling, dangling input port detected." "Error in scheduling, dangling input port detected."
...@@ -617,7 +646,7 @@ class Schedule: ...@@ -617,7 +646,7 @@ class Schedule:
op_start_time_from_in = source_end_time - inport.latency_offset op_start_time_from_in = source_end_time - inport.latency_offset
op_start_time = max(op_start_time, op_start_time_from_in) op_start_time = max(op_start_time, op_start_time_from_in)
self._start_times[op.graph_id] = op_start_time self._start_times[operation.graph_id] = op_start_time
for output in self._sfg.find_by_type_name(Output.type_name()): for output in self._sfg.find_by_type_name(Output.type_name()):
output = cast(Output, output) output = cast(Output, output)
source_port = cast(OutputPort, output.inputs[0].signals[0].source) source_port = cast(OutputPort, output.inputs[0].signals[0].source)
...@@ -722,7 +751,7 @@ class Schedule: ...@@ -722,7 +751,7 @@ class Schedule:
line_cache.append(start) line_cache.append(start)
elif end[0] == start[0]: elif end[0] == start[0]:
p = Path( path = Path(
[ [
start, start,
[start[0] + SPLINE_OFFSET, start[1]], [start[0] + SPLINE_OFFSET, start[1]],
...@@ -742,16 +771,16 @@ class Schedule: ...@@ -742,16 +771,16 @@ class Schedule:
Path.CURVE4, Path.CURVE4,
], ],
) )
pp = PathPatch( path_patch = PathPatch(
p, path,
fc='none', fc='none',
ec=_SIGNAL_COLOR, ec=_SIGNAL_COLOR,
lw=SIGNAL_LINEWIDTH, lw=SIGNAL_LINEWIDTH,
zorder=10, zorder=10,
) )
ax.add_patch(pp) ax.add_patch(path_patch)
else: else:
p = Path( path = Path(
[ [
start, start,
[(start[0] + end[0]) / 2, start[1]], [(start[0] + end[0]) / 2, start[1]],
...@@ -760,14 +789,14 @@ class Schedule: ...@@ -760,14 +789,14 @@ class Schedule:
], ],
[Path.MOVETO, Path.CURVE4, Path.CURVE4, Path.CURVE4], [Path.MOVETO, Path.CURVE4, Path.CURVE4, Path.CURVE4],
) )
pp = PathPatch( path_patch = PathPatch(
p, path,
fc='none', fc='none',
ec=_SIGNAL_COLOR, ec=_SIGNAL_COLOR,
lw=SIGNAL_LINEWIDTH, lw=SIGNAL_LINEWIDTH,
zorder=10, zorder=10,
) )
ax.add_patch(pp) ax.add_patch(path_patch)
def _draw_offset_arrow(start, end, start_offset, end_offset, name="", laps=0): def _draw_offset_arrow(start, end, start_offset, end_offset, name="", laps=0):
"""Draw an arrow from *start* to *end*, but with an offset.""" """Draw an arrow from *start* to *end*, but with an offset."""
...@@ -784,12 +813,12 @@ class Schedule: ...@@ -784,12 +813,12 @@ class Schedule:
ax.grid() ax.grid()
for graph_id, op_start_time in self._start_times.items(): for graph_id, op_start_time in self._start_times.items():
y_pos = self._get_y_position(graph_id, operation_gap=operation_gap) y_pos = self._get_y_position(graph_id, operation_gap=operation_gap)
op = cast(Operation, self._sfg.find_by_id(graph_id)) operation = cast(Operation, self._sfg.find_by_id(graph_id))
# Rewrite to make better use of NumPy # Rewrite to make better use of NumPy
( (
latency_coordinates, latency_coordinates,
execution_time_coordinates, execution_time_coordinates,
) = op.get_plot_coordinates() ) = operation.get_plot_coordinates()
_x, _y = zip(*latency_coordinates) _x, _y = zip(*latency_coordinates)
x = np.array(_x) x = np.array(_x)
y = np.array(_y) y = np.array(_y)
...@@ -809,11 +838,11 @@ class Schedule: ...@@ -809,11 +838,11 @@ class Schedule:
yticklabels.append(cast(Operation, self._sfg.find_by_id(graph_id)).name) yticklabels.append(cast(Operation, self._sfg.find_by_id(graph_id)).name)
for graph_id, op_start_time in self._start_times.items(): for graph_id, op_start_time in self._start_times.items():
op = cast(Operation, self._sfg.find_by_id(graph_id)) operation = cast(Operation, self._sfg.find_by_id(graph_id))
out_coordinates = op.get_output_coordinates() out_coordinates = operation.get_output_coordinates()
source_y_pos = self._get_y_position(graph_id, operation_gap=operation_gap) source_y_pos = self._get_y_position(graph_id, operation_gap=operation_gap)
for output_port in op.outputs: for output_port in operation.outputs:
for output_signal in output_port.signals: for output_signal in output_port.signals:
destination = cast(InputPort, output_signal.destination) destination = cast(InputPort, output_signal.destination)
destination_op = destination.operation destination_op = destination.operation
...@@ -911,7 +940,7 @@ class Schedule: ...@@ -911,7 +940,7 @@ class Schedule:
""" """
fig, ax = plt.subplots() fig, ax = plt.subplots()
self._plot_schedule(ax) self._plot_schedule(ax)
f = io.StringIO() buffer = io.StringIO()
fig.savefig(f, format="svg") fig.savefig(buffer, format="svg")
return f.getvalue() return buffer.getvalue()
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment