lxml.html.diff module
- exception lxml.html.diff.NoDeletes
- Bases: - Exception- Raised when the document no longer contains any pending deletes (DEL_START/DEL_END) - add_note()
- Exception.add_note(note) – add a note to the exception 
 - with_traceback()
- Exception.with_traceback(tb) – set self.__traceback__ to tb and return self. 
 - args
 
- class lxml.html.diff.DEL_END
- Bases: - object
- class lxml.html.diff.DEL_START
- Bases: - object
- class lxml.html.diff.InsensitiveSequenceMatcher(isjunk=None, a='', b='', autojunk=True)
- Bases: - SequenceMatcher- Acts like SequenceMatcher, but tries not to find very small equal blocks amidst large spans of changes - find_longest_match(alo=0, ahi=None, blo=0, bhi=None)
- Find longest matching block in a[alo:ahi] and b[blo:bhi]. - By default it will find the longest match in the entirety of a and b. - If isjunk is not defined: - Return (i,j,k) such that a[i:i+k] is equal to b[j:j+k], where
- alo <= i <= i+k <= ahi blo <= j <= j+k <= bhi 
- and for all (i’,j’,k’) meeting those conditions,
- k >= k’ i <= i’ and if i == i’, j <= j’ 
 - In other words, of all maximal matching blocks, return one that starts earliest in a, and of all those maximal matching blocks that start earliest in a, return the one that starts earliest in b. - >>> s = SequenceMatcher(None, " abcd", "abcd abcd") >>> s.find_longest_match(0, 5, 0, 9) Match(a=0, b=4, size=5) - If isjunk is defined, first the longest matching block is determined as above, but with the additional restriction that no junk element appears in the block. Then that block is extended as far as possible by matching (only) junk elements on both sides. So the resulting block never matches on junk except as identical junk happens to be adjacent to an “interesting” match. - Here’s the same example as before, but considering blanks to be junk. That prevents “ abcd” from matching the “ abcd” at the tail end of the second sequence directly. Instead only the “abcd” can match, and matches the leftmost “abcd” in the second sequence: - >>> s = SequenceMatcher(lambda x: x==" ", " abcd", "abcd abcd") >>> s.find_longest_match(0, 5, 0, 9) Match(a=1, b=0, size=4) - If no blocks match, return (alo, blo, 0). - >>> s = SequenceMatcher(None, "ab", "c") >>> s.find_longest_match(0, 2, 0, 1) Match(a=0, b=0, size=0) 
 - get_grouped_opcodes(n=3)
- Isolate change clusters by eliminating ranges with no changes. - Return a generator of groups with up to n lines of context. Each group is in the same format as returned by get_opcodes(). - >>> from pprint import pprint >>> a = list(map(str, range(1,40))) >>> b = a[:] >>> b[8:8] = ['i'] # Make an insertion >>> b[20] += 'x' # Make a replacement >>> b[23:28] = [] # Make a deletion >>> b[30] += 'y' # Make another replacement >>> pprint(list(SequenceMatcher(None,a,b).get_grouped_opcodes())) [[('equal', 5, 8, 5, 8), ('insert', 8, 8, 8, 9), ('equal', 8, 11, 9, 12)], [('equal', 16, 19, 17, 20), ('replace', 19, 20, 20, 21), ('equal', 20, 22, 21, 23), ('delete', 22, 27, 23, 23), ('equal', 27, 30, 23, 26)], [('equal', 31, 34, 27, 30), ('replace', 34, 35, 30, 31), ('equal', 35, 38, 31, 34)]] 
 - get_matching_blocks()
- Return list of triples describing matching subsequences. - Each triple is of the form (i, j, n), and means that a[i:i+n] == b[j:j+n]. The triples are monotonically increasing in i and in j. New in Python 2.5, it’s also guaranteed that if (i, j, n) and (i’, j’, n’) are adjacent triples in the list, and the second is not the last triple in the list, then i+n != i’ or j+n != j’. IOW, adjacent triples never describe adjacent equal blocks. - The last triple is a dummy, (len(a), len(b), 0), and is the only triple with n==0. - >>> s = SequenceMatcher(None, "abxcd", "abcd") >>> list(s.get_matching_blocks()) [Match(a=0, b=0, size=2), Match(a=3, b=2, size=2), Match(a=5, b=4, size=0)] 
 - get_opcodes()
- Return list of 5-tuples describing how to turn a into b. - Each tuple is of the form (tag, i1, i2, j1, j2). The first tuple has i1 == j1 == 0, and remaining tuples have i1 == the i2 from the tuple preceding it, and likewise for j1 == the previous j2. - The tags are strings, with these meanings: - ‘replace’: a[i1:i2] should be replaced by b[j1:j2] ‘delete’: a[i1:i2] should be deleted. - Note that j1==j2 in this case. - ‘insert’: b[j1:j2] should be inserted at a[i1:i1].
- Note that i1==i2 in this case. 
 - ‘equal’: a[i1:i2] == b[j1:j2] - >>> a = "qabxcd" >>> b = "abycdf" >>> s = SequenceMatcher(None, a, b) >>> for tag, i1, i2, j1, j2 in s.get_opcodes(): ... print(("%7s a[%d:%d] (%s) b[%d:%d] (%s)" % ... (tag, i1, i2, a[i1:i2], j1, j2, b[j1:j2]))) delete a[0:1] (q) b[0:0] () equal a[1:3] (ab) b[0:2] (ab) replace a[3:4] (x) b[2:3] (y) equal a[4:6] (cd) b[3:5] (cd) insert a[6:6] () b[5:6] (f) 
 - quick_ratio()
