Simulink: Find all subsystem paths from SLX
In our previous post we learned that Simulink SLX files are just ZIP-compressed XML files.
The following C++ program can be used to parse model/blockdiagram.xml
from the pre-extracted ZIP file and find all subsystem paths in the model.
#include <iostream>
#include <fstream>
#include <string>
#include <vector>
#include <tinyxml2.h>
using namespace tinyxml2;
using namespace std;
void traverseXML(XMLElement* element, const string& parentPath, vector<string>& paths) {
// Verarbeite das aktuelle Element
const char* blockType = element->Attribute("BlockType");
const char* name = element->Attribute("Name");
string currentPath = parentPath;
if (name) {
currentPath = parentPath.empty() ? name : parentPath + "/" + name;
}
// Spezielle Behandlung für Blöcke vom Typ SubSystem
if (blockType && string(blockType) == "SubSystem") {
paths.push_back(currentPath);
}
// Rekursiv durch alle Kindelemente iterieren
for (XMLElement* child = element->FirstChildElement();
child;
child = child->NextSiblingElement()) {
traverseXML(child, currentPath, paths);
}
}
vector<string> getSubsystemPaths(const string& xmlFile) {
vector<string> paths;
XMLDocument doc;
if (doc.LoadFile(xmlFile.c_str()) != XML_SUCCESS) {
cerr << "Error loading XML file!" << endl;
return paths;
}
XMLElement* root = doc.RootElement();
if (root) {
traverseXML(root, "", paths);
}
return paths;
}
int main() {
string xmlFile = "simulink/blockdiagram.xml"; // Change this to your file path
vector<string> subsystemPaths = getSubsystemPaths(xmlFile);
for (const string& path : subsystemPaths) {
cout << path << endl;
}
return 0;
}
Compile it using
g++ -o simulink_extract_subsystems simulink_extract_subsystems.cpp -ltinyxml2
It will print all subsystem paths in the model to the console.
If this post helped you, please consider buying me a coffee or donating via PayPal to support research & publishing of new posts on TechOverflow