Pyparsing は、BeautifulSoup と正規表現の間の適切な中間ステップです。HTML タグの解析では、大文字と小文字、空白、属性の存在/非存在/順序のバリエーションが考慮されるため、単なる正規表現よりも堅牢ですが、BS を使用するよりもこの種の基本的なタグ抽出を行う方が簡単です。
探しているものはすべて開始の「input」タグの属性にあるため、例は特に単純です。これは、正規表現に適合する入力タグのいくつかのバリエーションを示すpyparsingの例であり、コメント内にある場合にタグを一致させない方法も示しています。
html = """<html><body>
<input type="hidden" name="fooId" value="**[id is here]**" />
<blah>
<input name="fooId" type="hidden" value="**[id is here too]**" />
<input NAME="fooId" type="hidden" value="**[id is HERE too]**" />
<INPUT NAME="fooId" type="hidden" value="**[and id is even here TOO]**" />
<!--
<input type="hidden" name="fooId" value="**[don't report this id]**" />
-->
<foo>
</body></html>"""
from pyparsing import makeHTMLTags, withAttribute, htmlComment
# use makeHTMLTags to create tag expression - makeHTMLTags returns expressions for
# opening and closing tags, we're only interested in the opening tag
inputTag = makeHTMLTags("input")[0]
# only want input tags with special attributes
inputTag.setParseAction(withAttribute(type="hidden", name="fooId"))
# don't report tags that are commented out
inputTag.ignore(htmlComment)
# use searchString to skip through the input
foundTags = inputTag.searchString(html)
# dump out first result to show all returned tags and attributes
print foundTags[0].dump()
print
# print out the value attribute for all matched tags
for inpTag in foundTags:
print inpTag.value
版画:
['input', ['type', 'hidden'], ['name', 'fooId'], ['value', '**[id is here]**'], True]
- empty: True
- name: fooId
- startInput: ['input', ['type', 'hidden'], ['name', 'fooId'], ['value', '**[id is here]**'], True]
- empty: True
- name: fooId
- type: hidden
- value: **[id is here]**
- type: hidden
- value: **[id is here]**
**[id is here]**
**[id is here too]**
**[id is HERE too]**
**[and id is even here TOO]**
pyparsing はこれらの予測不可能なバリエーションに一致するだけでなく、個々のタグ属性とその値を簡単に読み取ることができるオブジェクトでデータを返すことがわかります。