- Return an upper bound on ratio() relatively quickly. - This isn’t defined beyond that it is an upper bound on .ratio(), and is faster to compute. 
 - ratio()
- Return a measure of the sequences’ similarity (float in [0,1]). - Where T is the total number of elements in both sequences, and M is the number of matches, this is 2.0*M / T. Note that this is 1 if the sequences are identical, and 0 if they have nothing in common. - .ratio() is expensive to compute if you haven’t already computed .get_matching_blocks() or .get_opcodes(), in which case you may want to try .quick_ratio() or .real_quick_ratio() first to get an upper bound. - >>> s = SequenceMatcher(None, "abcd", "bcde") >>> s.ratio() 0.75 >>> s.quick_ratio() 0.75 >>> s.real_quick_ratio() 1.0 
 - real_quick_ratio()
- Return an upper bound on ratio() very quickly. - This isn’t defined beyond that it is an upper bound on .ratio(), and is faster to compute than either .ratio() or .quick_ratio(). 
 - set_seq1(a)
- Set the first sequence to be compared. - The second sequence to be compared is not changed. - >>> s = SequenceMatcher(None, "abcd", "bcde") >>> s.ratio() 0.75 >>> s.set_seq1("bcde") >>> s.ratio() 1.0 >>> - SequenceMatcher computes and caches detailed information about the second sequence, so if you want to compare one sequence S against many sequences, use .set_seq2(S) once and call .set_seq1(x) repeatedly for each of the other sequences. - See also set_seqs() and set_seq2(). 
 - set_seq2(b)
- Set the second sequence to be compared. - The first sequence to be compared is not changed. - >>> s = SequenceMatcher(None, "abcd", "bcde") >>> s.ratio() 0.75 >>> s.set_seq2("abcd") >>> s.ratio() 1.0 >>> - SequenceMatcher computes and caches detailed information about the second sequence, so if you want to compare one sequence S against many sequences, use .set_seq2(S) once and call .set_seq1(x) repeatedly for each of the other sequences. - See also set_seqs() and set_seq1(). 
 - set_seqs(a, b)
- Set the two sequences to be compared. - >>> s = SequenceMatcher() >>> s.set_seqs("abcd", "bcde") >>> s.ratio() 0.75 
 - threshold = 2
 
- class lxml.html.diff.href_token(text, pre_tags=None, post_tags=None, trailing_whitespace='')
- Bases: - token- Represents the href in an anchor tag. Unlike other words, we only show the href when it changes. - capitalize()
- Return a capitalized version of the string. - More specifically, make the first character have upper case and the rest lower case. 
 - casefold()
- Return a version of the string suitable for caseless comparisons. 
 - center(width, fillchar=' ', /)
- Return a centered string of length width. - Padding is done using the specified fill character (default is a space). 
 - count(sub[, start[, end]]) int
- Return the number of non-overlapping occurrences of substring sub in string S[start:end]. Optional arguments start and end are interpreted as in slice notation. 
 - encode(encoding='utf-8', errors='strict')
- Encode the string using the codec registered for encoding. - encoding
- The encoding in which to encode the string. 
- errors
- The error handling scheme to use for encoding errors. The default is ‘strict’ meaning that encoding errors raise a UnicodeEncodeError. Other possible values are ‘ignore’, ‘replace’ and ‘xmlcharrefreplace’ as well as any other name registered with codecs.register_error that can handle UnicodeEncodeErrors. 
 
 - endswith(suffix[, start[, end]]) bool
- Return True if S ends with the specified suffix, False otherwise. With optional start, test S beginning at that position. With optional end, stop comparing S at that position. suffix can also be a tuple of strings to try. 
 - expandtabs(tabsize=8)
- Return a copy where all tab characters are expanded using spaces. - If tabsize is not given, a tab size of 8 characters is assumed. 
 - find(sub[, start[, end]]) int
- Return the lowest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Return -1 on failure. 
 - format(*args, **kwargs) str
- Return a formatted version of S, using substitutions from args and kwargs. The substitutions are identified by braces (‘{’ and ‘}’). 
 - format_map(mapping) str
- Return a formatted version of S, using substitutions from mapping. The substitutions are identified by braces (‘{’ and ‘}’). 
 - html()
 - index(sub[, start[, end]]) int
- Return the lowest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Raises ValueError when the substring is not found. 
 - isalnum()
- Return True if the string is an alpha-numeric string, False otherwise. - A string is alpha-numeric if all characters in the string are alpha-numeric and there is at least one character in the string. 
 - isalpha()
- Return True if the string is an alphabetic string, False otherwise. - A string is alphabetic if all characters in the string are alphabetic and there is at least one character in the string. 
 - isascii()
- Return True if all characters in the string are ASCII, False otherwise. - ASCII characters have code points in the range U+0000-U+007F. Empty string is ASCII too. 
 - isdecimal()
- Return True if the string is a decimal string, False otherwise. - A string is a decimal string if all characters in the string are decimal and there is at least one character in the string. 
 - isdigit()
- Return True if the string is a digit string, False otherwise. - A string is a digit string if all characters in the string are digits and there is at least one character in the string. 
 - isidentifier()
