File size: 15,945 Bytes
c4d242b b95e413 1ae2624 73d192f c4d242b fa849ec 1ae2624 b95e413 8777e24 126530f 73d192f fe7d37c c4d242b 7ebed01 fe7d37c b95e413 fe7d37c 73d192f fe7d37c 4f709ff fe7d37c 7ebed01 fe7d37c 7ebed01 fe7d37c 52f6e73 fe7d37c 52f6e73 fe7d37c 4f709ff 7ebed01 c4d242b 8777e24 c4d242b fa849ec 057ae05 c4d242b fe7d37c 4f65f95 c4d242b fa849ec d40dc23 fa849ec c4d242b fa849ec c4d242b 73d192f 4f709ff 73d192f 8e9aba9 fe7d37c 8e9aba9 fe7d37c 8e9aba9 fe7d37c 8e9aba9 8777e24 d40dc23 8e9aba9 55ebabc 8e9aba9 55ebabc d40dc23 8e9aba9 d40dc23 8e9aba9 d40dc23 73d192f d40dc23 fe7d37c c4d242b 8777e24 7cc6f57 c4d242b 8e9aba9 b95e413 fe7d37c fa849ec 7cc6f57 55ebabc d40dc23 c4d242b fe7d37c 9f83a9f c00b6ca b95e413 73d192f 52f6e73 73d192f f37fcc4 fa849ec 9f83a9f 4f709ff fa849ec c00b6ca 4f709ff b95e413 c00b6ca 73d192f c4d242b b95e413 c4d242b 1ae2624 c4d242b d40dc23 9f83a9f c4d242b 126530f c4d242b fa849ec 9f83a9f fe7d37c 9f83a9f 8e9aba9 9f83a9f fe7d37c 9f83a9f 4789047 9f83a9f 4789047 c4d242b | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 | import streamlit as st, pandas as pd, os, io
from modeci_mdf.mdf import Model, Graph, Node, Parameter, OutputPort
from modeci_mdf.utils import load_mdf_json, load_mdf, load_mdf_yaml
from modeci_mdf.execution_engine import EvaluableGraph, EvaluableOutput
import json, yaml, bson
import numpy as np
import requests
st.set_page_config(layout="wide", page_icon="page_icon.png", page_title="Model Description Format", menu_items={
'Report a bug': "https://github.com/ModECI/MDF-UI/",
'About': "ModECI (Model Exchange and Convergence Initiative) is a multi-investigator collaboration that aims to develop a standardized format for exchanging computational models across diverse software platforms and domains of scientific research and technology development, with a particular focus on neuroscience, Machine Learning and Artificial Intelligence. Refer to https://modeci.org/ for more."
})
def reset_simulation_state():
"""Reset simulation-related session state variables."""
if 'simulation_results' in st.session_state:
del st.session_state.simulation_results
if 'selected_columns' in st.session_state:
del st.session_state.selected_columns
def run_simulation(param_inputs, mdf_model, stateful):
mod_graph = mdf_model.graphs[0]
nodes = mod_graph.nodes
all_node_results = {}
if stateful:
duration = param_inputs["Simulation Duration (s)"]
dt = param_inputs["Time Step (s)"]
for node in nodes:
eg = EvaluableGraph(mod_graph, verbose=False)
t = 0
times = []
node_outputs = {op.value : [] for op in node.output_ports}
node_outputs['Time'] = []
while t <= duration:
times.append(t)
if t == 0:
eg.evaluate()
else:
eg.evaluate(time_increment=dt)
node_outputs['Time'].append(t)
for op in node.output_ports:
eval_param = eg.enodes[node.id].evaluable_outputs[op.id]
output_value = eval_param.curr_value
if isinstance(output_value, (list, np.ndarray)):
scalar_value = output_value[0] if len(output_value) > 0 else np.nan
node_outputs[op.value].append(float(scalar_value))
else:
node_outputs[op.value].append(float(output_value))
t += dt
all_node_results[node.id] = pd.DataFrame(node_outputs).set_index('Time')
return all_node_results
else:
for node in nodes:
eg = EvaluableGraph(mod_graph, verbose=False)
eg.evaluate()
all_node_results[node.id] = pd.DataFrame({op.value: [eg.enodes[node.id].evaluable_outputs[op.id].curr_value] for op in node.output_ports})
return all_node_results
def show_simulation_results(all_node_results, stateful_nodes):
if all_node_results is not None:
for node_id, chart_data in all_node_results.items():
st.subheader(f"Results for Node: {node_id}")
if node_id in stateful_nodes:
if 'selected_columns' not in st.session_state:
st.session_state.selected_columns = {node_id: {col: True for col in chart_data.columns}}
elif node_id not in st.session_state.selected_columns:
st.session_state.selected_columns[node_id] = {col: True for col in chart_data.columns}
# Filter the data based on selected checkboxes
filtered_data = chart_data[[col for col, selected in st.session_state.selected_columns[node_id].items() if selected]]
# Display the line chart with filtered data
st.line_chart(filtered_data, use_container_width=True, height=400)
columns = chart_data.columns
checks = st.columns(8)
if len(columns) > 0 and len(st.session_state.selected_columns[node_id])>1:
for l, column in enumerate(columns):
with checks[l]:
st.checkbox(
f"{column}",
value=st.session_state.selected_columns[node_id][column],
key=f"checkbox_{node_id}_{column}",
on_change=update_selected_columns,
args=(node_id, column,)
)
else:
for col in chart_data.columns:
st.write(f"{col}: {chart_data[col][0]}")
def update_selected_columns(node_id, column):
st.session_state.selected_columns[node_id][column] = st.session_state[f"checkbox_{node_id}_{column}"]
def show_mdf_graph(mdf_model):
st.subheader("MDF Graph")
mdf_model.to_graph_image(engine="dot", output_format="png", view_on_render=False, level=3, filename_root=mdf_model.id, only_warn_on_fail=(os.name == "nt"))
image_path = mdf_model.id + ".png"
st.image(image_path, caption="Model Graph Visualization")
def show_json_model(mdf_model):
st.subheader("JSON Model")
st.json(mdf_model.to_json())
def view_tabs(mdf_model, param_inputs, stateful): # view
tab1, tab2, tab3 = st.tabs(["Simulation Results", "MDF Graph", "Json Model"])
with tab1:
if 'simulation_run' not in st.session_state or not st.session_state.simulation_run:
st.write("Run the simulation to see results.")
elif st.session_state.simulation_results is not None:
show_simulation_results(st.session_state.simulation_results, stateful)
else:
st.write("No simulation results available.")
with tab2:
show_mdf_graph(mdf_model) # view
with tab3:
show_json_model(mdf_model) # view
def display_and_edit_array(array, key):
if isinstance(array, list):
array = np.array(array)
rows, cols = array.shape if array.ndim > 1 else (1, len(array))
if rows*cols > 10:
st.write(array)
st.write("Array Shape:", array.shape)
else:
edited_array = []
if rows == 1:
for j in range(cols):
value = array[j] if array.ndim > 1 else array[j]
edited_value = st.text_input(f"[{j}]", value=str(value), key=f"{key}_{j}")
try:
edited_array.append(float(edited_value))
except ValueError:
st.error(f"Invalid input for [{j}]. Please enter a valid number.")
else:
for i in range(rows):
row = []
for j in range(cols):
value = array[i][j] if array.ndim > 1 else array[i]
edited_value = st.text_input(f"[{i}][{j}]", value=str(value), key=f"{key}_{i}_{j}")
try:
row.append(float(edited_value))
except ValueError:
st.error(f"Invalid input for [{i}][{j}]. Please enter a valid number.")
edited_array.append(row)
return np.array(edited_array)
def parameter_form_to_update_model_and_view(mdf_model):
mod_graph = mdf_model.graphs[0]
nodes = mod_graph.nodes
parameters = []
stateful_nodes = []
stateful = False
for node in nodes:
for param in node.parameters:
if param.is_stateful():
stateful_nodes.append(node.id)
stateful = True
break
else:
stateful = False
param_inputs = {}
if stateful:
if mdf_model.metadata:
preferred_duration = float(mdf_model.metadata.get("preferred_duration", 10))
preferred_dt = float(mdf_model.metadata.get("preferred_dt", 0.1))
else:
preferred_duration = 100
preferred_dt = 0.1
param_inputs["Simulation Duration (s)"] = preferred_duration
param_inputs["Time Step (s)"] = preferred_dt
with st.form(key="parameter_form"):
valid_inputs = True
st.write("Model Parameters:")
for node_index, node in enumerate(nodes):
with st.container(border=True):
st.write(f"Node: {node.id}")
# Create four columns for each node
col1, col2, col3, col4 = st.columns(4)
parameter_list = []
for i, param in enumerate(node.parameters):
if isinstance(param.value, str) or param.value is None:
continue
else:
parameter_list.append(param)
for i, param in enumerate(parameter_list):
if isinstance(param.value, str) or param.value is None:
continue
key = f"{param.id}_{node_index}_{i}"
# Alternate between columns
current_col = [col1, col2, col3, col4][i % 4]
with current_col:
if isinstance(param.value, (list, np.ndarray)):
st.write(f"{param.id}:")
value = display_and_edit_array(param.value, key)
else:
if param.metadata:
value = st.text_input(f"{param.metadata.get('description', param.id)} ({param.id})", value=str(param.value), key=key)
else:
value = st.text_input(f"{param.id}", value=str(param.value), key=key)
try:
param_inputs[param.id] = float(value)
except ValueError:
st.error(f"Invalid input for {param.id}. Please enter a valid number.")
valid_inputs = False
param_inputs[param.id] = value
if stateful:
st.write("Simulation Parameters:")
with st.container(border=True):
# Add Simulation Duration and Time Step inputs
col1, col2 = st.columns(2)
with col1:
sim_duration = st.text_input("Simulation Duration (s)", value=str(param_inputs["Simulation Duration (s)"]), key="sim_duration")
with col2:
time_step = st.text_input("Time Step (s)", value=str(param_inputs["Time Step (s)"]), key="time_step")
try:
param_inputs["Simulation Duration (s)"] = float(sim_duration)
except ValueError:
st.error("Invalid input for Simulation Duration. Please enter a valid number.")
valid_inputs = False
try:
param_inputs["Time Step (s)"] = float(time_step)
except ValueError:
st.error("Invalid input for Time Step. Please enter a valid number.")
valid_inputs = False
run_button = st.form_submit_button("Run Simulation")
if run_button:
if valid_inputs:
for node in nodes:
for param in node.parameters:
if param.id in param_inputs:
param.value = param_inputs[param.id]
st.session_state.simulation_results = run_simulation(param_inputs, mdf_model, stateful)
st.session_state.simulation_run = True
else:
st.error("Please correct the invalid inputs before running the simulation.")
view_tabs(mdf_model, param_inputs, stateful_nodes)
def upload_file_and_load_to_model():
uploaded_file = st.sidebar.file_uploader("Choose a JSON/YAML/BSON file", type=["json", "yaml", "bson"])
github_url = st.sidebar.text_input("Enter GitHub raw file URL:", placeholder="Enter GitHub raw file URL")
example_models = {
"Newton Cooling Model": "./examples/NewtonCoolingModel.json",
"ABCD": "./examples/ABCD.json",
"FN": "./examples/FN.mdf.json",
"States": "./examples/States.json",
"Switched RLC Circuit": "./examples/switched_rlc_circuit.json",
"Simple":"./examples/Simple.json",
"Arrays":"./examples/Arrays.json",
# "RNN":"./examples/RNNs.json", # some issue
"IAF":"./examples/IAFs.json",
"Izhikevich Test":"./examples/IzhikevichTest.mdf.json",
"Keras to MDF IRIS":"./examples/keras_to_MDF.json",
}
selected_model = st.sidebar.selectbox("Choose an example model", list(example_models.keys()), index=None, placeholder="Dont have an MDF Model? Try some sample examples here!")
if uploaded_file is not None:
file_content = uploaded_file.getvalue()
file_extension = uploaded_file.name.split('.')[-1].lower()
return load_model_from_content(file_content, file_extension)
if github_url:
try:
response = requests.get(github_url)
response.raise_for_status()
file_content = response.content
file_extension = github_url.split('.')[-1].lower()
return load_model_from_content(file_content, file_extension)
except requests.RequestException as e:
st.error(f"Error loading file from GitHub: {e}")
return None
if selected_model:
return load_mdf_json(example_models[selected_model])
def load_model_from_content(file_content, file_extension):
try:
if file_extension == 'json':
json_data = json.loads(file_content)
mdf_model = Model.from_dict(json_data)
elif file_extension in ['yaml', 'yml']:
yaml_data = yaml.safe_load(file_content)
mdf_model = Model.from_dict(yaml_data)
elif file_extension == 'bson':
bson_data = bson.decode(file_content)
mdf_model = Model.from_dict(bson_data)
else:
st.error("Unsupported file format. Please use JSON or YAML files.")
return None
st.session_state.original_mdf_model = mdf_model # Save the original model
st.session_state.mdf_model_yaml = mdf_model # Save the current model state
return mdf_model
except Exception as e:
st.error(f"Error loading model: {e}")
return None
def main():
if "checkbox" not in st.session_state:
st.session_state.checkbox = False
mdf_model = upload_file_and_load_to_model() # controller
if mdf_model:
st.session_state.current_model = mdf_model
header1, header2 = st.columns([1, 8], vertical_alignment="top")
with header1:
with st.container():
st.image("logo.jpg")
with header2:
with st.container():
st.title("MDF: "+ mdf_model.id)
parameter_form_to_update_model_and_view(mdf_model)
else:
header1, header2 = st.columns([1, 8], vertical_alignment="top")
with header1:
with st.container():
st.image("logo.jpg")
with header2:
with st.container():
st.title("Welcome to the Model Description Format UI")
st.write("ModECI (Model Exchange and Convergence Initiative) is a multi-investigator collaboration that aims to develop a standardized format for exchanging computational models across diverse software platforms and domains of scientific research and technology development, with a particular focus on neuroscience, Machine Learning and Artificial Intelligence. Refer to https://modeci.org/ for more.")
st.header("Let's get started! Choose one of the options on the left to load an MDF model.")
if __name__ == "__main__":
main()
|