selectolax 0.3.34__cp314-cp314t-win_arm64.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of selectolax might be problematic. Click here for more details.

selectolax/parser.pyi ADDED
@@ -0,0 +1,767 @@
1
+ from typing import Iterator, Literal, TypeVar, overload
2
+
3
+ DefaultT = TypeVar("DefaultT")
4
+
5
+ class _Attributes:
6
+ """A dict-like object that represents attributes."""
7
+
8
+ @staticmethod
9
+ def create(node: Node, decode_errors: str) -> _Attributes: ...
10
+ def keys(self) -> Iterator[str]: ...
11
+ def items(self) -> Iterator[tuple[str, str | None]]: ...
12
+ def values(self) -> Iterator[str | None]: ...
13
+ def __iter__(self) -> Iterator[str]: ...
14
+ def __len__(self) -> int: ...
15
+ def __getitem__(self, key: str) -> str | None: ...
16
+ def __setitem__(self, key: str, value: str) -> None: ...
17
+ def __delitem__(self, key: str) -> None: ...
18
+ def __contains__(self, key: str) -> bool: ...
19
+ def __repr__(self) -> str: ...
20
+ @overload
21
+ def get(self, key: str, default: DefaultT) -> DefaultT | str | None: ...
22
+ @overload
23
+ def get(self, key: str, default: None = ...) -> str | None: ...
24
+ @overload
25
+ def sget(self, key: str, default: str | DefaultT) -> str | DefaultT: ...
26
+ @overload
27
+ def sget(self, key: str, default: str = "") -> str:
28
+ """Same as get, but returns empty strings instead of None values for empty attributes."""
29
+ ...
30
+
31
+ class Selector:
32
+ """An advanced CSS selector that supports additional operations.
33
+
34
+ Think of it as a toolkit that mimics some of the features of XPath.
35
+
36
+ Please note, this is an experimental feature that can change in the future."""
37
+
38
+ def __init__(self, node: Node, query: str): ...
39
+ def css(self, query: str) -> Node:
40
+ """Evaluate CSS selector against current scope."""
41
+ ...
42
+ @property
43
+ def matches(self) -> list[Node]:
44
+ """Returns all possible selector matches"""
45
+ ...
46
+ @property
47
+ def any_matches(self) -> bool:
48
+ """Returns True if there are any matches"""
49
+ ...
50
+ def text_contains(
51
+ self, text: str, deep: bool = True, separator: str = "", strip: bool = False
52
+ ) -> Selector:
53
+ """Filter all current matches given text."""
54
+ ...
55
+ def any_text_contains(
56
+ self, text: str, deep: bool = True, separator: str = "", strip: bool = False
57
+ ) -> bool:
58
+ """Returns True if any node in the current search scope contains specified text"""
59
+ ...
60
+ def attribute_longer_than(
61
+ self, text: str, length: int, start: str | None = None
62
+ ) -> Selector:
63
+ """Filter all current matches by attribute length.
64
+
65
+ Similar to string-length in XPath."""
66
+ ...
67
+ def any_attribute_longer_than(
68
+ self, text: str, length: int, start: str | None = None
69
+ ) -> bool:
70
+ """Returns True any href attribute longer than a specified length.
71
+
72
+ Similar to string-length in XPath."""
73
+ ...
74
+
75
+ class Node:
76
+ """A class that represents HTML node (element)."""
77
+
78
+ parser: HTMLParser
79
+ @property
80
+ def attributes(self) -> dict[str, str | None]:
81
+ """Get all attributes that belong to the current node.
82
+
83
+ The value of empty attributes is None.
84
+
85
+ Returns
86
+ -------
87
+ attributes : dictionary of all attributes.
88
+
89
+ Examples
90
+ --------
91
+
92
+ >>> tree = HTMLParser("<div data id='my_id'></div>")
93
+ >>> node = tree.css_first('div')
94
+ >>> node.attributes
95
+ {'data': None, 'id': 'my_id'}
96
+ """
97
+ ...
98
+ @property
99
+ def attrs(self) -> _Attributes:
100
+ """A dict-like object that is similar to the ``attributes`` property, but operates directly on the Node data.
101
+
102
+ .. warning:: Use ``attributes`` instead, if you don't want to modify Node attributes.
103
+
104
+ Returns
105
+ -------
106
+ attributes : Attributes mapping object.
107
+
108
+ Examples
109
+ --------
110
+
111
+ >>> tree = HTMLParser("<div id='a'></div>")
112
+ >>> node = tree.css_first('div')
113
+ >>> node.attrs
114
+ <div attributes, 1 items>
115
+ >>> node.attrs['id']
116
+ 'a'
117
+ >>> node.attrs['foo'] = 'bar'
118
+ >>> del node.attrs['id']
119
+ >>> node.attributes
120
+ {'foo': 'bar'}
121
+ >>> node.attrs['id'] = 'new_id'
122
+ >>> node.html
123
+ '<div foo="bar" id="new_id"></div>'
124
+ """
125
+ ...
126
+ @property
127
+ def id(self) -> str | None:
128
+ """Get the id attribute of the node.
129
+
130
+ Returns None if id does not set.
131
+
132
+ Returns
133
+ -------
134
+ text : str
135
+ """
136
+ ...
137
+
138
+ def mem_id(self) -> int:
139
+ """Get the mem_id attribute of the node.
140
+
141
+ Returns
142
+ -------
143
+ text : int
144
+ """
145
+ ...
146
+
147
+ def __hash__(self) -> int:
148
+ """Get the hash of this node
149
+ :return: int
150
+ """
151
+ ...
152
+ def text(self, deep: bool = True, separator: str = "", strip: bool = False) -> str:
153
+ """Returns the text of the node including text of all its child nodes.
154
+
155
+ Parameters
156
+ ----------
157
+ strip : bool, default False
158
+ If true, calls ``str.strip()`` on each text part to remove extra white spaces.
159
+ separator : str, default ''
160
+ The separator to use when joining text from different nodes.
161
+ deep : bool, default True
162
+ If True, includes text from all child nodes.
163
+
164
+ Returns
165
+ -------
166
+ text : str
167
+ """
168
+ ...
169
+ def iter(self, include_text: bool = False) -> Iterator[Node]:
170
+ """Iterate over nodes on the current level.
171
+
172
+ Parameters
173
+ ----------
174
+ include_text : bool
175
+ If True, includes text nodes as well.
176
+
177
+ Yields
178
+ -------
179
+ node
180
+ """
181
+ ...
182
+ def traverse(self, include_text: bool = False) -> Iterator[Node]:
183
+ """Iterate over all child and next nodes starting from the current level.
184
+
185
+ Parameters
186
+ ----------
187
+ include_text : bool
188
+ If True, includes text nodes as well.
189
+
190
+ Yields
191
+ -------
192
+ node
193
+ """
194
+ ...
195
+ @property
196
+ def tag(self) -> str:
197
+ """Return the name of the current tag (e.g. div, p, img).
198
+
199
+ Returns
200
+ -------
201
+ text : str
202
+ """
203
+ ...
204
+ @property
205
+ def child(self) -> Node | None:
206
+ """Return the child node."""
207
+ ...
208
+ @property
209
+ def parent(self) -> Node | None:
210
+ """Return the parent node."""
211
+ ...
212
+ @property
213
+ def next(self) -> Node | None:
214
+ """Return next node."""
215
+ ...
216
+ @property
217
+ def prev(self) -> Node | None:
218
+ """Return previous node."""
219
+ ...
220
+ @property
221
+ def last_child(self) -> Node | None:
222
+ """Return last child node."""
223
+ ...
224
+ @property
225
+ def html(self) -> str | None:
226
+ """Return HTML representation of the current node including all its child nodes.
227
+
228
+ Returns
229
+ -------
230
+ text : str
231
+ """
232
+ ...
233
+ def css(self, query: str) -> list[Node]:
234
+ """Evaluate CSS selector against current node and its child nodes."""
235
+ ...
236
+ def any_css_matches(self, selectors: tuple[str]) -> bool:
237
+ """Returns True if any of CSS selectors matches a node"""
238
+ ...
239
+ def css_matches(self, selector: str) -> bool:
240
+ """Returns True if CSS selector matches a node."""
241
+ ...
242
+ @overload
243
+ def css_first(
244
+ self, query: str, default: DefaultT, strict: bool = False
245
+ ) -> Node | DefaultT: ...
246
+ @overload
247
+ def css_first(
248
+ self, query: str, default: None = None, strict: bool = False
249
+ ) -> Node | None | DefaultT:
250
+ """Evaluate CSS selector against current node and its child nodes."""
251
+ ...
252
+ def decompose(self, recursive: bool = True) -> None:
253
+ """Remove a Node from the tree.
254
+
255
+ Parameters
256
+ ----------
257
+ recursive : bool, default True
258
+ Whenever to delete all its child nodes
259
+
260
+ Examples
261
+ --------
262
+
263
+ >>> tree = HTMLParser(html)
264
+ >>> for tag in tree.css('script'):
265
+ >>> tag.decompose()
266
+ """
267
+ ...
268
+ def remove(self, recursive: bool = True) -> None:
269
+ """An alias for the decompose method."""
270
+ ...
271
+ def unwrap(self, delete_empty: bool = False) -> None:
272
+ """Replace node with whatever is inside this node.
273
+
274
+ Parameters
275
+ ----------
276
+ delete_empty : bool, default False
277
+ Whenever to delete empty tags.
278
+
279
+ Examples
280
+ --------
281
+
282
+ >>> tree = HTMLParser("<div>Hello <i>world</i>!</div>")
283
+ >>> tree.css_first('i').unwrap()
284
+ >>> tree.html
285
+ '<html><head></head><body><div>Hello world!</div></body></html>'
286
+
287
+ Note: by default, empty tags are ignored, set "delete_empty" to "True" to change this.
288
+ """
289
+ ...
290
+ def strip_tags(self, tags: list[str], recursive: bool = False) -> None:
291
+ """Remove specified tags from the HTML tree.
292
+
293
+ Parameters
294
+ ----------
295
+ tags : list
296
+ List of tags to remove.
297
+ recursive : bool, default True
298
+ Whenever to delete all its child nodes
299
+
300
+ Examples
301
+ --------
302
+
303
+ >>> tree = HTMLParser('<html><head></head><body><script></script><div>Hello world!</div></body></html>')
304
+ >>> tags = ['head', 'style', 'script', 'xmp', 'iframe', 'noembed', 'noframes']
305
+ >>> tree.strip_tags(tags)
306
+ >>> tree.html
307
+ '<html><body><div>Hello world!</div></body></html>'
308
+ """
309
+ ...
310
+ def unwrap_tags(self, tags: list[str], delete_empty: bool = False) -> None:
311
+ """Unwraps specified tags from the HTML tree.
312
+
313
+ Works the same as the unwrap method, but applied to a list of tags.
314
+
315
+ Parameters
316
+ ----------
317
+ tags : list
318
+ List of tags to remove.
319
+ delete_empty : bool, default False
320
+ Whenever to delete empty tags.
321
+
322
+ Examples
323
+ --------
324
+
325
+ >>> tree = HTMLParser("<div><a href="">Hello</a> <i>world</i>!</div>")
326
+ >>> tree.body.unwrap_tags(['i','a'])
327
+ >>> tree.body.html
328
+ '<body><div>Hello world!</div></body>'
329
+
330
+ Note: by default, empty tags are ignored, set "delete_empty" to "True" to change this.
331
+ """
332
+ ...
333
+ def replace_with(self, value: str | bytes | None) -> None:
334
+ """Replace current Node with specified value.
335
+
336
+ Parameters
337
+ ----------
338
+ value : str, bytes or Node
339
+ The text or Node instance to replace the Node with.
340
+ When a text string is passed, it's treated as text. All HTML tags will be escaped.
341
+ Convert and pass the ``Node`` object when you want to work with HTML.
342
+ Does not clone the ``Node`` object.
343
+ All future changes to the passed ``Node`` object will also be taken into account.
344
+
345
+ Examples
346
+ --------
347
+
348
+ >>> tree = HTMLParser('<div>Get <img src="" alt="Laptop"></div>')
349
+ >>> img = tree.css_first('img')
350
+ >>> img.replace_with(img.attributes.get('alt', ''))
351
+ >>> tree.body.child.html
352
+ '<div>Get Laptop</div>'
353
+
354
+ >>> html_parser = HTMLParser('<div>Get <span alt="Laptop"><img src="/jpg"> <div></div></span></div>')
355
+ >>> html_parser2 = HTMLParser('<div>Test</div>')
356
+ >>> img_node = html_parser.css_first('img')
357
+ >>> img_node.replace_with(html_parser2.body.child)
358
+ '<div>Get <span alt="Laptop"><div>Test</div> <div></div></span></div>'
359
+ """
360
+ ...
361
+ def insert_before(self, value: str | bytes | None) -> None:
362
+ """Insert a node before the current Node.
363
+
364
+ Parameters
365
+ ----------
366
+ value : str, bytes or Node
367
+ The text or Node instance to insert before the Node.
368
+ When a text string is passed, it's treated as text. All HTML tags will be escaped.
369
+ Convert and pass the ``Node`` object when you want to work with HTML.
370
+ Does not clone the ``Node`` object.
371
+ All future changes to the passed ``Node`` object will also be taken into account.
372
+
373
+ Examples
374
+ --------
375
+
376
+ >>> tree = HTMLParser('<div>Get <img src="" alt="Laptop"></div>')
377
+ >>> img = tree.css_first('img')
378
+ >>> img.insert_before(img.attributes.get('alt', ''))
379
+ >>> tree.body.child.html
380
+ '<div>Get Laptop<img src="" alt="Laptop"></div>'
381
+
382
+ >>> html_parser = HTMLParser('<div>Get <span alt="Laptop"><img src="/jpg"> <div></div></span></div>')
383
+ >>> html_parser2 = HTMLParser('<div>Test</div>')
384
+ >>> img_node = html_parser.css_first('img')
385
+ >>> img_node.insert_before(html_parser2.body.child)
386
+ <div>Get <span alt="Laptop"><div>Test</div><img src="/jpg"> <div></div></span></div>'
387
+ """
388
+ ...
389
+ def insert_after(self, value: str | bytes | None) -> None:
390
+ """Insert a node after the current Node.
391
+
392
+ Parameters
393
+ ----------
394
+ value : str, bytes or Node
395
+ The text or Node instance to insert after the Node.
396
+ When a text string is passed, it's treated as text. All HTML tags will be escaped.
397
+ Convert and pass the ``Node`` object when you want to work with HTML.
398
+ Does not clone the ``Node`` object.
399
+ All future changes to the passed ``Node`` object will also be taken into account.
400
+
401
+ Examples
402
+ --------
403
+
404
+ >>> tree = HTMLParser('<div>Get <img src="" alt="Laptop"></div>')
405
+ >>> img = tree.css_first('img')
406
+ >>> img.insert_after(img.attributes.get('alt', ''))
407
+ >>> tree.body.child.html
408
+ '<div>Get <img src="" alt="Laptop">Laptop</div>'
409
+
410
+ >>> html_parser = HTMLParser('<div>Get <span alt="Laptop"><img src="/jpg"> <div></div></span></div>')
411
+ >>> html_parser2 = HTMLParser('<div>Test</div>')
412
+ >>> img_node = html_parser.css_first('img')
413
+ >>> img_node.insert_after(html_parser2.body.child)
414
+ <div>Get <span alt="Laptop"><img src="/jpg"><div>Test</div> <div></div></span></div>'
415
+ """
416
+ ...
417
+ def insert_child(self, value: str | bytes | None) -> None:
418
+ """Insert a node inside (at the end of) the current Node.
419
+
420
+ Parameters
421
+ ----------
422
+ value : str, bytes or Node
423
+ The text or Node instance to insert inside the Node.
424
+ When a text string is passed, it's treated as text. All HTML tags will be escaped.
425
+ Convert and pass the ``Node`` object when you want to work with HTML.
426
+ Does not clone the ``Node`` object.
427
+ All future changes to the passed ``Node`` object will also be taken into account.
428
+
429
+ Examples
430
+ --------
431
+
432
+ >>> tree = HTMLParser('<div>Get <img src=""></div>')
433
+ >>> div = tree.css_first('div')
434
+ >>> div.insert_child('Laptop')
435
+ >>> tree.body.child.html
436
+ '<div>Get <img src="">Laptop</div>'
437
+
438
+ >>> html_parser = HTMLParser('<div>Get <span alt="Laptop"> <div>Laptop</div> </span></div>')
439
+ >>> html_parser2 = HTMLParser('<div>Test</div>')
440
+ >>> span_node = html_parser.css_first('span')
441
+ >>> span_node.insert_child(html_parser2.body.child)
442
+ <div>Get <span alt="Laptop"> <div>Laptop</div> <div>Test</div> </span></div>'
443
+ """
444
+ ...
445
+ @property
446
+ def raw_value(self) -> bytes:
447
+ """Return the raw (unparsed, original) value of a node.
448
+
449
+ Currently, works on text nodes only.
450
+
451
+ Returns
452
+ -------
453
+
454
+ raw_value : bytes
455
+
456
+ Examples
457
+ --------
458
+
459
+ >>> html_parser = HTMLParser('<div>&#x3C;test&#x3E;</div>')
460
+ >>> selector = html_parser.css_first('div')
461
+ >>> selector.child.html
462
+ '&lt;test&gt;'
463
+ >>> selector.child.raw_value
464
+ b'&#x3C;test&#x3E;'
465
+ """
466
+ ...
467
+ def select(self, query: str | None = None) -> Selector:
468
+ """Select nodes given a CSS selector.
469
+
470
+ Works similarly to the css method, but supports chained filtering and extra features.
471
+
472
+ Parameters
473
+ ----------
474
+ query : str or None
475
+ The CSS selector to use when searching for nodes.
476
+
477
+ Returns
478
+ -------
479
+ selector : The `Selector` class.
480
+ """
481
+ ...
482
+ def scripts_contain(self, query: str) -> bool:
483
+ """Returns True if any of the script tags contain specified text.
484
+
485
+ Caches script tags on the first call to improve performance.
486
+
487
+ Parameters
488
+ ----------
489
+ query : str
490
+ The query to check.
491
+ """
492
+ ...
493
+ def script_srcs_contain(self, queries: tuple[str]) -> bool:
494
+ """Returns True if any of the script SRCs attributes contain on of the specified text.
495
+
496
+ Caches values on the first call to improve performance.
497
+
498
+ Parameters
499
+ ----------
500
+ queries : tuple of str
501
+ """
502
+ ...
503
+ @property
504
+ def text_content(self) -> str | None:
505
+ """Returns the text of the node if it is a text node.
506
+
507
+ Returns None for other nodes.
508
+ Unlike the ``text`` method, does not include child nodes.
509
+
510
+ Returns
511
+ -------
512
+ text : str or None.
513
+ """
514
+ ...
515
+ def merge_text_nodes(self):
516
+ """Iterates over all text nodes and merges all text nodes that are close to each other.
517
+
518
+ This is useful for text extraction.
519
+ Use it when you need to strip HTML tags and merge "dangling" text.
520
+
521
+ Examples
522
+ --------
523
+
524
+ >>> tree = HTMLParser("<div><p><strong>J</strong>ohn</p><p>Doe</p></div>")
525
+ >>> node = tree.css_first('div')
526
+ >>> tree.unwrap_tags(["strong"])
527
+ >>> tree.text(deep=True, separator=" ", strip=True)
528
+ "J ohn Doe" # Text extraction produces an extra space because the strong tag was removed.
529
+ >>> node.merge_text_nodes()
530
+ >>> tree.text(deep=True, separator=" ", strip=True)
531
+ "John Doe"
532
+ """
533
+ ...
534
+
535
+ class HTMLParser:
536
+ """The HTML parser.
537
+
538
+ Use this class to parse raw HTML.
539
+
540
+ Parameters
541
+ ----------
542
+
543
+ html : str (unicode) or bytes
544
+ detect_encoding : bool, default True
545
+ If `True` and html type is `bytes` then encoding will be detected automatically.
546
+ use_meta_tags : bool, default True
547
+ Whether to use meta tags in encoding detection process.
548
+ decode_errors : str, default 'ignore'
549
+ Same as in builtin's str.decode, i.e 'strict', 'ignore' or 'replace'.
550
+ """
551
+
552
+ def __init__(
553
+ self,
554
+ html: bytes | str,
555
+ detect_encoding: bool = True,
556
+ use_meta_tags: bool = True,
557
+ decode_errors: Literal["strict", "ignore", "replace"] = "ignore",
558
+ ): ...
559
+ def css(self, query: str) -> list[Node]:
560
+ """A CSS selector.
561
+
562
+ Matches pattern `query` against HTML tree.
563
+ `CSS selectors reference <https://www.w3schools.com/cssref/css_selectors.asp>`_.
564
+
565
+ Parameters
566
+ ----------
567
+ query : str
568
+ CSS selector (e.g. "div > :nth-child(2n+1):not(:has(a))").
569
+
570
+ Returns
571
+ -------
572
+ selector : list of `Node` objects
573
+ """
574
+ ...
575
+ @overload
576
+ def css_first(
577
+ self, query: str, default: DefaultT, strict: bool = False
578
+ ) -> Node | DefaultT: ...
579
+ @overload
580
+ def css_first(
581
+ self, query: str, default: None = None, strict: bool = False
582
+ ) -> Node | None | DefaultT:
583
+ """Same as `css` but returns only the first match.
584
+
585
+ Parameters
586
+ ----------
587
+
588
+ query : str
589
+ default : bool, default None
590
+ Default value to return if there is no match.
591
+ strict: bool, default True
592
+ Set to True if you want to check if there is strictly only one match in the document.
593
+
594
+
595
+ Returns
596
+ -------
597
+ selector : `Node` object
598
+ """
599
+ ...
600
+ @property
601
+ def input_encoding(self) -> str:
602
+ """Return encoding of the HTML document.
603
+
604
+ Returns `unknown` in case the encoding is not determined.
605
+ """
606
+ ...
607
+ @property
608
+ def root(self) -> Node | None:
609
+ """Returns root node."""
610
+ ...
611
+ @property
612
+ def head(self) -> Node | None:
613
+ """Returns head node."""
614
+ ...
615
+ @property
616
+ def body(self) -> Node | None:
617
+ """Returns document body."""
618
+ ...
619
+ def tags(self, name: str) -> list[Node]:
620
+ """Returns a list of tags that match specified name.
621
+
622
+ Parameters
623
+ ----------
624
+ name : str (e.g. div)
625
+ """
626
+ ...
627
+ def text(self, deep: bool = True, separator: str = "", strip: bool = False) -> str:
628
+ """Returns the text of the node including text of all its child nodes.
629
+
630
+ Parameters
631
+ ----------
632
+ strip : bool, default False
633
+ If true, calls ``str.strip()`` on each text part to remove extra white spaces.
634
+ separator : str, default ''
635
+ The separator to use when joining text from different nodes.
636
+ deep : bool, default True
637
+ If True, includes text from all child nodes.
638
+
639
+ Returns
640
+ -------
641
+ text : str
642
+ """
643
+ ...
644
+ def strip_tags(self, tags: list[str], recursive: bool = False) -> None:
645
+ """Remove specified tags from the node.
646
+
647
+ Parameters
648
+ ----------
649
+ tags : list of str
650
+ List of tags to remove.
651
+ recursive : bool, default True
652
+ Whenever to delete all its child nodes
653
+
654
+ Examples
655
+ --------
656
+
657
+ >>> tree = HTMLParser('<html><head></head><body><script></script><div>Hello world!</div></body></html>')
658
+ >>> tags = ['head', 'style', 'script', 'xmp', 'iframe', 'noembed', 'noframes']
659
+ >>> tree.strip_tags(tags)
660
+ >>> tree.html
661
+ '<html><body><div>Hello world!</div></body></html>'
662
+ """
663
+ ...
664
+ def unwrap_tags(self, tags: list[str], delete_empty: bool = False) -> None:
665
+ """Unwraps specified tags from the HTML tree.
666
+
667
+ Works the same as th unwrap method, but applied to a list of tags.
668
+
669
+ Parameters
670
+ ----------
671
+ tags : list
672
+ List of tags to remove.
673
+ delete_empty : bool, default False
674
+ If True, removes empty tags.
675
+
676
+ Examples
677
+ --------
678
+
679
+ >>> tree = HTMLParser("<div><a href="">Hello</a> <i>world</i>!</div>")
680
+ >>> tree.head.unwrap_tags(['i','a'])
681
+ >>> tree.head.html
682
+ '<body><div>Hello world!</div></body>'
683
+ """
684
+ ...
685
+ @property
686
+ def html(self) -> str | None:
687
+ """Return HTML representation of the page."""
688
+ ...
689
+ def select(self, query: str | None = None) -> Selector | None:
690
+ """Select nodes given a CSS selector.
691
+
692
+ Works similarly to the ``css`` method, but supports chained filtering and extra features.
693
+
694
+ Parameters
695
+ ----------
696
+ query : str or None
697
+ The CSS selector to use when searching for nodes.
698
+
699
+ Returns
700
+ -------
701
+ selector : The `Selector` class.
702
+ """
703
+ ...
704
+ def any_css_matches(self, selectors: tuple[str]) -> bool:
705
+ """Returns True if any of the specified CSS selectors matches a node."""
706
+ ...
707
+ def scripts_contain(self, query: str) -> bool:
708
+ """Returns True if any of the script tags contain specified text.
709
+
710
+ Caches script tags on the first call to improve performance.
711
+
712
+ Parameters
713
+ ----------
714
+ query : str
715
+ The query to check.
716
+ """
717
+ ...
718
+ def scripts_srcs_contain(self, queries: tuple[str]) -> bool:
719
+ """Returns True if any of the script SRCs attributes contain on of the specified text.
720
+
721
+ Caches values on the first call to improve performance.
722
+
723
+ Parameters
724
+ ----------
725
+ queries : tuple of str
726
+ """
727
+ ...
728
+ def css_matches(self, selector: str) -> bool: ...
729
+ def clone(self) -> HTMLParser:
730
+ """Clone the current tree."""
731
+ ...
732
+ def merge_text_nodes(self):
733
+ """Iterates over all text nodes and merges all text nodes that are close to each other.
734
+
735
+ This is useful for text extraction.
736
+ Use it when you need to strip HTML tags and merge "dangling" text.
737
+
738
+ Examples
739
+ --------
740
+
741
+ >>> tree = HTMLParser("<div><p><strong>J</strong>ohn</p><p>Doe</p></div>")
742
+ >>> node = tree.css_first('div')
743
+ >>> tree.unwrap_tags(["strong"])
744
+ >>> tree.text(deep=True, separator=" ", strip=True)
745
+ "J ohn Doe" # Text extraction produces an extra space because the strong tag was removed.
746
+ >>> node.merge_text_nodes()
747
+ >>> tree.text(deep=True, separator=" ", strip=True)
748
+ "John Doe"
749
+ """
750
+ ...
751
+
752
+ def create_tag(tag: str) -> Node:
753
+ """
754
+ Given an HTML tag name, e.g. `"div"`, create a single empty node for that tag,
755
+ e.g. `"<div></div>"`.
756
+ """
757
+ ...
758
+
759
+ def parse_fragment(html: str) -> list[Node]:
760
+ """
761
+ Given HTML, parse it into a list of Nodes, such that the nodes
762
+ correspond to the given HTML.
763
+
764
+ For contrast, HTMLParser adds `<html>`, `<head>`, and `<body>` tags
765
+ if they are missing. This function does not add these tags.
766
+ """
767
+ ...