- Return True if the string is a valid Python identifier, False otherwise. - Call keyword.iskeyword(s) to test whether string s is a reserved identifier, such as “def” or “class”. 
 - islower()
- Return True if the string is a lowercase string, False otherwise. - A string is lowercase if all cased characters in the string are lowercase and there is at least one cased character in the string. 
 - isnumeric()
- Return True if the string is a numeric string, False otherwise. - A string is numeric if all characters in the string are numeric and there is at least one character in the string. 
 - isprintable()
- Return True if the string is printable, False otherwise. - A string is printable if all of its characters are considered printable in repr() or if it is empty. 
 - isspace()
- Return True if the string is a whitespace string, False otherwise. - A string is whitespace if all characters in the string are whitespace and there is at least one character in the string. 
 - istitle()
- Return True if the string is a title-cased string, False otherwise. - In a title-cased string, upper- and title-case characters may only follow uncased characters and lowercase characters only cased ones. 
 - isupper()
- Return True if the string is an uppercase string, False otherwise. - A string is uppercase if all cased characters in the string are uppercase and there is at least one cased character in the string. 
 - join(iterable, /)
- Concatenate any number of strings. - The string whose method is called is inserted in between each given string. The result is returned as a new string. - Example: ‘.’.join([‘ab’, ‘pq’, ‘rs’]) -> ‘ab.pq.rs’ 
 - ljust(width, fillchar=' ', /)
- Return a left-justified string of length width. - Padding is done using the specified fill character (default is a space). 
 - lower()
- Return a copy of the string converted to lowercase. 
 - lstrip(chars=None, /)
- Return a copy of the string with leading whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - static maketrans()
- Return a translation table usable for str.translate(). - If there is only one argument, it must be a dictionary mapping Unicode ordinals (integers) or characters to Unicode ordinals, strings or None. Character keys will be then converted to ordinals. If there are two arguments, they must be strings of equal length, and in the resulting dictionary, each character in x will be mapped to the character at the same position in y. If there is a third argument, it must be a string, whose characters will be mapped to None in the result. 
 - partition(sep, /)
- Partition the string into three parts using the given separator. - This will search for the separator in the string. If the separator is found, returns a 3-tuple containing the part before the separator, the separator itself, and the part after it. - If the separator is not found, returns a 3-tuple containing the original string and two empty strings. 
 - removeprefix(prefix, /)
- Return a str with the given prefix string removed if present. - If the string starts with the prefix string, return string[len(prefix):]. Otherwise, return a copy of the original string. 
 - removesuffix(suffix, /)
- Return a str with the given suffix string removed if present. - If the string ends with the suffix string and that suffix is not empty, return string[:-len(suffix)]. Otherwise, return a copy of the original string. 
 - replace(old, new, count=-1, /)
- Return a copy with all occurrences of substring old replaced by new. - count
- Maximum number of occurrences to replace. -1 (the default value) means replace all occurrences. 
 - If the optional argument count is given, only the first count occurrences are replaced. 
 - rfind(sub[, start[, end]]) int
- Return the highest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Return -1 on failure. 
 - rindex(sub[, start[, end]]) int
- Return the highest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Raises ValueError when the substring is not found. 
 - rjust(width, fillchar=' ', /)
- Return a right-justified string of length width. - Padding is done using the specified fill character (default is a space). 
 - rpartition(sep, /)
- Partition the string into three parts using the given separator. - This will search for the separator in the string, starting at the end. If the separator is found, returns a 3-tuple containing the part before the separator, the separator itself, and the part after it. - If the separator is not found, returns a 3-tuple containing two empty strings and the original string. 
 - rsplit(sep=None, maxsplit=-1)
- Return a list of the substrings in the string, using sep as the separator string. - sep
- The separator used to split the string. - When set to None (the default value), will split on any whitespace character (including n r t f and spaces) and will discard empty strings from the result. 
- maxsplit
- Maximum number of splits. -1 (the default value) means no limit. 
 - Splitting starts at the end of the string and works to the front. 
 - rstrip(chars=None, /)
- Return a copy of the string with trailing whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - split(sep=None, maxsplit=-1)
- Return a list of the substrings in the string, using sep as the separator string. - sep
- The separator used to split the string. - When set to None (the default value), will split on any whitespace character (including n r t f and spaces) and will discard empty strings from the result. 
- maxsplit
- Maximum number of splits. -1 (the default value) means no limit. 
 - Splitting starts at the front of the string and works to the end. - Note, str.split() is mainly useful for data that has been intentionally delimited. With natural text that includes punctuation, consider using the regular expression module. 
 - splitlines(keepends=False)
- Return a list of the lines in the string, breaking at line boundaries. - Line breaks are not included in the resulting list unless keepends is given and true. 
 - startswith(prefix[, start[, end]]) bool
- Return True if S starts with the specified prefix, False otherwise. With optional start, test S beginning at that position. With optional end, stop comparing S at that position. prefix can also be a tuple of strings to try. 
 - strip(chars=None, /)
- Return a copy of the string with leading and trailing whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - swapcase()
- Convert uppercase characters to lowercase and lowercase characters to uppercase. 
 - title()
- Return a version of the string where each word is titlecased. - More specifically, words start with uppercased characters and all remaining cased characters have lower case. 
 - translate(table, /)
