Xml Reader
v2.1.0Read and parse XML from construction systems - P6 schedules, BSDD exports, IFC-XML, COBie-XML. Convert to pandas DataFrames.
Security Scan
OpenClaw
Benign
high confidencePurpose & Capability
Name/description match the manifest and SKILL.md: an XML parsing helper for construction formats. The manifest requests python3 and filesystem permission which are reasonable for reading user-provided XML files and producing DataFrames.
Instruction Scope
SKILL.md contains Python parsing code and instructions that operate on files/data provided by the user. The instructions do not instruct the agent to read unrelated system files, contact external endpoints, or collect unrelated secrets.
Install Mechanism
This is an instruction-only skill with no install spec or external downloads. That minimizes install-time risk; the skill only requires a local python3 binary to be present.
Credentials
No environment variables or credentials are requested. The manifest requests filesystem permission only, which is proportional to reading user-supplied files.
Persistence & Privilege
always:false and default autonomous invocation are used (normal). The manifest declares filesystem permission which is needed for reading files but is a broad permission — the user should be aware it grants access to local files the agent can reach.
Assessment
This skill appears coherent for parsing construction XML and converting to pandas DataFrames. Before installing, consider: (1) filesystem access is declared — only provide files you intend the agent to read; (2) the SKILL.md includes Python XML parsing that will run on user-supplied files, and parsing untrusted XML can have risks (excessive resource usage from 'billion‑laughs' style payloads or other XML-specific attack patterns). If you will feed untrusted XML, prefer a hardened parser (defusedxml) or limit input size. Also verify you trust the skill source (homepage is provided but author is unknown) and ensure python3 is available in the environment. Finally, note a minor metadata mismatch: claw.json lists version 2.0.0 while registry metadata lists 2.1.0 — likely harmless but worth confirming.Like a lobster shell, security has layers — review code before you run it.
Runtime requirements
🏷️ Clawdis
OSmacOS · Linux · Windows
Binspython3
latest
XML Reader for Construction Data
Overview
XML is used in construction for P6 schedules (XER), IFC-XML, COBie-XML, and buildingSMART Data Dictionary exports. This skill parses XML and converts to structured DataFrames.
Python Implementation
import xml.etree.ElementTree as ET
import pandas as pd
from typing import Dict, Any, List, Optional, Union
from dataclasses import dataclass
from pathlib import Path
import re
@dataclass
class XMLElement:
"""Parsed XML element."""
tag: str
attributes: Dict[str, str]
text: Optional[str]
children: List['XMLElement']
class ConstructionXMLReader:
"""Parse XML from construction systems."""
def __init__(self):
self.namespaces: Dict[str, str] = {}
def parse_file(self, file_path: str) -> ET.Element:
"""Parse XML file and return root element."""
tree = ET.parse(file_path)
root = tree.getroot()
# Extract namespaces
self._extract_namespaces(root)
return root
def parse_string(self, xml_string: str) -> ET.Element:
"""Parse XML from string."""
root = ET.fromstring(xml_string)
self._extract_namespaces(root)
return root
def _extract_namespaces(self, root: ET.Element):
"""Extract namespace mappings."""
# Find namespace declarations
for attr, value in root.attrib.items():
if attr.startswith('{'):
ns = attr[1:attr.index('}')]
self.namespaces[root.tag.split('}')[0][1:]] = ns
def find_elements(self, root: ET.Element,
tag: str,
namespace: str = None) -> List[ET.Element]:
"""Find all elements with given tag."""
if namespace:
tag = f"{{{namespace}}}{tag}"
return root.findall(f".//{tag}")
def element_to_dict(self, element: ET.Element,
include_children: bool = True) -> Dict[str, Any]:
"""Convert element to dictionary."""
result = {
'_tag': element.tag.split('}')[-1] if '}' in element.tag else element.tag,
'_text': element.text.strip() if element.text else None,
**element.attrib
}
if include_children:
for child in element:
child_tag = child.tag.split('}')[-1] if '}' in child.tag else child.tag
if child_tag in result:
# Multiple children with same tag - make list
if not isinstance(result[child_tag], list):
result[child_tag] = [result[child_tag]]
result[child_tag].append(self.element_to_dict(child))
else:
result[child_tag] = self.element_to_dict(child)
return result
def elements_to_dataframe(self, elements: List[ET.Element]) -> pd.DataFrame:
"""Convert list of elements to DataFrame."""
records = []
for elem in elements:
record = {'_tag': elem.tag.split('}')[-1]}
record.update(elem.attrib)
# Get direct text content
if elem.text and elem.text.strip():
record['_text'] = elem.text.strip()
# Get child values
for child in elem:
child_tag = child.tag.split('}')[-1]
if child.text and child.text.strip():
record[child_tag] = child.text.strip()
# Also get child attributes
for attr, val in child.attrib.items():
record[f"{child_tag}_{attr}"] = val
records.append(record)
return pd.DataFrame(records)
def flatten_xml(self, root: ET.Element,
target_tag: str = None) -> pd.DataFrame:
"""Flatten XML to DataFrame."""
if target_tag:
elements = self.find_elements(root, target_tag)
else:
elements = list(root)
return self.elements_to_dataframe(elements)
class P6XMLReader(ConstructionXMLReader):
"""Reader for Primavera P6 XML exports."""
def parse_activities(self, root: ET.Element) -> pd.DataFrame:
"""Parse activities from P6 XML."""
activities = self.find_elements(root, 'Activity')
return self.elements_to_dataframe(activities)
def parse_resources(self, root: ET.Element) -> pd.DataFrame:
"""Parse resources from P6 XML."""
resources = self.find_elements(root, 'Resource')
return self.elements_to_dataframe(resources)
def parse_wbs(self, root: ET.Element) -> pd.DataFrame:
"""Parse WBS from P6 XML."""
wbs = self.find_elements(root, 'WBS')
return self.elements_to_dataframe(wbs)
def parse_full_schedule(self, file_path: str) -> Dict[str, pd.DataFrame]:
"""Parse complete P6 schedule."""
root = self.parse_file(file_path)
return {
'activities': self.parse_activities(root),
'resources': self.parse_resources(root),
'wbs': self.parse_wbs(root)
}
class IFCXMLReader(ConstructionXMLReader):
"""Reader for IFC-XML files."""
def parse_entities(self, root: ET.Element) -> pd.DataFrame:
"""Parse IFC entities."""
# Find all Ifc* elements
all_entities = []
for elem in root.iter():
if elem.tag.startswith('Ifc'):
all_entities.append(elem)
return self.elements_to_dataframe(all_entities)
def get_entity_types(self, root: ET.Element) -> Dict[str, int]:
"""Count entity types."""
counts = {}
for elem in root.iter():
tag = elem.tag
if tag.startswith('Ifc'):
counts[tag] = counts.get(tag, 0) + 1
return counts
class COBieXMLReader(ConstructionXMLReader):
"""Reader for COBie XML files."""
COBIE_SHEETS = ['Facility', 'Floor', 'Space', 'Zone', 'Type',
'Component', 'System', 'Assembly', 'Connection',
'Spare', 'Resource', 'Job', 'Document', 'Attribute']
def parse_cobie(self, file_path: str) -> Dict[str, pd.DataFrame]:
"""Parse all COBie sheets."""
root = self.parse_file(file_path)
result = {}
for sheet in self.COBIE_SHEETS:
elements = self.find_elements(root, sheet)
if elements:
result[sheet] = self.elements_to_dataframe(elements)
return result
class BSDDXMLReader(ConstructionXMLReader):
"""Reader for buildingSMART Data Dictionary exports."""
def parse_classifications(self, root: ET.Element) -> pd.DataFrame:
"""Parse classification items."""
items = self.find_elements(root, 'Classification')
return self.elements_to_dataframe(items)
def parse_properties(self, root: ET.Element) -> pd.DataFrame:
"""Parse property definitions."""
props = self.find_elements(root, 'Property')
return self.elements_to_dataframe(props)
Quick Start
reader = ConstructionXMLReader()
# Parse XML file
root = reader.parse_file("schedule.xml")
# Find specific elements
activities = reader.find_elements(root, "Activity")
print(f"Found {len(activities)} activities")
# Convert to DataFrame
df = reader.elements_to_dataframe(activities)
Common Use Cases
1. P6 Schedule Import
p6_reader = P6XMLReader()
schedule = p6_reader.parse_full_schedule("p6_export.xml")
activities = schedule['activities']
print(f"Activities: {len(activities)}")
2. COBie Data
cobie_reader = COBieXMLReader()
cobie_data = cobie_reader.parse_cobie("facility_cobie.xml")
components = cobie_data.get('Component', pd.DataFrame())
3. IFC-XML Analysis
ifc_reader = IFCXMLReader()
root = ifc_reader.parse_file("model.ifcxml")
# Count entity types
types = ifc_reader.get_entity_types(root)
for entity_type, count in sorted(types.items(), key=lambda x: -x[1])[:10]:
print(f"{entity_type}: {count}")
Resources
- DDC Book: Chapter 2.1 - Semi-structured Data
- IFC-XML: buildingSMART specification
Comments
Loading comments...
