我正在尝试解析当前在python中尝试的这个XSD文件,以阻止元素的名称和数据的描述。
<xs:schema xmlns:xs="http://www.w3.org/2001/XMLSchema" elementFormDefault="qualified" attributeFormDefault="unqualified" version="07112016">
<xs:annotation>
<xs:documentation>Level 1: top level of Procurement Data Standard for a procurement instrument document.</xs:documentation>
</xs:annotation>
<xs:element name="ProcurementDocument">
<xs:annotation>
<xs:documentation>The root element for any procurement instrument document</xs:documentation>
在这里它会抓住name: ProcurementDocument
和desc:The root element for any procurement instrument document
。
here是更多数据,我试图使用正则表达式来拉它。当我将minified全部放在一条线上但仍然没有拉动每一个实例时,我取得了更大的成功。
这是我的完整代码,我试图从我的缩小XSD中获取所有案例,但只发现了~1500我想要找到的~120。
import re
import pandas as pd
df = pd.DataFrame({'Names': [ ], 'Description': [ ]})
search_str = r"name=\"(?P<name>\w+)\"\>[\w\<\/\.\>\d:]+documentation\>(?P<desc>[\w\s\.]+)\<\/"
file1 = 'mini_text.xml'
with open(file1, 'r') as f:
xml_string = f.read()
idx = 0
for m in re.finditer(search_str, xml_string):
df.loc[idx, 'Names'] = m.group('name')
df.loc[idx, 'Description'] = m.group('desc')
idx += 1
df.to_csv('output.txt', index=False, sep="\t")
您应该避免使用正则表达式解析xml / html / json,因为正则表达式不足以解析嵌套结构。
你的正则表达式没有捕获文本中所有名称和描述实例的原因是,你选择用于捕获描述[\w\s\.]+
的字符集是不够的,因为在描述中存在像括号(see list)
这样的字符,因为进一步预期的匹配失败。尝试将[\w\s\.]+
更改为.+?
然后它将起作用。请查看更新后的regex101演示链接。
Working Demo of your modified regex
编辑:示例演示如何使用Beautiful Soup解析xml以获取所需信息
import re
from bs4 import BeautifulSoup
data = '''<xs:element name="ProductDescription"><xs:annotation><xs:documentation>Provides the description of the product</xs:documentation></xs:annotation><xs:complexType><xs:sequence><xs:element name="ProductName"><xs:annotation><xs:documentation>Provides a name for the product. (see list)</xs:documentation></xs:annotation><xs:simpleType><xs:restriction base="xs:token"><xs:enumeration value="Barbie Doll"/><xs:enumeration value="Ken Doll"/></xs:restriction></xs:simpleType></xs:element><xs:element name="ProductSize"><xs:annotation><xs:documentation>Describes the size of the product. (see list)</xs:documentation></xs:annotation><xs:simpleType><xs:restriction base="xs:token"><xs:enumeration value="Small"/><xs:enumeration value="Medium"/><xs:enumeration value="Large"/><xs:enumeration value="Dayum"/></xs:restriction></xs:simpleType></xs:element></xs:sequence></xs:complexType></xs:element>'''
soup = BeautifulSoup(data)
for element in soup.find_all('xs:element'):
print(element['name']) # prints name attribute value
print(element.find('xs:documentation').get_text(),'\n') # prints inner text of xs:documentation tag
打印您想要的名称和描述,
ProductDescription
Provides the description of the product
ProductName
Provides a name for the product. (see list)
ProductSize
Describes the size of the product. (see list)