- Replace each character in the string using the given translation table. - table
- Translation table, which must be a mapping of Unicode ordinals to Unicode ordinals, strings, or None. 
 - The table must implement lookup/indexing via __getitem__, for instance a dictionary or list. If this operation raises LookupError, the character is left untouched. Characters mapped to None are deleted. 
 - upper()
- Return a copy of the string converted to uppercase. 
 - zfill(width, /)
- Pad a numeric string with zeros on the left, to fill a field of the given width. - The string is never truncated. 
 - hide_when_equal = True
 
- class lxml.html.diff.tag_token(tag, data, html_repr, pre_tags=None, post_tags=None, trailing_whitespace='')
- Bases: - token- Represents a token that is actually a tag. Currently this is just the <img> tag, which takes up visible space just like a word but is only represented in a document by a tag. - capitalize()
- Return a capitalized version of the string. - More specifically, make the first character have upper case and the rest lower case. 
 - casefold()
- Return a version of the string suitable for caseless comparisons. 
 - center(width, fillchar=' ', /)
- Return a centered string of length width. - Padding is done using the specified fill character (default is a space). 
 - count(sub[, start[, end]]) int
- Return the number of non-overlapping occurrences of substring sub in string S[start:end]. Optional arguments start and end are interpreted as in slice notation. 
 - encode(encoding='utf-8', errors='strict')
- Encode the string using the codec registered for encoding. - encoding
- The encoding in which to encode the string. 
- errors
- The error handling scheme to use for encoding errors. The default is ‘strict’ meaning that encoding errors raise a UnicodeEncodeError. Other possible values are ‘ignore’, ‘replace’ and ‘xmlcharrefreplace’ as well as any other name registered with codecs.register_error that can handle UnicodeEncodeErrors. 
 
 - endswith(suffix[, start[, end]]) bool
- Return True if S ends with the specified suffix, False otherwise. With optional start, test S beginning at that position. With optional end, stop comparing S at that position. suffix can also be a tuple of strings to try. 
 - expandtabs(tabsize=8)
- Return a copy where all tab characters are expanded using spaces. - If tabsize is not given, a tab size of 8 characters is assumed. 
 - find(sub[, start[, end]]) int
- Return the lowest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Return -1 on failure. 
 - format(*args, **kwargs) str
- Return a formatted version of S, using substitutions from args and kwargs. The substitutions are identified by braces (‘{’ and ‘}’). 
 - format_map(mapping) str
- Return a formatted version of S, using substitutions from mapping. The substitutions are identified by braces (‘{’ and ‘}’). 
 - html()
 - index(sub[, start[, end]]) int
- Return the lowest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Raises ValueError when the substring is not found. 
 - isalnum()
- Return True if the string is an alpha-numeric string, False otherwise. - A string is alpha-numeric if all characters in the string are alpha-numeric and there is at least one character in the string. 
 - isalpha()
- Return True if the string is an alphabetic string, False otherwise. - A string is alphabetic if all characters in the string are alphabetic and there is at least one character in the string. 
 - isascii()
- Return True if all characters in the string are ASCII, False otherwise. - ASCII characters have code points in the range U+0000-U+007F. Empty string is ASCII too. 
 - isdecimal()
- Return True if the string is a decimal string, False otherwise. - A string is a decimal string if all characters in the string are decimal and there is at least one character in the string. 
 - isdigit()
- Return True if the string is a digit string, False otherwise. - A string is a digit string if all characters in the string are digits and there is at least one character in the string. 
 - isidentifier()
- Return True if the string is a valid Python identifier, False otherwise. - Call keyword.iskeyword(s) to test whether string s is a reserved identifier, such as “def” or “class”. 
 - islower()
- Return True if the string is a lowercase string, False otherwise. - A string is lowercase if all cased characters in the string are lowercase and there is at least one cased character in the string. 
 - isnumeric()
- Return True if the string is a numeric string, False otherwise. - A string is numeric if all characters in the string are numeric and there is at least one character in the string. 
 - isprintable()
- Return True if the string is printable, False otherwise. - A string is printable if all of its characters are considered printable in repr() or if it is empty. 
 - isspace()
- Return True if the string is a whitespace string, False otherwise. - A string is whitespace if all characters in the string are whitespace and there is at least one character in the string. 
 - istitle()
- Return True if the string is a title-cased string, False otherwise. - In a title-cased string, upper- and title-case characters may only follow uncased characters and lowercase characters only cased ones. 
 - isupper()
- Return True if the string is an uppercase string, False otherwise. - A string is uppercase if all cased characters in the string are uppercase and there is at least one cased character in the string. 
 - join(iterable, /)
- Concatenate any number of strings. - The string whose method is called is inserted in between each given string. The result is returned as a new string. - Example: ‘.’.join([‘ab’, ‘pq’, ‘rs’]) -> ‘ab.pq.rs’ 
 - ljust(width, fillchar=' ', /)
- Return a left-justified string of length width. - Padding is done using the specified fill character (default is a space). 
 - lower()
- Return a copy of the string converted to lowercase. 
 - lstrip(chars=None, /)
- Return a copy of the string with leading whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - static maketrans()
- Return a translation table usable for str.translate(). - If there is only one argument, it must be a dictionary mapping Unicode ordinals (integers) or characters to Unicode ordinals, strings or None. Character keys will be then converted to ordinals. If there are two arguments, they must be strings of equal length, and in the resulting dictionary, each character in x will be mapped to the character at the same position in y. If there is a third argument, it must be a string, whose characters will be mapped to None in the result. 
 - partition(sep, /)
