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 351 352 353 354 355 356 357 358 359 360
|
#
# Copyright (c), 2024, SISSA (International School for Advanced Studies).
# All rights reserved.
# This file is distributed under the terms of the MIT License.
# See the file 'LICENSE' in the root directory of the present
# distribution, or http://opensource.org/licenses/MIT.
#
# @author Davide Brunato <brunato@sissa.it>
#
import platform
from itertools import zip_longest
from collections.abc import Iterator
from threading import Lock, RLock
from typing import cast, Any, Optional, Union
from elementpath import ElementNode, LazyElementNode, DocumentNode, \
build_lxml_node_tree, build_node_tree
from elementpath.protocols import LxmlElementProtocol
from xmlschema.aliases import ElementType, ElementTreeType, \
EtreeType, IOType, IterParseType, ParentMapType
from xmlschema.exceptions import XMLResourceError, XMLResourceParseError
from xmlschema.utils.misc import iter_class_slots
from xmlschema.utils.qnames import get_namespace
from .arguments import LazyArgument, ThinLazyArgument, IterParseArgument
LazyLockType = RLock if platform.python_implementation() == 'PyPy' else Lock
class XMLResourceLoader:
"""
A proxy for XML data loading that can handle full or lazy loads of XML trees.
"""
# Descriptor-based attributes for arguments
lazy = LazyArgument()
thin_lazy = ThinLazyArgument()
iterparse = IterParseArgument()
# Private attributes for arguments
_lazy: Union[bool, int]
_thin_lazy: bool
_iterparse: IterParseType
# Protected attributes for XML data
_xpath_root: Union[None, ElementNode, DocumentNode]
_nsmaps: dict[ElementType, dict[str, str]]
_xmlns: dict[ElementType, list[tuple[str, str]]]
_parent_map: Optional[ParentMapType]
root: ElementType
"""The XML tree root Element."""
__slots__ = ('root', '_nsmaps', '_xmlns', '_lazy', '_thin_lazy', '_iterparse',
'_xpath_root', '_parent_map', '__dict__')
def __init__(self, source: Union[IOType, EtreeType],
lazy: Union[bool, int] = False,
thin_lazy: bool = True,
iterparse: Optional[IterParseType] = None) -> None:
self.lazy = lazy
self.thin_lazy = thin_lazy
self.iterparse = iterparse
self._nsmaps = {}
self._xmlns = {}
self._xpath_root = None
self._parent_map = None
self._lazy_lock = LazyLockType()
if hasattr(source, 'read'):
fp = cast(IOType, source)
if self._lazy:
for _ in self._lazy_iterparse(fp):
break
else:
self._parse(fp)
else:
if hasattr(source, 'tag'):
self.root = cast(ElementType, source)
else:
self.root = cast(ElementTreeType, source).getroot()
if self._lazy:
msg = f"a {self.__class__.__name__} created from an ElementTree can't be lazy"
raise XMLResourceError(msg)
if hasattr(self.root, 'nsmap') and hasattr(self.root, 'xpath'):
self._parse_namespace_declarations()
def __repr__(self) -> str:
if not hasattr(self, 'root'):
return '<%s object at %#x>' % (self.__class__.__name__, id(self))
return '%s(root=%r)' % (self.__class__.__name__, self.root)
def __getstate__(self) -> dict[str, Any]:
state = self.__dict__.copy()
for attr in iter_class_slots(self):
if attr not in state and attr != '__dict__':
state[attr] = getattr(self, attr)
state.pop('_lazy_lock', None)
return state
def __setstate__(self, state: dict[str, Any]) -> None:
for attr in iter_class_slots(self):
if attr in state and attr != '__dict__':
object.__setattr__(self, attr, state.pop(attr))
self.__dict__.update(state)
self._lazy_lock = LazyLockType()
def __copy__(self) -> 'XMLResourceLoader':
obj: 'XMLResourceLoader' = object.__new__(self.__class__)
obj.__dict__.update(self.__dict__)
for attr in iter_class_slots(self):
if attr != '__dict__':
object.__setattr__(obj, attr, getattr(self, attr))
obj._nsmaps = self._nsmaps.copy()
obj._xmlns = self._xmlns.copy()
obj._xpath_root = None
obj._parent_map = None
obj._lazy_lock = LazyLockType()
return obj
@property
def namespace(self) -> str:
"""The namespace of the XML resource."""
return get_namespace(self.root.tag)
@property
def parent_map(self) -> dict[ElementType, Optional[ElementType]]:
if self._lazy:
raise XMLResourceError("can't create the parent map of a lazy XML resource")
if self._parent_map is None:
self._parent_map = {child: elem for elem in self.root.iter() for child in elem}
self._parent_map[self.root] = None
return self._parent_map
@property
def xpath_root(self) -> Union[ElementNode, DocumentNode]:
"""The XPath root node."""
if self._xpath_root is None:
if self._lazy:
self._xpath_root = LazyElementNode(self.root, nsmap=self._nsmaps[self.root])
elif hasattr(self.root, 'xpath'):
self._xpath_root = build_lxml_node_tree(cast(LxmlElementProtocol, self.root))
else:
try:
_nsmap = self._nsmaps[self.root]
except KeyError:
# A resource based on an ElementTree structure (no namespace maps)
self._xpath_root = build_node_tree(self.root)
else:
node_tree = build_node_tree(self.root, _nsmap)
# Update namespace maps
for node in node_tree.iter_descendants(with_self=False):
if isinstance(node, ElementNode):
nsmap = self._nsmaps[cast(ElementType, node.obj)]
node.nsmap = {k or '': v for k, v in nsmap.items()}
self._xpath_root = node_tree
return self._xpath_root
def clear(self, elem: ElementType) -> None:
if elem not in self._nsmaps:
del elem[:]
else:
self._clear(elem)
def get_nsmap(self, elem: ElementType) -> Optional[dict[str, str]]:
"""
Returns the namespace map (nsmap) of the element. Returns `None` if no nsmap is
found for the element. Lazy resources have only the nsmap for the root element.
"""
try:
return self._nsmaps[elem]
except KeyError:
return getattr(elem, 'nsmap', None) # an lxml element
def get_xmlns(self, elem: ElementType) -> Optional[list[tuple[str, str]]]:
"""
Returns the list of namespaces declarations (xmlns and xmlns:<prefix> attributes)
of the element. Returns `None` if the element doesn't have namespace declarations.
Lazy resources have only the namespace declarations for the root element.
"""
return self._xmlns.get(elem)
def get_xpath_node(self, elem: ElementType) -> ElementNode:
"""
Returns an XPath node for the element, fetching it from the XPath root node.
Returns a new lazy element node if the matching element node is not found.
"""
xpath_node = self.xpath_root.get_element_node(elem)
if isinstance(xpath_node, ElementNode):
return xpath_node
try:
return LazyElementNode(elem, nsmap=self._nsmaps[elem])
except KeyError:
return LazyElementNode(elem)
def get_absolute_path(self, path: Optional[str] = None) -> str:
if path is None:
if self._lazy:
return f"/{self.root.tag}/{'/'.join('*' * int(self._lazy))}"
return f'/{self.root.tag}'
elif path.startswith('/'):
return path
else:
return f'/{self.root.tag}/{path}'
##
# Protected parsing and clearing methods
def _lazy_iterparse(self, fp: IOType) -> Iterator[tuple[str, ElementType]]:
events: tuple[str, ...]
events = 'start-ns', 'end-ns', 'start', 'end'
root_started = False
start_ns: list[tuple[str, str]] = []
end_ns = False
nsmap_stack: list[dict[str, str]] = [{}]
self._nsmaps.clear()
self._xmlns.clear()
acquired = self._lazy_lock.acquire(blocking=False)
if not acquired:
raise XMLResourceError(f"lazy resource {self!r} is already under iteration")
try:
for event, node in self._iterparse(fp, events):
if event == 'start':
if end_ns:
nsmap_stack.pop()
end_ns = False
if start_ns:
nsmap_stack.append(nsmap_stack[-1].copy())
nsmap_stack[-1].update(start_ns)
self._xmlns[node] = start_ns
start_ns = []
self._nsmaps[node] = nsmap_stack[-1]
if not root_started:
self.root = node
self._xpath_root = LazyElementNode(
self.root, nsmap=self._nsmaps[node]
)
root_started = True
yield event, node
elif event == 'end':
if end_ns:
nsmap_stack.pop()
end_ns = False
yield event, node
elif event == 'start-ns':
start_ns.append(node)
else:
end_ns = True
except SyntaxError as err:
raise XMLResourceParseError("invalid XML syntax: {}".format(err)) from err
finally:
self._lazy_lock.release()
def _parse(self, fp: IOType) -> None:
root_started = False
start_ns: list[tuple[str, str]] = []
end_ns = False
nsmaps = self._nsmaps
xmlns = self._xmlns
events = 'start-ns', 'end-ns', 'start'
nsmap_stack: list[dict[str, str]] = [{}]
try:
for event, node in self._iterparse(fp, events):
if event == 'start':
if not root_started:
self.root = node
root_started = True
if end_ns:
nsmap_stack.pop()
end_ns = False
if start_ns:
nsmap_stack.append(nsmap_stack[-1].copy())
nsmap_stack[-1].update(start_ns)
xmlns[node] = start_ns
start_ns = []
nsmaps[node] = nsmap_stack[-1]
elif event == 'start-ns':
start_ns.append(node)
else:
end_ns = True
except SyntaxError as err:
raise XMLResourceParseError("invalid XML syntax: {}".format(err)) from err
def _clear(self, elem: ElementType,
ancestors: Optional[list[ElementType]] = None) -> None:
if ancestors and self._thin_lazy:
# Delete preceding elements
for parent, child in zip_longest(ancestors, ancestors[1:]):
if child is None:
child = elem
for k, e in enumerate(parent):
if child is not e:
if e in self._xmlns:
del self._xmlns[e]
del self._nsmaps[e]
else:
if k:
del parent[:k]
break
for e in elem.iter():
if elem is not e:
if e in self._xmlns:
del self._xmlns[e]
del self._nsmaps[e]
del elem[:] # delete children, keep attributes, text and tail.
# reset the whole XPath tree to let it still usable if other
# children are added to the root by ElementTree.iterparse().
if self._xpath_root is not None:
self._xpath_root.children.clear()
def _parse_namespace_declarations(self) -> None:
nsmap = {}
lxml_nsmap = None
for elem in cast(Any, self.root.iter()):
if callable(elem.tag):
self._nsmaps[elem] = {}
continue
if lxml_nsmap != elem.nsmap:
nsmap = {k or '': v for k, v in elem.nsmap.items()}
lxml_nsmap = elem.nsmap
parent = elem.getparent()
if parent is None:
xmlns = [(k or '', v) for k, v in nsmap.items()]
elif parent.nsmap != elem.nsmap:
xmlns = [(k or '', v) for k, v in elem.nsmap.items()
if k not in parent.nsmap or v != parent.nsmap[k]]
else:
xmlns = None
self._nsmaps[elem] = nsmap
if xmlns:
self._xmlns[elem] = xmlns
|