在 BeautifulSoup 中扩展 CSS 选择器
Extending CSS selectors in BeautifulSoup
问题:
BeautifulSoup
为 CSS selectors 提供 非常有限的支持。例如,唯一支持的伪 class 是 nth-of-type
,它只能接受数值 - 不允许使用 even
或 odd
等参数。
是否可以扩展 BeautifulSoup
CSS 选择器或让它在内部使用 lxml.cssselect
作为基础 CSS 选择机制?
让我们来看一个例子problem/use案例。仅查找以下 HTML:
中的偶数行
<table>
<tr>
<td>1</td>
<tr>
<td>2</td>
</tr>
<tr>
<td>3</td>
</tr>
<tr>
<td>4</td>
</tr>
</table>
在lxml.html
和lxml.cssselect
中,通过:nth-of-type(even)
:
很容易做到
from lxml.html import fromstring
from lxml.cssselect import CSSSelector
tree = fromstring(data)
sel = CSSSelector('tr:nth-of-type(even)')
print [e.text_content().strip() for e in sel(tree)]
但是,在BeautifulSoup
中:
print(soup.select("tr:nth-of-type(even)"))
会抛出错误:
NotImplementedError: Only numeric values are currently supported for the nth-of-type pseudo-class.
请注意,我们可以使用 .find_all()
:
解决此问题
print([row.get_text(strip=True) for index, row in enumerate(soup.find_all("tr"), start=1) if index % 2 == 0])
据官方说法,Beautifulsoup 不支持所有 CSS 选择器。
如果 python 不是唯一的选择,我强烈推荐 JSoup(相当于 java)。它支持所有 CSS 选择器。
- 它是开源的(MIT 许可证)
- 语法简单
- 支持所有 css 选择器
- 也可以跨越多个线程以进行扩展
- 丰富 API 支持 java 存储在数据库中。所以,很容易集成。
如果您仍然想坚持使用 python 的另一种替代方法,请将其设为 jython 实现。
查看源代码后,似乎 BeautifulSoup
在其接口中没有提供任何方便的点来扩展或修补其现有的这方面功能。使用 lxml
中的功能也是不可能的,因为 BeautifulSoup
在解析期间仅使用 lxml
并使用解析结果从中创建自己的相应对象。 lxml
对象未保留,以后无法访问。
话虽这么说,只要有足够的决心以及 Python 的灵活性和自省能力,一切皆有可能。您甚至可以在 run-time:
修改 BeautifulSoup 方法内部
import inspect
import re
import textwrap
import bs4.element
def replace_code_lines(source, start_token, end_token,
replacement, escape_tokens=True):
"""Replace the source code between `start_token` and `end_token`
in `source` with `replacement`. The `start_token` portion is included
in the replaced code. If `escape_tokens` is True (default),
escape the tokens to avoid them being treated as a regular expression."""
if escape_tokens:
start_token = re.escape(start_token)
end_token = re.escape(end_token)
def replace_with_indent(match):
indent = match.group(1)
return textwrap.indent(replacement, indent)
return re.sub(r"^(\s+)({}[\s\S]+?)(?=^{})".format(start_token, end_token),
replace_with_indent, source, flags=re.MULTILINE)
# Get the source code of the Tag.select() method
src = textwrap.dedent(inspect.getsource(bs4.element.Tag.select))
# Replace the relevant part of the method
start_token = "if pseudo_type == 'nth-of-type':"
end_token = "else"
replacement = """\
if pseudo_type == 'nth-of-type':
try:
if pseudo_value in ("even", "odd"):
pass
else:
pseudo_value = int(pseudo_value)
except:
raise NotImplementedError(
'Only numeric values, "even" and "odd" are currently '
'supported for the nth-of-type pseudo-class.')
if isinstance(pseudo_value, int) and pseudo_value < 1:
raise ValueError(
'nth-of-type pseudo-class value must be at least 1.')
class Counter(object):
def __init__(self, destination):
self.count = 0
self.destination = destination
def nth_child_of_type(self, tag):
self.count += 1
if pseudo_value == "even":
return not bool(self.count % 2)
elif pseudo_value == "odd":
return bool(self.count % 2)
elif self.count == self.destination:
return True
elif self.count > self.destination:
# Stop the generator that's sending us
# these things.
raise StopIteration()
return False
checker = Counter(pseudo_value).nth_child_of_type
"""
new_src = replace_code_lines(src, start_token, end_token, replacement)
# Compile it and execute it in the target module's namespace
exec(new_src, bs4.element.__dict__)
# Monkey patch the target method
bs4.element.Tag.select = bs4.element.select
This 是被修改的代码部分。
当然,这还不够优雅和可靠。我不认为它会在任何地方被认真使用。
问题:
BeautifulSoup
为 CSS selectors 提供 非常有限的支持。例如,唯一支持的伪 class 是 nth-of-type
,它只能接受数值 - 不允许使用 even
或 odd
等参数。
是否可以扩展 BeautifulSoup
CSS 选择器或让它在内部使用 lxml.cssselect
作为基础 CSS 选择机制?
让我们来看一个例子problem/use案例。仅查找以下 HTML:
中的偶数行<table>
<tr>
<td>1</td>
<tr>
<td>2</td>
</tr>
<tr>
<td>3</td>
</tr>
<tr>
<td>4</td>
</tr>
</table>
在lxml.html
和lxml.cssselect
中,通过:nth-of-type(even)
:
from lxml.html import fromstring
from lxml.cssselect import CSSSelector
tree = fromstring(data)
sel = CSSSelector('tr:nth-of-type(even)')
print [e.text_content().strip() for e in sel(tree)]
但是,在BeautifulSoup
中:
print(soup.select("tr:nth-of-type(even)"))
会抛出错误:
NotImplementedError: Only numeric values are currently supported for the nth-of-type pseudo-class.
请注意,我们可以使用 .find_all()
:
print([row.get_text(strip=True) for index, row in enumerate(soup.find_all("tr"), start=1) if index % 2 == 0])
据官方说法,Beautifulsoup 不支持所有 CSS 选择器。
如果 python 不是唯一的选择,我强烈推荐 JSoup(相当于 java)。它支持所有 CSS 选择器。
- 它是开源的(MIT 许可证)
- 语法简单
- 支持所有 css 选择器
- 也可以跨越多个线程以进行扩展
- 丰富 API 支持 java 存储在数据库中。所以,很容易集成。
如果您仍然想坚持使用 python 的另一种替代方法,请将其设为 jython 实现。
查看源代码后,似乎 BeautifulSoup
在其接口中没有提供任何方便的点来扩展或修补其现有的这方面功能。使用 lxml
中的功能也是不可能的,因为 BeautifulSoup
在解析期间仅使用 lxml
并使用解析结果从中创建自己的相应对象。 lxml
对象未保留,以后无法访问。
话虽这么说,只要有足够的决心以及 Python 的灵活性和自省能力,一切皆有可能。您甚至可以在 run-time:
修改 BeautifulSoup 方法内部import inspect
import re
import textwrap
import bs4.element
def replace_code_lines(source, start_token, end_token,
replacement, escape_tokens=True):
"""Replace the source code between `start_token` and `end_token`
in `source` with `replacement`. The `start_token` portion is included
in the replaced code. If `escape_tokens` is True (default),
escape the tokens to avoid them being treated as a regular expression."""
if escape_tokens:
start_token = re.escape(start_token)
end_token = re.escape(end_token)
def replace_with_indent(match):
indent = match.group(1)
return textwrap.indent(replacement, indent)
return re.sub(r"^(\s+)({}[\s\S]+?)(?=^{})".format(start_token, end_token),
replace_with_indent, source, flags=re.MULTILINE)
# Get the source code of the Tag.select() method
src = textwrap.dedent(inspect.getsource(bs4.element.Tag.select))
# Replace the relevant part of the method
start_token = "if pseudo_type == 'nth-of-type':"
end_token = "else"
replacement = """\
if pseudo_type == 'nth-of-type':
try:
if pseudo_value in ("even", "odd"):
pass
else:
pseudo_value = int(pseudo_value)
except:
raise NotImplementedError(
'Only numeric values, "even" and "odd" are currently '
'supported for the nth-of-type pseudo-class.')
if isinstance(pseudo_value, int) and pseudo_value < 1:
raise ValueError(
'nth-of-type pseudo-class value must be at least 1.')
class Counter(object):
def __init__(self, destination):
self.count = 0
self.destination = destination
def nth_child_of_type(self, tag):
self.count += 1
if pseudo_value == "even":
return not bool(self.count % 2)
elif pseudo_value == "odd":
return bool(self.count % 2)
elif self.count == self.destination:
return True
elif self.count > self.destination:
# Stop the generator that's sending us
# these things.
raise StopIteration()
return False
checker = Counter(pseudo_value).nth_child_of_type
"""
new_src = replace_code_lines(src, start_token, end_token, replacement)
# Compile it and execute it in the target module's namespace
exec(new_src, bs4.element.__dict__)
# Monkey patch the target method
bs4.element.Tag.select = bs4.element.select
This 是被修改的代码部分。
当然,这还不够优雅和可靠。我不认为它会在任何地方被认真使用。