- Partition the string into three parts using the given separator. - This will search for the separator in the string. If the separator is found, returns a 3-tuple containing the part before the separator, the separator itself, and the part after it. - If the separator is not found, returns a 3-tuple containing the original string and two empty strings. 
 - removeprefix(prefix, /)
- Return a str with the given prefix string removed if present. - If the string starts with the prefix string, return string[len(prefix):]. Otherwise, return a copy of the original string. 
 - removesuffix(suffix, /)
- Return a str with the given suffix string removed if present. - If the string ends with the suffix string and that suffix is not empty, return string[:-len(suffix)]. Otherwise, return a copy of the original string. 
 - replace(old, new, count=-1, /)
- Return a copy with all occurrences of substring old replaced by new. - count
- Maximum number of occurrences to replace. -1 (the default value) means replace all occurrences. 
 - If the optional argument count is given, only the first count occurrences are replaced. 
 - rfind(sub[, start[, end]]) int
- Return the highest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Return -1 on failure. 
 - rindex(sub[, start[, end]]) int
- Return the highest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Raises ValueError when the substring is not found. 
 - rjust(width, fillchar=' ', /)
- Return a right-justified string of length width. - Padding is done using the specified fill character (default is a space). 
 - rpartition(sep, /)
- Partition the string into three parts using the given separator. - This will search for the separator in the string, starting at the end. If the separator is found, returns a 3-tuple containing the part before the separator, the separator itself, and the part after it. - If the separator is not found, returns a 3-tuple containing two empty strings and the original string. 
 - rsplit(sep=None, maxsplit=-1)
- Return a list of the substrings in the string, using sep as the separator string. - sep
- The separator used to split the string. - When set to None (the default value), will split on any whitespace character (including n r t f and spaces) and will discard empty strings from the result. 
- maxsplit
- Maximum number of splits. -1 (the default value) means no limit. 
 - Splitting starts at the end of the string and works to the front. 
 - rstrip(chars=None, /)
- Return a copy of the string with trailing whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - split(sep=None, maxsplit=-1)
- Return a list of the substrings in the string, using sep as the separator string. - sep
- The separator used to split the string. - When set to None (the default value), will split on any whitespace character (including n r t f and spaces) and will discard empty strings from the result. 
- maxsplit
- Maximum number of splits. -1 (the default value) means no limit. 
 - Splitting starts at the front of the string and works to the end. - Note, str.split() is mainly useful for data that has been intentionally delimited. With natural text that includes punctuation, consider using the regular expression module. 
 - splitlines(keepends=False)
- Return a list of the lines in the string, breaking at line boundaries. - Line breaks are not included in the resulting list unless keepends is given and true. 
 - startswith(prefix[, start[, end]]) bool
- Return True if S starts with the specified prefix, False otherwise. With optional start, test S beginning at that position. With optional end, stop comparing S at that position. prefix can also be a tuple of strings to try. 
 - strip(chars=None, /)
- Return a copy of the string with leading and trailing whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - swapcase()
- Convert uppercase characters to lowercase and lowercase characters to uppercase. 
 - title()
- Return a version of the string where each word is titlecased. - More specifically, words start with uppercased characters and all remaining cased characters have lower case. 
 - translate(table, /)
- Replace each character in the string using the given translation table. - table
- Translation table, which must be a mapping of Unicode ordinals to Unicode ordinals, strings, or None. 
 - The table must implement lookup/indexing via __getitem__, for instance a dictionary or list. If this operation raises LookupError, the character is left untouched. Characters mapped to None are deleted. 
 - upper()
- Return a copy of the string converted to uppercase. 
 - zfill(width, /)
- Pad a numeric string with zeros on the left, to fill a field of the given width. - The string is never truncated. 
 - hide_when_equal = False
 
- class lxml.html.diff.token(text, pre_tags=None, post_tags=None, trailing_whitespace='')
- Bases: - str- Represents a diffable token, generally a word that is displayed to the user. Opening tags are attached to this token when they are adjacent (pre_tags) and closing tags that follow the word (post_tags). Some exceptions occur when there are empty tags adjacent to a word, so there may be close tags in pre_tags, or open tags in post_tags. - We also keep track of whether the word was originally followed by whitespace, even though we do not want to treat the word as equivalent to a similar word that does not have a trailing space. - capitalize()
- Return a capitalized version of the string. - More specifically, make the first character have upper case and the rest lower case. 
 - casefold()
- Return a version of the string suitable for caseless comparisons. 
 - center(width, fillchar=' ', /)
- Return a centered string of length width. - Padding is done using the specified fill character (default is a space). 
 - count(sub[, start[, end]]) int
- Return the number of non-overlapping occurrences of substring sub in string S[start:end]. Optional arguments start and end are interpreted as in slice notation. 
 - encode(encoding='utf-8', errors='strict')
- Encode the string using the codec registered for encoding. - encoding
- The encoding in which to encode the string. 
- errors
- The error handling scheme to use for encoding errors. The default is ‘strict’ meaning that encoding errors raise a UnicodeEncodeError. Other possible values are ‘ignore’, ‘replace’ and ‘xmlcharrefreplace’ as well as any other name registered with codecs.register_error that can handle UnicodeEncodeErrors. 
 
 - endswith(suffix[, start[, end]]) bool
