mirror of
https://github.com/kovidgoyal/calibre.git
synced 2025-12-08 06:05:04 -05:00
621 lines
21 KiB
Python
621 lines
21 KiB
Python
#!/usr/bin/env python2
|
|
# vim:fileencoding=utf-8
|
|
from __future__ import (unicode_literals, division, absolute_import,
|
|
print_function)
|
|
|
|
__license__ = 'GPL v3'
|
|
__copyright__ = '2015, Kovid Goyal <kovid at kovidgoyal.net>'
|
|
|
|
import re, itertools
|
|
from collections import OrderedDict, defaultdict
|
|
from functools import wraps
|
|
from itertools import chain
|
|
|
|
from lxml import etree
|
|
|
|
from css_selectors.errors import ExpressionError
|
|
from css_selectors.parser import parse, ascii_lower, Element
|
|
from css_selectors.ordered_set import OrderedSet
|
|
|
|
PARSE_CACHE_SIZE = 200
|
|
parse_cache = OrderedDict()
|
|
XPATH_CACHE_SIZE = 30
|
|
xpath_cache = OrderedDict()
|
|
|
|
# Test that the string is not empty and does not contain whitespace
|
|
is_non_whitespace = re.compile(r'^[^ \t\r\n\f]+$').match
|
|
|
|
def get_parsed_selector(raw):
|
|
try:
|
|
return parse_cache[raw]
|
|
except KeyError:
|
|
parse_cache[raw] = ans = parse(raw)
|
|
if len(parse_cache) > PARSE_CACHE_SIZE:
|
|
parse_cache.pop(next(iter(parse_cache)))
|
|
return ans
|
|
|
|
def get_compiled_xpath(expr):
|
|
try:
|
|
return xpath_cache[expr]
|
|
except KeyError:
|
|
xpath_cache[expr] = ans = etree.XPath(expr)
|
|
if len(xpath_cache) > XPATH_CACHE_SIZE:
|
|
xpath_cache.pop(next(iter(xpath_cache)))
|
|
return ans
|
|
|
|
class AlwaysIn(object):
|
|
|
|
def __contains__(self, x):
|
|
return True
|
|
always_in = AlwaysIn()
|
|
|
|
def trace_wrapper(func):
|
|
@wraps(func)
|
|
def trace(*args, **kwargs):
|
|
targs = args[1:] if args and isinstance(args[0], Select) else args
|
|
print ('Called:', func.__name__, 'with args:', targs, kwargs or '')
|
|
return func(*args, **kwargs)
|
|
return trace
|
|
|
|
def normalize_language_tag(tag):
|
|
"""Return a list of normalized combinations for a `BCP 47` language tag.
|
|
|
|
Example:
|
|
|
|
>>> normalize_language_tag('de_AT-1901')
|
|
['de-at-1901', 'de-at', 'de-1901', 'de']
|
|
"""
|
|
# normalize:
|
|
tag = ascii_lower(tag).replace('_','-')
|
|
# split (except singletons, which mark the following tag as non-standard):
|
|
tag = re.sub(r'-([a-zA-Z0-9])-', r'-\1_', tag)
|
|
subtags = [subtag.replace('_', '-') for subtag in tag.split('-')]
|
|
base_tag = (subtags.pop(0),)
|
|
taglist = {base_tag[0]}
|
|
# find all combinations of subtags
|
|
for n in range(len(subtags), 0, -1):
|
|
for tags in itertools.combinations(subtags, n):
|
|
taglist.add('-'.join(base_tag + tags))
|
|
return taglist
|
|
|
|
INAPPROPRIATE_PSEUDO_CLASSES = frozenset([
|
|
'active', 'after', 'disabled', 'visited', 'link', 'before', 'focus', 'first-letter', 'enabled', 'first-line', 'hover', 'checked', 'target'])
|
|
|
|
class Select(object):
|
|
|
|
'''
|
|
|
|
This class implements CSS Level 3 selectors
|
|
(http://www.w3.org/TR/css3-selectors) on an lxml tree, with caching for
|
|
performance. To use:
|
|
|
|
>>> from css_selectors import Select
|
|
>>> select = Select(root) # Where root is an lxml document
|
|
>>> print(tuple(select('p.myclass')))
|
|
|
|
Tags are returned in document order. Note that attribute and tag names are
|
|
matched case-insensitively. Class and id values are also matched
|
|
case-insensitively. Also namespaces are ignored (this is for performance of
|
|
the common case). The UI related selectors are not implemented, such as
|
|
:enabled, :disabled, :checked, :hover, etc. Similarly, the non-element
|
|
related selectors such as ::first-line, ::first-letter, ::before, etc. are
|
|
not implemented.
|
|
|
|
WARNING: This class uses internal caches. You *must not* make any changes
|
|
to the lxml tree. If you do make some changes, either create a new Select
|
|
object or call :meth:`invalidate_caches`.
|
|
|
|
This class can be easily sub-classed to work with tree implementations
|
|
other than lxml. Simply override the methods in the ``Tree Integration``
|
|
block below.
|
|
|
|
The caching works by maintaining internal maps from classes/ids/tag
|
|
names/etc. to node sets. These caches are populated as needed, and used
|
|
for all subsequent selections. Thus, for best performance you should use
|
|
the same selector object for finding the matching nodes for multiple
|
|
queries. Of course, remember not to change the tree in between queries.
|
|
|
|
'''
|
|
|
|
combinator_mapping = {
|
|
' ': 'descendant',
|
|
'>': 'child',
|
|
'+': 'direct_adjacent',
|
|
'~': 'indirect_adjacent',
|
|
}
|
|
|
|
attribute_operator_mapping = {
|
|
'exists': 'exists',
|
|
'=': 'equals',
|
|
'~=': 'includes',
|
|
'|=': 'dashmatch',
|
|
'^=': 'prefixmatch',
|
|
'$=': 'suffixmatch',
|
|
'*=': 'substringmatch',
|
|
}
|
|
|
|
def __init__(self, root, default_lang=None, ignore_inappropriate_pseudo_classes=False, dispatch_map=None, trace=False):
|
|
if hasattr(root, 'getroot'):
|
|
root = root.getroot()
|
|
self.root = root
|
|
self.dispatch_map = dispatch_map or default_dispatch_map
|
|
self.invalidate_caches()
|
|
self.default_lang = default_lang
|
|
if trace:
|
|
self.dispatch_map = {k:trace_wrapper(v) for k, v in self.dispatch_map.iteritems()}
|
|
if ignore_inappropriate_pseudo_classes:
|
|
self.ignore_inappropriate_pseudo_classes = INAPPROPRIATE_PSEUDO_CLASSES
|
|
else:
|
|
self.ignore_inappropriate_pseudo_classes = frozenset()
|
|
|
|
# External API {{{
|
|
def invalidate_caches(self):
|
|
'Invalidate all caches. You must call this before using this object if you have made changes to the HTML tree'
|
|
self._element_map = None
|
|
self._id_map = None
|
|
self._class_map = None
|
|
self._attrib_map = None
|
|
self._attrib_space_map = None
|
|
self._lang_map = None
|
|
self.map_tag_name = ascii_lower
|
|
if '{' in self.root.tag:
|
|
def map_tag_name(x):
|
|
return ascii_lower(x.rpartition('}')[2])
|
|
self.map_tag_name = map_tag_name
|
|
|
|
def __call__(self, selector, root=None):
|
|
''' Return an iterator over all matching tags, in document order.
|
|
Normally, all matching tags in the document are returned, is you
|
|
specify root, then only tags that are root or descendants of root are
|
|
returned. Note that this can be very expensive if root has a lot of
|
|
descendants. '''
|
|
seen = set()
|
|
if root is not None:
|
|
root = frozenset(self.itertag(root))
|
|
for selector in get_parsed_selector(selector):
|
|
parsed_selector = selector.parsed_tree
|
|
for item in self.iterparsedselector(parsed_selector):
|
|
if item not in seen and (root is None or item in root):
|
|
yield item
|
|
seen.add(item)
|
|
|
|
def has_matches(self, selector, root=None):
|
|
'Return True iff selector matches at least one item in the tree'
|
|
for elem in self(selector, root=root):
|
|
return True
|
|
return False
|
|
# }}}
|
|
|
|
def iterparsedselector(self, parsed_selector):
|
|
type_name = type(parsed_selector).__name__
|
|
try:
|
|
func = self.dispatch_map[ascii_lower(type_name)]
|
|
except KeyError:
|
|
raise ExpressionError('%s is not supported' % type_name)
|
|
for item in func(self, parsed_selector):
|
|
yield item
|
|
|
|
@property
|
|
def element_map(self):
|
|
if self._element_map is None:
|
|
self._element_map = em = defaultdict(OrderedSet)
|
|
for tag in self.itertag():
|
|
em[self.map_tag_name(tag.tag)].add(tag)
|
|
return self._element_map
|
|
|
|
@property
|
|
def id_map(self):
|
|
if self._id_map is None:
|
|
self._id_map = im = defaultdict(OrderedSet)
|
|
lower = ascii_lower
|
|
for elem in self.iteridtags():
|
|
im[lower(elem.get('id'))].add(elem)
|
|
return self._id_map
|
|
|
|
@property
|
|
def class_map(self):
|
|
if self._class_map is None:
|
|
self._class_map = cm = defaultdict(OrderedSet)
|
|
lower = ascii_lower
|
|
for elem in self.iterclasstags():
|
|
for cls in elem.get('class').split():
|
|
cm[lower(cls)].add(elem)
|
|
return self._class_map
|
|
|
|
@property
|
|
def attrib_map(self):
|
|
if self._attrib_map is None:
|
|
self._attrib_map = am = defaultdict(lambda : defaultdict(OrderedSet))
|
|
map_attrib_name = ascii_lower
|
|
if '{' in self.root.tag:
|
|
def map_attrib_name(x):
|
|
return ascii_lower(x.rpartition('}')[2])
|
|
for tag in self.itertag():
|
|
for attr, val in tag.attrib.iteritems():
|
|
am[map_attrib_name(attr)][val].add(tag)
|
|
return self._attrib_map
|
|
|
|
@property
|
|
def attrib_space_map(self):
|
|
if self._attrib_space_map is None:
|
|
self._attrib_space_map = am = defaultdict(lambda : defaultdict(OrderedSet))
|
|
map_attrib_name = ascii_lower
|
|
if '{' in self.root.tag:
|
|
def map_attrib_name(x):
|
|
return ascii_lower(x.rpartition('}')[2])
|
|
for tag in self.itertag():
|
|
for attr, val in tag.attrib.iteritems():
|
|
for v in val.split():
|
|
am[map_attrib_name(attr)][v].add(tag)
|
|
return self._attrib_space_map
|
|
|
|
@property
|
|
def lang_map(self):
|
|
if self._lang_map is None:
|
|
self._lang_map = lm = defaultdict(OrderedSet)
|
|
dl = normalize_language_tag(self.default_lang) if self.default_lang else None
|
|
lmap = {tag:dl for tag in self.itertag()} if dl else {}
|
|
for tag in self.itertag():
|
|
lang = None
|
|
for attr in ('{http://www.w3.org/XML/1998/namespace}lang', 'lang'):
|
|
lang = tag.get(attr)
|
|
if lang:
|
|
lang = normalize_language_tag(lang)
|
|
for dtag in self.itertag(tag):
|
|
lmap[dtag] = lang
|
|
for tag, langs in lmap.iteritems():
|
|
for lang in langs:
|
|
lm[lang].add(tag)
|
|
return self._lang_map
|
|
|
|
# Tree Integration {{{
|
|
def itertag(self, tag=None):
|
|
return (self.root if tag is None else tag).iter('*')
|
|
|
|
def iterdescendants(self, tag=None):
|
|
return (self.root if tag is None else tag).iterdescendants('*')
|
|
|
|
def iterchildren(self, tag=None):
|
|
return (self.root if tag is None else tag).iterchildren('*')
|
|
|
|
def itersiblings(self, tag=None, preceding=False):
|
|
return (self.root if tag is None else tag).itersiblings('*', preceding=preceding)
|
|
|
|
def iteridtags(self):
|
|
return get_compiled_xpath('//*[@id]')(self.root)
|
|
|
|
def iterclasstags(self):
|
|
return get_compiled_xpath('//*[@class]')(self.root)
|
|
|
|
def sibling_count(self, child, before=True, same_type=False):
|
|
' Return the number of siblings before or after child or raise ValueError if child has no parent. '
|
|
parent = child.getparent()
|
|
if parent is None:
|
|
raise ValueError('Child has no parent')
|
|
if same_type:
|
|
siblings = OrderedSet(child.itersiblings(preceding=before))
|
|
return len(self.element_map[self.map_tag_name(child.tag)] & siblings)
|
|
else:
|
|
if before:
|
|
return parent.index(child)
|
|
return len(parent) - parent.index(child) - 1
|
|
|
|
def all_sibling_count(self, child, same_type=False):
|
|
' Return the number of siblings of child or raise ValueError if child has no parent '
|
|
parent = child.getparent()
|
|
if parent is None:
|
|
raise ValueError('Child has no parent')
|
|
if same_type:
|
|
siblings = OrderedSet(chain(child.itersiblings(preceding=False), child.itersiblings(preceding=True)))
|
|
return len(self.element_map[self.map_tag_name(child.tag)] & siblings)
|
|
else:
|
|
return len(parent) - 1
|
|
|
|
def is_empty(self, elem):
|
|
' Return True iff elem has no child tags and no text content '
|
|
for child in elem:
|
|
# Check for comment/PI nodes with tail text
|
|
if child.tail:
|
|
return False
|
|
return len(tuple(elem.iterchildren('*'))) == 0 and not elem.text
|
|
|
|
# }}}
|
|
|
|
# Combinators {{{
|
|
|
|
def select_combinedselector(cache, combined):
|
|
"""Translate a combined selector."""
|
|
combinator = cache.combinator_mapping[combined.combinator]
|
|
# Fast path for when the sub-selector is all elements
|
|
right = None if isinstance(combined.subselector, Element) and (
|
|
combined.subselector.element or '*') == '*' else cache.iterparsedselector(combined.subselector)
|
|
for item in cache.dispatch_map[combinator](cache, cache.iterparsedselector(combined.selector), right):
|
|
yield item
|
|
|
|
def select_descendant(cache, left, right):
|
|
"""right is a child, grand-child or further descendant of left"""
|
|
right = always_in if right is None else frozenset(right)
|
|
for ancestor in left:
|
|
for descendant in cache.iterdescendants(ancestor):
|
|
if descendant in right:
|
|
yield descendant
|
|
|
|
def select_child(cache, left, right):
|
|
"""right is an immediate child of left"""
|
|
right = always_in if right is None else frozenset(right)
|
|
for parent in left:
|
|
for child in cache.iterchildren(parent):
|
|
if child in right:
|
|
yield child
|
|
|
|
def select_direct_adjacent(cache, left, right):
|
|
"""right is a sibling immediately after left"""
|
|
right = always_in if right is None else frozenset(right)
|
|
for parent in left:
|
|
for sibling in cache.itersiblings(parent):
|
|
if sibling in right:
|
|
yield sibling
|
|
break
|
|
|
|
def select_indirect_adjacent(cache, left, right):
|
|
"""right is a sibling after left, immediately or not"""
|
|
right = always_in if right is None else frozenset(right)
|
|
for parent in left:
|
|
for sibling in cache.itersiblings(parent):
|
|
if sibling in right:
|
|
yield sibling
|
|
# }}}
|
|
|
|
def select_element(cache, selector):
|
|
"""A type or universal selector."""
|
|
element = selector.element
|
|
if not element or element == '*':
|
|
for elem in cache.itertag():
|
|
yield elem
|
|
else:
|
|
for elem in cache.element_map[ascii_lower(element)]:
|
|
yield elem
|
|
|
|
def select_hash(cache, selector):
|
|
'An id selector'
|
|
items = cache.id_map[ascii_lower(selector.id)]
|
|
if len(items) > 0:
|
|
for elem in cache.iterparsedselector(selector.selector):
|
|
if elem in items:
|
|
yield elem
|
|
|
|
def select_class(cache, selector):
|
|
'A class selector'
|
|
items = cache.class_map[ascii_lower(selector.class_name)]
|
|
if items:
|
|
for elem in cache.iterparsedselector(selector.selector):
|
|
if elem in items:
|
|
yield elem
|
|
|
|
def select_negation(cache, selector):
|
|
'Implement :not()'
|
|
exclude = frozenset(cache.iterparsedselector(selector.subselector))
|
|
for item in cache.iterparsedselector(selector.selector):
|
|
if item not in exclude:
|
|
yield item
|
|
|
|
# Attribute selectors {{{
|
|
|
|
def select_attrib(cache, selector):
|
|
operator = cache.attribute_operator_mapping[selector.operator]
|
|
items = frozenset(cache.dispatch_map[operator](cache, ascii_lower(selector.attrib), selector.value))
|
|
for item in cache.iterparsedselector(selector.selector):
|
|
if item in items:
|
|
yield item
|
|
|
|
def select_exists(cache, attrib, value=None):
|
|
for elem_set in cache.attrib_map[attrib].itervalues():
|
|
for elem in elem_set:
|
|
yield elem
|
|
|
|
def select_equals(cache, attrib, value):
|
|
for elem in cache.attrib_map[attrib][value]:
|
|
yield elem
|
|
|
|
def select_includes(cache, attrib, value):
|
|
if is_non_whitespace(value):
|
|
for elem in cache.attrib_space_map[attrib][value]:
|
|
yield elem
|
|
|
|
def select_dashmatch(cache, attrib, value):
|
|
if value:
|
|
for val, elem_set in cache.attrib_map[attrib].iteritems():
|
|
if val == value or val.startswith(value + '-'):
|
|
for elem in elem_set:
|
|
yield elem
|
|
|
|
def select_prefixmatch(cache, attrib, value):
|
|
if value:
|
|
for val, elem_set in cache.attrib_map[attrib].iteritems():
|
|
if val.startswith(value):
|
|
for elem in elem_set:
|
|
yield elem
|
|
|
|
def select_suffixmatch(cache, attrib, value):
|
|
if value:
|
|
for val, elem_set in cache.attrib_map[attrib].iteritems():
|
|
if val.endswith(value):
|
|
for elem in elem_set:
|
|
yield elem
|
|
|
|
def select_substringmatch(cache, attrib, value):
|
|
if value:
|
|
for val, elem_set in cache.attrib_map[attrib].iteritems():
|
|
if value in val:
|
|
for elem in elem_set:
|
|
yield elem
|
|
|
|
# }}}
|
|
|
|
# Function selectors {{{
|
|
|
|
def select_function(cache, function):
|
|
"""Select with a functional pseudo-class."""
|
|
fname = function.name.replace('-', '_')
|
|
try:
|
|
func = cache.dispatch_map[fname]
|
|
except KeyError:
|
|
raise ExpressionError(
|
|
"The pseudo-class :%s() is unknown" % function.name)
|
|
if fname == 'lang':
|
|
items = frozenset(func(cache, function))
|
|
for item in cache.iterparsedselector(function.selector):
|
|
if item in items:
|
|
yield item
|
|
else:
|
|
for item in cache.iterparsedselector(function.selector):
|
|
if func(cache, function, item):
|
|
yield item
|
|
|
|
def select_lang(cache, function):
|
|
' Implement :lang() '
|
|
if function.argument_types() not in (['STRING'], ['IDENT']):
|
|
raise ExpressionError("Expected a single string or ident for :lang(), got %r" % function.arguments)
|
|
lang = function.arguments[0].value
|
|
if lang:
|
|
lang = ascii_lower(lang)
|
|
lp = lang + '-'
|
|
for tlang, elem_set in cache.lang_map.iteritems():
|
|
if tlang == lang or (tlang is not None and tlang.startswith(lp)):
|
|
for elem in elem_set:
|
|
yield elem
|
|
|
|
def select_nth_child(cache, function, elem):
|
|
' Implement :nth-child() '
|
|
a, b = function.parsed_arguments
|
|
try:
|
|
num = cache.sibling_count(elem) + 1
|
|
except ValueError:
|
|
return False
|
|
if a == 0:
|
|
return num == b
|
|
n = (num - b) / a
|
|
return n.is_integer() and n > -1
|
|
|
|
def select_nth_last_child(cache, function, elem):
|
|
' Implement :nth-last-child() '
|
|
a, b = function.parsed_arguments
|
|
try:
|
|
num = cache.sibling_count(elem, before=False) + 1
|
|
except ValueError:
|
|
return False
|
|
if a == 0:
|
|
return num == b
|
|
n = (num - b) / a
|
|
return n.is_integer() and n > -1
|
|
|
|
def select_nth_of_type(cache, function, elem):
|
|
' Implement :nth-of-type() '
|
|
a, b = function.parsed_arguments
|
|
try:
|
|
num = cache.sibling_count(elem, same_type=True) + 1
|
|
except ValueError:
|
|
return False
|
|
if a == 0:
|
|
return num == b
|
|
n = (num - b) / a
|
|
return n.is_integer() and n > -1
|
|
|
|
def select_nth_last_of_type(cache, function, elem):
|
|
' Implement :nth-last-of-type() '
|
|
a, b = function.parsed_arguments
|
|
try:
|
|
num = cache.sibling_count(elem, before=False, same_type=True) + 1
|
|
except ValueError:
|
|
return False
|
|
if a == 0:
|
|
return num == b
|
|
n = (num - b) / a
|
|
return n.is_integer() and n > -1
|
|
|
|
# }}}
|
|
|
|
# Pseudo elements {{{
|
|
|
|
def select_pseudo(cache, pseudo):
|
|
try:
|
|
func = cache.dispatch_map[pseudo.ident.replace('-', '_')]
|
|
except KeyError:
|
|
if pseudo.ident == 'root':
|
|
yield cache.root
|
|
return
|
|
|
|
if pseudo.ident in cache.ignore_inappropriate_pseudo_classes:
|
|
def func(cache, item):
|
|
return True
|
|
func.is_pseudo = True
|
|
else:
|
|
raise ExpressionError(
|
|
"The pseudo-class :%s is not supported" % pseudo.ident)
|
|
|
|
try:
|
|
func.is_pseudo
|
|
except AttributeError:
|
|
raise ExpressionError(
|
|
"The pseudo-class :%s is invalid" % pseudo.ident)
|
|
|
|
for item in cache.iterparsedselector(pseudo.selector):
|
|
if func(cache, item):
|
|
yield item
|
|
|
|
def select_first_child(cache, elem):
|
|
try:
|
|
return cache.sibling_count(elem) == 0
|
|
except ValueError:
|
|
return False
|
|
select_first_child.is_pseudo = True
|
|
|
|
def select_last_child(cache, elem):
|
|
try:
|
|
return cache.sibling_count(elem, before=False) == 0
|
|
except ValueError:
|
|
return False
|
|
select_last_child.is_pseudo = True
|
|
|
|
def select_only_child(cache, elem):
|
|
try:
|
|
return cache.all_sibling_count(elem) == 0
|
|
except ValueError:
|
|
return False
|
|
select_only_child.is_pseudo = True
|
|
|
|
def select_first_of_type(cache, elem):
|
|
try:
|
|
return cache.sibling_count(elem, same_type=True) == 0
|
|
except ValueError:
|
|
return False
|
|
select_first_of_type.is_pseudo = True
|
|
|
|
def select_last_of_type(cache, elem):
|
|
try:
|
|
return cache.sibling_count(elem, before=False, same_type=True) == 0
|
|
except ValueError:
|
|
return False
|
|
select_last_of_type.is_pseudo = True
|
|
|
|
def select_only_of_type(cache, elem):
|
|
try:
|
|
return cache.all_sibling_count(elem, same_type=True) == 0
|
|
except ValueError:
|
|
return False
|
|
select_only_of_type.is_pseudo = True
|
|
|
|
def select_empty(cache, elem):
|
|
return cache.is_empty(elem)
|
|
select_empty.is_pseudo = True
|
|
|
|
# }}}
|
|
|
|
default_dispatch_map = {name.partition('_')[2]:obj for name, obj in globals().items() if name.startswith('select_') and callable(obj)}
|
|
|
|
if __name__ == '__main__':
|
|
from pprint import pprint
|
|
root = etree.fromstring('<body xmlns="xxx" xml:lang="en"><p id="p" class="one two" lang="fr"><a id="a"/><b/><c/><d/></p></body>')
|
|
select = Select(root, ignore_inappropriate_pseudo_classes=True, trace=True)
|
|
pprint(list(select('p:disabled')))
|