В последней версии ElementTree (v1.3 или новее) вы можете просто сделать
input_element.find('..')
рекурсивно. Однако ElementTree, поставляемый с Python, не имеет этой функциональности, и я не вижу ничего в классе Element, который смотрит вверх.
Я полагаю, что это означает, что вы должны сделать это трудным путем: путем тщательного поиска дерева элементов.
def get_ancestors_recursively(e, b):
"Finds ancestors of b in the element tree e."
return _get_ancestors_recursively(e.getroot(), b, [])
def _get_ancestors_recursively(s, b, acc):
"Recursive variant. acc is the built-up list of ancestors so far."
if s == b:
return acc
else:
for child in s.getchildren():
newacc = acc[:]
newacc.append(s)
res = _get_ancestors_recursively(child, b, newacc)
if res is not None:
return res
return None
Это медленно из-за DFS и запускает множество списков для сборки мусора, но если вы справитесь с этим, все будет хорошо.