- Return True if S ends with the specified suffix, False otherwise. With optional start, test S beginning at that position. With optional end, stop comparing S at that position. suffix can also be a tuple of strings to try. 
 - expandtabs(tabsize=8)
- Return a copy where all tab characters are expanded using spaces. - If tabsize is not given, a tab size of 8 characters is assumed. 
 - find(sub[, start[, end]]) int
- Return the lowest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Return -1 on failure. 
 - format(*args, **kwargs) str
- Return a formatted version of S, using substitutions from args and kwargs. The substitutions are identified by braces (‘{’ and ‘}’). 
 - format_map(mapping) str
- Return a formatted version of S, using substitutions from mapping. The substitutions are identified by braces (‘{’ and ‘}’). 
 - html()
 - index(sub[, start[, end]]) int
- Return the lowest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Raises ValueError when the substring is not found. 
 - isalnum()
- Return True if the string is an alpha-numeric string, False otherwise. - A string is alpha-numeric if all characters in the string are alpha-numeric and there is at least one character in the string. 
 - isalpha()
- Return True if the string is an alphabetic string, False otherwise. - A string is alphabetic if all characters in the string are alphabetic and there is at least one character in the string. 
 - isascii()
- Return True if all characters in the string are ASCII, False otherwise. - ASCII characters have code points in the range U+0000-U+007F. Empty string is ASCII too. 
 - isdecimal()
- Return True if the string is a decimal string, False otherwise. - A string is a decimal string if all characters in the string are decimal and there is at least one character in the string. 
 - isdigit()
- Return True if the string is a digit string, False otherwise. - A string is a digit string if all characters in the string are digits and there is at least one character in the string. 
 - isidentifier()
- Return True if the string is a valid Python identifier, False otherwise. - Call keyword.iskeyword(s) to test whether string s is a reserved identifier, such as “def” or “class”. 
 - islower()
- Return True if the string is a lowercase string, False otherwise. - A string is lowercase if all cased characters in the string are lowercase and there is at least one cased character in the string. 
 - isnumeric()
- Return True if the string is a numeric string, False otherwise. - A string is numeric if all characters in the string are numeric and there is at least one character in the string. 
 - isprintable()
- Return True if the string is printable, False otherwise. - A string is printable if all of its characters are considered printable in repr() or if it is empty. 
 - isspace()
- Return True if the string is a whitespace string, False otherwise. - A string is whitespace if all characters in the string are whitespace and there is at least one character in the string. 
 - istitle()
- Return True if the string is a title-cased string, False otherwise. - In a title-cased string, upper- and title-case characters may only follow uncased characters and lowercase characters only cased ones. 
 - isupper()
- Return True if the string is an uppercase string, False otherwise. - A string is uppercase if all cased characters in the string are uppercase and there is at least one cased character in the string. 
 - join(iterable, /)
- Concatenate any number of strings. - The string whose method is called is inserted in between each given string. The result is returned as a new string. - Example: ‘.’.join([‘ab’, ‘pq’, ‘rs’]) -> ‘ab.pq.rs’ 
 - ljust(width, fillchar=' ', /)
- Return a left-justified string of length width. - Padding is done using the specified fill character (default is a space). 
 - lower()
- Return a copy of the string converted to lowercase. 
 - lstrip(chars=None, /)
- Return a copy of the string with leading whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - static maketrans()
- Return a translation table usable for str.translate(). - If there is only one argument, it must be a dictionary mapping Unicode ordinals (integers) or characters to Unicode ordinals, strings or None. Character keys will be then converted to ordinals. If there are two arguments, they must be strings of equal length, and in the resulting dictionary, each character in x will be mapped to the character at the same position in y. If there is a third argument, it must be a string, whose characters will be mapped to None in the result. 
 - partition(sep, /)
- Partition the string into three parts using the given separator. - This will search for the separator in the string. If the separator is found, returns a 3-tuple containing the part before the separator, the separator itself, and the part after it. - If the separator is not found, returns a 3-tuple containing the original string and two empty strings. 
 - removeprefix(prefix, /)
- Return a str with the given prefix string removed if present. - If the string starts with the prefix string, return string[len(prefix):]. Otherwise, return a copy of the original string. 
 - removesuffix(suffix, /)
- Return a str with the given suffix string removed if present. - If the string ends with the suffix string and that suffix is not empty, return string[:-len(suffix)]. Otherwise, return a copy of the original string. 
 - replace(old, new, count=-1, /)
- Return a copy with all occurrences of substring old replaced by new. - count
- Maximum number of occurrences to replace. -1 (the default value) means replace all occurrences. 
 - If the optional argument count is given, only the first count occurrences are replaced. 
 - rfind(sub[, start[, end]]) int
- Return the highest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Return -1 on failure. 
 - rindex(sub[, start[, end]]) int
- Return the highest index in S where substring sub is found, such that sub is contained within S[start:end]. Optional arguments start and end are interpreted as in slice notation. - Raises ValueError when the substring is not found. 
 - rjust(width, fillchar=' ', /)
- Return a right-justified string of length width. - Padding is done using the specified fill character (default is a space). 
 - rpartition(sep, /)
- Partition the string into three parts using the given separator. - This will search for the separator in the string, starting at the end. If the separator is found, returns a 3-tuple containing the part before the separator, the separator itself, and the part after it. - If the separator is not found, returns a 3-tuple containing two empty strings and the original string. 
 - rsplit(sep=None, maxsplit=-1)
- Return a list of the substrings in the string, using sep as the separator string. - sep
- The separator used to split the string. - When set to None (the default value), will split on any whitespace character (including n r t f and spaces) and will discard empty strings from the result. 
- maxsplit
- Maximum number of splits. -1 (the default value) means no limit. 
 - Splitting starts at the end of the string and works to the front. 
 - rstrip(chars=None, /)
- Return a copy of the string with trailing whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - split(sep=None, maxsplit=-1)
- Return a list of the substrings in the string, using sep as the separator string. - sep
- The separator used to split the string. - When set to None (the default value), will split on any whitespace character (including n r t f and spaces) and will discard empty strings from the result. 
- maxsplit
- Maximum number of splits. -1 (the default value) means no limit. 
 - Splitting starts at the front of the string and works to the end. - Note, str.split() is mainly useful for data that has been intentionally delimited. With natural text that includes punctuation, consider using the regular expression module. 
 - splitlines(keepends=False)
- Return a list of the lines in the string, breaking at line boundaries. - Line breaks are not included in the resulting list unless keepends is given and true. 
 - startswith(prefix[, start[, end]]) bool
- Return True if S starts with the specified prefix, False otherwise. With optional start, test S beginning at that position. With optional end, stop comparing S at that position. prefix can also be a tuple of strings to try. 
 - strip(chars=None, /)
- Return a copy of the string with leading and trailing whitespace removed. - If chars is given and not None, remove characters in chars instead. 
 - swapcase()
- Convert uppercase characters to lowercase and lowercase characters to uppercase. 
 - title()
- Return a version of the string where each word is titlecased. - More specifically, words start with uppercased characters and all remaining cased characters have lower case. 
 - translate(table, /)
- Replace each character in the string using the given translation table. - table
- Translation table, which must be a mapping of Unicode ordinals to Unicode ordinals, strings, or None. 
 - The table must implement lookup/indexing via __getitem__, for instance a dictionary or list. If this operation raises LookupError, the character is left untouched. Characters mapped to None are deleted. 
 - upper()
- Return a copy of the string converted to uppercase. 
 - zfill(width, /)
- Pad a numeric string with zeros on the left, to fill a field of the given width. - The string is never truncated. 
 - hide_when_equal = False
 
- lxml.html.diff._contains_block_level_tag(el)
- True if the element contains any block-level elements, like <p>, <td>, etc. 
- lxml.html.diff._fixup_ins_del_tags(doc)
- fixup_ins_del_tags that works on an lxml document in-place 
- lxml.html.diff._merge_element_contents(el)
- Removes an element, but merges its contents into its place, e.g., given <p>Hi <i>there!</i></p>, if you remove the <i> element you get <p>Hi there!</p> 
- lxml.html.diff._move_el_inside_block(el, tag)
- helper for _fixup_ins_del_tags; actually takes the <ins> etc tags and moves them inside any block-level tags. 
- lxml.html.diff.cleanup_delete(chunks)
- Cleans up any DEL_START/DEL_END markers in the document, replacing them with <del></del>. To do this while keeping the document valid, it may need to drop some tags (either start or end tags). - It may also move the del into adjacent tags to try to move it to a similar location where it was originally located (e.g., moving a delete into preceding <div> tag, if the del looks like (DEL_START, ‘Text</div>’, DEL_END) 
- lxml.html.diff.cleanup_html(html)
- This ‘cleans’ the HTML, meaning that any page structure is removed (only the contents of <body> are used, if there is any <body). Also <ins> and <del> tags are removed. 
- lxml.html.diff.compress_merge_back(tokens, tok)
- Merge tok into the last element of tokens (modifying the list of tokens in-place). 
- lxml.html.diff.compress_tokens(tokens)
- Combine adjacent tokens when there is no HTML between the tokens, and they share an annotation 
- lxml.html.diff.copy_annotations(src, dest)
- Copy annotations from the tokens listed in src to the tokens in dest 
- lxml.html.diff.default_markup(text, version)
- lxml.html.diff.end_tag(el)
- The text representation of an end tag for a tag. Includes trailing whitespace when appropriate. 
- lxml.html.diff.expand_tokens(tokens, equal=False)
- Given a list of tokens, return a generator of the chunks of text for the data in the tokens. 
- lxml.html.diff.fixup_chunks(chunks)
- This function takes a list of chunks and produces a list of tokens. 
- lxml.html.diff.fixup_ins_del_tags(html)
- Given an html string, move any <ins> or <del> tags inside of any block-level elements, e.g. transform <ins><p>word</p></ins> to <p><ins>word</ins></p> 
- lxml.html.diff.flatten_el(el, include_hrefs, skip_tag=False)
- Takes an lxml element el, and generates all the text chunks for that tag. Each start tag is a chunk, each word is a chunk, and each end tag is a chunk. - If skip_tag is true, then the outermost container tag is not returned (just its contents). 
- lxml.html.diff.html_annotate(doclist, markup=<cyfunction default_markup>)
- doclist should be ordered from oldest to newest, like: - >>> version1 = 'Hello World' >>> version2 = 'Goodbye World' >>> print(html_annotate([(version1, 'version 1'), ... (version2, 'version 2')])) <span title="version 2">Goodbye</span> <span title="version 1">World</span> - The documents must be fragments (str/UTF8 or unicode), not complete documents - The markup argument is a function to markup the spans of words. This function is called like markup(‘Hello’, ‘version 2’), and returns HTML. The first argument is text and never includes any markup. The default uses a span with a title: - >>> print(default_markup('Some Text', 'by Joe')) <span title="by Joe">Some Text</span> 
- lxml.html.diff.html_annotate_merge_annotations(tokens_old, tokens_new)
- Merge the annotations from tokens_old into tokens_new, when the tokens in the new document already existed in the old document. 
- lxml.html.diff.htmldiff(old_html, new_html)
- Do a diff of the old and new document. The documents are HTML fragments (str/UTF8 or unicode), they are not complete documents (i.e., no <html> tag). - Returns HTML with <ins> and <del> tags added around the appropriate text. - Markup is generally ignored, with the markup from new_html preserved, and possibly some markup from old_html (though it is considered acceptable to lose some of the old markup). Only the words in the HTML are diffed. The exception is <img> tags, which are treated like words, and the href attribute of <a> tags, which are noted inside the tag itself when there are changes. 
- lxml.html.diff.htmldiff_tokens(html1_tokens, html2_tokens)
- Does a diff on the tokens themselves, returning a list of text chunks (not tokens). 
- lxml.html.diff.is_end_tag(tok)
- lxml.html.diff.is_start_tag(tok)
- lxml.html.diff.is_word(tok)
- lxml.html.diff.locate_unbalanced_end(unbalanced_end, pre_delete, post_delete)
- like locate_unbalanced_start, except handling end tags and possibly moving the point earlier in the document. 
- lxml.html.diff.locate_unbalanced_start(unbalanced_start, pre_delete, post_delete)
- pre_delete and post_delete implicitly point to a place in the document (where the two were split). This moves that point (by popping items from one and pushing them onto the other). It moves the point to try to find a place where unbalanced_start applies. - As an example: - >>> unbalanced_start = ['<div>'] >>> doc = ['<p>', 'Text', '</p>', '<div>', 'More Text', '</div>'] >>> pre, post = doc[:3], doc[3:] >>> pre, post (['<p>', 'Text', '</p>'], ['<div>', 'More Text', '</div>']) >>> locate_unbalanced_start(unbalanced_start, pre, post) >>> pre, post (['<p>', 'Text', '</p>', '<div>'], ['More Text', '</div>']) - As you can see, we moved the point so that the dangling <div> that we found will be effectively replaced by the div in the original document. If this doesn’t work out, we just throw away unbalanced_start without doing anything. 
- lxml.html.diff.markup_serialize_tokens(tokens, markup_func)
- Serialize the list of tokens into a list of text chunks, calling markup_func around text to add annotations. 
- lxml.html.diff.merge_delete(del_chunks, doc)
- Adds the text chunks in del_chunks to the document doc (another list of text chunks) with marker to show it is a delete. cleanup_delete later resolves these markers into <del> tags. 
- lxml.html.diff.merge_insert(ins_chunks, doc)
- doc is the already-handled document (as a list of text chunks); here we add <ins>ins_chunks</ins> to the end of that. 
- lxml.html.diff.parse_html(html, cleanup=True)
- Parses an HTML fragment, returning an lxml element. Note that the HTML will be wrapped in a <div> tag that was not in the original document. - If cleanup is true, make sure there’s no <head> or <body>, and get rid of any <ins> and <del> tags. 
- lxml.html.diff.serialize_html_fragment(el, skip_outer=False)
- Serialize a single lxml element as HTML. The serialized form includes the elements tail. - If skip_outer is true, then don’t serialize the outermost tag 
- lxml.html.diff.split_delete(chunks)
- Returns (stuff_before_DEL_START, stuff_inside_DEL_START_END, stuff_after_DEL_END). Returns the first case found (there may be more DEL_STARTs in stuff_after_DEL_END). Raises NoDeletes if there’s no DEL_START found. 
- lxml.html.diff.split_trailing_whitespace(word)
- This function takes a word, such as ‘test - ‘ and returns (‘test’,’ - ‘) 
- lxml.html.diff.split_unbalanced(chunks)
- Return (unbalanced_start, balanced, unbalanced_end), where each is a list of text and tag chunks. - unbalanced_start is a list of all the tags that are opened, but not closed in this span. Similarly, unbalanced_end is a list of tags that are closed but were not opened. Extracting these might mean some reordering of the chunks. 
- lxml.html.diff.split_words(text)
- Splits some text into words. Includes trailing whitespace on each word when appropriate. 
- lxml.html.diff.start_tag(el)
- The text representation of the start tag for a tag. 
- lxml.html.diff.tokenize(html, include_hrefs=True)
- Parse the given HTML and returns token objects (words with attached tags). - This parses only the content of a page; anything in the head is ignored, and the <head> and <body> elements are themselves optional. The content is then parsed by lxml, which ensures the validity of the resulting parsed document (though lxml may make incorrect guesses when the markup is particular bad). - <ins> and <del> tags are also eliminated from the document, as that gets confusing. - If include_hrefs is true, then the href attribute of <a> tags is included as a special kind of diffable token. 
- lxml.html.diff.tokenize_annotated(doc, annotation)
- Tokenize a document and add an annotation attribute to each token