diff --git a/README.md b/README.md index b1965f5..a3b6e54 100644 --- a/README.md +++ b/README.md @@ -1,6 +1,4 @@ -# NODRIVER - -## [api documentation here!](https://ultrafunkamsterdam.github.io/nodriver) +# NODRIVER **This package provides next level webscraping and browser automation using a relatively simple interface.** diff --git a/_update_changes.py b/_update_changes.py index 8286130..ecb640f 100644 --- a/_update_changes.py +++ b/_update_changes.py @@ -81,7 +81,7 @@ def get_version(project_file: Path): subprocess.run("black nodriver/core *.py") subprocess.run("git add docs nodriver pyproject.toml example README.md") subprocess.run("git status") -commit = input("commit?:") +commit = input("commit message (use no quotes) :") if commit: subprocess.run(f'git commit -m "{commit}"') diff --git a/docs/_build/doctrees/environment.pickle b/docs/_build/doctrees/environment.pickle index 60f779e..4800ea2 100644 Binary files a/docs/_build/doctrees/environment.pickle and b/docs/_build/doctrees/environment.pickle differ diff --git a/docs/_build/doctrees/nodriver/classes/element.doctree b/docs/_build/doctrees/nodriver/classes/element.doctree index 3ddb4f9..7cdf2b5 100644 Binary files a/docs/_build/doctrees/nodriver/classes/element.doctree and b/docs/_build/doctrees/nodriver/classes/element.doctree differ diff --git a/docs/_build/html/_modules/index.html b/docs/_build/html/_modules/index.html index b1ace76..a29b5f2 100644 --- a/docs/_build/html/_modules/index.html +++ b/docs/_build/html/_modules/index.html @@ -312,6 +312,7 @@
self._target = target
self.__count__ = itertools.count(0)
self._owner = _owner
-
self.websocket_url: str = websocket_url
self.websocket = None
self.mapper = {}
@@ -472,7 +471,6 @@ Source code for nodriver.core.connection
self.enabled_domains = []
self._last_result = []
self.listener: Listener = None
-
self.__dict__.update(**kwargs)
@property
@@ -513,10 +511,8 @@ Source code for nodriver.core.connection
page.add_handler(cdp.network.RequestWillBeSent, lambda event: print('network event => %s' % event.request))
-
the next time you make network traffic you will see your console print like crazy.
-
:param event_type_or_domain:
:type event_type_or_domain:
:param handler:
@@ -572,7 +568,6 @@ Source code for nodriver.core.connection
"""
closes the websocket connection. should not be called manually by users.
"""
-
if self.websocket and not self.websocket.closed:
if self.listener and self.listener.running:
self.listener.cancel()
@@ -586,9 +581,8 @@ Source code for nodriver.core.connection
async def wait(self, t: Union[int, float] = None):
"""
- waits until the event listener
- reports idle (which is when no new events had been received in .5 seconds
- or, 1 second when in interactive mode)
+ waits until the event listener reports idle (no new events received in certain timespan).
+ when `t` is provided, ensures waiting for `t` seconds, no matter what.
:param t:
:type t:
@@ -596,20 +590,23 @@ Source code for nodriver.core.connection
:rtype:
"""
await self.update_target()
-
+ loop = asyncio.get_running_loop()
+ start_time = loop.time()
try:
-
- await asyncio.wait_for(self.listener.idle.wait(), timeout=t)
+ if isinstance(t, (int, float)):
+ await asyncio.wait_for(self.listener.idle.wait(), timeout=t)
+ while (loop.time() - start_time) < t:
+ await asyncio.sleep(0.1)
+ else:
+ await self.listener.idle.wait()
except asyncio.TimeoutError:
- if t is not None:
+ if isinstance(t, (int, float)):
# explicit time is given, which is now passed
# so bail out early
return
except AttributeError:
# no listener created yet
pass
- if t is not None:
- await self.sleep(t)
def __getattr__(self, item):
""":meta private:"""
@@ -669,7 +666,6 @@ Source code for nodriver.core.connection
self.__count__ = itertools.count(0)
tx.id = next(self.__count__)
self.mapper.update({tx.id: tx})
-
if not _is_update:
await self._register_handlers()
await self.websocket.send(tx.message)
@@ -678,7 +674,6 @@ Source code for nodriver.core.connection
except ProtocolException as e:
e.message += f"\ncommand:{tx.method}\nparams:{tx.params}"
raise e
-
except Exception:
await self.aclose()
@@ -689,14 +684,12 @@ Source code for nodriver.core.connection
"""
seen = []
-
# save a copy of current enabled domains in a variable
# domains will be removed from this variable
# if it is still needed according to the set handlers
# so at the end this variable will hold the domains that
# are not represented by handlers, and can be removed
enabled_domains = self.enabled_domains.copy()
-
for event_type in self.handlers.copy():
domain_mod = None
if len(self.handlers[event_type]) == 0:
@@ -735,7 +728,6 @@ Source code for nodriver.core.connection
# we started with a copy of self.enabled_domains and removed a domain from this
# temp variable when we registered it or saw handlers for it.
# items still present at this point are unused and need removal
-
self.enabled_domains.remove(ed)
@@ -796,43 +788,45 @@ Source code for nodriver.core.connection
except asyncio.TimeoutError:
self.idle.set()
# breathe
- await asyncio.sleep(self.time_before_considered_idle / 10)
+ # await asyncio.sleep(self.time_before_considered_idle / 10)
continue
- except (Exception,):
+ except (Exception,) as e:
# break on any other exception
# which is mostly socket is closed or does not exist
# or is not allowed
+
+ logger.debug(
+ "connection listener exception while reading websocket:\n%s", e
+ )
break
- # async for msg in self.connection.websocket:
if not self.running:
+ # if we have been cancelled or otherwise stopped running
+ # break this loop
break
+
+ # since we are at this point, we are not "idle" anymore.
self.idle.clear()
+
message = json.loads(msg)
if "id" in message:
# response to our command
if message["id"] in self.connection.mapper:
- tx = self.connection.mapper[message["id"]]
+ # get the corresponding Transaction
+ tx = self.connection.mapper.pop(message["id"])
+ logger.debug("got answer for %s", tx)
+ # complete the transaction, which is a Future object
+ # and thus will return to anyone awaiting it.
tx(**message)
else:
# probably an event
try:
event = cdp.util.parse_json_event(message)
- # self.history.append(event)
event_tx = EventTransaction(event)
- # getattr(globals(), event.__class__.__module__)
if not self.connection.mapper:
self.connection.__count__ = itertools.count(0)
event_tx.id = next(self.connection.__count__)
self.connection.mapper[event_tx.id] = event_tx
- # while len(self.connection.mapper) > self.max_history:
- # for k,v in self.connection.mapper.copy().items():
- # # only remove old events
- # if type(v) is not Transaction:
- # self.connection.mapper.pop(k)
-
- # while len(self.history) >= self.max_history:
- # self.history.popleft()
except Exception as e:
logger.info(
"%s: %s during parsing of json from event : %s"
@@ -848,17 +842,14 @@ Source code for nodriver.core.connection
callbacks = self.connection.handlers[type(event)]
else:
continue
-
if not len(callbacks):
continue
-
for callback in callbacks:
try:
if iscoroutinefunction(callback) or iscoroutine(callback):
await callback(event)
else:
callback(event)
-
except Exception as e:
logger.warning(
"exception in callback %s for event %s => %s",
diff --git a/docs/_build/html/genindex.html b/docs/_build/html/genindex.html
index a646355..0c122db 100644
--- a/docs/_build/html/genindex.html
+++ b/docs/_build/html/genindex.html
@@ -5563,6 +5563,8 @@ M
- MOUSE (GestureSourceType attribute)
- mouse_click() (Element method)
+
+ - mouse_drag() (Element method)
- mouse_move() (Element method)
diff --git a/docs/_build/html/index.html b/docs/_build/html/index.html
index 0475f4d..59a16a4 100644
--- a/docs/_build/html/index.html
+++ b/docs/_build/html/index.html
@@ -451,6 +451,7 @@ Main objectsElement.get_position()
Element.mouse_click()
Element.mouse_move()
+Element.mouse_drag()
Element.scroll_into_view()
Element.clear_input()
Element.send_keys()
diff --git a/docs/_build/html/nodriver/classes/element.html b/docs/_build/html/nodriver/classes/element.html
index 01507aa..4cde174 100644
--- a/docs/_build/html/nodriver/classes/element.html
+++ b/docs/_build/html/nodriver/classes/element.html
@@ -430,7 +430,7 @@
-
async save_to_dom()[source]#
-saves a screenshot of this element only
+
saves element to dom
:return:
:rtype:
@@ -438,7 +438,8 @@
+removes the element from dom
+
-
@@ -568,7 +569,7 @@
-
-async mouse_click(button='left', buttons=1, modifiers=0, _until_event=None)[source]#
+async mouse_click(button='left', buttons=1, modifiers=0, hold=False, _until_event=None)[source]#
native click (on element) . note: this likely does not work atm, use click() instead
- Parameters:
@@ -593,6 +594,29 @@
hover/mouseover effect, this would trigger it
+
+-
+async mouse_drag(destination, relative=False, steps=1)[source]#
+drag an element to another element or target coordinates. dragging of elements should be supported by the site of course
+
+- Parameters:
+
+destination (Element or coordinate as x,y tuple) – another element where to drag to, or a tuple (x,y) of ints representing coordinate
+relative (bool
) – when True, treats coordinate as relative. for example (-100, 200) will move left 100px and down 200px
+steps (int) – move in <steps> points, this could make it look more “natural” (default 1),
+but also a lot slower.
+for very smooth action use 50-100
+
+
+- Returns:
+-
+
+- Return type:
+-
+
+
+
+
Element.get_position()
Element.mouse_click()
Element.mouse_move()
+Element.mouse_drag()
Element.scroll_into_view()
Element.clear_input()
Element.send_keys()
diff --git a/docs/_build/html/objects.inv b/docs/_build/html/objects.inv
index 244209b..cc1bdf8 100644
Binary files a/docs/_build/html/objects.inv and b/docs/_build/html/objects.inv differ
diff --git a/docs/_build/html/searchindex.js b/docs/_build/html/searchindex.js
index 5201685..fd5cc21 100644
--- a/docs/_build/html/searchindex.js
+++ b/docs/_build/html/searchindex.js
@@ -1 +1 @@
-Search.setIndex({"docnames": ["index", "nodriver/cdp", "nodriver/cdp/accessibility", "nodriver/cdp/animation", "nodriver/cdp/audits", "nodriver/cdp/autofill", "nodriver/cdp/background_service", "nodriver/cdp/browser", "nodriver/cdp/cache_storage", "nodriver/cdp/cast", "nodriver/cdp/console", "nodriver/cdp/css", "nodriver/cdp/database", "nodriver/cdp/debugger", "nodriver/cdp/device_access", "nodriver/cdp/device_orientation", "nodriver/cdp/dom", "nodriver/cdp/dom_debugger", "nodriver/cdp/dom_snapshot", "nodriver/cdp/dom_storage", "nodriver/cdp/emulation", "nodriver/cdp/event_breakpoints", "nodriver/cdp/fed_cm", "nodriver/cdp/fetch", "nodriver/cdp/headless_experimental", "nodriver/cdp/heap_profiler", "nodriver/cdp/indexed_db", "nodriver/cdp/input_", "nodriver/cdp/inspector", "nodriver/cdp/io", "nodriver/cdp/layer_tree", "nodriver/cdp/log", "nodriver/cdp/media", "nodriver/cdp/memory", "nodriver/cdp/network", "nodriver/cdp/overlay", "nodriver/cdp/page", "nodriver/cdp/performance", "nodriver/cdp/performance_timeline", "nodriver/cdp/preload", "nodriver/cdp/profiler", "nodriver/cdp/runtime", "nodriver/cdp/schema", "nodriver/cdp/security", "nodriver/cdp/service_worker", "nodriver/cdp/storage", "nodriver/cdp/system_info", "nodriver/cdp/target", "nodriver/cdp/tethering", "nodriver/cdp/tracing", "nodriver/cdp/web_audio", "nodriver/cdp/web_authn", "nodriver/classes/browser", "nodriver/classes/element", "nodriver/classes/others_and_helpers", "nodriver/classes/tab", "nodriver/quickstart", "readme", "style"], "filenames": ["index.rst", "nodriver/cdp.rst", "nodriver/cdp/accessibility.rst", "nodriver/cdp/animation.rst", "nodriver/cdp/audits.rst", "nodriver/cdp/autofill.rst", "nodriver/cdp/background_service.rst", "nodriver/cdp/browser.rst", "nodriver/cdp/cache_storage.rst", "nodriver/cdp/cast.rst", "nodriver/cdp/console.rst", "nodriver/cdp/css.rst", "nodriver/cdp/database.rst", "nodriver/cdp/debugger.rst", "nodriver/cdp/device_access.rst", "nodriver/cdp/device_orientation.rst", "nodriver/cdp/dom.rst", "nodriver/cdp/dom_debugger.rst", "nodriver/cdp/dom_snapshot.rst", "nodriver/cdp/dom_storage.rst", "nodriver/cdp/emulation.rst", "nodriver/cdp/event_breakpoints.rst", "nodriver/cdp/fed_cm.rst", "nodriver/cdp/fetch.rst", "nodriver/cdp/headless_experimental.rst", "nodriver/cdp/heap_profiler.rst", "nodriver/cdp/indexed_db.rst", "nodriver/cdp/input_.rst", "nodriver/cdp/inspector.rst", "nodriver/cdp/io.rst", "nodriver/cdp/layer_tree.rst", "nodriver/cdp/log.rst", "nodriver/cdp/media.rst", "nodriver/cdp/memory.rst", "nodriver/cdp/network.rst", "nodriver/cdp/overlay.rst", "nodriver/cdp/page.rst", "nodriver/cdp/performance.rst", "nodriver/cdp/performance_timeline.rst", "nodriver/cdp/preload.rst", "nodriver/cdp/profiler.rst", "nodriver/cdp/runtime.rst", "nodriver/cdp/schema.rst", "nodriver/cdp/security.rst", "nodriver/cdp/service_worker.rst", "nodriver/cdp/storage.rst", "nodriver/cdp/system_info.rst", "nodriver/cdp/target.rst", "nodriver/cdp/tethering.rst", "nodriver/cdp/tracing.rst", "nodriver/cdp/web_audio.rst", "nodriver/cdp/web_authn.rst", "nodriver/classes/browser.rst", "nodriver/classes/element.rst", "nodriver/classes/others_and_helpers.rst", "nodriver/classes/tab.rst", "nodriver/quickstart.rst", "readme.rst", "style.rst"], "titles": ["NODRIVER", "CDP object", "Accessibility", "Animation", "Audits", "Autofill", "BackgroundService", "Browser", "CacheStorage", "Cast", "Console", "CSS", "Database", "Debugger", "DeviceAccess", "DeviceOrientation", "DOM", "DOMDebugger", "DOMSnapshot", "DOMStorage", "Emulation", "EventBreakpoints", "FedCm", "Fetch", "HeadlessExperimental", "HeapProfiler", "IndexedDB", "Input", "Inspector", "IO", "LayerTree", "Log", "Media", "Memory", "Network", "Overlay", "Page", "Performance", "PerformanceTimeline", "Preload", "Profiler", "Runtime", "Schema", "Security", "ServiceWorker", "Storage", "SystemInfo", "Target", "Tethering", "Tracing", "WebAudio", "WebAuthn", "Browser class", "Element class", "Other classes and Helper classes", "Tab class", "Quickstart guide", "NODRIVER", "TITLE"], "terms": {"A": [0, 2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 16, 18, 20, 23, 24, 25, 26, 27, 29, 30, 32, 33, 34, 35, 36, 39, 40, 41, 43, 45, 46, 47, 49, 50, 56, 57, 58], "blaze": [0, 57], "fast": [0, 20, 57], "undetect": [0, 56, 57], "chrome": [0, 2, 5, 7, 24, 34, 36, 41, 47, 49, 52, 55, 57], "ish": [0, 57], "autom": [0, 7, 16, 20, 36, 51, 57], "tool": 34, "without": [4, 7, 13, 25, 34, 36, 45, 47], "us": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 56, 57], "an": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "webdriv": [0, 57], "binari": [0, 34, 57], "No": [0, 43, 57], "chromedriv": [0, 56, 57], "selenium": [0, 52, 55, 57], "depend": [0, 4, 11, 16, 27, 34, 36, 38, 45, 46, 47, 50, 57], "thi": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "equal": [0, 17, 18, 27, 45, 57], "bizarr": [0, 57], "perform": [0, 1, 2, 7, 13, 16, 27, 38, 41, 55, 57], "increas": [0, 11, 27, 34, 38, 40, 57], "less": [0, 32, 34, 57], "detect": [0, 35, 36, 52, 55, 57], "those": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 53, 55], "who": [], "land": [], "here": [13, 34, 41, 53, 56], "never": [13, 16, 56, 57], "whatev": [], "might": [16, 18, 32, 34, 35, 41, 53, 55], "confus": [], "driver": [46, 56, 57], "all": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "around": [4, 27, 35, 49], "while": [0, 13, 25, 27, 29, 30, 34, 36, 37, 41, 57], "i": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "don": [4, 40, 52, 56, 57], "t": [4, 13, 23, 27, 34, 35, 36, 39, 40, 41, 45, 52, 55, 56, 57], "worri": [], "The": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 56, 57], "term": [16, 36], "can": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 55, 56, 57], "replac": [4, 11, 13, 16, 20, 27, 34, 39], "browser": [0, 1, 2, 9, 11, 20, 22, 23, 32, 33, 34, 36, 41, 45, 46, 47, 48, 53, 55, 56, 57], "sinc": [0, 7, 8, 11, 13, 16, 17, 18, 20, 24, 25, 33, 34, 35, 36, 37, 38, 40, 41, 43, 46, 47, 55, 56, 57], "most": [0, 8, 13, 16, 25, 26, 36, 41, 55, 57], "user": [4, 7, 11, 14, 16, 20, 22, 27, 34, 35, 36, 39, 41, 43, 51, 53, 55], "ar": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "accustom": [], "abbrevi": 41, "uc": [56, 57], "": [0, 2, 3, 4, 5, 6, 7, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 25, 27, 28, 30, 31, 32, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "conveni": [0, 52, 55, 57], "keep": [11, 16, 32, 49, 52, 55, 56, 57], "although": [39, 55], "prevent": [4, 10, 12, 19, 20, 27, 31, 34, 40, 41, 55], "ll": [55, 56], "nd": [], "abbr": [], "packag": [0, 54, 55, 56, 57], "provid": [0, 2, 4, 16, 17, 18, 23, 24, 30, 31, 34, 35, 41, 45, 46, 47, 49, 53, 54, 55, 57], "next": [0, 11, 13, 20, 22, 26, 41, 55, 56, 57], "level": [0, 2, 4, 10, 31, 32, 33, 34, 36, 41, 43, 46, 49, 52, 55, 56, 57], "webscrap": [0, 57], "rel": [0, 16, 20, 27, 34, 36, 40, 55, 57], "simpl": [0, 11, 40, 56, 57], "interfac": [0, 17, 39, 51, 55, 57], "offici": [0, 57], "follow": [4, 5, 7, 8, 11, 12, 13, 16, 18, 20, 23, 24, 26, 29, 30, 33, 34, 36, 40, 41, 45, 46, 49, 53, 54, 55], "up": [0, 2, 11, 20, 22, 27, 34, 41, 51, 55, 56, 57], "python": [0, 55, 57], "It": [0, 4, 13, 16, 25, 34, 36, 39, 41, 54, 55, 57], "step": [0, 13, 22, 30, 35, 57], "awai": 32, "from": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 52, 54, 55, 56, 57], "which": [0, 2, 4, 7, 11, 13, 16, 17, 18, 19, 20, 23, 25, 27, 30, 32, 34, 36, 38, 39, 41, 44, 47, 52, 53, 54, 55, 56, 57], "have": [0, 2, 4, 7, 11, 13, 16, 17, 18, 20, 23, 27, 32, 34, 40, 41, 43, 45, 47, 49, 51, 53, 55, 57], "had": [11, 18, 23, 34, 39], "best": [0, 20, 55, 57], "time": [0, 2, 3, 4, 11, 13, 20, 22, 24, 25, 27, 30, 31, 32, 34, 37, 38, 40, 41, 43, 44, 45, 47, 50, 52, 53, 55], "now": [12, 13, 16, 19, 20, 32, 34, 36, 43, 56, 57], "direct": [0, 3, 4, 11, 16, 20, 36, 57], "commun": [0, 47, 57], "even": [0, 22, 41, 43, 52, 57], "better": [0, 34, 57], "resist": [0, 57], "against": [0, 16, 47, 57], "web": [0, 2, 6, 9, 11, 20, 34, 35, 36, 38, 50, 57], "applicatinon": [0, 57], "firewal": [0, 57], "waf": [0, 57], "massiv": [0, 57], "boost": [0, 57], "modul": [0, 2, 4, 5, 6, 7, 8, 11, 13, 15, 16, 17, 18, 20, 21, 22, 23, 24, 26, 27, 28, 29, 33, 34, 35, 36, 39, 42, 43, 44, 45, 46, 48, 49, 50, 51, 55, 57], "contrari": [0, 57], "fulli": [0, 52, 57], "asynchron": [0, 41, 52, 57], "what": [0, 2, 20, 22, 23, 25, 32, 34, 55, 56, 57], "make": [0, 7, 13, 23, 34, 36, 41, 47, 52, 53, 55, 57], "differ": [0, 4, 7, 11, 20, 23, 32, 34, 35, 36, 41, 45, 57], "other": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 56, 57], "known": [0, 13, 16, 31, 34, 46, 49, 52, 55, 57], "optim": [0, 24, 36, 40, 57], "stai": [0, 13, 50, 57], "anti": [0, 57], "bot": [0, 57], "solut": [0, 36, 57], "anoth": [0, 11, 13, 23, 29, 34, 41, 55, 57], "focu": [0, 16, 20, 36, 53, 56, 57], "point": [0, 13, 16, 18, 20, 27, 30, 33, 34, 40, 52, 54, 57], "usabl": [0, 57], "quick": 57, "prototyp": [0, 41, 57], "so": [0, 4, 5, 10, 13, 22, 31, 34, 41, 52, 53, 55, 56, 57], "expect": [0, 7, 13, 23, 36, 41, 56, 57], "batteri": [], "includ": [0, 2, 4, 11, 16, 18, 20, 25, 27, 34, 35, 36, 39, 41, 45, 47, 49, 53, 55, 57], "1": [0, 2, 4, 5, 6, 7, 8, 10, 11, 13, 16, 17, 18, 20, 22, 23, 24, 27, 30, 33, 34, 35, 36, 37, 39, 40, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 55, 56, 57], "2": [0, 5, 18, 20, 27, 34, 43, 46, 53, 54, 56, 57], "line": [0, 4, 5, 7, 10, 11, 13, 16, 17, 25, 31, 32, 34, 35, 36, 40, 41, 46, 56, 57], "run": [0, 4, 13, 20, 24, 30, 34, 36, 37, 39, 40, 41, 44, 45, 46, 47, 50, 52, 55, 56, 57], "practic": [0, 57], "config": [0, 31, 35, 41, 52, 56, 57], "default": [0, 2, 4, 7, 8, 11, 13, 16, 17, 18, 20, 23, 24, 25, 26, 27, 30, 34, 35, 36, 41, 43, 45, 47, 49, 51, 53, 54, 55, 57], "instal": [0, 36, 44], "usag": [0, 4, 11, 25, 36, 41, 45, 46, 53], "exampl": [0, 4, 5, 11, 24, 27, 36, 39, 40, 41, 46, 47, 53, 55], "compon": [11, 16, 54], "interact": [4, 9, 16, 22, 27, 55, 56, 57], "class": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "element": [0, 2, 11, 16, 18, 20, 30, 32, 34, 35, 36, 38, 39, 41, 45, 46, 55, 57], "helper": [0, 57], "page": [0, 1, 2, 3, 4, 7, 9, 11, 13, 16, 18, 20, 23, 27, 34, 35, 41, 43, 45, 47, 52, 55, 56, 57], "access": [0, 1, 4, 16, 25, 31, 35, 36, 45, 47, 54], "anim": [0, 1, 11, 24], "audit": [0, 1, 27], "autofil": [0, 1, 36], "backgroundservic": [0, 1], "cachestorag": [0, 1], "cast": [0, 1], "consol": [0, 1, 4, 16, 25, 40, 41, 55], "css": [0, 1, 3, 4, 16, 20, 27, 35, 36, 55], "databas": [0, 1, 26, 45], "debugg": [0, 1, 21, 36, 41], "deviceaccess": [0, 1], "deviceorient": [0, 1], "dom": [0, 1, 2, 5, 7, 11, 13, 17, 18, 19, 27, 35, 36, 38, 41, 52, 55], "domdebugg": [0, 1], "domsnapshot": [0, 1, 16], "domstorag": [0, 1], "emul": [0, 1, 27, 34, 35, 36], "eventbreakpoint": [0, 1], "fedcm": [0, 1], "fetch": [0, 1, 2, 8, 20, 26, 34, 36, 50], "headlessexperiment": [0, 1], "heapprofil": [0, 1], "indexeddb": [0, 1, 45], "input": [0, 1, 16, 18, 20, 29, 36, 41, 53, 56, 57, 58], "inspector": [0, 1, 4, 11, 34, 55], "io": [0, 1, 7, 20, 22, 23, 34, 36, 38, 39, 45, 50, 51], "layertre": [0, 1], "log": [0, 1, 10, 30, 32, 34, 49, 56, 57], "media": [0, 1, 11, 20, 34, 36], "memori": [0, 1, 25, 36, 41, 49], "network": [0, 1, 4, 11, 23, 31, 39, 41, 43, 55], "overlai": [0, 1, 20, 36], "performancetimelin": [0, 1], "preload": [0, 1, 34], "profil": [0, 1, 5, 25, 30, 33, 46, 47, 56, 57], "runtim": [0, 1, 10, 13, 36, 47], "schema": [0, 1], "secur": [0, 1, 8, 19, 26, 34, 36, 41, 45], "servicework": [0, 1, 4, 34, 55], "storag": [0, 1, 6, 8, 19, 26, 29, 34, 36, 51], "systeminfo": [0, 1], "target": [0, 1, 3, 4, 7, 11, 16, 20, 24, 28, 34, 35, 36, 38, 39, 41, 43, 52, 55], "tether": [0, 1], "trace": [0, 1, 13, 16, 31, 32, 34, 36, 41], "webaudio": [0, 1], "webauthn": [0, 1], "cdp": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 57], "domain": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 18, 19, 20, 21, 22, 23, 24, 25, 26, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 41, 42, 44, 45, 46, 48, 49, 50, 51, 55, 57], "experiment": [2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 30, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53], "gener": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55], "you": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "do": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55], "need": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 56, 57], "instanti": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52], "yourself": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "instead": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55, 56, 57], "api": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55], "creat": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 54, 55, 56, 57], "object": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 54, 55], "return": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 57], "valu": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 53, 54, 55], "argument": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "axnodeid": [0, 2], "sourc": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55], "uniqu": [0, 2, 3, 4, 7, 8, 12, 13, 16, 23, 25, 26, 27, 30, 32, 34, 36, 39, 40, 41, 47, 50], "node": [0, 2, 3, 5, 11, 16, 17, 18, 25, 30, 33, 35, 36, 39, 40, 50, 53, 55], "identifi": [2, 4, 5, 6, 7, 8, 11, 12, 13, 16, 17, 18, 19, 20, 23, 25, 27, 30, 31, 34, 35, 36, 38, 39, 40, 41, 45, 47], "axvaluetyp": [0, 2], "name": [0, 2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 16, 17, 18, 20, 21, 22, 23, 25, 26, 27, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 55, 56, 57], "none": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55], "qualnam": [2, 4, 5, 6, 7, 8, 11, 13, 16, 17, 20, 22, 23, 27, 33, 34, 35, 36, 39, 43, 44, 45, 46, 49, 50, 51], "start": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 57], "boundari": [2, 4, 5, 6, 7, 8, 11, 13, 16, 17, 20, 22, 23, 27, 30, 33, 34, 35, 36, 39, 41, 43, 44, 45, 46, 49, 50, 51], "enum": [2, 4, 11, 13, 18, 20, 32, 36, 45, 50], "possibl": [2, 4, 13, 36, 39, 45, 47, 55], "properti": [0, 2, 4, 11, 13, 16, 18, 32, 36, 39, 41, 50, 52, 53, 54, 55], "boolean": [0, 2, 13, 41], "boolean_or_undefin": [0, 2], "booleanorundefin": 2, "computed_str": [0, 2], "computedstr": 2, "dom_rel": [0, 2], "domrel": 2, "idref": [0, 2], "idref_list": [0, 2], "idreflist": 2, "integ": [0, 2, 16, 17, 25, 26, 41, 45], "internal_rol": [0, 2], "internalrol": 2, "node_list": [0, 2], "nodelist": 2, "number": [0, 2, 5, 7, 8, 10, 11, 13, 16, 17, 18, 20, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 38, 40, 41, 45, 48, 49, 50, 55, 56, 57], "role": [0, 2, 56, 57], "string": [0, 2, 4, 7, 8, 11, 13, 16, 18, 20, 23, 24, 26, 27, 30, 33, 34, 36, 41, 43, 45, 46, 47, 49, 51, 53, 55, 56, 57], "token": [0, 2, 34, 36, 45], "token_list": [0, 2], "tokenlist": 2, "tristat": [0, 2], "value_undefin": [0, 2], "valueundefin": 2, "axvaluesourcetyp": [0, 2], "attribut": [0, 2, 3, 4, 5, 6, 7, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 25, 27, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 54], "content": [0, 2, 4, 8, 11, 13, 16, 18, 20, 23, 30, 34, 35, 36, 41, 43, 45, 53, 55, 57], "implicit": [0, 2, 11], "placehold": [0, 2], "related_el": [0, 2], "relatedel": 2, "style": [0, 2, 3, 11, 16, 18, 20, 32, 35, 36, 53], "axvaluenativesourcetyp": [0, 2], "nativ": [2, 17, 21, 27, 33, 36, 53], "subtyp": [0, 2, 41, 47], "particular": [2, 3, 13, 17, 21, 41], "descript": [0, 2, 6, 11, 13, 16, 34, 41, 42, 43, 46, 57], "figcapt": [0, 2], "label": [0, 2, 34, 35, 36, 41], "labelfor": [0, 2], "labelwrap": [0, 2], "legend": [0, 2], "rubyannot": [0, 2], "tablecapt": [0, 2], "titl": [0, 2, 11, 18, 22, 27, 35, 36, 37, 40, 43, 47, 56, 57], "axvaluesourc": [0, 2], "type_": [0, 2, 3, 4, 13, 17, 20, 26, 27, 30, 34, 36, 38, 41, 45, 46, 47], "attribute_valu": [0, 2], "supersed": [0, 2, 20], "native_sourc": [0, 2], "native_source_valu": [0, 2], "invalid": [0, 2, 13, 16, 34], "invalid_reason": [0, 2], "singl": [0, 2, 11, 13, 20, 23, 25, 39, 45, 46, 51, 55, 57], "comput": [2, 11, 16, 18, 36], "ax": [2, 11, 16], "paramet": [0, 2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 29, 30, 31, 33, 34, 35, 36, 37, 38, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 57], "axvalu": [0, 2], "str": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 54, 55, 56, 57], "bool": [2, 3, 4, 6, 7, 11, 13, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 33, 34, 35, 36, 38, 39, 40, 41, 43, 44, 45, 46, 47, 49, 51, 52, 54, 55], "option": [0, 2, 3, 4, 5, 7, 8, 9, 10, 11, 12, 13, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 49, 50, 51, 53, 55], "relev": [0, 2, 17, 35, 39], "ani": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55], "whether": [2, 4, 5, 7, 11, 13, 16, 17, 18, 19, 20, 22, 24, 27, 30, 34, 35, 36, 40, 41, 43, 45, 47, 49, 51, 55], "reason": [0, 2, 4, 13, 23, 28, 30, 34, 36, 39, 40, 41, 47, 53], "being": [2, 4, 7, 10, 12, 13, 19, 21, 22, 25, 30, 31, 32, 34, 36, 38, 39, 40, 43, 56, 57], "markup": [2, 16, 27, 36], "e": [2, 4, 5, 11, 13, 20, 22, 24, 27, 34, 36, 39, 41, 43, 46, 47, 49, 54], "g": [0, 2, 4, 5, 11, 16, 20, 27, 34, 36, 41, 43, 46, 49], "list": [2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 25, 26, 27, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 51, 52, 53, 55], "higher": [2, 11], "prioriti": [0, 2, 11, 34, 43, 45], "axrelatednod": [0, 2], "backend_dom_node_id": [0, 2], "text": [0, 2, 5, 8, 9, 10, 11, 13, 16, 18, 20, 23, 27, 31, 34, 36, 39, 41, 43, 53, 56, 57], "backendnodeid": [0, 2, 3, 4, 5, 11, 16, 17, 18, 30, 35, 36, 38, 39], "relat": [2, 4, 5, 6, 11, 18, 20, 27, 34, 35, 36, 38, 46, 47], "altern": [0, 2, 23, 34, 41], "current": [2, 3, 4, 7, 9, 11, 13, 16, 18, 20, 24, 25, 26, 27, 32, 34, 36, 37, 38, 39, 40, 41, 45, 47, 50, 52, 53, 55], "context": [0, 2, 4, 7, 11, 13, 16, 17, 18, 22, 27, 32, 34, 36, 41, 45, 47, 50], "axproperti": [0, 2], "axpropertynam": [0, 2], "related_nod": [0, 2], "One": [2, 4, 27, 45], "more": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 54, 55, 57], "applic": [2, 11, 25, 34, 38, 43], "contribut": [2, 25, 43], "busi": [0, 2], "roledescript": [0, 2], "state": [0, 2, 3, 4, 6, 7, 11, 13, 16, 20, 23, 25, 34, 36, 39, 41, 43, 45, 46, 51, 55], "appli": [0, 2, 4, 7, 11, 13, 20, 23, 30, 36, 49, 53], "everi": [2, 4, 6, 11, 34, 36, 41], "live": [0, 2, 13], "root": [0, 2, 11, 16, 17, 18, 25, 30, 32, 36, 40, 45, 52], "region": [2, 35, 36], "autocomplet": [0, 2, 5], "valuetext": [0, 2], "widget": 2, "check": [0, 2, 4, 13, 18, 55], "select": [0, 2, 14, 16, 18, 27, 32, 35, 36, 53, 56, 57], "activedescend": [0, 2], "own": [0, 2, 16, 18, 27, 30, 40, 41], "relationship": 2, "between": [2, 11, 16, 18, 24, 25, 27, 33, 35, 40, 47, 52], "than": [2, 16, 17, 20, 30, 34, 36, 41, 47, 54, 55], "parent": [0, 2, 11, 16, 18, 30, 36, 41, 52, 53], "child": [0, 2, 5, 11, 16, 18, 25, 35, 36, 40, 47], "sibl": [2, 16], "atom": [0, 2], "control": [0, 2, 7, 27, 35, 36, 41, 47, 49, 52, 55], "describedbi": [0, 2], "detail": [0, 2, 4, 7, 13, 16, 18, 23, 25, 32, 34, 36, 38, 40, 41, 43, 45, 47, 49, 55], "disabl": [0, 2, 3, 4, 5, 6, 9, 10, 11, 12, 13, 14, 16, 18, 19, 20, 21, 22, 23, 24, 25, 26, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 50, 51], "edit": [0, 2, 11, 13, 16, 27], "errormessag": [0, 2, 39], "expand": [0, 2], "flowto": [0, 2], "focus": [0, 2, 16, 20, 47], "has_popup": [0, 2], "haspopup": 2, "hidden": [0, 2, 20, 36, 53], "hidden_root": [0, 2], "hiddenroot": 2, "keyshortcut": [0, 2], "labelledbi": [0, 2], "modal": [0, 2], "multilin": [0, 2], "multiselect": [0, 2], "orient": [0, 2, 15, 20, 36], "press": [0, 2, 27, 36, 53], "readonli": [0, 2], "requir": [0, 2, 7, 11, 16, 24, 26, 36, 53], "settabl": [0, 2], "valuemax": [0, 2], "valuemin": [0, 2], "axnod": [0, 2], "node_id": [0, 2, 11, 16, 17, 25, 35, 38, 39, 50, 53], "ignor": [0, 2, 4, 11, 16, 18, 27, 34, 36, 43, 47, 49, 51, 55], "ignored_reason": [0, 2], "chrome_rol": [0, 2], "parent_id": [0, 2, 16, 36, 41, 53], "child_id": [0, 2], "frame_id": [0, 2, 4, 5, 7, 11, 16, 18, 23, 34, 35, 36, 38, 45, 53], "tree": [0, 2, 11, 16, 18, 25, 30, 36, 45, 53], "frameid": [0, 2, 4, 5, 7, 11, 13, 16, 18, 23, 34, 35, 36, 38, 39, 41, 45, 47], "backend": [2, 11, 13, 16, 20, 25, 26, 30, 34, 35, 36, 40, 41, 49], "id": [2, 3, 4, 5, 6, 7, 8, 11, 12, 13, 14, 16, 17, 18, 23, 25, 29, 30, 32, 34, 35, 36, 38, 39, 40, 41, 43, 45, 46, 47, 48, 49, 50, 51], "associ": [2, 6, 7, 11, 13, 16, 18, 27, 30, 31, 34, 36, 39, 41, 45, 46, 51], "each": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55, 56, 57], "raw": [2, 4, 25, 34], "frame": [0, 2, 4, 5, 7, 11, 13, 16, 18, 20, 23, 24, 26, 27, 34, 35, 36, 38, 39, 41, 45, 46, 47], "document": [0, 2, 3, 4, 11, 16, 18, 20, 27, 33, 34, 36, 38, 39, 55], "collect": [2, 4, 10, 11, 13, 16, 18, 25, 31, 33, 36, 37, 40, 41, 49], "why": [2, 4, 13, 28, 30, 34, 36, 41], "explicit": [0, 2, 20, 36, 50], "function": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 55, 57], "x": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55], "y": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53], "z": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "indic": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "yield": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "must": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "resum": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "In": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 54, 57], "librari": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 57], "same": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55], "should": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 55], "pai": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "attent": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "For": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55], "inform": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "see": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55, 56, 57], "get": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "dict": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 54, 55], "enabl": [0, 2, 3, 4, 5, 6, 7, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 47, 49, 50, 51, 53], "caus": [0, 2, 4, 7, 13, 23, 25, 32, 34, 35, 36, 39, 47, 52], "remain": 2, "consist": [2, 5, 11, 47, 49], "method": [0, 2, 7, 8, 11, 16, 23, 27, 29, 34, 37, 38, 41, 45, 46, 47, 48, 52, 53, 54, 57], "call": [2, 4, 6, 7, 11, 13, 16, 20, 22, 23, 30, 31, 32, 33, 34, 35, 36, 37, 40, 41, 45, 47, 53, 55], "turn": [2, 20, 47, 49], "impact": 2, "until": [0, 2, 11, 13, 23, 34, 36, 45, 55, 57], "get_ax_node_and_ancestor": [0, 2], "backend_node_id": [0, 2, 3, 16, 17, 18, 30, 35, 36, 39, 53], "object_id": [0, 2, 13, 16, 17, 25, 29, 35, 41, 53], "ancestor": [2, 11, 16], "been": [2, 3, 4, 6, 10, 11, 13, 16, 18, 22, 25, 27, 28, 34, 36, 40, 43, 45, 47, 49, 50], "previous": [2, 11, 13, 20, 36, 38, 43], "nodeid": [0, 2, 11, 16, 17, 35], "remoteobjectid": [0, 2, 13, 16, 17, 25, 29, 35, 41, 53], "javascript": [2, 13, 16, 17, 18, 20, 21, 31, 34, 35, 36, 40, 41, 49, 53, 55], "wrapper": [2, 13, 16, 29, 35], "get_child_ax_nod": [0, 2], "id_": [0, 2, 3, 5, 9, 12, 14, 25, 27, 34, 36, 39, 40, 41, 45, 46], "whose": [2, 11, 45], "resid": 2, "If": [2, 4, 5, 7, 8, 11, 13, 16, 17, 20, 23, 24, 25, 26, 32, 33, 34, 36, 39, 41, 43, 45, 47, 49, 51, 54], "omit": [2, 4, 7, 11, 13, 16, 20, 23, 34, 35, 36, 39, 41, 43, 47], "get_full_ax_tre": [0, 2], "depth": [0, 2, 13, 16, 17, 34, 41], "entir": [0, 2, 11, 16, 17, 34, 36, 53, 55, 57], "int": [2, 4, 7, 8, 10, 11, 12, 13, 16, 17, 18, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 40, 41, 43, 44, 45, 46, 47, 48, 51, 52, 53, 55], "maximum": [2, 7, 11, 13, 16, 17, 20, 29, 30, 36, 41, 46, 51, 55], "descend": [2, 16, 35], "retriev": [2, 7, 11, 16, 17, 18, 25, 33, 37, 41, 47, 51, 52, 53, 55], "full": [2, 11, 18, 20, 32, 36, 41, 43, 45, 50, 53, 55], "get_partial_ax_tre": [0, 2], "fetch_rel": 2, "partial": 2, "exist": [2, 4, 6, 11, 13, 16, 20, 22, 34, 36, 41, 45, 47, 50, 56], "children": [0, 2, 16, 17, 25, 35, 36, 40, 53], "true": [2, 4, 7, 11, 13, 16, 18, 20, 23, 24, 25, 26, 27, 33, 34, 35, 36, 41, 43, 45, 47, 49, 51, 52, 53, 54, 56, 57, 58], "plu": 2, "its": [2, 11, 13, 16, 19, 23, 27, 30, 34, 36, 40, 41, 45, 46, 49, 55], "request": [0, 2, 4, 7, 8, 9, 11, 14, 16, 18, 20, 23, 24, 26, 31, 34, 35, 36, 41, 43, 48, 49, 52, 55], "get_root_ax_nod": [0, 2], "query_ax_tre": [0, 2], "accessible_nam": 2, "queri": [2, 7, 11, 12, 13, 16, 19, 20, 27, 34, 35, 36, 46, 47, 53], "subtre": [2, 16, 17], "mactch": 2, "specifi": [2, 4, 5, 7, 8, 11, 13, 16, 18, 20, 23, 26, 29, 30, 34, 35, 36, 38, 39, 40, 41, 45, 46, 47, 48, 49, 51, 54, 55, 56], "doe": [2, 4, 5, 10, 11, 13, 16, 20, 36, 41, 43, 53, 54, 56, 57], "error": [0, 2, 4, 5, 8, 9, 12, 13, 16, 20, 22, 23, 32, 34, 36, 37, 39, 41, 43, 44, 47, 55], "neither": [2, 41], "accessiblenam": 2, "find": [0, 2, 4, 11, 16, 56, 57], "match": [0, 2, 11, 13, 16, 23, 34, 36, 41, 43, 47, 51, 55, 57], "loadcomplet": [0, 2], "mirror": [2, 9, 16, 41], "load": [0, 2, 4, 11, 23, 33, 34, 36, 39, 43, 45, 52, 54, 55, 57], "complet": [0, 2, 13, 16, 18, 24, 34, 36], "sent": [2, 12, 13, 16, 19, 20, 23, 25, 34, 36, 38, 40, 41, 43, 45, 49, 55], "assist": 2, "technologi": [2, 34], "when": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 13, 16, 17, 18, 22, 23, 24, 25, 27, 28, 30, 31, 32, 34, 35, 36, 38, 39, 40, 41, 43, 45, 47, 49, 51, 52, 53, 55, 56, 57], "ha": [2, 3, 4, 6, 7, 10, 11, 13, 16, 18, 20, 22, 23, 25, 26, 27, 28, 30, 34, 35, 36, 39, 40, 43, 45, 47, 50, 53, 54, 55], "finish": [0, 2, 4, 25, 34, 50, 56], "new": [0, 2, 4, 6, 7, 10, 11, 13, 16, 18, 20, 24, 25, 31, 32, 34, 36, 40, 41, 44, 47, 50, 52, 54, 55], "nodesupd": [0, 2], "chang": [2, 9, 11, 13, 16, 18, 20, 25, 27, 34, 36, 40, 41, 43, 47, 50, 56], "updat": [0, 2, 4, 6, 11, 16, 20, 24, 25, 36, 39, 40, 41, 45, 53, 54, 55], "data": [0, 2, 5, 6, 8, 11, 13, 16, 18, 20, 23, 24, 26, 27, 29, 30, 32, 34, 35, 36, 40, 41, 44, 45, 49, 50], "paused_st": [0, 3], "play_stat": [0, 3], "playback_r": [0, 3], "start_tim": [0, 3, 40], "current_tim": [0, 3, 50], "css_id": [0, 3], "instanc": [0, 3, 5, 41, 52, 57], "float": [3, 4, 7, 8, 11, 13, 15, 16, 18, 20, 24, 25, 26, 27, 30, 31, 33, 34, 36, 37, 38, 40, 41, 44, 45, 46, 49, 50, 52, 53, 55], "animationeffect": [0, 3], "repres": [0, 3, 4, 5, 11, 13, 16, 18, 19, 23, 27, 32, 34, 35, 39, 41, 43, 45, 46, 52, 53, 57], "trigger": [0, 3, 5, 13, 22, 27, 31, 34, 35, 36, 39, 40, 43, 49, 51, 53], "transit": [3, 16, 36], "intern": [0, 3, 25, 36, 41, 43, 51, 53, 55], "paus": [0, 3, 13, 20, 23, 25, 36, 41, 47, 53], "plai": [3, 53], "playback": [3, 9], "rate": [0, 3, 20, 50], "delai": [0, 3, 20, 22, 27, 36, 49], "end_delai": [0, 3], "iteration_start": [0, 3], "iter": [0, 3, 16, 18, 19, 30, 47, 54], "durat": [0, 3, 27, 30, 37, 38, 45, 50, 53, 57], "fill": [0, 3, 5, 20, 35, 43, 56, 57], "eas": [0, 3], "keyframes_rul": [0, 3], "keyframesrul": [0, 3], "end": [0, 3, 4, 11, 13, 16, 27, 29, 30, 34, 36, 40, 41, 45, 49, 53], "mode": [0, 3, 4, 13, 16, 20, 24, 30, 35, 36, 41, 47, 49, 55], "keyfram": [0, 3, 11], "rule": [0, 3, 4, 11, 13, 39, 41], "keyframestyl": [0, 3], "offset": [0, 3, 7, 11, 13, 18, 20, 29, 30, 36, 40, 55], "notif": [0, 3, 5, 6, 7, 10, 16, 20, 28, 31, 33, 34, 35, 36, 41, 45, 47, 52], "get_current_tim": [0, 3], "get_playback_r": [0, 3], "timelin": [3, 38], "release_anim": [0, 3], "releas": [3, 13, 16, 25, 27, 30, 40, 41], "set": [3, 4, 5, 6, 7, 9, 11, 13, 16, 17, 18, 20, 21, 22, 23, 24, 26, 27, 29, 30, 31, 32, 34, 35, 36, 37, 39, 41, 43, 45, 47, 49, 51, 53, 54, 55, 56], "longer": [3, 16, 35, 36, 43], "manipul": [3, 13], "seek": [3, 29], "resolve_anim": [0, 3], "animation_id": 3, "remot": [3, 9, 25, 28, 29, 34, 41, 47], "remoteobject": [0, 3, 13, 16, 17, 25, 26, 31, 41, 53, 55], "correspond": [3, 13, 16, 18, 22, 23, 25, 32, 34, 36, 39, 41, 54], "seek_anim": [0, 3], "within": [3, 11, 13, 16, 27, 30, 32, 34, 38], "set_paus": [0, 3], "set_playback_r": [0, 3], "set_tim": [0, 3], "animationcancel": [0, 3], "cancel": [0, 3, 4, 7, 14, 23, 27, 34, 35, 36, 39, 41, 43, 47], "wa": [3, 4, 5, 11, 13, 17, 18, 20, 22, 23, 24, 27, 30, 31, 32, 34, 36, 39, 40, 41, 43, 44, 45, 47, 48, 52], "animationcr": [0, 3], "animationstart": [0, 3], "allow": [0, 4, 5, 7, 13, 17, 20, 22, 23, 26, 27, 32, 34, 36, 39, 40, 41, 43, 47, 50, 51, 55], "investig": 4, "violat": [4, 17, 31], "improv": 4, "affectedcooki": [0, 4], "path": [0, 4, 7, 8, 16, 26, 34, 36, 53, 54, 55, 56], "about": [4, 5, 7, 11, 16, 24, 25, 28, 30, 34, 36, 39, 41, 43, 46, 47, 53], "cooki": [0, 4, 34, 36, 45, 56, 57], "affect": [4, 18, 20, 23, 34], "issu": [0, 4, 9, 10, 11, 13, 23, 27, 31, 34, 36, 41, 43, 45, 47, 49], "three": 4, "affectedrequest": [0, 4], "request_id": [0, 4, 23, 34, 39], "url": [0, 4, 7, 8, 10, 11, 13, 16, 17, 18, 23, 27, 30, 31, 34, 36, 38, 39, 40, 41, 43, 45, 47, 52, 55], "requestid": [0, 4, 14, 23, 31, 34, 39], "affectedfram": [0, 4], "cookieexclusionreason": [0, 4], "exclude_domain_non_ascii": [0, 4], "excludedomainnonascii": 4, "exclude_invalid_same_parti": [0, 4], "excludeinvalidsameparti": 4, "exclude_same_party_cross_party_context": [0, 4], "excludesamepartycrosspartycontext": 4, "exclude_same_site_lax": [0, 4], "excludesamesitelax": 4, "exclude_same_site_none_insecur": [0, 4], "excludesamesitenoneinsecur": 4, "exclude_same_site_strict": [0, 4], "excludesamesitestrict": 4, "exclude_same_site_unspecified_treated_as_lax": [0, 4], "excludesamesiteunspecifiedtreatedaslax": 4, "exclude_third_party_cookie_blocked_in_first_party_set": [0, 4], "excludethirdpartycookieblockedinfirstpartyset": 4, "exclude_third_party_phaseout": [0, 4], "excludethirdpartyphaseout": 4, "cookiewarningreason": [0, 4], "warn_attribute_value_exceeds_max_s": [0, 4], "warnattributevalueexceedsmaxs": 4, "warn_cross_site_redirect_downgrade_changes_inclus": [0, 4], "warncrosssiteredirectdowngradechangesinclus": 4, "warn_domain_non_ascii": [0, 4], "warndomainnonascii": 4, "warn_same_site_lax_cross_downgrade_lax": [0, 4], "warnsamesitelaxcrossdowngradelax": 4, "warn_same_site_lax_cross_downgrade_strict": [0, 4], "warnsamesitelaxcrossdowngradestrict": 4, "warn_same_site_none_insecur": [0, 4], "warnsamesitenoneinsecur": 4, "warn_same_site_strict_cross_downgrade_lax": [0, 4], "warnsamesitestrictcrossdowngradelax": 4, "warn_same_site_strict_cross_downgrade_strict": [0, 4], "warnsamesitestrictcrossdowngradestrict": 4, "warn_same_site_strict_lax_downgrade_strict": [0, 4], "warnsamesitestrictlaxdowngradestrict": 4, "warn_same_site_unspecified_cross_site_context": [0, 4], "warnsamesiteunspecifiedcrosssitecontext": 4, "warn_same_site_unspecified_lax_allow_unsaf": [0, 4], "warnsamesiteunspecifiedlaxallowunsaf": 4, "warn_third_party_phaseout": [0, 4], "warnthirdpartyphaseout": 4, "cookieoper": [0, 4], "read_cooki": [0, 4], "readcooki": 4, "set_cooki": [0, 4, 34, 45, 52], "setcooki": 4, "cookieissuedetail": [0, 4], "cookie_warning_reason": [0, 4], "cookie_exclusion_reason": [0, 4], "oper": [0, 4, 6, 11, 13, 16, 17, 21, 27, 29, 34, 45, 47, 55, 57], "raw_cookie_lin": [0, 4], "site_for_cooki": [0, 4], "cookie_url": [0, 4], "necessari": [4, 39], "front": [4, 11, 16, 36], "difficult": 4, "specif": [0, 4, 6, 7, 11, 13, 29, 32, 34, 39, 41, 45, 47, 51], "With": 4, "we": [4, 11, 13, 30, 32, 34, 39, 47, 55, 56, 57], "convei": 4, "rawcookielin": 4, "contain": [4, 5, 7, 8, 11, 13, 16, 18, 20, 23, 27, 28, 30, 34, 35, 36, 40, 41, 49, 52, 54, 55], "header": [0, 4, 8, 11, 20, 23, 34, 36, 39, 41, 44], "hint": [0, 4, 20, 36, 39, 41, 53], "problem": [4, 13], "where": [4, 5, 8, 11, 13, 16, 29, 30, 32, 33, 34, 36, 39, 40, 41, 53], "syntact": 4, "semant": [4, 34], "malform": [0, 4, 36], "wai": [4, 23, 34, 41, 52, 55], "valid": [4, 7, 11, 13, 16, 18, 26, 27, 34, 36, 39, 43, 44], "could": [0, 4, 13, 34, 36, 54, 55, 56, 57], "site": [4, 7, 34, 36, 45], "mai": [4, 7, 11, 13, 16, 18, 20, 23, 24, 25, 29, 34, 35, 36, 38, 40, 41, 47, 50, 55, 56, 57], "addit": [4, 6, 11, 13, 16, 27, 34, 46, 47, 52], "mixedcontentresolutionstatu": [0, 4], "mixed_content_automatically_upgrad": [0, 4], "mixedcontentautomaticallyupgrad": 4, "mixed_content_block": [0, 4], "mixedcontentblock": 4, "mixed_content_warn": [0, 4], "mixedcontentwarn": 4, "mixedcontentresourcetyp": [0, 4], "attribution_src": [0, 4], "attributionsrc": 4, "audio": [0, 4, 50, 55], "beacon": [0, 4], "csp_report": [0, 4], "cspreport": 4, "download": [0, 4, 7, 11, 34, 36, 39, 53, 55], "event_sourc": [0, 4, 34], "eventsourc": [4, 34], "favicon": [0, 4], "font": [0, 4, 11, 34, 36], "form": [0, 4, 5, 13, 16, 34, 36, 53, 55], "imag": [0, 4, 7, 11, 16, 20, 24, 30, 34, 36, 38, 46, 53], "import": [0, 4, 11, 16, 18, 34, 52, 55, 56, 57], "manifest": [0, 4, 34, 35, 36, 54], "ping": [0, 4, 34], "plugin_data": [0, 4], "plugindata": 4, "plugin_resourc": [0, 4], "pluginresourc": 4, "prefetch": [0, 4, 34, 39], "resourc": [0, 4, 7, 10, 11, 13, 17, 20, 23, 31, 34, 36, 39, 43, 52], "script": [0, 4, 11, 13, 17, 18, 20, 34, 36, 39, 40, 41, 44, 45, 53, 55, 56, 57], "service_work": [0, 4, 45], "shared_work": [0, 4, 36], "sharedwork": [4, 36], "speculation_rul": [0, 4], "speculationrul": 4, "stylesheet": [0, 4, 11, 34], "track": [0, 4, 11, 12, 13, 16, 19, 25, 27, 34, 35, 36, 41, 43, 45], "video": [0, 4, 32, 46, 53, 55], "worker": [0, 4, 6, 13, 31, 34, 36, 41, 47], "xml_http_request": [0, 4], "xmlhttprequest": [4, 17, 34], "xslt": [0, 4], "mixedcontentissuedetail": [0, 4], "resolution_statu": [0, 4], "insecure_url": [0, 4], "main_resource_url": [0, 4], "resource_typ": [0, 4, 23, 34], "becaus": [4, 32, 34, 36, 45, 47, 49, 53, 56, 57], "mix": [4, 34, 43], "necessarili": 4, "link": [0, 4, 11, 16, 27, 34, 36, 39, 55], "unsaf": [4, 41], "http": [0, 4, 7, 8, 11, 20, 22, 23, 24, 27, 34, 36, 38, 39, 43, 45, 50, 51, 55, 56, 57], "respons": [0, 4, 8, 14, 16, 23, 24, 34, 44, 47, 51], "alwai": [4, 13, 16, 20, 32, 34, 43, 47, 55, 56, 57], "submiss": [4, 36], "resolv": [4, 11, 13, 16, 34, 41, 51, 53], "j": [4, 22, 32, 53, 55], "ifram": [0, 4, 16, 17, 18, 34, 36, 52, 55, 57], "mark": [4, 16, 34, 40], "map": [4, 11, 13, 34, 36, 41, 51], "blink": [4, 7, 27, 34, 36], "mojom": [4, 39, 49], "requestcontexttyp": 4, "requestdestin": 4, "blockedbyresponsereason": [0, 4], "block": [0, 4, 16, 30, 34, 36, 40, 41, 46, 53, 55], "These": [4, 22, 27], "refin": [4, 34], "net": [4, 23, 34], "blocked_by_respons": [0, 4, 34], "coep_frame_resource_needs_coep_head": [0, 4, 34], "coepframeresourceneedscoephead": 4, "coop_sandboxed_i_frame_cannot_navigate_to_coop_pag": [0, 4], "coopsandboxediframecannotnavigatetocooppag": 4, "corp_not_same_origin": [0, 4, 34], "corpnotsameorigin": 4, "corp_not_same_origin_after_defaulted_to_same_origin_by_coep": [0, 4, 34], "corpnotsameoriginafterdefaultedtosameoriginbycoep": 4, "corp_not_same_sit": [0, 4, 34], "corpnotsamesit": 4, "blockedbyresponseissuedetail": [0, 4], "parent_fram": [0, 4], "blocked_fram": [0, 4], "code": [0, 4, 5, 8, 12, 13, 17, 21, 23, 27, 32, 34, 40, 41, 43, 46, 47, 56, 57], "onli": [4, 7, 8, 9, 11, 13, 16, 18, 20, 22, 23, 24, 25, 27, 29, 30, 34, 36, 39, 40, 41, 43, 45, 46, 47, 49, 52, 53, 55], "coep": [0, 4, 34], "coop": [0, 4, 34], "extend": [4, 23, 34], "some": [4, 11, 16, 23, 29, 34, 35, 41, 47, 49, 50, 53, 56], "csp": [0, 4, 17, 34, 36, 41], "futur": [4, 24, 34, 41], "heavyadresolutionstatu": [0, 4], "heavy_ad_block": [0, 4], "heavyadblock": 4, "heavy_ad_warn": [0, 4], "heavyadwarn": 4, "heavyadreason": [0, 4], "cpu_peak_limit": [0, 4], "cpupeaklimit": 4, "cpu_total_limit": [0, 4], "cputotallimit": 4, "network_total_limit": [0, 4], "networktotallimit": 4, "heavyadissuedetail": [0, 4], "resolut": [0, 4, 46], "ad": [0, 4, 9, 10, 11, 16, 17, 31, 34, 35, 36, 38, 39, 41, 45, 47, 51, 55], "total": [0, 4, 7, 13, 16, 25, 33, 34, 36, 41, 49, 55], "cpu": [4, 20, 40, 46], "peak": 4, "statu": [0, 4, 7, 8, 13, 23, 34, 36, 39, 44, 46, 47], "either": [4, 13, 16, 20, 22, 23, 29, 34, 35, 36, 39, 40, 41, 49, 54, 55], "warn": [4, 41, 43], "contentsecuritypolicyviolationtyp": [0, 4], "k_eval_viol": [0, 4], "kevalviol": 4, "k_inline_viol": [0, 4], "kinlineviol": 4, "k_trusted_types_policy_viol": [0, 4], "ktrustedtypespolicyviol": 4, "k_trusted_types_sink_viol": [0, 4], "ktrustedtypessinkviol": 4, "k_url_viol": [0, 4], "kurlviol": 4, "k_wasm_eval_viol": [0, 4], "kwasmevalviol": 4, "sourcecodeloc": [0, 4], "line_numb": [0, 4, 13, 17, 31, 34, 36, 41, 44], "column_numb": [0, 4, 13, 17, 34, 36, 41, 44], "script_id": [0, 4, 13, 17, 36, 40, 41], "scriptid": [0, 4, 13, 17, 36, 40, 41], "contentsecuritypolicyissuedetail": [0, 4], "violated_direct": [0, 4], "is_report_onli": [0, 4], "content_security_policy_violation_typ": [0, 4], "blocked_url": [0, 4], "frame_ancestor": [0, 4], "source_code_loc": [0, 4], "violating_node_id": [0, 4], "sharedarraybufferissuetyp": [0, 4], "creation_issu": [0, 4], "creationissu": 4, "transfer_issu": [0, 4], "transferissu": 4, "sharedarraybufferissuedetail": [0, 4], "is_warn": [0, 4], "aris": 4, "sab": 4, "transfer": [4, 36, 49], "cross": [4, 35, 36, 41, 47], "origin": [0, 4, 6, 7, 8, 10, 11, 17, 19, 20, 23, 26, 34, 36, 39, 41, 44, 45, 47], "isol": [0, 4, 13, 34, 35, 36, 40, 41], "lowtextcontrastissuedetail": [0, 4], "violating_node_selector": [0, 4], "contrast_ratio": [0, 4], "threshold_aa": [0, 4], "threshold_aaa": [0, 4], "font_siz": [0, 4, 36], "font_weight": [0, 4, 11], "corsissuedetail": [0, 4], "cors_error_statu": [0, 4, 34], "locat": [0, 4, 11, 13, 16, 23, 25, 27, 34, 36, 40, 41, 47], "initiator_origin": [0, 4], "resource_ip_address_spac": [0, 4, 34], "client_security_st": [0, 4, 34], "cor": [0, 4, 8, 34], "rfc1918": 4, "enforc": 4, "corserrorstatu": [0, 4, 34], "ipaddressspac": [0, 4, 34], "clientsecurityst": [0, 4, 34], "attributionreportingissuetyp": [0, 4], "insecure_context": [0, 4], "insecurecontext": 4, "invalid_head": [0, 4], "invalidhead": 4, "invalid_register_os_source_head": [0, 4], "invalidregisterossourcehead": 4, "invalid_register_os_trigger_head": [0, 4], "invalidregisterostriggerhead": 4, "invalid_register_trigger_head": [0, 4], "invalidregistertriggerhead": 4, "navigation_registration_without_transient_user_activ": [0, 4], "navigationregistrationwithouttransientuseractiv": 4, "no_web_or_os_support": [0, 4], "noweborossupport": 4, "os_source_ignor": [0, 4], "ossourceignor": 4, "os_trigger_ignor": [0, 4], "ostriggerignor": 4, "permission_policy_dis": [0, 4], "permissionpolicydis": 4, "source_and_trigger_head": [0, 4], "sourceandtriggerhead": 4, "source_ignor": [0, 4], "sourceignor": 4, "trigger_ignor": [0, 4], "triggerignor": 4, "untrustworthy_reporting_origin": [0, 4], "untrustworthyreportingorigin": 4, "web_and_os_head": [0, 4], "webandoshead": 4, "attributionreportingissuedetail": [0, 4], "violation_typ": [0, 4, 17], "invalid_paramet": [0, 4], "report": [0, 4, 10, 11, 13, 17, 20, 21, 23, 24, 25, 31, 32, 34, 36, 37, 38, 40, 41, 45, 47, 49, 55], "explain": [4, 36, 43], "github": [4, 7, 20, 22, 34, 36, 38, 39, 45, 50, 51, 56, 57], "com": [4, 16, 36, 38, 39, 41, 47, 55, 56, 57], "wicg": [4, 20, 34, 36, 38, 39, 45], "quirksmodeissuedetail": [0, 4], "is_limited_quirks_mod": [0, 4], "document_node_id": [0, 4], "loader_id": [0, 4, 34, 36, 39], "quirk": 4, "limit": [4, 13], "layout": [0, 4, 16, 18, 24, 27, 30, 35, 36, 38], "loaderid": [0, 4, 34, 36, 39], "fals": [4, 7, 11, 13, 16, 17, 18, 24, 27, 34, 35, 36, 43, 45, 47, 51, 52, 53, 54, 55, 56, 58], "mean": [4, 10, 16, 23, 25, 27, 31, 34, 35, 36, 41, 43, 50], "navigatoruseragentissuedetail": [0, 4], "genericissueerrortyp": [0, 4], "cross_origin_portal_post_message_error": [0, 4], "crossoriginportalpostmessageerror": 4, "form_aria_labelled_by_to_non_existing_id": [0, 4], "formarialabelledbytononexistingid": 4, "form_autocomplete_attribute_empty_error": [0, 4], "formautocompleteattributeemptyerror": 4, "form_duplicate_id_for_input_error": [0, 4], "formduplicateidforinputerror": 4, "form_empty_id_and_name_attributes_for_input_error": [0, 4], "formemptyidandnameattributesforinputerror": 4, "form_input_assigned_autocomplete_value_to_id_or_name_attribute_error": [0, 4], "forminputassignedautocompletevaluetoidornameattributeerror": 4, "form_input_has_wrong_but_well_intended_autocomplete_value_error": [0, 4], "forminputhaswrongbutwellintendedautocompletevalueerror": 4, "form_input_with_no_label_error": [0, 4], "forminputwithnolabelerror": 4, "form_label_for_matches_non_existing_id_error": [0, 4], "formlabelformatchesnonexistingiderror": 4, "form_label_for_name_error": [0, 4], "formlabelfornameerror": 4, "form_label_has_neither_for_nor_nested_input": [0, 4], "formlabelhasneitherfornornestedinput": 4, "response_was_blocked_by_orb": [0, 4], "responsewasblockedbyorb": 4, "genericissuedetail": [0, 4], "error_typ": [0, 4, 32, 39, 43], "violating_node_attribut": [0, 4], "concret": [4, 56, 57], "errortyp": [4, 39], "aggreg": [4, 34, 36], "frontend": [4, 36], "deprecationissuedetail": [0, 4], "affected_fram": [0, 4], "print": [0, 4, 32, 36, 55, 56, 57], "deprec": [4, 10, 13, 16, 17, 18, 20, 24, 25, 34, 35, 36, 37, 41, 42, 43, 47, 49], "messag": [0, 4, 9, 10, 12, 16, 31, 32, 34, 35, 36, 41, 44, 47, 49], "chromium": [4, 7, 27, 32, 36, 52], "org": [4, 7, 11, 27, 34, 36, 43, 51], "src": [0, 4, 7, 11, 27, 55, 56, 57], "main": [4, 7, 27, 30, 34, 35, 36, 39, 44, 46, 47, 55, 56, 57], "third_parti": [4, 7, 27, 34, 36], "render": [4, 5, 7, 11, 16, 18, 20, 24, 27, 33, 34, 36, 50], "core": [4, 27, 34, 36, 54, 55], "readm": 4, "md": [4, 39], "json5": [4, 36], "bouncetrackingissuedetail": [0, 4], "tracking_sit": [0, 4], "redirect": [4, 23, 34], "chain": [4, 11, 13, 41, 43], "navig": [0, 4, 18, 20, 34, 36, 39, 41, 45, 47, 52, 55, 56], "flag": [0, 4, 11, 17, 20, 25, 26, 34, 36, 41, 51, 55, 57], "tracker": [4, 45], "clear": [0, 4, 6, 15, 19, 20, 26, 31, 34, 36, 41, 45, 47, 51, 53, 54], "thei": [4, 6, 11, 32, 34, 41, 51, 55], "receiv": [4, 5, 7, 11, 13, 16, 23, 32, 34, 36, 44, 45, 47, 53, 55], "note": [4, 7, 13, 16, 18, 20, 23, 24, 32, 34, 36, 37, 38, 39, 41, 43, 49, 52, 53, 55], "etld": 4, "test": [4, 16, 22, 35, 36, 51], "80": 4, "bounc": [4, 45], "would": [4, 18, 20, 22, 27, 34, 36, 38, 41, 49, 53, 55], "cookiedeprecationmetadataissuedetail": [0, 4], "allowed_sit": [0, 4], "third": [4, 25], "parti": [4, 34, 51], "permit": [4, 21], "due": [4, 23, 34, 35, 36, 40, 41, 56, 57], "global": [4, 7, 13, 18, 36, 41, 49], "metadata": [0, 4, 20, 26, 36, 45], "grant": [0, 4, 7, 36, 47, 52], "web_pag": 4, "clienthintissuereason": [0, 4], "meta_tag_allow_list_invalid_origin": [0, 4], "metatagallowlistinvalidorigin": 4, "meta_tag_modified_html": [0, 4], "metatagmodifiedhtml": 4, "federatedauthrequestissuedetail": [0, 4], "federated_auth_request_issue_reason": [0, 4], "federatedauthrequestissuereason": [0, 4], "failur": [0, 4, 34, 39], "feder": 4, "authent": [4, 23, 34, 51], "fail": [0, 4, 11, 13, 23, 24, 34, 36, 51], "alongsid": 4, "requestidtokenstatu": 4, "public": [0, 4, 34, 36], "devtool": [4, 7, 11, 29, 43, 45, 47, 53, 55], "inspector_issu": 4, "case": [4, 11, 13, 16, 24, 34, 36, 39, 41, 53, 54, 55, 57], "except": [0, 4, 13, 27, 41, 55], "success": [0, 4, 13, 34, 36, 39, 45, 49, 51], "accounts_http_not_found": [0, 4], "accountshttpnotfound": 4, "accounts_invalid_content_typ": [0, 4], "accountsinvalidcontenttyp": 4, "accounts_invalid_respons": [0, 4], "accountsinvalidrespons": 4, "accounts_list_empti": [0, 4], "accountslistempti": 4, "accounts_no_respons": [0, 4], "accountsnorespons": 4, "client_metadata_http_not_found": [0, 4], "clientmetadatahttpnotfound": 4, "client_metadata_invalid_content_typ": [0, 4], "clientmetadatainvalidcontenttyp": 4, "client_metadata_invalid_respons": [0, 4], "clientmetadatainvalidrespons": 4, "client_metadata_no_respons": [0, 4], "clientmetadatanorespons": 4, "config_http_not_found": [0, 4], "confighttpnotfound": 4, "config_invalid_content_typ": [0, 4], "configinvalidcontenttyp": 4, "config_invalid_respons": [0, 4], "configinvalidrespons": 4, "config_not_in_well_known": [0, 4], "confignotinwellknown": 4, "config_no_respons": [0, 4], "confignorespons": 4, "disabled_in_set": [0, 4], "disabledinset": 4, "error_fetching_signin": [0, 4], "errorfetchingsignin": 4, "error_id_token": [0, 4], "erroridtoken": 4, "id_token_cross_site_idp_error_respons": [0, 4], "idtokencrosssiteidperrorrespons": 4, "id_token_http_not_found": [0, 4], "idtokenhttpnotfound": 4, "id_token_idp_error_respons": [0, 4], "idtokenidperrorrespons": 4, "id_token_invalid_content_typ": [0, 4], "idtokeninvalidcontenttyp": 4, "id_token_invalid_request": [0, 4], "idtokeninvalidrequest": 4, "id_token_invalid_respons": [0, 4], "idtokeninvalidrespons": 4, "id_token_no_respons": [0, 4], "idtokennorespons": 4, "invalid_signin_respons": [0, 4], "invalidsigninrespons": 4, "not_signed_in_with_idp": [0, 4], "notsignedinwithidp": 4, "rp_page_not_vis": [0, 4], "rppagenotvis": 4, "should_embargo": [0, 4], "shouldembargo": 4, "silent_mediation_failur": [0, 4], "silentmediationfailur": 4, "third_party_cookies_block": [0, 4], "thirdpartycookiesblock": 4, "too_many_request": [0, 4], "toomanyrequest": 4, "well_known_http_not_found": [0, 4], "wellknownhttpnotfound": 4, "well_known_invalid_content_typ": [0, 4], "wellknowninvalidcontenttyp": 4, "well_known_invalid_respons": [0, 4], "wellknowninvalidrespons": 4, "well_known_list_empti": [0, 4], "wellknownlistempti": 4, "well_known_no_respons": [0, 4], "wellknownnorespons": 4, "well_known_too_big": [0, 4], "wellknowntoobig": 4, "federatedauthuserinforequestissuedetail": [0, 4], "federated_auth_user_info_request_issue_reason": [0, 4], "federatedauthuserinforequestissuereason": [0, 4], "getuserinfo": 4, "federatedauthuserinforequestresult": 4, "invalid_accounts_respons": [0, 4], "invalidaccountsrespons": 4, "invalid_config_or_well_known": [0, 4], "invalidconfigorwellknown": 4, "not_ifram": [0, 4], "notifram": 4, "not_potentially_trustworthi": [0, 4], "notpotentiallytrustworthi": 4, "not_same_origin": [0, 4], "notsameorigin": 4, "no_account_sharing_permiss": [0, 4], "noaccountsharingpermiss": 4, "no_api_permiss": [0, 4], "noapipermiss": 4, "no_returning_user_from_fetched_account": [0, 4], "noreturninguserfromfetchedaccount": 4, "clienthintissuedetail": [0, 4], "client_hint_issue_reason": [0, 4], "client": [4, 10, 11, 12, 13, 16, 18, 19, 20, 23, 31, 34, 35, 36, 39, 41, 43, 47, 51], "old": [4, 13, 16], "featur": [4, 6, 7, 11, 20, 36, 46], "encourag": 4, "ones": [4, 13, 34, 39], "guidanc": 4, "failedrequestinfo": [0, 4], "failure_messag": [0, 4], "stylesheetloadingissuereason": [0, 4], "late_import_rul": [0, 4], "lateimportrul": 4, "request_fail": [0, 4], "requestfail": 4, "stylesheetloadingissuedetail": [0, 4], "style_sheet_loading_issue_reason": [0, 4], "failed_request_info": [0, 4], "referenc": [4, 13, 41], "couldn": 4, "info": [0, 4, 34, 35, 43, 46], "posit": [4, 7, 11, 13, 16, 18, 20, 23, 27, 30, 34, 35, 36, 40, 53, 55], "propertyruleissuereason": [0, 4], "invalid_inherit": [0, 4], "invalidinherit": 4, "invalid_initial_valu": [0, 4], "invalidinitialvalu": 4, "invalid_nam": [0, 4], "invalidnam": 4, "invalid_syntax": [0, 4], "invalidsyntax": 4, "propertyruleissuedetail": [0, 4], "property_rule_issue_reason": [0, 4], "property_valu": [0, 4], "lead": [4, 55], "registr": [0, 4, 11, 44, 45], "discard": [4, 16, 25, 29, 41], "pars": [4, 11, 13, 16, 34, 36], "inspectorissuecod": [0, 4], "one": [4, 8, 11, 13, 16, 20, 22, 23, 24, 25, 26, 27, 30, 32, 34, 36, 41, 43, 47, 49, 51, 55, 56, 57], "field": [0, 4, 5, 7, 11, 23, 27, 34, 41, 43, 47, 50, 53, 56, 57], "inspectorissuedetail": [0, 4], "kind": [4, 11], "attribution_reporting_issu": [0, 4], "attributionreportingissu": 4, "blocked_by_response_issu": [0, 4], "blockedbyresponseissu": 4, "bounce_tracking_issu": [0, 4], "bouncetrackingissu": 4, "client_hint_issu": [0, 4], "clienthintissu": 4, "content_security_policy_issu": [0, 4], "contentsecuritypolicyissu": 4, "cookie_deprecation_metadata_issu": [0, 4], "cookiedeprecationmetadataissu": 4, "cookie_issu": [0, 4], "cookieissu": 4, "cors_issu": [0, 4], "corsissu": 4, "deprecation_issu": [0, 4], "deprecationissu": 4, "federated_auth_request_issu": [0, 4], "federatedauthrequestissu": 4, "federated_auth_user_info_request_issu": [0, 4], "federatedauthuserinforequestissu": 4, "generic_issu": [0, 4], "genericissu": 4, "heavy_ad_issu": [0, 4], "heavyadissu": 4, "low_text_contrast_issu": [0, 4], "lowtextcontrastissu": 4, "mixed_content_issu": [0, 4], "mixedcontentissu": 4, "navigator_user_agent_issu": [0, 4], "navigatoruseragentissu": 4, "property_rule_issu": [0, 4], "propertyruleissu": 4, "quirks_mode_issu": [0, 4], "quirksmodeissu": 4, "shared_array_buffer_issu": [0, 4], "sharedarraybufferissu": 4, "stylesheet_loading_issu": [0, 4], "stylesheetloadingissu": 4, "cookie_issue_detail": [0, 4], "mixed_content_issue_detail": [0, 4], "blocked_by_response_issue_detail": [0, 4], "heavy_ad_issue_detail": [0, 4], "content_security_policy_issue_detail": [0, 4], "shared_array_buffer_issue_detail": [0, 4], "low_text_contrast_issue_detail": [0, 4], "cors_issue_detail": [0, 4], "attribution_reporting_issue_detail": [0, 4], "quirks_mode_issue_detail": [0, 4], "navigator_user_agent_issue_detail": [0, 4], "generic_issue_detail": [0, 4], "deprecation_issue_detail": [0, 4], "client_hint_issue_detail": [0, 4], "federated_auth_request_issue_detail": [0, 4], "bounce_tracking_issue_detail": [0, 4], "cookie_deprecation_metadata_issue_detail": [0, 4], "stylesheet_loading_issue_detail": [0, 4], "property_rule_issue_detail": [0, 4], "federated_auth_user_info_request_issue_detail": [0, 4], "struct": [4, 45], "hold": [4, 11, 13, 16, 25, 34, 36, 40, 49], "pleas": [4, 34, 35, 36, 55], "also": [0, 4, 7, 9, 11, 13, 16, 18, 24, 25, 34, 35, 36, 38, 39, 41, 47, 53, 55, 57], "add": [4, 35, 41, 47, 51, 54, 55], "issueid": [0, 4], "entiti": [4, 46], "etc": [4, 5, 13, 16, 20, 27, 32, 34, 36, 41, 46], "refer": [4, 13, 16, 18, 25, 27, 36, 41, 52, 55], "inspectorissu": [0, 4], "issue_id": [0, 4], "back": [0, 4, 13, 27, 29, 30, 36, 55], "check_contrast": [0, 4], "report_aaa": 4, "contrast": [4, 13, 35], "found": [0, 4, 9, 11, 16, 54, 55, 56, 57], "issuead": [0, 4], "wcag": 4, "aaa": [0, 4, 35], "check_forms_issu": [0, 4], "further": [4, 10, 13, 31, 41, 56, 57], "send": [0, 4, 10, 16, 24, 25, 27, 31, 32, 34, 36, 39, 40, 47, 50, 53, 56, 57], "far": [4, 10, 31, 34], "get_encoded_respons": [0, 4], "encod": [4, 7, 8, 13, 18, 23, 24, 29, 30, 33, 34, 36, 46, 49, 51], "qualiti": [0, 4, 24, 36], "size_onli": 4, "bodi": [0, 4, 8, 11, 13, 23, 34, 41], "size": [0, 4, 7, 11, 13, 20, 24, 25, 29, 33, 34, 35, 36, 38, 41, 45, 46, 49, 50, 51, 53, 55], "were": [4, 5, 11, 16, 25, 27, 29, 34, 41, 44, 45, 49], "re": [4, 16, 32, 41, 55, 56, 57], "0": [4, 11, 13, 16, 17, 18, 20, 23, 24, 27, 32, 34, 36, 41, 46, 49, 52, 53, 55, 56, 57], "tupl": [4, 7, 8, 11, 12, 13, 16, 18, 23, 24, 26, 29, 30, 33, 34, 36, 40, 41, 45, 46, 49, 54, 55], "item": [0, 4, 7, 8, 11, 12, 13, 16, 18, 19, 23, 24, 26, 27, 29, 30, 33, 34, 35, 36, 40, 41, 45, 46, 49, 54, 55], "base64": [4, 7, 8, 13, 23, 24, 29, 30, 34, 36, 49, 51], "sizeonli": 4, "pass": [4, 6, 7, 8, 11, 13, 16, 18, 23, 24, 25, 30, 32, 34, 36, 38, 40, 47, 49, 51], "over": [4, 7, 8, 13, 23, 24, 27, 30, 34, 35, 36, 43, 47, 49, 51], "json": [0, 4, 7, 8, 13, 23, 24, 30, 34, 36, 39, 41, 47, 49, 51, 53, 54], "originals": 4, "befor": [0, 4, 13, 16, 20, 22, 23, 24, 25, 29, 30, 34, 36, 37, 38, 40, 53, 56, 57], "encodeds": 4, "after": [0, 4, 11, 13, 16, 20, 23, 27, 28, 34, 35, 36, 41, 52, 55], "defin": [5, 6, 7, 11, 13, 18, 27, 34, 35, 36, 43, 46, 48], "creditcard": [0, 5], "expiry_month": [0, 5], "expiry_year": [0, 5], "cvc": [0, 5], "3": [5, 13, 16, 17, 18, 20, 24, 34, 35, 36, 37, 43, 47, 56, 57], "digit": 5, "card": [5, 36], "verif": [5, 51, 56, 57], "expiri": [0, 5, 45], "month": [5, 56, 57], "4": [5, 22, 27, 36, 46, 53], "year": [5, 56, 57], "credit": 5, "owner": [5, 11, 16, 18, 35], "16": [5, 18, 24, 27], "addressfield": [0, 5], "address": [0, 5, 33, 34], "given_nam": [0, 5, 22], "jon": 5, "addressui": [0, 5], "address_field": [0, 5], "how": [5, 23, 30, 34, 49, 55], "displai": [5, 11, 14, 20, 23, 24, 34, 35, 36, 39, 53], "like": [5, 13, 23, 34, 40, 41, 53, 54, 55, 56, 57], "ui": [5, 32, 41, 43, 51], "two": [5, 22, 34, 50], "dimension": 5, "arrai": [0, 5, 8, 11, 13, 16, 17, 18, 25, 26, 30, 33, 34, 35, 36, 40, 41, 43, 45, 46, 47, 57], "inner": 5, "surfac": [5, 9, 36], "give_nam": 5, "family_nam": [0, 5, 11], "citi": 5, "munich": 5, "zip": 5, "81456": 5, "dimens": [5, 20, 36, 46], "repesent": 5, "fillingstrategi": [0, 5], "done": [0, 5, 7, 25, 36, 55], "html": [0, 5, 11, 16, 27, 34, 36, 39, 51, 53, 55, 57], "heurist": [5, 36], "autocomplete_attribut": [0, 5], "autocompleteattribut": 5, "autofill_inf": [0, 5], "autofillinf": 5, "filledfield": [0, 5], "html_type": [0, 5], "autofill_typ": [0, 5], "filling_strategi": [0, 5], "field_id": [0, 5], "actual": [5, 7, 11, 13, 16, 34, 36, 43, 52, 55, 56, 57], "strategi": 5, "password": [0, 5, 23, 34], "set_address": [0, 5], "develop": [5, 34, 39], "verifi": [5, 22], "implement": [5, 11, 16, 32, 41, 56, 57], "fieldid": 5, "cannot": [5, 7, 13, 34, 35, 41], "serv": [5, 34, 36, 41], "anchor": [5, 16, 18, 30, 36], "belong": [5, 6, 11, 16, 36, 41, 47], "out": [5, 13, 20, 27, 36, 39, 41, 54, 56, 57], "save": [0, 5, 7, 36, 49, 52, 53, 55, 57], "addressformfil": [0, 5], "filled_field": [0, 5], "address_ui": [0, 5], "emit": [5, 7, 27, 34, 36, 39], "represent": [5, 11, 23, 32, 34, 41], "2d": 5, "background": [0, 6, 11, 18, 20, 24, 35, 36, 47, 49, 52, 55], "platform": [0, 6, 7, 11, 20, 27, 34, 35, 36, 38, 46, 49, 50], "servicenam": [0, 6], "servic": [0, 6, 34, 47, 49], "independ": [6, 35, 36], "share": [6, 18, 36, 39, 45], "background_fetch": [0, 6, 7], "backgroundfetch": [6, 7, 52], "background_sync": [0, 6, 7], "backgroundsync": [6, 7, 52], "payment_handl": [0, 6, 7], "paymenthandl": [6, 7, 52], "periodic_background_sync": [0, 6, 7], "periodicbackgroundsync": [6, 7, 52], "push_messag": [0, 6], "pushmessag": 6, "eventmetadata": [0, 6], "kei": [0, 6, 8, 11, 19, 26, 27, 34, 39, 41, 43, 45, 51, 53, 54, 56, 57], "pair": [6, 16, 18, 23, 34, 45, 54], "along": [6, 20, 23, 27, 30, 34, 36, 41, 45], "backgroundserviceev": [0, 6], "timestamp": [0, 6, 11, 20, 24, 25, 27, 31, 32, 34, 36, 37, 40, 41], "service_worker_registration_id": [0, 6], "event_nam": [0, 6, 17, 21, 34], "instance_id": [0, 6], "event_metadata": [0, 6], "storage_kei": [0, 6, 8, 19, 26, 45], "timesinceepoch": [0, 6, 20, 27, 34, 36, 38, 43, 45], "registrationid": [0, 6, 44], "group": [6, 13, 16, 25, 34, 36, 41, 43, 45], "togeth": [6, 18, 41], "initi": [0, 6, 13, 20, 23, 24, 34, 36, 39, 40, 41, 47, 53], "second": [6, 8, 11, 24, 25, 27, 30, 34, 36, 38, 39, 40, 45, 46, 50, 52, 53, 55, 56, 57], "clear_ev": [0, 6], "store": [6, 8, 26, 27, 34, 45, 49, 51, 53], "set_record": [0, 6], "should_record": 6, "record": [6, 8, 11, 25, 26, 34, 38, 40, 45, 49, 53], "start_observ": [0, 6], "stop_observ": [0, 6], "recordingstatechang": [0, 6], "is_record": [0, 6, 53], "backgroundserviceeventreceiv": [0, 6], "background_service_ev": [0, 6], "afterward": 6, "manag": [7, 36], "browsercontextid": [0, 7, 45, 47], "windowid": [0, 7], "windowst": [0, 7], "window": [7, 11, 20, 27, 35, 36, 39, 46, 47, 52, 55], "fullscreen": [0, 7, 36, 55], "maxim": [0, 7, 34, 55], "minim": [0, 7, 25, 55], "normal": [0, 7, 11, 20, 22, 27, 41, 52, 55], "bound": [0, 7, 16, 18, 26, 36, 48, 55], "left": [0, 7, 27, 29, 30, 36, 53, 55], "top": [0, 7, 13, 16, 27, 30, 34, 36, 40, 41, 52, 55], "width": [0, 7, 11, 16, 18, 20, 30, 35, 36, 46, 47, 55], "height": [0, 7, 11, 16, 18, 20, 30, 35, 36, 46, 47, 55], "window_st": [0, 7], "pixel": [7, 16, 20, 27, 35, 36, 38, 46, 55], "edg": 7, "screen": [7, 20, 35, 36, 52, 55], "permissiontyp": [0, 7], "accessibility_ev": [0, 7], "accessibilityev": [7, 52], "audio_captur": [0, 7], "audiocaptur": [7, 52], "captured_surface_control": [0, 7, 36], "capturedsurfacecontrol": 7, "clipboard_read_writ": [0, 7], "clipboardreadwrit": [7, 52], "clipboard_sanitized_writ": [0, 7], "clipboardsanitizedwrit": [7, 52], "display_captur": [0, 7, 36], "displaycaptur": [7, 52], "durable_storag": [0, 7], "durablestorag": [7, 52], "flash": [0, 7, 53, 56, 57], "geoloc": [0, 7, 20, 36, 52], "idle_detect": [0, 7, 36], "idledetect": [7, 52], "local_font": [0, 7, 36], "localfont": [7, 52], "midi": [0, 7, 36, 52], "midi_sysex": [0, 7], "midisysex": [7, 52], "nfc": [0, 7, 51, 52], "protected_media_identifi": [0, 7], "protectedmediaidentifi": [7, 52], "sensor": [0, 7, 20, 36, 52], "storage_access": [0, 7, 36], "storageaccess": [7, 52], "top_level_storage_access": [0, 7], "toplevelstorageaccess": [7, 52], "video_captur": [0, 7], "videocaptur": [7, 52], "video_capture_pan_tilt_zoom": [0, 7], "videocapturepantiltzoom": [7, 52], "wake_lock_screen": [0, 7], "wakelockscreen": [7, 52], "wake_lock_system": [0, 7], "wakelocksystem": [7, 52], "window_manag": [0, 7, 36], "windowmanag": [7, 52], "permissionset": [0, 7], "deni": [0, 7, 36], "prompt": [0, 7, 14, 36], "permissiondescriptor": [0, 7], "sysex": [0, 7], "user_visible_onli": [0, 7], "allow_without_sanit": [0, 7], "pan_tilt_zoom": [0, 7], "definit": [7, 53], "permiss": [7, 36, 52], "w3c": [7, 20, 36, 38, 51], "clipboard": [7, 36], "allowwithoutsanit": 7, "c": [0, 7, 11, 20, 32, 53], "permission_descriptor": 7, "idl": [7, 20, 34, 36, 38, 55], "camera": [0, 7, 36], "pantiltzoom": 7, "push": [7, 11, 16, 34], "uservisibleonli": 7, "support": [0, 7, 11, 13, 20, 23, 24, 27, 29, 34, 36, 38, 42, 46, 47, 49, 50, 51], "browsercommandid": [0, 7], "executebrowsercommand": 7, "close_tab_search": [0, 7], "closetabsearch": 7, "open_tab_search": [0, 7], "opentabsearch": 7, "bucket": [0, 7, 8, 26, 45, 49], "low": [0, 7, 34, 46], "high": [0, 7, 34], "count": [0, 7, 8, 16, 25, 26, 27, 34, 36, 40, 45], "histogram": [0, 7], "sampl": [0, 7, 25, 33, 40, 49, 50], "exclus": [7, 11, 13, 23, 41, 47], "minimum": [7, 11, 20, 30, 34, 36, 46], "inclus": [7, 11], "sum_": [0, 7], "sum": 7, "add_privacy_sandbox_enrollment_overrid": [0, 7], "privaci": 7, "sandbox": [7, 34, 52, 54], "enrol": 7, "cancel_download": [0, 7], "guid": [0, 7, 36, 49], "browser_context_id": [0, 7, 45, 47], "progress": [7, 36], "browsercontext": [7, 47], "action": [0, 7, 16, 22, 36, 39, 43, 55], "close": [0, 7, 16, 22, 29, 34, 36, 47, 50, 52, 55, 56, 57], "gracefulli": 7, "crash": [0, 7, 28, 36, 47, 53, 55], "thread": [7, 30, 36, 46], "crash_gpu_process": [0, 7], "gpu": [7, 46], "process": [7, 27, 33, 34, 35, 36, 41, 43, 46, 52, 56, 57], "execute_browser_command": [0, 7], "command_id": 7, "invok": [7, 21, 45], "custom": [0, 7, 11, 36], "telemetri": 7, "get_browser_command_lin": [0, 7], "switch": [7, 20], "commandlin": [7, 46], "get_histogram": [0, 7], "delta": [7, 27, 40], "last": [7, 11, 13, 16, 25, 29, 30, 33, 36, 40, 44, 54], "substr": [7, 8, 17, 18], "extract": [7, 36], "empti": [7, 8, 9, 11, 13, 20, 23, 26, 27, 34, 35, 36, 38, 41, 43, 46, 47, 54], "absent": [7, 11, 16, 23, 30, 34], "get_vers": [0, 7], "version": [0, 7, 12, 13, 16, 17, 18, 20, 24, 26, 34, 35, 36, 37, 42, 43, 44, 46, 47], "protocolvers": 7, "protocol": [0, 7, 23, 34, 36, 42, 43, 47, 49, 50, 51, 55], "product": 7, "revis": [0, 7, 46], "userag": 7, "agent": [7, 11, 16, 18, 20, 29, 32, 34, 41, 49], "jsversion": 7, "v8": [7, 13, 33, 41], "get_window_bound": [0, 7], "window_id": 7, "restor": [7, 20, 27, 32, 36], "get_window_for_target": [0, 7], "target_id": [0, 7, 44, 47], "targetid": [0, 7, 44, 47], "host": [0, 7, 16, 20, 30, 34, 47], "part": [7, 47, 56, 57], "session": [0, 7, 9, 16, 19, 34, 47, 52, 56, 57], "grant_permiss": [0, 7], "given": [7, 11, 13, 16, 17, 18, 20, 23, 25, 26, 27, 30, 34, 35, 36, 41, 45, 46, 47, 51, 52, 53, 54, 55], "reject": [7, 22, 41], "overrid": [7, 13, 15, 20, 23, 32, 34, 36, 38, 41, 43, 45, 51], "reset_permiss": [0, 7], "reset": [7, 20, 22, 36, 40, 45, 51], "set_dock_til": [0, 7], "badge_label": 7, "dock": 7, "tile": [7, 30], "png": [7, 24, 36, 53, 55], "set_download_behavior": [0, 7, 36], "behavior": [7, 13, 23, 27, 34, 36], "download_path": [7, 36], "events_en": 7, "file": [0, 7, 16, 27, 29, 32, 34, 36, 53, 54, 55, 57], "avail": [0, 7, 9, 11, 13, 16, 18, 20, 23, 34, 36, 38, 41, 45, 46, 47, 51, 55, 57], "otherwis": [7, 13, 20, 23, 24, 34, 36, 45, 46, 49, 51, 53, 54], "allowandnam": 7, "accord": [7, 18, 36, 45], "dowmload": 7, "set_permiss": [0, 7], "descriptor": [7, 11, 35, 41], "set_window_bound": [0, 7], "combin": 7, "leav": [0, 7, 13, 45, 56], "unspecifi": [7, 34], "unchang": 7, "downloadwillbegin": [0, 7, 36], "suggested_filenam": [0, 7, 36], "fire": [7, 9, 11, 13, 16, 20, 23, 28, 34, 35, 36, 39, 43, 52, 55], "begin": [7, 11, 13, 18, 23, 34, 36], "suggest": [7, 34, 36, 43], "disk": [7, 34, 36], "downloadprogress": [0, 7, 36], "total_byt": [0, 7, 36], "received_byt": [0, 7, 36], "byte": [7, 13, 25, 29, 33, 34, 36, 41, 45, 51], "cacheid": [0, 8], "cach": [0, 8, 34, 36, 44, 45, 55], "cachedresponsetyp": [0, 8], "basic": [0, 8, 23, 34], "opaque_redirect": [0, 8], "opaqueredirect": 8, "opaque_respons": [0, 8], "opaquerespons": 8, "dataentri": [0, 8, 26], "request_url": [0, 8, 34, 43], "request_method": [0, 8], "request_head": [0, 8, 34], "response_tim": [0, 8, 34], "response_statu": [0, 8], "response_status_text": [0, 8, 23], "response_typ": [0, 8], "response_head": [0, 8, 23, 34], "entri": [0, 8, 23, 26, 31, 32, 34, 36, 41, 44, 45, 47, 52], "epoch": [8, 34, 38, 41], "cache_id": [0, 8], "security_origin": [0, 8, 19, 26, 36], "cache_nam": [0, 8, 45], "storage_bucket": [0, 8, 26, 45], "storagebucket": [0, 8, 26, 45], "opaqu": [8, 34, 51], "cachedrespons": [0, 8], "delete_cach": [0, 8], "delet": [8, 26, 34, 36, 41, 45, 47], "delete_entri": [0, 8], "spec": [8, 36, 45, 50, 51], "request_cache_nam": [0, 8], "At": [8, 26], "least": [8, 26, 27, 49], "securityorigin": [8, 26], "storagekei": [8, 26, 45], "request_cached_respons": [0, 8], "read": [0, 8, 11, 13, 16, 20, 23, 29, 34, 36, 55], "request_entri": [0, 8], "skip_count": [8, 26], "page_s": [8, 26], "path_filt": 8, "skip": [8, 13, 16, 26, 55], "present": [8, 9, 11, 13, 16, 18, 23, 30, 34, 36, 38, 45, 47, 51, 54], "cachedataentri": 8, "returncount": 8, "pathfilt": 8, "There": [8, 15, 17, 18, 21, 24, 26, 28, 29, 33, 42, 43, 46, 48], "sink": [0, 9, 17], "describ": [9, 13, 16, 20, 25, 27, 41, 43, 46], "activ": [0, 9, 11, 13, 20, 25, 27, 32, 34, 36, 39, 44, 45, 47, 52, 55], "stop": [0, 9, 11, 13, 17, 21, 25, 31, 33, 36, 39, 40, 44, 49, 52, 53, 56, 57], "observ": [9, 20, 23, 34], "presentation_url": 9, "tab": [0, 9, 36, 47, 52, 53, 56, 57], "compat": [9, 13, 16], "presentationurl": 9, "well": [9, 16, 18, 47, 53, 55, 56, 57], "sinksupd": [0, 9], "remov": [9, 11, 13, 16, 17, 21, 24, 32, 34, 36, 41, 45, 51, 53, 54], "issueupd": [0, 9], "set_sink_to_us": [0, 9], "sink_nam": 9, "choos": [9, 49], "via": [9, 11, 13, 16, 18, 25, 27, 34, 36, 39, 41, 47, 49, 56, 57], "sdk": 9, "start_desktop_mirror": [0, 9], "desktop": 9, "start_tab_mirror": [0, 9], "stop_cast": [0, 9], "whenev": [9, 11, 32, 34, 55], "devic": [0, 9, 14, 15, 20, 27, 35, 36, 46, 51], "softwar": 9, "issue_messag": [0, 9], "outstand": 9, "issuemessag": 9, "consolemessag": [0, 10], "column": [0, 10, 11, 13, 17, 34, 35, 36, 41], "base": [10, 11, 13, 16, 17, 18, 20, 27, 32, 33, 34, 35, 36, 40, 41, 52, 54, 55], "sever": [10, 13, 16, 31, 43], "clear_messag": [0, 10], "noth": [10, 54, 55], "messagead": [0, 10], "expos": [11, 13, 16, 25, 34, 38, 41, 49], "write": [11, 16, 36], "subsequ": [11, 13, 23, 47], "structur": [11, 16, 36, 39], "interchang": 11, "fornod": 11, "accept": [0, 11, 34, 36, 48, 53, 55, 56, 57], "stylesheetad": [0, 11], "stylesheetremov": [0, 11], "getstylesheet": 11, "stylesheetid": [0, 11], "stylesheetorigin": [0, 11], "inject": [0, 11, 36, 47], "extens": [11, 35, 36, 51, 54], "regular": [0, 11, 17, 21, 23, 53, 55], "user_ag": [0, 11, 16, 20, 34], "pseudoelementmatch": [0, 11], "pseudo_typ": [0, 11, 16, 18, 53], "pseudo_identifi": [0, 11, 16, 18, 53], "pseudo": [11, 16, 18], "pseudotyp": [0, 11, 16, 18], "rulematch": [0, 11], "ident": [11, 30, 34, 36], "inheritedstyleentri": [0, 11], "matched_css_rul": [0, 11], "inline_styl": [0, 11], "inherit": [0, 11, 16, 41], "cssstyle": [0, 11], "inlin": [0, 11, 16, 18, 36, 39, 55], "inheritedpseudoelementmatch": [0, 11], "pseudo_el": [0, 11, 16, 53], "matching_selector": [0, 11], "cssrule": [0, 11], "selector": [0, 11, 16, 35, 53, 57], "selectorlist": [0, 11], "range_": [0, 11], "delimit": 11, "comma": [11, 45], "sourcerang": [0, 11], "rang": [0, 11, 13, 16, 24, 26, 27, 36, 40, 49], "underli": [11, 34], "b": [0, 11, 16, 36, 51, 58], "draft": [11, 34], "csswg": 11, "cssstylesheethead": [0, 11], "style_sheet_id": [0, 11], "source_url": [0, 11, 41, 44], "is_inlin": [0, 11], "is_mut": [0, 11], "is_construct": [0, 11], "start_lin": [0, 11, 13], "start_column": [0, 11, 13], "length": [0, 11, 13, 18, 20, 34, 45, 55, 56, 57], "end_lin": [0, 11, 13], "end_column": [0, 11, 13], "source_map_url": [0, 11, 13], "owner_nod": [0, 11], "has_source_url": [0, 11, 13], "loading_fail": [0, 11], "metainform": 11, "denot": [11, 13], "zero": [11, 23, 34, 49, 51], "sourceurl": [11, 13], "come": [11, 20, 27, 39, 41], "comment": [11, 23], "through": [11, 13, 21, 32, 39, 47, 53], "cssstylesheet": 11, "tag": [0, 11, 13, 18, 20, 36, 39, 44, 49, 53, 55], "parser": [11, 16, 34], "written": 11, "mutabl": 11, "becom": [11, 16, 26, 30, 34, 53], "modifi": [11, 13, 16, 17, 19, 23, 27, 34, 36, 44, 45, 53], "cssom": 11, "them": [11, 16, 20, 23, 32, 36, 41, 47, 52, 53], "construct": [11, 50], "immedi": [11, 16, 20, 36, 40, 41, 45, 51], "creation": [11, 13, 16, 34, 36, 41, 47], "charact": [11, 18, 23, 34], "sheet": 11, "non": [11, 13, 16, 23, 35, 36, 38, 41, 47, 49], "sylesheet": 11, "selector_list": [0, 11], "nesting_selector": [0, 11], "container_queri": [0, 11], "layer": [0, 11, 16, 23, 30, 35], "scope": [0, 11, 13, 34, 36, 41, 51, 56, 57], "rule_typ": [0, 11], "cssmedia": [0, 11], "csscontainerqueri": [0, 11], "csssupport": [0, 11], "csslayer": [0, 11], "cssscope": [0, 11], "cssruletyp": [0, 11], "involv": 11, "enumer": [0, 11, 13, 41], "innermost": 11, "go": [11, 32, 36, 55, 56, 57], "outward": 11, "cascad": 11, "hierarchi": [11, 36, 52], "sort": [11, 13], "distanc": [11, 27, 35], "declar": [11, 41, 49, 53], "came": 11, "order": [0, 11, 18, 20, 25, 32, 35, 36, 54], "dure": [11, 13, 24, 34, 36, 39, 41], "container_rul": [0, 11], "containerrul": 11, "layer_rul": [0, 11], "layerrul": 11, "media_rul": [0, 11], "mediarul": 11, "scope_rul": [0, 11], "scoperul": 11, "style_rul": [0, 11], "stylerul": 11, "supports_rul": [0, 11], "supportsrul": 11, "ruleusag": [0, 11], "start_offset": [0, 11, 40], "end_offset": [0, 11, 40], "coverag": [11, 40], "shorthandentri": [0, 11], "annot": 11, "impli": [11, 36, 41], "shorthand": 11, "csscomputedstyleproperti": [0, 11, 16], "css_properti": [0, 11], "shorthand_entri": [0, 11], "css_text": [0, 11], "cssproperti": [0, 11], "enclos": 11, "parsed_ok": [0, 11], "longhand_properti": [0, 11], "longhand": 11, "understood": [11, 34], "media_list": [0, 11], "mediaqueri": [0, 11], "importrul": 11, "linkedsheet": 11, "inlinesheet": 11, "express": [0, 11, 13, 41, 55], "mediaqueryexpress": [0, 11], "condit": [0, 11, 13, 16, 29, 34, 52, 55, 57], "satisfi": 11, "unit": [0, 11], "value_rang": [0, 11], "computed_length": [0, 11], "physical_ax": [0, 11, 16], "logical_ax": [0, 11, 16], "physicalax": [0, 11, 16], "logicalax": [0, 11, 16], "logic": [11, 13, 16], "physic": [11, 16, 20, 27, 34], "csslayerdata": [0, 11], "sub_lay": [0, 11], "determin": [11, 18, 23, 25, 34, 35, 36, 38, 41, 47], "sub": [11, 16, 36, 45, 46], "platformfontusag": [0, 11], "post_script_nam": [0, 11], "is_custom_font": [0, 11], "glyph_count": [0, 11], "amount": [11, 55], "glyph": 11, "famili": [11, 36], "local": [0, 11, 13, 19, 20, 34, 36], "postscript": 11, "fontvariationaxi": [0, 11], "min_valu": [0, 11, 50], "max_valu": [0, 11, 50], "default_valu": [0, 11, 50], "variat": 11, "variabl": [11, 13, 41], "human": [11, 41], "readabl": [11, 41], "languag": [11, 13, 18, 20, 34, 56], "en": [11, 54, 56], "k": [11, 50, 54, 56, 57], "axi": [11, 27, 35], "fontfac": [0, 11], "font_famili": [0, 11, 36], "font_styl": [0, 11], "font_vari": [0, 11], "font_stretch": [0, 11], "font_displai": [0, 11], "unicode_rang": [0, 11], "platform_font_famili": [0, 11], "font_variation_ax": [0, 11], "www": [11, 34, 36, 43, 55, 56, 57], "w3": [11, 34, 43], "tr": [11, 34, 43], "2008": 11, "rec": 11, "css2": 11, "20080411": 11, "platformfontfamili": 11, "fontvariationax": 11, "stretch": 11, "variant": [11, 13, 55], "weight": 11, "unicod": 11, "csstryrul": [0, 11], "try": [11, 13, 55], "csspositionfallbackrul": [0, 11], "try_rul": [0, 11], "fallback": [11, 34], "csskeyframesrul": [0, 11], "animation_nam": [0, 11], "csskeyframerul": [0, 11], "csspropertyregistr": [0, 11], "property_nam": [0, 11], "syntax": [0, 11, 34], "initial_valu": [0, 11, 39], "registerproperti": 11, "cssfontpalettevaluesrul": [0, 11], "font_palette_nam": [0, 11], "palett": 11, "csspropertyrul": [0, 11], "key_text": [0, 11], "styledeclarationedit": [0, 11], "mutat": [11, 13], "add_rul": [0, 11], "rule_text": 11, "node_for_property_syntax_valid": 11, "insert": [11, 16, 26, 27, 54], "ruletext": 11, "regist": [11, 36, 45, 50], "static": [11, 34, 56, 57], "produc": [11, 20, 23, 29, 36, 38, 41], "incorrect": 11, "result": [0, 11, 13, 16, 20, 23, 24, 25, 30, 34, 35, 36, 40, 41, 45, 49], "var": 11, "newli": [11, 41], "collect_class_nam": [0, 11], "create_style_sheet": [0, 11], "special": 11, "assum": [11, 13, 34, 36, 47], "force_pseudo_st": [0, 11], "forced_pseudo_class": 11, "ensur": [11, 55], "forc": [0, 11, 13, 20, 27, 30, 36, 49], "get_background_color": [0, 11], "color": [0, 11, 16, 18, 20, 35, 36], "backgroundcolor": 11, "behind": 11, "visibl": [0, 11, 16, 20, 24, 30, 36, 41, 43, 52, 53], "undefin": [11, 16, 23, 41], "flat": [11, 16, 47], "simpli": 11, "gradient": 11, "anyth": [11, 41], "complic": 11, "computedfonts": 11, "12px": 11, "computedfontweight": 11, "100": [11, 24, 36, 50, 53], "get_computed_style_for_nod": [0, 11], "get_inline_styles_for_nod": [0, 11], "explicitli": [11, 41, 49], "implicitli": [11, 16], "inlinestyl": 11, "attributesstyl": 11, "20": 11, "get_layers_for_nod": [0, 11], "engin": [11, 34], "getlayersfornod": 11, "nearest": [11, 16, 30], "shadow": [11, 16, 17, 18, 36], "get_matched_styles_for_nod": [0, 11], "matchedcssrul": 11, "pseudoel": 11, "inheritedpseudoel": 11, "parentlayoutnodeid": 11, "first": [0, 11, 13, 16, 20, 25, 30, 34, 39, 40, 47, 52, 54, 55, 57], "get_media_queri": [0, 11], "get_platform_fonts_for_nod": [0, 11], "textnod": 11, "statist": [11, 25, 40], "emploi": 11, "get_style_sheet_text": [0, 11], "textual": [11, 23], "set_container_query_text": [0, 11], "modif": [11, 16, 34], "set_effective_property_value_for_nod": [0, 11], "set_keyframe_kei": [0, 11], "set_local_fonts_en": [0, 11], "set_media_text": [0, 11], "set_property_rule_property_nam": [0, 11], "set_rule_selector": [0, 11], "set_scope_text": [0, 11], "set_style_sheet_text": [0, 11], "set_style_text": [0, 11], "set_supports_text": [0, 11], "start_rule_usage_track": [0, 11], "stop_rule_usage_track": [0, 11], "takecoveragedelta": 11, "instrument": [11, 13, 17, 21, 34], "take_computed_style_upd": [0, 11], "poll": [11, 40], "batch": [11, 16, 32], "take_coverage_delta": [0, 11], "obtain": [11, 18, 29, 34], "becam": 11, "monoton": [11, 34, 38, 40], "track_computed_style_upd": [0, 11], "properties_to_track": 11, "takecomputedstyleupd": 11, "occur": [11, 21, 27, 29, 34, 39, 43, 45, 47, 50, 56, 57], "fontsupd": [0, 11], "successfulli": [11, 16, 24, 48], "mediaqueryresultchang": [0, 11], "resiz": [0, 11, 16, 20, 35], "consid": [11, 13, 34, 47, 55], "viewport": [0, 11, 16, 20, 27, 35, 36, 55], "metainfo": 11, "stylesheetchang": [0, 11], "databaseid": [0, 12], "deliv": [12, 19, 32, 34, 36, 49], "execute_sql": [0, 12], "database_id": 12, "columnnam": 12, "sqlerror": 12, "get_database_table_nam": [0, 12], "adddatabas": [0, 12], "debug": [13, 17, 28, 34, 35, 47, 51, 55], "capabl": [13, 36, 46], "breakpoint": [13, 17, 21, 41], "execut": [13, 16, 17, 20, 33, 34, 36, 37, 40, 41], "explor": 13, "stack": [0, 13, 16, 18, 23, 31, 32, 33, 34, 36, 40, 41, 49], "breakpointid": [0, 13], "callframeid": [0, 13], "scriptpars": [0, 13], "scriptposit": [0, 13], "locationrang": [0, 13], "callfram": [0, 13, 25, 40, 41], "call_frame_id": [0, 13], "function_nam": [0, 13, 40, 41], "scope_chain": [0, 13], "function_loc": [0, 13], "return_valu": [0, 13], "can_be_restart": [0, 13], "virtual": [13, 20, 27, 51], "machin": [13, 46], "vm": 13, "restart": 13, "guarante": [13, 34, 36, 41, 55], "restartfram": 13, "veri": [13, 30, 55], "favor": [13, 25, 41], "object_": [0, 13, 41], "start_loc": [0, 13], "end_loc": [0, 13], "rest": [13, 16, 56, 57], "artifici": [13, 25], "transient": 13, "searchmatch": [0, 13, 34, 36], "line_cont": [0, 13], "search": [13, 16, 34, 36, 55], "breakloc": [0, 13], "wasmdisassemblychunk": [0, 13], "bytecode_offset": [0, 13], "bytecod": 13, "chunk": [0, 13, 25, 29, 34], "disassembl": 13, "scriptlanguag": [0, 13], "java_script": [0, 13], "web_assembli": [0, 13], "webassembli": 13, "debugsymbol": [0, 13], "external_url": [0, 13], "symbol": [0, 13, 16, 25, 41], "wasm": 13, "extern": [13, 36, 39], "continue_to_loc": [0, 13], "target_call_fram": 13, "continu": [0, 13, 20, 23, 34, 43, 56, 57], "reach": [13, 50], "disassemble_wasm_modul": [0, 13], "streamid": 13, "larg": [13, 25, 51], "stream": [0, 13, 23, 29, 34, 36, 49], "disassembli": 13, "totalnumberoflin": 13, "functionbodyoffset": 13, "format": [13, 16, 24, 35, 36, 46, 49, 51, 53, 55], "start1": 13, "end1": 13, "start2": 13, "end2": 13, "max_scripts_cache_s": 13, "heap": [13, 25, 33, 41], "put": 13, "uniquedebuggerid": [0, 13, 36, 41], "evaluate_on_call_fram": [0, 13], "object_group": [13, 16, 25, 41], "include_command_line_api": [13, 36, 41], "silent": [13, 41], "return_by_valu": [13, 41, 53, 55], "generate_preview": [13, 41], "throw_on_side_effect": [13, 41], "timeout": [0, 13, 36, 41, 55, 57], "evalu": [0, 13, 25, 36, 41, 55], "rapid": 13, "handl": [13, 23, 27, 29, 34, 35, 36, 41, 43, 49, 52, 55, 56, 57], "releaseobjectgroup": 13, "thrown": [13, 41], "setpauseonexcept": [13, 41], "preview": [0, 13, 41], "throw": [13, 41], "side": [13, 24, 27, 41], "effect": [13, 24, 35, 41, 47, 53], "timedelta": [0, 13, 41], "termin": [13, 28, 41, 47], "millisecond": [13, 20, 24, 27, 34, 41, 49], "exceptiondetail": [0, 13, 41, 55], "get_possible_breakpoint": [0, 13], "restrict_to_funct": 13, "exclud": [0, 13, 25, 36, 45, 47, 49], "nest": [13, 41], "get_script_sourc": [0, 13], "scriptsourc": 13, "get_stack_trac": [0, 13], "stack_trace_id": 13, "stacktraceid": [0, 13, 41], "stacktrac": [0, 13, 16, 31, 34, 36, 41], "get_wasm_bytecod": [0, 13], "getscriptsourc": 13, "next_wasm_disassembly_chunk": [0, 13], "stream_id": 13, "statement": 13, "pause_on_async_cal": [0, 13], "parent_stack_trace_id": 13, "async": [13, 34, 41, 52, 53, 55, 56, 57], "remove_breakpoint": [0, 13], "breakpoint_id": [0, 13], "restart_fram": [0, 13], "schedul": [13, 20, 36], "immediatli": 13, "To": [13, 20, 34, 53], "ward": 13, "miss": [13, 16, 20, 36], "variou": [13, 35], "onc": [0, 13, 16, 17, 21, 34, 36, 41], "stepinto": 13, "asyncstacktrac": 13, "asyncstacktraceid": 13, "terminate_on_resum": 13, "upon": [13, 16, 17, 20, 29, 31, 34, 35, 36, 55], "terminateexecut": 13, "search_in_cont": [0, 13], "case_sensit": [13, 34, 36], "is_regex": [13, 34, 36], "sensit": [13, 25, 34, 36], "treat": [13, 34, 36, 41], "regex": [13, 34, 36], "set_async_call_stack_depth": [0, 13, 41], "max_depth": [0, 13, 41], "set_blackbox_pattern": [0, 13], "pattern": [0, 13, 23, 34, 35], "previou": [13, 16, 20, 27, 38, 47], "blackbox": 13, "final": [13, 18, 27, 39, 45], "resort": 13, "unsuccess": 13, "regexp": 13, "set_blackboxed_rang": [0, 13], "blacklist": 13, "interv": [13, 24, 25, 33, 40, 49, 50], "isn": [13, 34, 39, 41, 55], "set_breakpoint": [0, 13], "actualloc": 13, "set_breakpoint_by_url": [0, 13], "url_regex": 13, "script_hash": 13, "breakpointresolv": [0, 13], "surviv": [13, 36, 41], "reload": [0, 13, 28, 36, 41, 55, 56, 57], "urlregex": 13, "hash": [13, 34], "set_breakpoint_on_function_cal": [0, 13], "set_breakpoints_act": [0, 13], "deactiv": 13, "set_instrumentation_breakpoint": [0, 13, 17, 21], "set_pause_on_except": [0, 13], "uncaught": 13, "caught": 13, "set_return_valu": [0, 13], "new_valu": [0, 13, 19], "break": 13, "callargu": [0, 13, 41], "set_script_sourc": [0, 13], "script_sourc": [13, 36], "dry_run": 13, "allow_top_frame_edit": 13, "automat": [13, 20, 41, 47, 56], "dry": 13, "long": [13, 25, 26, 34, 56, 57], "happen": [13, 16, 22, 23, 30, 35, 36, 41, 47, 53, 55], "stackchang": 13, "ok": 13, "compileerror": 13, "set_skip_all_paus": [0, 13], "interrupt": 13, "set_variable_valu": [0, 13], "scope_numb": 13, "variable_nam": 13, "manual": [13, 35, 36, 55], "closur": 13, "catch": 13, "step_into": [0, 13], "break_on_async_cal": 13, "skip_list": 13, "task": [13, 20, 55], "skiplist": 13, "step_out": [0, 13], "step_ov": [0, 13], "call_fram": [0, 13, 25, 40, 41], "hit_breakpoint": [0, 13], "async_stack_trac": [0, 13], "async_stack_trace_id": [0, 13], "async_call_stack_trace_id": [0, 13], "criteria": 13, "auxiliari": [13, 41], "hit": [13, 16, 21, 34, 35], "scriptfailedtopars": [0, 13], "execution_context_id": [0, 13, 16, 41], "hash_": [0, 13], "execution_context_aux_data": [0, 13], "is_modul": [0, 13], "stack_trac": [0, 13, 31, 41], "code_offset": [0, 13], "script_languag": [0, 13], "embedder_nam": [0, 13], "executioncontextid": [0, 13, 16, 36, 41], "section": [13, 34, 55], "embedd": [13, 36, 40, 41, 51], "suppli": [13, 23], "isdefault": [13, 41], "sha": 13, "256": [13, 51], "es6": 13, "is_live_edit": [0, 13], "debug_symbol": [0, 13], "uncollect": 13, "deviceid": [0, 14], "promptdevic": [0, 14], "appear": [0, 14, 16, 20, 34, 35, 55, 56, 57], "cancel_prompt": [0, 14], "devicerequestprompt": [0, 14], "select_prompt": [0, 14], "device_id": [0, 14, 46], "open": [14, 16, 26, 36, 41, 47, 52, 55, 56, 57], "respond": [14, 18, 23], "selectprompt": 14, "cancelprompt": 14, "clear_device_orientation_overrid": [0, 15, 36], "overridden": [15, 20, 23, 34, 36, 43, 45], "set_device_orientation_overrid": [0, 15, 36], "alpha": [15, 16, 36], "beta": [15, 36], "gamma": [15, 36], "mock": [15, 20, 34, 36], "twice": 16, "backendnod": [0, 16], "node_typ": [0, 16, 18, 50, 53], "node_nam": [0, 16, 18, 53], "friendli": [16, 34, 36, 41], "nodenam": [16, 18], "nodetyp": [0, 16, 18, 50], "backdrop": [0, 16], "first_lett": [0, 16], "letter": 16, "first_lin": [0, 16], "first_line_inherit": [0, 16], "grammar_error": [0, 16], "grammar": 16, "highlight": [0, 16, 35, 53], "input_list_button": [0, 16], "button": [16, 22, 27, 53, 55, 56, 57], "marker": [0, 16, 27, 49], "scrollbar": [0, 16, 20, 36], "scrollbar_button": [0, 16], "scrollbar_corn": [0, 16], "corner": [16, 55], "scrollbar_thumb": [0, 16], "thumb": 16, "scrollbar_track": [0, 16], "scrollbar_track_piec": [0, 16], "piec": 16, "spelling_error": [0, 16], "spell": 16, "target_text": [0, 16], "view_transit": [0, 16], "view": [16, 20, 36, 53, 54, 55], "view_transition_group": [0, 16], "view_transition_image_pair": [0, 16], "view_transition_new": [0, 16], "view_transition_old": [0, 16], "shadowroottyp": [0, 16, 18], "open_": [0, 16], "compatibilitymod": [0, 16], "limited_quirks_mod": [0, 16], "limitedquirksmod": 16, "no_quirks_mod": [0, 16], "noquirksmod": 16, "quirks_mod": [0, 16], "quirksmod": 16, "containerselector": 16, "both": [0, 16, 27, 34], "horizont": [0, 16, 18, 20, 36], "vertic": [0, 16, 18, 20, 36], "local_nam": [0, 16, 53], "node_valu": [0, 16, 18, 53], "child_node_count": [0, 16, 53], "document_url": [0, 16, 18, 34, 53], "base_url": [0, 16, 18, 27, 53], "public_id": [0, 16, 18, 53], "system_id": [0, 16, 18, 53], "internal_subset": [0, 16, 53], "xml_version": [0, 16, 53], "shadow_root_typ": [0, 16, 18, 53], "content_docu": [0, 16, 53], "shadow_root": [0, 16, 53], "template_cont": [0, 16, 53], "imported_docu": [0, 16, 53], "distributed_nod": [0, 16, 53], "is_svg": [0, 16, 53], "compatibility_mod": [0, 16, 53], "assigned_slot": [0, 16, 53], "domnod": [0, 16, 18], "name1": 16, "value1": 16, "name2": 16, "value2": 16, "frameown": [16, 18], "distribut": [16, 25, 35], "crbug": [16, 36, 39, 41, 47], "937746": 16, "htmlimport": 16, "documenttyp": [16, 18], "internalsubset": 16, "svg": 16, "localnam": 16, "attr": [0, 16, 53], "awar": 16, "nodevalu": [16, 18], "publicid": [16, 18], "systemid": [16, 18], "fragment": [16, 25, 30, 34, 36], "templat": [16, 18, 36], "xml": 16, "rgba": [0, 16, 20, 35], "r": [0, 16], "blue": 16, "255": 16, "green": 16, "red": [16, 53], "quad": [0, 16, 35], "clock": [16, 49], "wise": 16, "boxmodel": [0, 16], "pad": [0, 16, 35], "border": [0, 16, 35], "margin": [0, 16, 35, 36], "shape_outsid": [0, 16], "box": [16, 18, 23, 30, 34, 35], "model": [0, 16, 20, 36, 46], "shapeoutsideinfo": [0, 16], "shape": [0, 16, 35], "outsid": [16, 35, 56, 57], "coordin": [16, 18, 27, 30, 35], "margin_shap": [0, 16], "rect": [0, 16, 18, 30, 35, 36, 38], "rectangl": [0, 16, 18, 30, 35, 36], "collect_class_names_from_subtre": [0, 16], "copy_to": [0, 16], "target_node_id": 16, "insert_before_node_id": 16, "deep": [16, 34, 41], "copi": [0, 16, 27, 54], "place": 16, "drop": [16, 27], "targetnodeid": 16, "clone": 16, "describe_nod": [0, 16], "pierc": [16, 17], "larger": [16, 17], "travers": [16, 17], "discard_search_result": [0, 16], "search_id": 16, "getsearchresult": 16, "include_whitespac": 16, "whitespac": 16, "get_attribut": [0, 16], "attibut": 16, "interleav": 16, "get_box_model": [0, 16], "get_container_for_nod": [0, 16], "container_nam": 16, "containernam": 16, "closest": [0, 16, 55, 57], "null": [16, 32, 35, 39, 50], "get_content_quad": [0, 16], "multipl": [16, 25, 26, 32, 34, 35, 41, 45, 47, 53, 55], "get_docu": [0, 16], "caller": [16, 22], "get_file_info": [0, 16], "get_flattened_docu": [0, 16], "design": [16, 24], "work": [0, 16, 20, 35, 53, 55, 56, 57], "capturesnapshot": [16, 18], "get_frame_own": [0, 16], "get_node_for_loc": [0, 16], "include_user_agent_shadow_dom": 16, "ignore_pointer_events_non": 16, "ua": [16, 18, 20, 34, 36], "pointer": [16, 27], "get_node_stack_trac": [0, 16], "As": 16, "get_nodes_for_subtree_by_styl": [0, 16], "computed_styl": [16, 18], "filter": [0, 16, 18, 23, 34, 36, 38, 39, 45, 47, 49], "get_outer_html": [0, 16], "outer": [16, 34, 41], "get_querying_descendants_for_contain": [0, 16], "get_relayout_boundari": [0, 16], "relayout": 16, "get_search_result": [0, 16], "from_index": 16, "to_index": 16, "fromindex": 16, "toindex": 16, "index": [0, 16, 18, 25, 26, 34, 36, 41], "get_top_layer_el": [0, 16], "therefor": [16, 53, 55], "hide_highlight": [0, 16, 35], "hide": [16, 35], "highlight_nod": [0, 16, 35], "highlight_rect": [0, 16, 35], "mark_undoable_st": [0, 16], "undoabl": 16, "move_to": [0, 16], "move": [16, 27, 32, 53], "perform_search": [0, 16], "cancelsearch": 16, "plain": 16, "xpath": 16, "searchid": 16, "resultcount": 16, "push_node_by_path_to_frontend": [0, 16], "fixm": 16, "proprietari": 16, "push_nodes_by_backend_ids_to_frontend": [0, 16], "query_selector": [0, 16, 53, 55], "queryselector": [16, 53], "query_selector_al": [0, 16, 53, 55], "queryselectoral": [16, 53, 55], "redo": [0, 16], "undon": 16, "remove_attribut": [0, 16], "remove_nod": [0, 16], "request_child_nod": [0, 16], "setchildnod": [0, 16], "down": [16, 55], "request_nod": [0, 16], "seri": [16, 23, 49], "convert": [0, 16, 34, 45, 57], "resolve_nod": [0, 16], "scroll_into_view_if_need": [0, 16], "scroll": [16, 18, 27, 30, 35, 36, 53, 55], "alreadi": [16, 34, 45, 53], "exactli": [16, 23, 34, 41], "objectid": [16, 35, 41], "center": 16, "similar": [16, 47, 55], "scrollintoview": 16, "set_attribute_valu": [0, 16], "set_attributes_as_text": [0, 16], "Will": [16, 41, 46], "deriv": 16, "set_file_input_fil": [0, 16], "set_inspected_nod": [0, 16], "set_node_nam": [0, 16], "set_node_stack_traces_en": [0, 16], "captur": [16, 24, 30, 35, 36, 41, 53, 55], "getnodestacktrac": 16, "set_node_valu": [0, 16], "set_outer_html": [0, 16], "outer_html": 16, "undo": [0, 16], "attributemodifi": [0, 16], "attributeremov": [0, 16], "ttribut": 16, "characterdatamodifi": [0, 16], "character_data": [0, 16], "domcharacterdatamodifi": 16, "childnodecountupd": [0, 16], "childnodeinsert": [0, 16], "parent_node_id": [0, 16], "previous_node_id": [0, 16], "domnodeinsert": 16, "childnoderemov": [0, 16], "domnoderemov": 16, "distributednodesupd": [0, 16], "insertion_point_id": [0, 16], "documentupd": [0, 16], "inlinestyleinvalid": [0, 16], "pseudoelementad": [0, 16], "toplayerelementsupd": [0, 16], "pseudoelementremov": [0, 16], "pseudo_element_id": [0, 16], "want": [16, 30, 53, 55, 56, 57], "popul": [16, 34, 41], "shadowrootpop": [0, 16], "host_id": [0, 16], "root_id": [0, 16], "pop": [0, 16, 54], "shadowrootpush": [0, 16], "dombreakpointtyp": [0, 17], "attribute_modifi": [0, 17], "node_remov": [0, 17], "subtree_modifi": [0, 17], "cspviolationtyp": [0, 17], "trustedtype_policy_viol": [0, 17], "trustedtyp": [17, 55], "polici": [17, 20, 34, 36, 41], "trustedtype_sink_viol": [0, 17], "eventlisten": [0, 17, 18], "use_captur": [0, 17], "passiv": [0, 17], "handler": [0, 17, 36, 41, 55], "original_handl": [0, 17], "listen": [0, 17, 18, 50, 55], "usecaptur": 17, "get_event_listen": [0, 17], "remove_dom_breakpoint": [0, 17], "setdombreakpoint": 17, "remove_event_listener_breakpoint": [0, 17], "target_nam": 17, "eventtarget": 17, "remove_instrumentation_breakpoint": [0, 17, 21], "remove_xhr_breakpoint": [0, 17], "set_break_on_csp_viol": [0, 17], "set_dom_breakpoint": [0, 17], "set_event_listener_breakpoint": [0, 17], "set_xhr_breakpoint": [0, 17], "xhr": [0, 17, 34, 36], "facilit": 18, "snapshot": [18, 25, 30, 36], "text_valu": [0, 18], "input_valu": [0, 18], "input_check": [0, 18], "option_select": [0, 18], "child_node_index": [0, 18], "pseudo_element_index": [0, 18], "layout_node_index": [0, 18], "content_languag": [0, 18], "document_encod": [0, 18], "content_document_index": [0, 18], "is_click": [0, 18], "event_listen": [0, 18], "current_source_url": [0, 18], "origin_url": [0, 18], "scroll_offset_x": [0, 18, 36], "scroll_offset_i": [0, 18, 36], "namevalu": [0, 18], "getsnapshot": 18, "srcset": 18, "radio": 18, "checkbox": 18, "mous": [0, 18, 20, 27, 36, 53], "click": [0, 18, 27, 36, 53, 56, 57], "attach": [0, 18, 32, 34, 36, 41, 47, 55], "natur": 18, "layouttreenod": [0, 18], "textarea": 18, "inlinetextbox": [0, 18], "bounding_box": [0, 18], "start_character_index": [0, 18], "num_charact": [0, 18], "post": [18, 23, 34], "exact": [0, 18, 34, 45], "regard": 18, "stabl": 18, "textbox": 18, "surrog": 18, "utf": [18, 34], "dom_node_index": [0, 18], "layout_text": [0, 18], "inline_text_nod": [0, 18], "style_index": [0, 18], "paint_ord": [0, 18], "is_stacking_context": [0, 18], "layoutobject": 18, "layouttext": 18, "paint": [18, 30, 35, 36, 38], "includepaintord": 18, "computedstyl": [0, 18], "subset": [0, 18, 36], "whitelist": 18, "stringindex": [0, 18], "tabl": 18, "arrayofstr": [0, 18], "rarestringdata": [0, 18], "rare": 18, "rarebooleandata": [0, 18], "rareintegerdata": [0, 18], "documentsnapshot": [0, 18], "encoding_nam": [0, 18], "text_box": [0, 18], "content_width": [0, 18], "content_height": [0, 18], "nodetreesnapshot": [0, 18], "layouttreesnapshot": [0, 18], "textboxsnapshot": [0, 18], "parent_index": [0, 18], "flatten": [18, 47], "node_index": [0, 18], "stacking_context": [0, 18], "offset_rect": [0, 18], "scroll_rect": [0, 18, 30], "client_rect": [0, 18], "blended_background_color": [0, 18], "text_color_opac": [0, 18], "blend": 18, "overlap": 18, "absolut": [18, 20, 35, 55], "includedomrect": 18, "opac": 18, "layout_index": [0, 18], "capture_snapshot": [0, 18, 36], "include_paint_ord": 18, "include_dom_rect": 18, "include_blended_background_color": 18, "include_text_color_opac": 18, "white": 18, "offsetrect": 18, "clientrect": 18, "scrollrect": [0, 18, 30], "achiev": 18, "get_snapshot": [0, 18], "computed_style_whitelist": 18, "include_event_listen": 18, "include_user_agent_shadow_tre": 18, "serializedstoragekei": [0, 19, 45], "storageid": [0, 19], "is_local_storag": [0, 19], "cachedstoragearea": 19, "storage_id": [0, 19], "get_dom_storage_item": [0, 19], "remove_dom_storage_item": [0, 19], "set_dom_storage_item": [0, 19], "domstorageitemad": [0, 19], "domstorageitemremov": [0, 19], "domstorageitemupd": [0, 19], "old_valu": [0, 19], "domstorageitemsclear": [0, 19], "environ": [20, 41], "screenorient": [0, 20, 36], "angl": [0, 20, 27], "displayfeatur": [0, 20], "mask_length": [0, 20], "mask": [0, 20, 34, 35], "area": [20, 27, 35, 36, 39], "split": 20, "devicepostur": [0, 20], "postur": 20, "mediafeatur": [0, 20], "virtualtimepolici": [0, 20], "advanc": [0, 20], "forward": [0, 20, 27, 34, 36, 55], "pauseifnetworkfetchespend": 20, "pend": [0, 20, 34, 36, 39, 49], "pause_if_network_fetches_pend": [0, 20], "useragentbrandvers": [0, 20], "brand": [0, 20], "cient": 20, "useragentmetadata": [0, 20, 34], "platform_vers": [0, 20], "architectur": [0, 20], "mobil": [0, 20, 36], "full_version_list": [0, 20], "full_vers": [0, 20], "bit": [0, 20, 27, 36, 51, 53], "wow64": [0, 20, 36], "sec": [20, 34, 38], "ch": [20, 34, 36], "sensortyp": [0, 20], "absolute_orient": [0, 20], "acceleromet": [0, 20, 36], "ambient_light": [0, 20], "ambient": [20, 36], "light": [0, 20, 36, 49], "graviti": [0, 20], "gyroscop": [0, 20, 36], "linear_acceler": [0, 20], "linear": 20, "acceler": [20, 27, 46], "magnetomet": [0, 20, 36], "proxim": [0, 20], "relative_orient": [0, 20], "sensormetadata": [0, 20], "minimum_frequ": [0, 20], "maximum_frequ": [0, 20], "sensorreadingsingl": [0, 20], "sensorreadingxyz": [0, 20], "sensorreadingquaternion": [0, 20], "w": [0, 20], "sensorread": [0, 20], "xyz": [0, 20], "quaternion": [0, 20], "disabledimagetyp": [0, 20], "avif": [0, 20], "webp": [0, 20, 24, 46], "can_emul": [0, 20], "tell": [20, 34, 41], "clear_device_metrics_overrid": [0, 20, 36], "metric": [0, 20, 35, 36, 37], "clear_geolocation_overrid": [0, 20, 36], "clear_idle_overrid": [0, 20], "get_overridden_sensor_inform": [0, 20], "reset_page_scale_factor": [0, 20], "scale": [0, 20, 27, 30, 36, 53], "factor": [20, 27, 36, 43], "set_auto_dark_mode_overrid": [0, 20], "dark": [20, 35], "theme": [20, 35], "set_automation_overrid": [0, 20], "set_cpu_throttling_r": [0, 20], "throttl": [20, 34], "slow": 20, "slowdown": 20, "2x": 20, "set_default_background_color_overrid": [0, 20], "set_device_metrics_overrid": [0, 20, 36], "device_scale_factor": [20, 36], "screen_width": [20, 36], "screen_height": [20, 36], "position_x": [20, 36], "position_i": [20, 36], "dont_set_visible_s": [20, 36], "screen_orient": [20, 36], "display_featur": 20, "device_postur": 20, "innerwidth": [20, 36], "innerheight": [20, 36], "10000000": [20, 36], "meta": [0, 20, 27, 34, 36, 41, 53, 55], "autos": [20, 36], "reli": [20, 36, 51], "setvisibles": [20, 36], "multi": [20, 41], "segment": 20, "off": [20, 47, 56, 57], "foldabl": 20, "set_disabled_image_typ": [0, 20], "image_typ": [0, 20, 46], "set_document_cookie_dis": [0, 20], "coooki": 20, "set_emit_touch_events_for_mous": [0, 20], "configur": [0, 20, 31, 34, 35, 36, 41, 49, 51], "touch": [0, 20, 27, 36], "gestur": [20, 27, 34, 36], "set_emulated_media": [0, 20], "set_emulated_vision_defici": [0, 20], "vision": 20, "defici": 20, "effort": 20, "physiolog": 20, "accur": [20, 40], "medic": 20, "recogn": 20, "set_focus_emulation_en": [0, 20], "simul": [20, 33], "set_geolocation_overrid": [0, 20, 36], "latitud": [20, 36], "longitud": [20, 36], "accuraci": [20, 36], "unavail": [20, 36], "set_hardware_concurrency_overrid": [0, 20], "hardware_concurr": 20, "hardwar": [20, 50], "concurr": 20, "set_idle_overrid": [0, 20], "is_user_act": 20, "is_screen_unlock": 20, "isuseract": 20, "isscreenunlock": 20, "set_locale_overrid": [0, 20], "system": [0, 20, 27, 36, 41, 46, 49, 55], "icu": 20, "en_u": 20, "set_navigator_overrid": [0, 20], "set_page_scale_factor": [0, 20], "page_scale_factor": [0, 20, 36], "set_script_execution_dis": [0, 20], "set_scrollbars_hidden": [0, 20], "set_sensor_override_en": [0, 20], "rather": [20, 30, 36, 52], "real": [20, 50, 51], "attempt": [20, 34, 39, 55], "set_sensor_override_read": [0, 20], "overriden": [20, 41], "setsensoroverrideen": 20, "set_timezone_overrid": [0, 20], "timezone_id": 20, "timezon": 20, "set_touch_emulation_en": [0, 20, 36], "max_touch_point": 20, "set_user_agent_overrid": [0, 20, 34], "accept_languag": [20, 34], "user_agent_metadata": [20, 34], "useragentdata": [20, 34], "set_virtual_time_polici": [0, 20], "budget": [20, 45], "max_virtual_time_task_starvation_count": 20, "initial_virtual_tim": 20, "synthet": 20, "mani": [20, 30, 34, 53, 54, 55], "elaps": 20, "virtualtimebudgetexpir": [0, 20], "deadlock": 20, "set_visible_s": [0, 20], "screenshot": [20, 24, 35, 36, 53, 55], "Not": [20, 27, 34, 36], "android": 20, "dip": [20, 27, 35, 36, 47], "similarli": [21, 23], "dialog": [22, 23, 34, 36], "loginst": [0, 22], "sign": [0, 22, 34, 45, 56, 57], "account": [0, 22, 36, 56, 57], "ever": [22, 53, 55], "rp": 22, "sign_in": [0, 22], "signin": 22, "sign_up": [0, 22], "signup": 22, "dialogtyp": [0, 22, 36], "account_choos": [0, 22], "accountchoos": 22, "auto_reauthn": [0, 22], "autoreauthn": 22, "confirm_idp_login": [0, 22], "confirmidplogin": 22, "dialogbutton": [0, 22], "confirm_idp_login_continu": [0, 22], "confirmidplogincontinu": 22, "error_got_it": [0, 22], "errorgotit": 22, "error_more_detail": [0, 22], "errormoredetail": 22, "account_id": [0, 22], "email": [0, 22, 56, 57], "picture_url": [0, 22], "idp_config_url": [0, 22], "idp_login_url": [0, 22], "login_st": [0, 22], "terms_of_service_url": [0, 22], "privacy_policy_url": [0, 22], "identityrequestaccount": 22, "click_dialog_button": [0, 22], "dialog_id": [0, 22], "dialog_button": 22, "dismiss_dialog": [0, 22], "trigger_cooldown": 22, "disable_rejection_delai": 22, "promis": [22, 34, 41], "unimport": 22, "fedidcg": 22, "reset_cooldown": [0, 22], "cooldown": 22, "show": [22, 25, 35, 36, 41, 55, 56, 57], "recent": [22, 55], "dismiss": [22, 36], "select_account": [0, 22], "account_index": 22, "dialogshown": [0, 22], "dialog_typ": [0, 22], "subtitl": [0, 22], "primarili": 22, "appropri": [22, 27], "dialogclos": [0, 22], "abort": [0, 22, 34], "below": [22, 41], "let": [23, 32, 41, 55, 56, 57], "substitut": 23, "requeststag": [0, 23], "stage": [23, 24, 34], "intercept": [23, 34, 36, 51], "requestpattern": [0, 23, 34], "url_pattern": [0, 23, 34], "request_stag": [0, 23], "resourcetyp": [0, 23, 34, 36], "wildcard": [23, 34], "escap": [23, 34], "backslash": [23, 34], "equival": [23, 34, 55], "headerentri": [0, 23], "authchalleng": [0, 23, 34], "scheme": [0, 23, 34, 36], "realm": [0, 23, 34], "author": [23, 34], "challeng": [23, 34], "401": [23, 34], "407": [23, 34], "digest": [23, 34], "authchallengerespons": [0, 23, 34], "usernam": [0, 23, 34], "possibli": [23, 34], "providecredenti": [23, 34], "decis": [23, 34], "defer": [23, 34], "popup": [23, 34], "continue_request": [0, 23], "post_data": [0, 23, 34], "intercept_respons": 23, "requestpaus": [0, 23, 34], "hop": 23, "continue_respons": [0, 23], "response_cod": [0, 23, 34], "response_phras": 23, "binary_response_head": 23, "responsecod": 23, "standard": [0, 23, 26, 36], "phrase": [23, 43], "separ": [23, 32, 34, 35, 43, 45], "prefer": [23, 27, 36, 55], "abov": [23, 36, 55], "unless": [23, 41, 55], "utf8": 23, "transmit": [23, 34], "continue_with_auth": [0, 23], "auth_challenge_respons": [23, 34], "authrequir": [0, 23], "handle_auth_request": 23, "failrequest": [23, 34], "fulfillrequest": [23, 34], "continuerequest": [23, 34], "continuewithauth": 23, "fetchrequest": 23, "fail_request": [0, 23], "error_reason": [23, 34], "errorreason": [0, 23, 34], "fulfill_request": [0, 23], "get_response_bodi": [0, 23, 34], "server": [23, 34, 36, 44, 47], "mutual": [23, 41], "takeresponsebodyforinterceptionasstream": 23, "_redirect": 23, "received_": 23, "differenti": 23, "presenc": [23, 45, 51], "base64encod": [23, 29, 34, 36], "take_response_body_as_stream": [0, 23], "headersreceiv": [23, 34], "sequenti": [23, 29, 34, 47], "getresponsebodi": 23, "streamhandl": [0, 23, 29, 34, 36, 49], "response_error_reason": [0, 23, 34], "response_status_cod": [0, 23, 34], "network_id": [0, 23], "redirected_request_id": [0, 23], "responseerrorreason": 23, "responsestatuscod": 23, "distinguish": [23, 34, 40], "301": 23, "302": 23, "303": 23, "307": 23, "308": 23, "redirectedrequestid": 23, "requestwillbes": [0, 23, 34, 55], "networkid": 23, "auth_challeng": [0, 23, 34], "handleauthrequest": 23, "encount": [23, 34, 36], "headless": [24, 47, 52, 54, 55, 56], "screenshotparam": [0, 24], "format_": [0, 24, 36], "optimize_for_spe": [0, 24, 36], "compress": [24, 34, 36, 49], "speed": [24, 27, 36, 56, 57], "jpeg": [0, 24, 36, 46, 53, 55], "begin_fram": [0, 24], "frame_time_tick": 24, "no_display_upd": 24, "beginfram": [24, 47], "beginframecontrol": 24, "compositor": 24, "draw": [24, 35], "goo": 24, "gle": 24, "timetick": 24, "uptim": 24, "60": 24, "666": 24, "commit": [24, 27, 36], "drawn": 24, "onto": 24, "visual": [24, 36, 56, 57], "hasdamag": 24, "damag": 24, "thu": [24, 34, 55], "diagnost": 24, "screenshotdata": 24, "taken": [24, 25, 40], "rtype": [24, 36, 53, 55], "heapsnapshotobjectid": [0, 25], "samplingheapprofilenod": [0, 25], "self_siz": [0, 25], "callsit": [25, 40], "alloc": [25, 33, 41], "across": [25, 41, 46], "startsampl": [25, 33], "stopsampl": 25, "samplingheapprofilesampl": [0, 25], "ordin": [0, 25], "samplingheapprofil": [0, 25], "head": [0, 25, 55], "add_inspected_heap_object": [0, 25], "heap_object_id": 25, "collect_garbag": [0, 25], "get_heap_object_id": [0, 25], "get_object_by_heap_object_id": [0, 25], "get_sampling_profil": [0, 25, 33], "start_sampl": [0, 25, 33], "sampling_interv": [25, 33], "include_objects_collected_by_major_gc": 25, "include_objects_collected_by_minor_gc": 25, "averag": [25, 33], "poisson": 25, "32768": 25, "By": 25, "still": [25, 34, 36, 39, 55], "aliv": 25, "getsamplingprofil": 25, "steadi": 25, "instruct": 25, "major": [25, 27], "gc": 25, "temporari": [25, 29, 34], "minor": 25, "tune": 25, "latenc": [25, 34], "start_tracking_heap_object": [0, 25], "track_alloc": 25, "stop_sampl": [0, 25, 33], "stop_tracking_heap_object": [0, 25], "report_progress": 25, "treat_global_objects_as_root": 25, "capture_numeric_valu": 25, "expose_intern": 25, "reportheapsnapshotprogress": [0, 25], "exposeintern": 25, "numer": [25, 32, 46], "take_heap_snapshot": [0, 25], "addheapsnapshotchunk": [0, 25], "heapstatsupd": [0, 25], "stats_upd": [0, 25], "triplet": 25, "lastseenobjectid": [0, 25], "last_seen_object_id": [0, 25], "regularli": 25, "seen": 25, "resetprofil": [0, 25], "databasewithobjectstor": [0, 26], "object_stor": [0, 26], "objectstor": [0, 26, 45], "unsign": 26, "key_path": [0, 26], "auto_incr": [0, 26], "keypath": [0, 26], "objectstoreindex": [0, 26], "auto": [0, 26, 27, 36, 47, 49, 53, 55], "increment": [26, 38, 51], "multi_entri": [0, 26], "date": [0, 26, 34, 36, 43, 55], "keyrang": [0, 26], "lower_open": [0, 26], "upper_open": [0, 26], "lower": [0, 26], "upper": [0, 26], "primary_kei": [0, 26], "primari": [26, 45, 46], "clear_object_stor": [0, 26], "database_nam": [0, 26, 45], "object_store_nam": [0, 26, 45], "delete_databas": [0, 26], "delete_object_store_entri": [0, 26], "key_rang": 26, "get_metadata": [0, 26], "entriescount": 26, "keygeneratorvalu": 26, "autoincr": 26, "request_data": [0, 26], "index_nam": 26, "objectstoredataentri": 26, "hasmor": 26, "request_databas": [0, 26], "request_database_nam": [0, 26], "touchpoint": [0, 27], "radius_x": [0, 27], "radius_i": [0, 27], "rotation_angl": [0, 27], "tangential_pressur": [0, 27], "tilt_x": [0, 27], "tilt_i": [0, 27], "twist": [0, 27], "radiu": 27, "rotat": 27, "tangenti": 27, "pressur": [27, 33, 36], "plane": 27, "stylu": 27, "degre": 27, "90": 27, "tiltx": 27, "right": [0, 27, 32, 36], "tilti": 27, "toward": 27, "clockwis": 27, "pen": 27, "359": 27, "proce": [27, 29], "bottom": [27, 36], "gesturesourcetyp": [0, 27], "mousebutton": [0, 27], "middl": [0, 27], "utc": [27, 34], "januari": [27, 34, 56, 57], "1970": [27, 34], "dragdataitem": [0, 27], "mime_typ": [0, 27, 34, 36], "mimetyp": [27, 34, 36], "drag": 27, "mime": 27, "uri": [27, 34], "dragdata": [0, 27], "drag_operations_mask": [0, 27], "filenam": [27, 53, 55], "cancel_drag": [0, 27], "dispatch_drag_ev": [0, 27], "dispatch": 27, "alt": [27, 53], "ctrl": [27, 53], "shift": [27, 30, 35, 36, 38, 53], "8": [27, 34, 36, 51, 53, 56, 57], "dispatch_key_ev": [0, 27], "unmodified_text": 27, "key_identifi": 27, "windows_virtual_key_cod": 27, "native_virtual_key_cod": 27, "auto_repeat": 27, "is_keypad": 27, "is_system_kei": 27, "keyboard": [27, 36], "keyup": 27, "rawkeydown": 27, "shortcut": 27, "u": [27, 32, 35, 54, 55, 56], "0041": 27, "keya": 27, "altgr": 27, "repeat": [0, 27, 57], "keypad": 27, "selectal": 27, "execcommand": 27, "nsstandardkeybindingrespond": 27, "editor_command_nam": 27, "h": [27, 32, 49], "dispatch_mouse_ev": [0, 27], "click_count": 27, "delta_x": 27, "delta_i": 27, "pointer_typ": 27, "wheel": 27, "dispatch_touch_ev": [0, 27], "touch_point": 27, "touchend": 27, "touchcancel": 27, "touchstart": 27, "touchmov": 27, "per": [27, 30, 32, 34, 36, 41, 43, 45, 46, 47, 56, 57], "compar": [27, 41, 55], "sequenc": [27, 49, 51], "emulate_touch_from_mouse_ev": [0, 27], "ime_set_composit": [0, 27], "selection_start": 27, "selection_end": 27, "replacement_start": 27, "replacement_end": 27, "candid": [0, 27, 45, 57], "im": 27, "imecommitcomposit": 27, "imesetcomposit": 27, "composit": [27, 30], "insert_text": [0, 27], "doesn": [27, 35, 45], "emoji": 27, "set_ignore_input_ev": [0, 27], "set_intercept_drag": [0, 27], "dragintercept": [0, 27], "directli": [27, 53], "dispatchdragev": 27, "synthesize_pinch_gestur": [0, 27], "scale_factor": 27, "relative_spe": 27, "gesture_source_typ": 27, "synthes": [27, 49], "pinch": 27, "period": 27, "zoom": [0, 27, 36], "800": 27, "synthesize_scroll_gestur": [0, 27], "x_distanc": 27, "y_distanc": 27, "x_overscrol": 27, "y_overscrol": 27, "prevent_fl": 27, "repeat_count": 27, "repeat_delay_m": 27, "interaction_marker_nam": 27, "fling": 27, "swipe": 27, "250": 27, "synthesize_tap_gestur": [0, 27], "tap_count": 27, "tap": 27, "touchdown": 27, "touchup": 27, "m": [27, 34], "50": [27, 55], "doubl": [27, 53], "setinterceptdrag": 27, "detach": [0, 28, 36, 47], "connect": [0, 28, 34, 41, 43, 48, 50, 52, 55], "targetcrash": [0, 28, 47], "targetreloadedaftercrash": [0, 28], "output": [29, 50, 58], "blob": [29, 39, 51], "uuid": [0, 29, 33], "discret": [0, 29, 36, 50, 51], "eof": 29, "resolve_blob": [0, 29], "layerid": [0, 30], "snapshotid": [0, 30], "itself": [30, 41, 53], "stickypositionconstraint": [0, 30], "sticky_box_rect": [0, 30], "containing_block_rect": [0, 30], "nearest_layer_shifting_sticky_box": [0, 30], "nearest_layer_shifting_containing_block": [0, 30], "sticki": 30, "constraint": 30, "picturetil": [0, 30], "pictur": [0, 30, 36], "serial": [0, 30, 36, 41, 45, 49], "layer_id": [0, 30], "offset_x": [0, 30, 36], "offset_i": [0, 30, 36], "paint_count": [0, 30], "draws_cont": [0, 30], "parent_layer_id": [0, 30], "transform": [0, 30], "anchor_x": [0, 30], "anchor_i": [0, 30], "anchor_z": [0, 30], "invis": [0, 30], "sticky_position_constraint": [0, 30], "purpos": [30, 34, 51], "matrix": 30, "paintprofil": [0, 30], "compositing_reason": [0, 30], "compositingreason": 30, "compositingreasonid": 30, "inspect": [30, 32, 35, 36, 41, 47, 50], "load_snapshot": [0, 30], "compos": [30, 55], "make_snapshot": [0, 30], "profile_snapshot": [0, 30], "snapshot_id": 30, "min_repeat_count": 30, "min_dur": 30, "clip_rect": 30, "replai": [30, 34], "clip": [0, 30, 36], "release_snapshot": [0, 30], "replay_snapshot": [0, 30], "from_step": 30, "to_step": 30, "bitmap": 30, "till": 30, "snapshot_command_log": [0, 30], "canva": 30, "layerpaint": [0, 30], "layertreedidchang": [0, 30], "comsposit": 30, "logentri": [0, 31], "categori": [0, 31, 43, 49], "network_request_id": [0, 31], "worker_id": [0, 31], "arg": [0, 31, 41, 54, 56], "violationset": [0, 31], "threshold": [0, 31], "entryad": [0, 31], "start_violations_report": [0, 31], "stop_violations_report": [0, 31], "playerid": [0, 32], "player": [0, 32], "playermessag": [0, 32], "medialogrecord": 32, "kmessag": 32, "sync": [32, 36, 49], "medialogmessagelevel": 32, "playererror": [0, 32], "thing": [32, 55], "dvlog": 32, "pipelinestatu": 32, "soon": [32, 49], "howev": [32, 34, 53, 55], "introduc": 32, "hopefulli": 32, "integr": [0, 32, 34, 49], "playerproperti": [0, 32], "kmediapropertychang": 32, "playerev": [0, 32], "kmediaeventtrigg": 32, "playererrorsourceloc": [0, 32], "kmediaerror": 32, "potenti": [32, 34, 36, 45], "ie": [32, 55], "decodererror": 32, "windowserror": 32, "pipelinestatuscod": 32, "pipeline_statu": 32, "extra": [32, 34, 52], "hresult": 32, "codec": [32, 46], "playerpropertieschang": [0, 32], "player_id": [0, 32], "propvalu": 32, "playereventsad": [0, 32], "congest": 32, "chronolog": 32, "playermessageslog": [0, 32], "playererrorsrais": [0, 32], "playerscr": [0, 32], "join": [0, 32, 36, 45, 56, 57], "again": [32, 53, 55, 56, 57], "pressurelevel": [0, 33], "critic": [0, 33, 36], "moder": [0, 33], "samplingprofilenod": [0, 33], "samplingprofil": [0, 33], "base_address": [0, 33], "decim": 33, "hexadecim": 33, "0x": 33, "prefix": 33, "forcibly_purge_java_script_memori": [0, 33], "oomintervent": 33, "purg": 33, "get_all_time_sampling_profil": [0, 33], "startup": 33, "get_browser_sampling_profil": [0, 33], "get_dom_count": [0, 33], "jseventlisten": 33, "prepare_for_leak_detect": [0, 33], "set_pressure_notifications_suppress": [0, 33], "suppress": [33, 45], "simulate_pressure_notif": [0, 33], "suppress_random": 33, "random": [33, 56, 57], "perceiv": 34, "csp_violation_report": [0, 34], "cspviolationreport": 34, "preflight": [0, 34], "signed_exchang": [0, 34], "signedexchang": 34, "text_track": [0, 34], "texttrack": 34, "web_socket": [0, 34, 36], "websocket": [0, 34, 36, 55], "loader": [34, 36], "interceptionid": [0, 34], "access_deni": [0, 34], "accessdeni": 34, "address_unreach": [0, 34], "addressunreach": 34, "blocked_by_cli": [0, 34, 39], "blockedbycli": [34, 39], "blockedbyrespons": 34, "connection_abort": [0, 34], "connectionabort": 34, "connection_clos": [0, 34], "connectionclos": 34, "connection_fail": [0, 34], "connectionfail": 34, "connection_refus": [0, 34], "connectionrefus": 34, "connection_reset": [0, 34], "connectionreset": 34, "internet_disconnect": [0, 34], "internetdisconnect": 34, "name_not_resolv": [0, 34], "namenotresolv": 34, "timed_out": [0, 34], "timedout": 34, "monotonictim": [0, 34, 36], "arbitrari": 34, "past": [34, 56, 57], "connectiontyp": [0, 34], "supposedli": 34, "bluetooth": [0, 34, 36], "cellular2g": [0, 34], "cellular3g": [0, 34], "cellular4g": [0, 34], "ethernet": [0, 34], "wifi": [0, 34], "wimax": [0, 34], "cookiesamesit": [0, 34], "samesit": 34, "ietf": 34, "west": 34, "lax": [0, 34], "strict": [0, 34, 45], "cookieprior": [0, 34], "00": 34, "medium": [0, 34], "cookiesourceschem": [0, 34], "unset": [0, 34, 55], "legaci": [34, 49], "abil": 34, "non_secur": [0, 34], "nonsecur": 34, "resourcetim": [0, 34], "request_tim": [0, 34], "proxy_start": [0, 34], "proxy_end": [0, 34], "dns_start": [0, 34], "dns_end": [0, 34], "connect_start": [0, 34], "connect_end": [0, 34], "ssl_start": [0, 34], "ssl_end": [0, 34], "worker_start": [0, 34], "worker_readi": [0, 34], "worker_fetch_start": [0, 34], "worker_respond_with_settl": [0, 34], "send_start": [0, 34], "send_end": [0, 34], "push_start": [0, 34], "push_end": [0, 34], "receive_headers_start": [0, 34], "receive_headers_end": [0, 34], "dn": 34, "proxi": [34, 47], "requesttim": 34, "baselin": 34, "tick": [0, 34, 40], "ssl": [34, 43], "handshak": 34, "settl": 34, "respondwith": 34, "resourceprior": [0, 34], "very_high": [0, 34], "veryhigh": 34, "very_low": [0, 34], "verylow": 34, "postdataentri": [0, 34], "bytes_": [0, 34], "initial_prior": [0, 34], "referrer_polici": [0, 34, 36], "url_frag": [0, 34, 36], "has_post_data": [0, 34], "post_data_entri": [0, 34], "mixed_content_typ": [0, 34, 43], "is_link_preload": [0, 34], "trust_token_param": [0, 34], "is_same_sit": [0, 34], "mixedcontenttyp": [0, 34, 43], "trusttokenparam": [0, 34], "postdata": 34, "too": [34, 47], "correspondinfg": 34, "referr": [34, 36], "trusttoken": [0, 34, 45], "signedcertificatetimestamp": [0, 34], "log_descript": [0, 34], "log_id": [0, 34], "hash_algorithm": [0, 34], "signature_algorithm": [0, 34], "signature_data": [0, 34], "certif": [0, 34, 43], "sct": 34, "algorithm": [34, 35], "signatur": [0, 34, 43, 51], "issuanc": [0, 34, 36], "unlik": [34, 36, 41], "securitydetail": [0, 34], "key_exchang": [0, 34, 43], "cipher": [0, 34, 43], "certificate_id": [0, 34], "subject_nam": [0, 34, 43], "san_list": [0, 34], "issuer": [0, 34, 43, 45], "valid_from": [0, 34, 43], "valid_to": [0, 34, 43], "signed_certificate_timestamp_list": [0, 34], "certificate_transparency_compli": [0, 34], "encrypted_client_hello": [0, 34], "key_exchange_group": [0, 34, 43], "mac": [0, 34, 43, 46], "server_signature_algorithm": [0, 34], "certificateid": [0, 34, 43], "certificatetransparencycompli": [0, 34], "compli": 34, "transpar": [34, 35, 36], "encrypt": [34, 36], "clienthello": 34, "ca": [34, 43], "exchang": [34, 43], "ec": [34, 43], "dh": [34, 43], "tl": [34, 43], "aead": [34, 43], "quic": [34, 43], "subject": [34, 43], "san": 34, "ip": 34, "signatureschem": 34, "expir": [0, 34, 36, 43, 45], "compliant": [0, 34], "not_compli": [0, 34], "unknown": [0, 34, 36, 43, 46], "blockedreason": [0, 34], "content_typ": [0, 34], "coop_sandboxed_iframe_cannot_navigate_to_coop_pag": [0, 34], "corp": 34, "mixed_cont": [0, 34, 39], "subresource_filt": [0, 34], "subresourc": 34, "corserror": [0, 34], "allow_origin_mismatch": [0, 34], "alloworiginmismatch": 34, "cors_disabled_schem": [0, 34], "corsdisabledschem": 34, "disallowed_by_mod": [0, 34], "disallowedbymod": 34, "header_disallowed_by_preflight_respons": [0, 34], "headerdisallowedbypreflightrespons": 34, "insecure_private_network": [0, 34], "insecureprivatenetwork": 34, "invalid_allow_credenti": [0, 34], "invalidallowcredenti": 34, "invalid_allow_headers_preflight_respons": [0, 34], "invalidallowheaderspreflightrespons": 34, "invalid_allow_methods_preflight_respons": [0, 34], "invalidallowmethodspreflightrespons": 34, "invalid_allow_origin_valu": [0, 34], "invalidalloworiginvalu": 34, "invalid_private_network_access": [0, 34], "invalidprivatenetworkaccess": 34, "invalid_respons": [0, 34], "invalidrespons": 34, "method_disallowed_by_preflight_respons": [0, 34], "methoddisallowedbypreflightrespons": 34, "missing_allow_origin_head": [0, 34], "missingalloworiginhead": 34, "multiple_allow_origin_valu": [0, 34], "multiplealloworiginvalu": 34, "no_cors_redirect_mode_not_follow": [0, 34], "nocorsredirectmodenotfollow": 34, "preflight_allow_origin_mismatch": [0, 34], "preflightalloworiginmismatch": 34, "preflight_disallowed_redirect": [0, 34], "preflightdisallowedredirect": 34, "preflight_invalid_allow_credenti": [0, 34], "preflightinvalidallowcredenti": 34, "preflight_invalid_allow_extern": [0, 34], "preflightinvalidallowextern": 34, "preflight_invalid_allow_origin_valu": [0, 34], "preflightinvalidalloworiginvalu": 34, "preflight_invalid_allow_private_network": [0, 34], "preflightinvalidallowprivatenetwork": 34, "preflight_invalid_statu": [0, 34], "preflightinvalidstatu": 34, "preflight_missing_allow_extern": [0, 34], "preflightmissingallowextern": 34, "preflight_missing_allow_origin_head": [0, 34], "preflightmissingalloworiginhead": 34, "preflight_missing_allow_private_network": [0, 34], "preflightmissingallowprivatenetwork": 34, "preflight_missing_private_network_access_id": [0, 34], "preflightmissingprivatenetworkaccessid": 34, "preflight_missing_private_network_access_nam": [0, 34], "preflightmissingprivatenetworkaccessnam": 34, "preflight_multiple_allow_origin_valu": [0, 34], "preflightmultiplealloworiginvalu": 34, "preflight_wildcard_origin_not_allow": [0, 34], "preflightwildcardoriginnotallow": 34, "private_network_access_permission_deni": [0, 34], "privatenetworkaccesspermissiondeni": 34, "private_network_access_permission_unavail": [0, 34], "privatenetworkaccesspermissionunavail": 34, "redirect_contains_credenti": [0, 34], "redirectcontainscredenti": 34, "unexpected_private_network_access": [0, 34], "unexpectedprivatenetworkaccess": 34, "wildcard_origin_not_allow": [0, 34], "wildcardoriginnotallow": 34, "cors_error": [0, 34], "failed_paramet": [0, 34], "serviceworkerresponsesourc": [0, 34], "cache_storag": [0, 34, 45], "fallback_cod": [0, 34], "http_cach": [0, 34], "refresh_polici": [0, 34], "trust": [34, 45], "trust_token": 34, "trusttokenoperationtyp": [0, 34], "whom": 34, "redempt": [0, 34, 36, 45], "fresh": [0, 34, 57], "srr": 34, "alternateprotocolusag": [0, 34], "transport": [0, 34, 43, 51], "alternative_job_won_rac": [0, 34], "alternativejobwonrac": 34, "alternative_job_won_without_rac": [0, 34], "alternativejobwonwithoutrac": 34, "broken": [0, 34, 43], "dns_alpn_h3_job_won_rac": [0, 34], "dnsalpnh3jobwonrac": 34, "dns_alpn_h3_job_won_without_rac": [0, 34], "dnsalpnh3jobwonwithoutrac": 34, "main_job_won_rac": [0, 34], "mainjobwonrac": 34, "mapping_miss": [0, 34], "mappingmiss": 34, "unspecified_reason": [0, 34], "unspecifiedreason": 34, "serviceworkerrouterinfo": [0, 34], "rule_id_match": [0, 34], "status_text": [0, 34], "charset": [0, 34], "connection_reus": [0, 34], "connection_id": [0, 34, 48], "encoded_data_length": [0, 34], "security_st": [0, 34, 43], "headers_text": [0, 34], "request_headers_text": [0, 34], "remote_ip_address": [0, 34], "remote_port": [0, 34], "from_disk_cach": [0, 34], "from_service_work": [0, 34], "from_prefetch_cach": [0, 34], "service_worker_router_info": [0, 34], "service_worker_response_sourc": [0, 34], "cache_storage_cache_nam": [0, 34], "alternate_protocol_usag": [0, 34], "security_detail": [0, 34], "securityst": [0, 34, 43], "reus": [34, 41], "responsereceivedextrainfo": [0, 34], "port": [0, 34, 47, 48], "requestwillbesentextrainfo": [0, 34], "infom": 34, "router": 34, "cachedresourc": [0, 34], "websocketrequest": [0, 34], "websocketrespons": [0, 34], "websocketfram": [0, 34], "opcod": [0, 34], "payload_data": [0, 34], "just": [34, 53, 55, 56, 57], "payload": [0, 34, 41], "payloaddata": 34, "body_s": [0, 34], "http_onli": [0, 34], "same_parti": [0, 34], "source_schem": [0, 34], "source_port": [0, 34], "same_sit": [0, 34], "partition_kei": [0, 34], "partition_key_opaqu": [0, 34], "unix": 34, "partit": 34, "visit": 34, "endpoint": [0, 34, 36, 45], "sameparti": 34, "65535": 34, "setcookieblockedreason": [0, 34], "disallowed_charact": [0, 34], "disallowedcharact": 34, "invalid_domain": [0, 34], "invaliddomain": 34, "invalid_prefix": [0, 34], "invalidprefix": 34, "name_value_pair_exceeds_max_s": [0, 34], "namevaluepairexceedsmaxs": 34, "no_cookie_cont": [0, 34], "nocookiecont": 34, "overwrite_secur": [0, 34], "overwritesecur": 34, "same_party_conflicts_with_other_attribut": [0, 34], "samepartyconflictswithotherattribut": 34, "same_party_from_cross_party_context": [0, 34], "samepartyfromcrosspartycontext": 34, "same_site_lax": [0, 34], "samesitelax": 34, "same_site_none_insecur": [0, 34], "samesitenoneinsecur": 34, "same_site_strict": [0, 34], "samesitestrict": 34, "same_site_unspecified_treated_as_lax": [0, 34], "samesiteunspecifiedtreatedaslax": 34, "schemeful_same_site_lax": [0, 34], "schemefulsamesitelax": 34, "schemeful_same_site_strict": [0, 34], "schemefulsamesitestrict": 34, "schemeful_same_site_unspecified_treated_as_lax": [0, 34], "schemefulsamesiteunspecifiedtreatedaslax": 34, "scheme_not_support": [0, 34], "schemenotsupport": 34, "secure_onli": [0, 34], "secureonli": 34, "syntax_error": [0, 34], "syntaxerror": 34, "third_party_blocked_in_first_party_set": [0, 34], "thirdpartyblockedinfirstpartyset": 34, "third_party_phaseout": [0, 34], "thirdpartyphaseout": 34, "unknown_error": [0, 34], "unknownerror": 34, "user_prefer": [0, 34], "userprefer": 34, "cookieblockedreason": [0, 34], "domain_mismatch": [0, 34], "domainmismatch": 34, "not_on_path": [0, 34], "notonpath": 34, "blockedsetcookiewithreason": [0, 34], "blocked_reason": [0, 34], "cookie_lin": [0, 34], "sometim": [34, 52, 56, 57], "individu": [34, 36], "blockedcookiewithreason": [0, 34], "cookieparam": [0, 34, 45], "interceptionstag": [0, 34], "headers_receiv": [0, 34], "interception_stag": [0, 34], "signedexchangesignatur": [0, 34], "validity_url": [0, 34], "cert_url": [0, 34], "cert_sha256": [0, 34], "webpackag": 34, "yasskin": 34, "httpbi": 34, "impl": 34, "rfc": 34, "hex": [34, 35], "cert": 34, "sha256": 34, "signedexchangehead": [0, 34], "header_integr": [0, 34], "cbor": 34, "signedexchangeerrorfield": [0, 34], "signature_cert_sha256": [0, 34], "signaturecertsha256": 34, "signature_cert_url": [0, 34], "signaturecerturl": 34, "signature_integr": [0, 34], "signatureintegr": 34, "signature_sig": [0, 34], "signaturesig": 34, "signature_timestamp": [0, 34], "signaturetimestamp": 34, "signature_validity_url": [0, 34], "signaturevalidityurl": 34, "signedexchangeerror": [0, 34], "signature_index": [0, 34], "error_field": [0, 34], "signedexchangeinfo": [0, 34], "outer_respons": [0, 34], "exchagn": 34, "contentencod": [0, 34], "br": [0, 34], "deflat": [0, 34], "gzip": [0, 34, 49], "zstd": [0, 34], "privatenetworkrequestpolici": [0, 34], "block_from_insecure_to_more_priv": [0, 34], "blockfrominsecuretomorepriv": 34, "preflight_block": [0, 34], "preflightblock": 34, "preflight_warn": [0, 34], "preflightwarn": 34, "warn_from_insecure_to_more_priv": [0, 34], "warnfrominsecuretomorepriv": 34, "privat": [0, 34, 36, 41, 51], "connecttim": [0, 34], "initiator_is_secure_context": [0, 34], "initiator_ip_address_spac": [0, 34], "private_network_request_polici": [0, 34], "crossoriginopenerpolicyvalu": [0, 34], "restrict_properti": [0, 34], "restrictproperti": 34, "restrict_properties_plus_coep": [0, 34], "restrictpropertiespluscoep": 34, "same_origin": [0, 34, 36], "sameorigin": [34, 36], "same_origin_allow_popup": [0, 34], "sameoriginallowpopup": 34, "same_origin_plus_coep": [0, 34], "sameoriginpluscoep": 34, "unsafe_non": [0, 34], "unsafenon": 34, "crossoriginopenerpolicystatu": [0, 34], "report_only_valu": [0, 34], "reporting_endpoint": [0, 34], "report_only_reporting_endpoint": [0, 34], "crossoriginembedderpolicyvalu": [0, 34], "credentialless": [0, 34], "require_corp": [0, 34], "requirecorp": 34, "crossoriginembedderpolicystatu": [0, 34], "contentsecuritypolicysourc": [0, 34], "contentsecuritypolicystatu": [0, 34], "effective_direct": [0, 34], "is_enforc": [0, 34], "securityisolationstatu": [0, 34], "reportstatu": [0, 34], "marked_for_remov": [0, 34], "markedforremov": 34, "queu": [0, 34], "reportid": [0, 34], "reportingapireport": [0, 34], "initiator_url": [0, 34], "destin": [0, 34, 36, 50], "completed_attempt": [0, 34], "deliveri": 34, "made": [34, 41, 55], "upload": [34, 53], "reportingapiendpoint": [0, 34], "group_nam": [0, 34], "loadnetworkresourcepageresult": [0, 34], "net_error": [0, 34], "net_error_nam": [0, 34], "http_status_cod": [0, 34], "loadnetworkresourceopt": [0, 34], "disable_cach": [0, 34], "include_credenti": [0, 34], "later": [34, 41], "corb": 34, "can_clear_browser_cach": [0, 34], "can_clear_browser_cooki": [0, 34], "can_emulate_network_condit": [0, 34], "clear_accepted_encodings_overrid": [0, 34], "setacceptedencod": 34, "clear_browser_cach": [0, 34], "clear_browser_cooki": [0, 34], "continue_intercepted_request": [0, 34], "interception_id": [0, 34], "raw_respons": 34, "requestintercept": [0, 34], "isnavigationrequest": 34, "delete_cooki": [0, 34, 36], "emulate_network_condit": [0, 34], "offlin": [0, 34, 50], "download_throughput": 34, "upload_throughput": 34, "connection_typ": 34, "internet": 34, "disconnect": [34, 47, 50], "throughput": 34, "max_total_buffer_s": 34, "max_resource_buffer_s": 34, "max_post_data_s": 34, "buffer": [34, 38, 49, 50], "preserv": 34, "longest": 34, "enable_reporting_api": [0, 34], "reportingapireportad": [0, 34], "get_all_cooki": [0, 34], "getcooki": 34, "get_certif": [0, 34], "der": 34, "get_cooki": [0, 34, 45], "subfram": 34, "get_request_post_data": [0, 34], "multipart": 34, "get_response_body_for_intercept": [0, 34], "get_security_isolation_statu": [0, 34], "load_network_resourc": [0, 34], "mandatori": 34, "replay_xhr": [0, 34], "withcredenti": 34, "search_in_response_bodi": [0, 34], "set_accepted_encod": [0, 34], "set_attach_debug_stack": [0, 34], "set_blocked_ur_l": [0, 34], "set_bypass_service_work": [0, 34], "bypass": [34, 36, 41, 47], "toggl": [34, 36], "set_cache_dis": [0, 34], "cache_dis": 34, "overwrit": 34, "set_extra_http_head": [0, 34], "set_request_intercept": [0, 34], "wait": [0, 34, 41, 52, 53, 55, 56, 57], "continueinterceptedrequest": 34, "stream_resource_cont": [0, 34], "datareceiv": [0, 34], "take_response_body_for_interception_as_stream": [0, 34], "data_length": [0, 34], "datalength": 34, "eventsourcemessagereceiv": [0, 34], "event_id": [0, 34, 43, 45], "loadingfail": [0, 34], "error_text": [0, 34], "loadingfinish": [0, 34], "is_navigation_request": [0, 34], "is_download": [0, 34], "redirect_url": [0, 34], "likewis": 34, "auth": 34, "retri": [0, 34, 55, 57], "requestservedfromcach": [0, 34], "wall_tim": [0, 34], "redirect_has_extra_info": [0, 34], "redirect_respons": [0, 34], "has_user_gestur": [0, 34], "redirectrespons": 34, "resourcechangedprior": [0, 34], "new_prior": [0, 34], "signedexchangereceiv": [0, 34], "responsereceiv": [0, 34], "has_extra_info": [0, 34], "websocketclos": [0, 34], "websocketcr": [0, 34], "websocketframeerror": [0, 34], "error_messag": [0, 34, 39, 44], "websocketframereceiv": [0, 34], "websocketframes": [0, 34], "websockethandshakeresponsereceiv": [0, 34], "websocketwillsendhandshakerequest": [0, 34], "webtransportcr": [0, 34], "transport_id": [0, 34], "webtransport": [34, 36], "webtransportconnectionestablish": [0, 34], "webtransportclos": [0, 34], "dispos": [34, 47], "associated_cooki": [0, 34], "connect_tim": [0, 34], "site_has_cookie_in_other_partit": [0, 34], "latter": 34, "wire": 34, "blocked_cooki": [0, 34], "status_cod": [0, 34], "cookie_partition_kei": [0, 34], "cookie_partition_key_opaqu": [0, 34], "proper": 34, "serializ": [34, 41, 54, 55], "space": [34, 35], "establish": 34, "correct": [34, 55], "200": [34, 49, 56, 57], "304": 34, "trusttokenoperationdon": [0, 34], "top_level_origin": [0, 34], "issuer_origin": [0, 34, 45], "issued_token_count": [0, 34], "succeed": [34, 49], "alreadyexist": 34, "signifi": 34, "und": 34, "preemptiv": 34, "subresourcewebbundlemetadatareceiv": [0, 34], "wbn": 34, "bundl": [34, 45], "subresourcewebbundlemetadataerror": [0, 34], "subresourcewebbundleinnerresponsepars": [0, 34], "inner_request_id": [0, 34], "inner_request_url": [0, 34], "bundle_request_id": [0, 34], "webpag": [34, 36, 55], "webbundl": 34, "subresourcewebbundleinnerresponseerror": [0, 34], "And": 34, "enablereportingapi": 34, "reportingapireportupd": [0, 34], "reportingapiendpointschangedfororigin": [0, 34], "atop": 35, "sourceorderconfig": [0, 35], "parent_outline_color": [0, 35], "child_outline_color": [0, 35], "outlin": [35, 36], "givent": 35, "gridhighlightconfig": [0, 35], "show_grid_extension_lin": [0, 35], "show_positive_line_numb": [0, 35], "show_negative_line_numb": [0, 35], "show_area_nam": [0, 35], "show_line_nam": [0, 35], "show_track_s": [0, 35], "grid_border_color": [0, 35], "cell_border_color": [0, 35], "row_line_color": [0, 35], "column_line_color": [0, 35], "grid_border_dash": [0, 35], "cell_border_dash": [0, 35], "row_line_dash": [0, 35], "column_line_dash": [0, 35], "row_gap_color": [0, 35], "row_hatch_color": [0, 35], "column_gap_color": [0, 35], "column_hatch_color": [0, 35], "area_border_color": [0, 35], "grid_background_color": [0, 35], "grid": 35, "rowlinecolor": 35, "columnlinecolor": 35, "cell": 35, "rowlinedash": 35, "columnlinedash": 35, "dash": 35, "gap": 35, "hatch": 35, "row": 35, "ruler": 35, "shown": [35, 36, 43, 56, 57], "neg": 35, "flexcontainerhighlightconfig": [0, 35], "container_bord": [0, 35], "line_separ": [0, 35], "item_separ": [0, 35], "main_distributed_spac": [0, 35], "cross_distributed_spac": [0, 35], "row_gap_spac": [0, 35], "column_gap_spac": [0, 35], "cross_align": [0, 35], "flex": 35, "linestyl": [0, 35], "boxstyl": [0, 35], "self": [0, 35, 39, 55], "align": 35, "justifi": 35, "flexitemhighlightconfig": [0, 35], "base_size_box": [0, 35], "base_size_bord": [0, 35], "flexibility_arrow": [0, 35], "arrow": [35, 53], "grew": 35, "shrank": 35, "solid": 35, "fill_color": [0, 35], "hatch_color": [0, 35], "contrastalgorithm": [0, 35], "aa": [0, 35], "apca": [0, 35], "highlightconfig": [0, 35], "show_info": [0, 35], "show_styl": [0, 35], "show_rul": [0, 35], "show_accessibility_info": [0, 35], "show_extension_lin": [0, 35], "content_color": [0, 35], "padding_color": [0, 35], "border_color": [0, 35], "margin_color": [0, 35], "event_target_color": [0, 35], "shape_color": [0, 35], "shape_margin_color": [0, 35], "css_grid_color": [0, 35], "color_format": [0, 35], "grid_highlight_config": [0, 35], "flex_container_highlight_config": [0, 35], "flex_item_highlight_config": [0, 35], "contrast_algorithm": [0, 35], "container_query_container_highlight_config": [0, 35], "colorformat": [0, 35], "containerquerycontainerhighlightconfig": [0, 35], "ratio": [35, 36], "a11i": 35, "tooltip": 35, "hex_": [0, 35], "hsl": [0, 35], "hwb": [0, 35], "rgb": [0, 35], "gridnodehighlightconfig": [0, 35], "persist": [0, 35, 41, 45], "flexnodehighlightconfig": [0, 35], "scrollsnapcontainerhighlightconfig": [0, 35], "snapport_bord": [0, 35], "snap_area_bord": [0, 35], "scroll_margin_color": [0, 35], "scroll_padding_color": [0, 35], "snap": 35, "snapport": 35, "scrollsnaphighlightconfig": [0, 35], "scroll_snap_container_highlight_config": [0, 35], "hingeconfig": [0, 35], "outline_color": [0, 35], "dual": 35, "hing": 35, "windowcontrolsoverlayconfig": [0, 35], "show_css": [0, 35], "selected_platform": [0, 35], "theme_color": [0, 35], "selet": 35, "bar": [35, 36], "app": [35, 36], "containerqueryhighlightconfig": [0, 35], "descendant_bord": [0, 35], "isolatedelementhighlightconfig": [0, 35], "isolation_mode_highlight_config": [0, 35], "isolationmodehighlightconfig": [0, 35], "resizer_color": [0, 35], "resizer_handle_color": [0, 35], "mask_color": [0, 35], "cover": [35, 40], "inspectmod": [0, 35], "capture_area_screenshot": [0, 35], "captureareascreenshot": 35, "search_for_nod": [0, 35], "searchfornod": 35, "search_for_ua_shadow_dom": [0, 35], "searchforuashadowdom": 35, "show_dist": [0, 35], "showdist": 35, "get_grid_highlight_objects_for_test": [0, 35], "get_highlight_object_for_test": [0, 35], "include_dist": 35, "include_styl": 35, "get_source_order_highlight_object_for_test": [0, 35], "viewer": 35, "highlight_fram": [0, 35], "content_outline_color": 35, "reliabl": [35, 41], "fix": [0, 35, 36, 43], "separat": 35, "highlightnod": 35, "highlight_config": 35, "highlight_quad": [0, 35], "respect": [35, 41], "highlight_source_ord": [0, 35], "source_order_config": 35, "set_inspect_mod": [0, 35], "enter": [35, 36], "hover": [35, 53], "inspectnoderequest": [0, 35], "set_paused_in_debugger_messag": [0, 35], "set_show_ad_highlight": [0, 35], "set_show_container_query_overlai": [0, 35], "container_query_highlight_config": 35, "set_show_debug_bord": [0, 35], "set_show_flex_overlai": [0, 35], "flex_node_highlight_config": 35, "set_show_fps_count": [0, 35], "fp": [35, 46], "counter": [35, 40, 51], "set_show_grid_overlai": [0, 35], "grid_node_highlight_config": 35, "set_show_hing": [0, 35], "hinge_config": 35, "hidehing": 35, "set_show_hit_test_bord": [0, 35], "set_show_isolated_el": [0, 35], "isolated_element_highlight_config": 35, "set_show_layout_shift_region": [0, 35], "set_show_paint_rect": [0, 35], "set_show_scroll_bottleneck_rect": [0, 35], "bottleneck": 35, "set_show_scroll_snap_overlai": [0, 35], "scroll_snap_highlight_config": 35, "set_show_viewport_size_on_res": [0, 35], "set_show_web_vit": [0, 35], "vital": 35, "set_show_window_controls_overlai": [0, 35], "window_controls_overlay_config": 35, "pwa": [35, 36], "setinspectmod": 35, "nodehighlightrequest": [0, 35], "screenshotrequest": [0, 35], "ask": [35, 56, 57], "inspectmodecancel": [0, 35], "adframetyp": [0, 36], "adframeexplan": [0, 36], "created_by_ad_script": [0, 36], "createdbyadscript": 36, "matched_blocking_rul": [0, 36], "matchedblockingrul": 36, "parent_is_ad": [0, 36], "parentisad": 36, "adframestatu": [0, 36], "ad_frame_typ": [0, 36], "explan": [0, 36, 43], "adscriptid": [0, 36], "debugger_id": [0, 36, 41], "securecontexttyp": [0, 36], "insecure_ancestor": [0, 36], "insecureancestor": 36, "insecure_schem": [0, 36], "insecureschem": 36, "secure_localhost": [0, 36], "securelocalhost": 36, "crossoriginisolatedcontexttyp": [0, 36], "not_isol": [0, 36], "notisol": 36, "not_isolated_feature_dis": [0, 36], "notisolatedfeaturedis": 36, "gatedapifeatur": [0, 36], "performance_measure_memori": [0, 36], "performancemeasurememori": 36, "performance_profil": [0, 36], "performanceprofil": 36, "shared_array_buff": [0, 36], "sharedarraybuff": 36, "shared_array_buffers_transfer_allow": [0, 36], "sharedarraybufferstransferallow": 36, "permissionspolicyfeatur": [0, 36], "permissions_polici": 36, "permissions_policy_featur": 36, "ambient_light_sensor": [0, 36], "attribution_report": [0, 36], "autoplai": [0, 36], "browsing_top": [0, 36], "brows": [36, 45, 53, 55], "topic": 36, "ch_device_memori": [0, 36], "ch_downlink": [0, 36], "downlink": 36, "ch_dpr": [0, 36], "dpr": 36, "ch_ect": [0, 36], "ect": 36, "ch_prefers_color_schem": [0, 36], "ch_prefers_reduced_mot": [0, 36], "reduc": 36, "motion": 36, "ch_prefers_reduced_transpar": [0, 36], "ch_rtt": [0, 36], "rtt": 36, "ch_save_data": [0, 36], "ch_ua": [0, 36], "ch_ua_arch": [0, 36], "arch": 36, "ch_ua_bit": [0, 36], "ch_ua_form_factor": [0, 36], "ch_ua_full_vers": [0, 36], "ch_ua_full_version_list": [0, 36], "ch_ua_mobil": [0, 36], "ch_ua_model": [0, 36], "ch_ua_platform": [0, 36], "ch_ua_platform_vers": [0, 36], "ch_ua_wow64": [0, 36], "ch_viewport_height": [0, 36], "ch_viewport_width": [0, 36], "ch_width": [0, 36], "clipboard_read": [0, 36], "clipboard_writ": [0, 36], "compute_pressur": [0, 36], "cross_origin_isol": [0, 36], "direct_socket": [0, 36], "socket": 36, "document_domain": [0, 36], "encrypted_media": [0, 36], "execution_while_not_rend": [0, 36], "execution_while_out_of_viewport": [0, 36], "focus_without_user_activ": [0, 36], "frobul": [0, 36], "gamepad": [0, 36], "hid": [0, 36], "identity_credentials_get": [0, 36], "credenti": [0, 36, 51], "interest_cohort": [0, 36], "interest": [36, 45], "cohort": 36, "join_ad_interest_group": [0, 36], "keyboard_map": [0, 36], "microphon": [0, 36], "otp_credenti": [0, 36], "otp": 36, "payment": [0, 36], "picture_in_pictur": [0, 36], "private_aggreg": [0, 36], "private_state_token_issu": [0, 36], "private_state_token_redempt": [0, 36], "publickey_credentials_cr": [0, 36], "publickei": 36, "publickey_credentials_get": [0, 36], "run_ad_auct": [0, 36], "auction": 36, "screen_wake_lock": [0, 36], "wake": 36, "lock": 36, "shared_autofil": [0, 36], "shared_storag": [0, 36, 45], "shared_storage_select_url": [0, 36], "smart_card": [0, 36], "smart": [0, 36, 57], "sub_app": [0, 36], "sync_xhr": [0, 36], "unload": [0, 36], "usb": [0, 36, 51], "usb_unrestrict": [0, 36], "unrestrict": 36, "vertical_scrol": [0, 36], "web_print": [0, 36], "web_shar": [0, 36], "window_plac": [0, 36], "placement": 36, "xr_spatial_track": [0, 36], "xr": 36, "spatial": 36, "permissionspolicyblockreason": [0, 36], "iframe_attribut": [0, 36], "iframeattribut": 36, "in_fenced_frame_tre": [0, 36], "infencedframetre": 36, "in_isolated_app": [0, 36], "inisolatedapp": 36, "permissionspolicyblockloc": [0, 36], "block_reason": [0, 36], "permissionspolicyfeaturest": [0, 36], "origintrialtokenstatu": [0, 36], "trial": 36, "feature_dis": [0, 36], "featuredis": 36, "feature_disabled_for_us": [0, 36], "featuredisabledforus": 36, "insecur": [0, 36, 43], "invalid_signatur": [0, 36], "invalidsignatur": 36, "not_support": [0, 36, 39], "notsupport": [36, 39], "token_dis": [0, 36], "tokendis": 36, "unknown_tri": [0, 36], "unknowntri": 36, "wrong_origin": [0, 36], "wrongorigin": 36, "wrong_vers": [0, 36], "wrongvers": 36, "origintrialstatu": [0, 36], "os_not_support": [0, 36], "osnotsupport": 36, "trial_not_allow": [0, 36], "trialnotallow": 36, "valid_token_not_provid": [0, 36], "validtokennotprovid": 36, "origintrialusagerestrict": [0, 36], "origintrialtoken": [0, 36], "match_sub_domain": [0, 36], "trial_nam": [0, 36], "expiry_tim": [0, 36], "is_third_parti": [0, 36], "usage_restrict": [0, 36], "origintrialtokenwithstatu": [0, 36], "raw_token_text": [0, 36], "parsed_token": [0, 36], "parsedtoken": 36, "parsabl": 36, "origintri": [0, 36], "tokens_with_statu": [0, 36], "domain_and_registri": [0, 36], "secure_context_typ": [0, 36], "cross_origin_isolated_context_typ": [0, 36], "gated_api_featur": [0, 36], "unreachable_url": [0, 36], "ad_frame_statu": [0, 36], "take": [36, 41, 43, 55], "suffix": 36, "googl": 36, "co": 36, "uk": 36, "gate": 36, "frameresourc": [0, 36], "last_modifi": [0, 36], "content_s": [0, 36], "frameresourcetre": [0, 36], "child_fram": [0, 36], "frametre": [0, 36], "scriptidentifi": [0, 36], "transitiontyp": [0, 36], "address_bar": [0, 36], "auto_bookmark": [0, 36], "auto_subfram": [0, 36], "auto_toplevel": [0, 36], "form_submit": [0, 36], "keyword": [0, 36], "keyword_gener": [0, 36], "manual_subfram": [0, 36], "navigationentri": [0, 36], "user_typed_url": [0, 36], "transition_typ": [0, 36], "histori": [36, 55], "screencastframemetadata": [0, 36], "offset_top": [0, 36], "device_width": [0, 36], "device_height": [0, 36], "screencast": 36, "swap": 36, "alert": [0, 36, 53], "beforeunload": [0, 36, 47], "confirm": [0, 36], "appmanifesterror": [0, 36], "pare": 36, "critici": 36, "recover": 36, "appmanifestparsedproperti": [0, 36], "layoutviewport": [0, 36], "page_x": [0, 36], "page_i": [0, 36], "client_width": [0, 36], "client_height": [0, 36], "visualviewport": [0, 36, 55], "ideal": 36, "fontfamili": [0, 36], "serif": [0, 36], "sans_serif": [0, 36], "cursiv": [0, 36], "fantasi": [0, 36], "math": [0, 36], "sansserif": 36, "scriptfontfamili": [0, 36], "fontsiz": [0, 36], "clientnavigationreason": [0, 36], "anchor_click": [0, 36], "anchorclick": 36, "form_submission_get": [0, 36], "formsubmissionget": 36, "form_submission_post": [0, 36], "formsubmissionpost": 36, "http_header_refresh": [0, 36], "httpheaderrefresh": 36, "meta_tag_refresh": [0, 36], "metatagrefresh": 36, "page_block_interstiti": [0, 36], "pageblockinterstiti": 36, "script_initi": [0, 36], "scriptiniti": 36, "clientnavigationdisposit": [0, 36], "current_tab": [0, 36], "currenttab": 36, "new_tab": [0, 36, 52, 55, 56, 57], "newtab": 36, "new_window": [0, 36, 47, 52, 55, 56, 57], "newwindow": 36, "installabilityerrorargu": [0, 36], "icon": 36, "64": [36, 51], "installabilityerror": [0, 36], "error_id": [0, 36], "error_argu": [0, 36], "suitabl": [36, 55], "referrerpolici": [0, 36], "no_referr": [0, 36], "noreferr": 36, "no_referrer_when_downgrad": [0, 36], "noreferrerwhendowngrad": 36, "origin_when_cross_origin": [0, 36], "originwhencrossorigin": 36, "strict_origin": [0, 36], "strictorigin": 36, "strict_origin_when_cross_origin": [0, 36], "strictoriginwhencrossorigin": 36, "unsafe_url": [0, 36], "unsafeurl": 36, "compilationcacheparam": [0, 36], "eager": [0, 36], "compil": [36, 41], "producecompilationcach": 36, "recommend": [0, 36, 43, 51, 56], "autoresponsemod": [0, 36], "repons": 36, "permisison": 36, "auto_accept": [0, 36], "autoaccept": 36, "auto_opt_out": [0, 36], "autooptout": 36, "auto_reject": [0, 36], "autoreject": 36, "navigationtyp": [0, 36], "framenavig": [0, 36], "back_forward_cache_restor": [0, 36], "backforwardcacherestor": 36, "backforwardcachenotrestoredreason": [0, 36], "activation_navigations_disallowed_for_bug1234857": [0, 36], "activationnavigationsdisallowedforbug1234857": 36, "app_bann": [0, 36], "appbann": 36, "back_forward_cache_dis": [0, 36], "backforwardcachedis": 36, "back_forward_cache_disabled_by_command_lin": [0, 36], "backforwardcachedisabledbycommandlin": 36, "back_forward_cache_disabled_by_low_memori": [0, 36], "backforwardcachedisabledbylowmemori": 36, "back_forward_cache_disabled_for_deleg": [0, 36], "backforwardcachedisabledfordeleg": 36, "back_forward_cache_disabled_for_prerend": [0, 36], "backforwardcachedisabledforprerend": 36, "broadcast_channel": [0, 36], "broadcastchannel": 36, "browsing_instance_not_swap": [0, 36], "browsinginstancenotswap": 36, "cache_control_no_stor": [0, 36], "cachecontrolnostor": 36, "cache_control_no_store_cookie_modifi": [0, 36], "cachecontrolnostorecookiemodifi": 36, "cache_control_no_store_http_only_cookie_modifi": [0, 36], "cachecontrolnostorehttponlycookiemodifi": 36, "cache_flush": [0, 36], "cacheflush": 36, "cache_limit": [0, 36], "cachelimit": 36, "conflicting_browsing_inst": [0, 36], "conflictingbrowsinginst": 36, "contains_plugin": [0, 36], "containsplugin": 36, "content_file_choos": [0, 36], "contentfilechoos": 36, "content_file_system_access": [0, 36], "contentfilesystemaccess": 36, "content_media_devices_dispatcher_host": [0, 36], "contentmediadevicesdispatcherhost": 36, "content_media_session_servic": [0, 36], "contentmediasessionservic": 36, "content_screen_read": [0, 36], "contentscreenread": 36, "content_security_handl": [0, 36], "contentsecurityhandl": 36, "content_seri": [0, 36], "contentseri": 36, "content_web_authentication_api": [0, 36], "contentwebauthenticationapi": 36, "content_web_bluetooth": [0, 36], "contentwebbluetooth": 36, "content_web_usb": [0, 36], "contentwebusb": 36, "cookie_dis": [0, 36], "cookiedis": 36, "cookie_flush": [0, 36], "cookieflush": 36, "dedicated_worker_or_worklet": [0, 36], "dedicatedworkerorworklet": 36, "disable_for_render_frame_host_cal": [0, 36], "disableforrenderframehostcal": 36, "document_load": [0, 36], "documentload": 36, "domain_not_allow": [0, 36], "domainnotallow": 36, "dummi": [0, 36], "embedder_app_banner_manag": [0, 36], "embedderappbannermanag": 36, "embedder_chrome_password_manager_client_bind_credential_manag": [0, 36], "embedderchromepasswordmanagerclientbindcredentialmanag": 36, "embedder_dom_distiller_self_deleting_request_deleg": [0, 36], "embedderdomdistillerselfdeletingrequestdeleg": 36, "embedder_dom_distiller_viewer_sourc": [0, 36], "embedderdomdistillerviewersourc": 36, "embedder_extens": [0, 36], "embedderextens": 36, "embedder_extension_messag": [0, 36], "embedderextensionmessag": 36, "embedder_extension_messaging_for_open_port": [0, 36], "embedderextensionmessagingforopenport": 36, "embedder_extension_sent_message_to_cached_fram": [0, 36], "embedderextensionsentmessagetocachedfram": 36, "embedder_modal_dialog": [0, 36], "embeddermodaldialog": 36, "embedder_offline_pag": [0, 36], "embedderofflinepag": 36, "embedder_oom_intervention_tab_help": [0, 36], "embedderoominterventiontabhelp": 36, "embedder_permission_request_manag": [0, 36], "embedderpermissionrequestmanag": 36, "embedder_popup_blocker_tab_help": [0, 36], "embedderpopupblockertabhelp": 36, "embedder_safe_browsing_threat_detail": [0, 36], "embeddersafebrowsingthreatdetail": 36, "embedder_safe_browsing_triggered_popup_block": [0, 36], "embeddersafebrowsingtriggeredpopupblock": 36, "entered_back_forward_cache_before_service_worker_host_ad": [0, 36], "enteredbackforwardcachebeforeserviceworkerhostad": 36, "error_docu": [0, 36], "errordocu": 36, "fenced_frames_embedd": [0, 36], "fencedframesembedd": 36, "foreground_cache_limit": [0, 36], "foregroundcachelimit": 36, "have_inner_cont": [0, 36], "haveinnercont": 36, "http_auth_requir": [0, 36], "httpauthrequir": 36, "http_method_not_get": [0, 36], "httpmethodnotget": 36, "http_status_not_ok": [0, 36], "httpstatusnotok": 36, "idle_manag": [0, 36], "idlemanag": 36, "ignore_event_and_evict": [0, 36], "ignoreeventandevict": 36, "indexed_db_ev": [0, 36], "indexeddbev": 36, "injected_javascript": [0, 36], "injectedjavascript": 36, "injected_style_sheet": [0, 36], "injectedstylesheet": 36, "java_script_execut": [0, 36], "javascriptexecut": 36, "js_network_request_received_cache_control_no_store_resourc": [0, 36], "jsnetworkrequestreceivedcachecontrolnostoreresourc": 36, "keepalive_request": [0, 36], "keepaliverequest": 36, "keyboard_lock": [0, 36], "keyboardlock": 36, "live_media_stream_track": [0, 36], "livemediastreamtrack": 36, "main_resource_has_cache_control_no_cach": [0, 36], "mainresourcehascachecontrolnocach": 36, "main_resource_has_cache_control_no_stor": [0, 36], "mainresourcehascachecontrolnostor": 36, "navigation_cancelled_while_restor": [0, 36], "navigationcancelledwhilerestor": 36, "network_exceeds_buffer_limit": [0, 36], "networkexceedsbufferlimit": 36, "network_request_datapipe_drained_as_bytes_consum": [0, 36], "networkrequestdatapipedrainedasbytesconsum": 36, "network_request_redirect": [0, 36], "networkrequestredirect": 36, "network_request_timeout": [0, 36], "networkrequesttimeout": 36, "not_most_recent_navigation_entri": [0, 36], "notmostrecentnavigationentri": 36, "not_primary_main_fram": [0, 36], "notprimarymainfram": 36, "no_response_head": [0, 36], "noresponsehead": 36, "outstanding_network_request_direct_socket": [0, 36], "outstandingnetworkrequestdirectsocket": 36, "outstanding_network_request_fetch": [0, 36], "outstandingnetworkrequestfetch": 36, "outstanding_network_request_oth": [0, 36], "outstandingnetworkrequestoth": 36, "outstanding_network_request_xhr": [0, 36], "outstandingnetworkrequestxhr": 36, "payment_manag": [0, 36], "paymentmanag": 36, "pictureinpictur": 36, "portal": [0, 36, 47], "related_active_contents_exist": [0, 36], "relatedactivecontentsexist": 36, "renderer_process_crash": [0, 36, 39], "rendererprocesscrash": [36, 39], "renderer_process_kil": [0, 36, 39], "rendererprocesskil": [36, 39], "render_frame_host_reused_cross_sit": [0, 36], "renderframehostreused_crosssit": 36, "render_frame_host_reused_same_sit": [0, 36], "renderframehostreused_samesit": 36, "requested_audio_capture_permiss": [0, 36], "requestedaudiocapturepermiss": 36, "requested_background_work_permiss": [0, 36], "requestedbackgroundworkpermiss": 36, "requested_back_forward_cache_blocked_sensor": [0, 36], "requestedbackforwardcacheblockedsensor": 36, "requested_midi_permiss": [0, 36], "requestedmidipermiss": 36, "requested_storage_access_gr": [0, 36], "requestedstorageaccessgr": 36, "requested_video_capture_permiss": [0, 36], "requestedvideocapturepermiss": 36, "scheduler_tracked_feature_us": [0, 36], "schedulertrackedfeatureus": 36, "scheme_not_http_or_http": [0, 36], "schemenothttporhttp": 36, "service_worker_claim": [0, 36], "serviceworkerclaim": 36, "service_worker_post_messag": [0, 36], "serviceworkerpostmessag": 36, "service_worker_unregistr": [0, 36], "serviceworkerunregistr": 36, "service_worker_version_activ": [0, 36], "serviceworkerversionactiv": 36, "session_restor": [0, 36], "sessionrestor": 36, "smartcard": 36, "speech_recogn": [0, 36], "speechrecogn": 36, "speech_synthesi": [0, 36], "speechsynthesi": 36, "subframe_is_navig": [0, 36], "subframeisnavig": 36, "subresource_has_cache_control_no_cach": [0, 36], "subresourcehascachecontrolnocach": 36, "subresource_has_cache_control_no_stor": [0, 36], "subresourcehascachecontrolnostor": 36, "timeout_putting_in_cach": [0, 36], "timeoutputtingincach": 36, "unload_handl": [0, 36], "unloadhandl": 36, "unload_handler_exists_in_main_fram": [0, 36], "unloadhandlerexistsinmainfram": 36, "unload_handler_exists_in_sub_fram": [0, 36], "unloadhandlerexistsinsubfram": 36, "user_agent_override_diff": [0, 36], "useragentoverridediff": 36, "was_granted_media_access": [0, 36], "wasgrantedmediaaccess": 36, "web_databas": [0, 36], "webdatabas": 36, "web_hid": [0, 36], "webhid": 36, "web_lock": [0, 36], "weblock": 36, "web_nfc": [0, 36], "webnfc": 36, "web_otp_servic": [0, 36], "webotpservic": 36, "web_rtc": [0, 36], "webrtc": 36, "web_rtc_sticki": [0, 36], "webrtcsticki": 36, "webshar": 36, "web_socket_sticki": [0, 36], "websocketsticki": 36, "web_transport": [0, 36], "web_transport_sticki": [0, 36], "webtransportsticki": 36, "web_xr": [0, 36], "webxr": 36, "backforwardcachenotrestoredreasontyp": [0, 36], "circumstanti": [0, 36], "page_support_need": [0, 36], "pagesupportneed": 36, "support_pend": [0, 36], "supportpend": 36, "backforwardcacheblockingdetail": [0, 36], "blockag": 36, "anonym": [36, 41], "backforwardcachenotrestoredexplan": [0, 36], "backforwardcachenotrestoredexplanationtre": [0, 36], "add_compilation_cach": [0, 36], "seed": 36, "add_script_to_evaluate_on_load": [0, 36], "addscripttoevaluateonnewdocu": [36, 41], "add_script_to_evaluate_on_new_docu": [0, 36], "world_nam": 36, "run_immedi": 36, "world": [36, 41], "executioncontextdescript": [0, 36, 41], "bring_to_front": [0, 36, 55, 56, 57], "bring": 36, "capture_screenshot": [0, 36], "from_surfac": 36, "capture_beyond_viewport": 36, "beyond": [36, 40], "mhtml": 36, "clear_compilation_cach": [0, 36], "tri": [36, 41], "hook": [36, 47], "minidump": 36, "create_isolated_world": [0, 36], "grant_univeral_access": 36, "univers": 36, "power": [36, 55], "caution": 36, "cookie_nam": 36, "cook": 36, "generate_test_report": [0, 36], "get_ad_script_id": [0, 36], "get_app_id": [0, 36], "webappenablemanifestid": 36, "appid": 36, "start_url": 36, "recommendedid": 36, "get_app_manifest": [0, 36], "get_frame_tre": [0, 36], "get_installability_error": [0, 36], "get_layout_metr": [0, 36], "csslayoutviewport": 36, "cssvisualviewport": 36, "contents": 36, "scrollabl": 36, "dp": 36, "csscontents": 36, "get_manifest_icon": [0, 36], "fact": 36, "get_navigation_histori": [0, 36], "currentindex": 36, "get_origin_tri": [0, 36], "get_permissions_policy_st": [0, 36], "get_resource_cont": [0, 36], "get_resource_tre": [0, 36], "handle_java_script_dialog": [0, 36], "prompt_text": 36, "onbeforeunload": 36, "intend": [36, 41], "errortext": 36, "navigate_to_history_entri": [0, 36], "entry_id": 36, "print_to_pdf": [0, 36], "landscap": 36, "display_header_foot": 36, "print_background": 36, "paper_width": 36, "paper_height": 36, "margin_top": 36, "margin_bottom": 36, "margin_left": 36, "margin_right": 36, "page_rang": 36, "header_templ": 36, "footer_templ": 36, "prefer_css_page_s": 36, "transfer_mod": [36, 49], "generate_tagged_pdf": 36, "generate_document_outlin": 36, "pdf": 36, "paper": 36, "footer": 36, "graphic": [36, 46], "inch": 36, "5": [36, 53], "11": [36, 56, 57], "1cm": 36, "13": 36, "quietli": 36, "cap": 36, "greater": 36, "pagenumb": 36, "totalpag": 36, "span": [36, 55], "headertempl": 36, "fit": [36, 41], "choic": [36, 56, 57], "emb": 36, "returnasstream": [36, 49], "produce_compilation_cach": [0, 36], "appened": 36, "compilationcacheproduc": [0, 36], "ignore_cach": [36, 55], "script_to_evaluate_on_load": [36, 55], "refresh": 36, "dataurl": 36, "remove_script_to_evaluate_on_load": [0, 36], "removescripttoevaluateonnewdocu": 36, "remove_script_to_evaluate_on_new_docu": [0, 36], "reset_navigation_histori": [0, 36], "screencast_frame_ack": [0, 36], "session_id": [0, 36, 47], "acknowledg": 36, "search_in_resourc": [0, 36], "set_ad_blocking_en": [0, 36], "set_bypass_csp": [0, 36], "set_document_cont": [0, 36], "set_font_famili": [0, 36], "for_script": 36, "won": [36, 55, 56], "set_font_s": [0, 36], "set_intercept_file_chooser_dialog": [0, 36], "chooser": 36, "filechooseropen": [0, 36], "set_lifecycle_events_en": [0, 36], "lifecycl": 36, "set_prerendering_allow": [0, 36], "is_allow": 36, "prerend": [0, 36, 39, 47], "short": [36, 43, 53, 56, 57], "1440085": 36, "doc": 36, "d": [36, 54, 55], "12hvmfxyj5jc": 36, "ejr5omwsa2bqtjsbgglki6ziyx0_wpa": 36, "todo": [36, 39, 56], "puppet": 36, "set_rph_registration_mod": [0, 36], "whatwg": 36, "multipag": 36, "rph": 36, "set_spc_transaction_mod": [0, 36], "transact": 36, "sctn": [36, 51], "spc": 36, "set_web_lifecycle_st": [0, 36], "start_screencast": [0, 36], "max_width": 36, "max_height": 36, "every_nth_fram": 36, "screencastfram": [0, 36], "n": [36, 53], "th": 36, "stop_load": [0, 36], "stop_screencast": [0, 36], "wait_for_debugg": [0, 36], "runifwaitingfordebugg": [36, 47], "domcontenteventfir": [0, 36], "interceptfilechoos": 36, "frameattach": [0, 36], "parent_frame_id": [0, 36], "frameclearedschedulednavig": [0, 36], "framedetach": [0, 36], "documentopen": [0, 36], "frameres": [0, 36], "framerequestednavig": [0, 36], "disposit": [0, 36], "frameschedulednavig": [0, 36], "framestartedload": [0, 36], "framestoppedload": [0, 36], "interstitialhidden": [0, 36], "interstiti": 36, "interstitialshown": [0, 36], "javascriptdialogclos": [0, 36], "user_input": [0, 36], "javascriptdialogopen": [0, 36], "has_browser_handl": [0, 36], "default_prompt": [0, 36], "iff": [36, 39, 41, 49], "act": [36, 55], "engag": 36, "stall": 36, "handlejavascriptdialog": 36, "lifecycleev": [0, 36], "backforwardcachenotus": [0, 36], "not_restored_explan": [0, 36], "not_restored_explanations_tre": [0, 36], "bfcach": 36, "backforwardcach": 36, "navgat": 36, "loadeventfir": [0, 36], "navigatedwithindocu": [0, 36], "startscreencast": 36, "screencastvisibilitychang": [0, 36], "windowopen": [0, 36], "window_nam": [0, 36], "window_featur": [0, 36], "user_gestur": [0, 36, 41], "setgeneratecompilationcach": 36, "time_domain": 37, "get_metr": [0, 37], "set_time_domain": [0, 37], "performanceobserv": 38, "largestcontentfulpaint": [0, 38], "render_tim": [0, 38], "load_tim": [0, 38], "element_id": [0, 38], "largest_contentful_paint": 38, "trim": 38, "layoutshiftattribut": [0, 38], "previous_rect": [0, 38], "current_rect": [0, 38], "layoutshift": [0, 38], "had_recent_input": [0, 38], "last_input_tim": [0, 38], "instabl": 38, "layout_shift": 38, "score": 38, "timelineev": [0, 38], "lcp_detail": [0, 38], "layout_shift_detail": [0, 38], "lifetim": [38, 50], "performanceentri": 38, "entrytyp": 38, "fiedl": 38, "event_typ": [0, 38, 45], "timelineeventad": [0, 38], "reportperformancetimelin": 38, "rulesetid": [0, 39], "ruleset": [0, 39], "source_text": [0, 39], "speculationruleset": 39, "ruleseterrortyp": [0, 39], "specul": 39, "nav": 39, "1425354": 39, "textcont": 39, "invalid_rules_skip": [0, 39], "invalidrulesskip": 39, "source_is_not_json_object": [0, 39], "sourceisnotjsonobject": 39, "speculationact": [0, 39], "prefetchwithsubresourc": 39, "speculationtargethint": [0, 39], "blank": [0, 39, 47], "preloadingattemptkei": [0, 39], "target_hint": [0, 39], "preloadingattemptsourc": [0, 39], "rule_set_id": [0, 39], "href": [39, 55], "mulitpl": 39, "prerenderfinalstatu": [0, 39], "finalstatu": 39, "prerender2": 39, "activated_before_start": [0, 39], "activatedbeforestart": 39, "activated_during_main_frame_navig": [0, 39], "activatedduringmainframenavig": 39, "activated_in_background": [0, 39], "activatedinbackground": 39, "activated_with_auxiliary_browsing_context": [0, 39], "activatedwithauxiliarybrowsingcontext": 39, "activation_frame_policy_not_compat": [0, 39], "activationframepolicynotcompat": 39, "activation_navigation_destroyed_before_success": [0, 39], "activationnavigationdestroyedbeforesuccess": 39, "activation_navigation_parameter_mismatch": [0, 39], "activationnavigationparametermismatch": 39, "activation_url_has_effective_url": [0, 39], "activationurlhaseffectiveurl": 39, "audio_output_device_request": [0, 39], "audiooutputdevicerequest": 39, "battery_saver_en": [0, 39], "batterysaveren": 39, "cancel_all_hosts_for_test": [0, 39], "cancelallhostsfortest": 39, "client_cert_request": [0, 39], "clientcertrequest": 39, "cross_site_navigation_in_initial_navig": [0, 39], "crosssitenavigationininitialnavig": 39, "cross_site_navigation_in_main_frame_navig": [0, 39], "crosssitenavigationinmainframenavig": 39, "cross_site_redirect_in_initial_navig": [0, 39], "crosssiteredirectininitialnavig": 39, "cross_site_redirect_in_main_frame_navig": [0, 39], "crosssiteredirectinmainframenavig": 39, "data_saver_en": [0, 39], "datasaveren": 39, "destroi": [0, 39, 41, 47, 50], "did_fail_load": [0, 39], "didfailload": 39, "embedder_host_disallow": [0, 39], "embedderhostdisallow": 39, "inactive_page_restrict": [0, 39], "inactivepagerestrict": 39, "invalid_scheme_navig": [0, 39], "invalidschemenavig": 39, "invalid_scheme_redirect": [0, 39], "invalidschemeredirect": 39, "login_auth_request": [0, 39], "loginauthrequest": 39, "low_end_devic": [0, 39], "lowenddevic": 39, "main_frame_navig": [0, 39], "mainframenavig": 39, "max_num_of_running_eager_prerenders_exceed": [0, 39], "maxnumofrunningeagerprerendersexceed": 39, "max_num_of_running_embedder_prerenders_exceed": [0, 39], "maxnumofrunningembedderprerendersexceed": 39, "max_num_of_running_non_eager_prerenders_exceed": [0, 39], "maxnumofrunningnoneagerprerendersexceed": 39, "memory_limit_exceed": [0, 39], "memorylimitexceed": 39, "memory_pressure_after_trigg": [0, 39], "memorypressureaftertrigg": 39, "memory_pressure_on_trigg": [0, 39], "memorypressureontrigg": 39, "mixedcont": 39, "mojo_binder_polici": [0, 39], "mojobinderpolici": 39, "navigation_bad_http_statu": [0, 39], "navigationbadhttpstatu": 39, "navigation_not_commit": [0, 39], "navigationnotcommit": 39, "navigation_request_blocked_by_csp": [0, 39], "navigationrequestblockedbycsp": 39, "navigation_request_network_error": [0, 39], "navigationrequestnetworkerror": 39, "preloading_dis": [0, 39], "preloadingdis": 39, "preloading_unsupported_by_web_cont": [0, 39], "preloadingunsupportedbywebcont": 39, "prerendering_disabled_by_dev_tool": [0, 39], "prerenderingdisabledbydevtool": 39, "prerendering_url_has_effective_url": [0, 39], "prerenderingurlhaseffectiveurl": 39, "primary_main_frame_renderer_process_crash": [0, 39], "primarymainframerendererprocesscrash": 39, "primary_main_frame_renderer_process_kil": [0, 39], "primarymainframerendererprocesskil": 39, "redirected_prerendering_url_has_effective_url": [0, 39], "redirectedprerenderingurlhaseffectiveurl": 39, "same_site_cross_origin_navigation_not_opt_in_in_initial_navig": [0, 39], "samesitecrossoriginnavigationnotoptinininitialnavig": 39, "same_site_cross_origin_navigation_not_opt_in_in_main_frame_navig": [0, 39], "samesitecrossoriginnavigationnotoptininmainframenavig": 39, "same_site_cross_origin_redirect_not_opt_in_in_initial_navig": [0, 39], "samesitecrossoriginredirectnotoptinininitialnavig": 39, "same_site_cross_origin_redirect_not_opt_in_in_main_frame_navig": [0, 39], "samesitecrossoriginredirectnotoptininmainframenavig": 39, "speculation_rule_remov": [0, 39], "speculationruleremov": 39, "ssl_certificate_error": [0, 39], "sslcertificateerror": 39, "start_fail": [0, 39], "startfail": 39, "tab_closed_by_user_gestur": [0, 39], "tabclosedbyusergestur": 39, "tab_closed_without_user_gestur": [0, 39], "tabclosedwithoutusergestur": 39, "timeout_background": [0, 39], "timeoutbackground": 39, "trigger_background": [0, 39], "triggerbackground": 39, "trigger_destroi": [0, 39], "triggerdestroi": 39, "trigger_url_has_effective_url": [0, 39], "triggerurlhaseffectiveurl": 39, "ua_change_requires_reload": [0, 39], "uachangerequiresreload": 39, "preloadingstatu": [0, 39], "preloadingtriggeringoutcom": 39, "prefetchstatusupd": [0, 39], "prerenderstatusupd": [0, 39], "readi": [0, 39], "prefetchstatu": [0, 39], "1384419": 39, "revisit": 39, "aren": 39, "prefetch_allow": [0, 39], "prefetchallow": 39, "prefetch_evicted_after_candidate_remov": [0, 39], "prefetchevictedaftercandidateremov": 39, "prefetch_evicted_for_newer_prefetch": [0, 39], "prefetchevictedfornewerprefetch": 39, "prefetch_failed_ineligible_redirect": [0, 39], "prefetchfailedineligibleredirect": 39, "prefetch_failed_invalid_redirect": [0, 39], "prefetchfailedinvalidredirect": 39, "prefetch_failed_mime_not_support": [0, 39], "prefetchfailedmimenotsupport": 39, "prefetch_failed_net_error": [0, 39], "prefetchfailedneterror": 39, "prefetch_failed_non2_xx": [0, 39], "prefetchfailednon2xx": 39, "prefetch_failed_per_page_limit_exceed": [0, 39], "prefetchfailedperpagelimitexceed": 39, "prefetch_heldback": [0, 39], "prefetchheldback": 39, "prefetch_ineligible_retry_aft": [0, 39], "prefetchineligibleretryaft": 39, "prefetch_is_privacy_decoi": [0, 39], "prefetchisprivacydecoi": 39, "prefetch_is_stal": [0, 39], "prefetchisstal": 39, "prefetch_not_eligible_battery_saver_en": [0, 39], "prefetchnoteligiblebatterysaveren": 39, "prefetch_not_eligible_browser_context_off_the_record": [0, 39], "prefetchnoteligiblebrowsercontextofftherecord": 39, "prefetch_not_eligible_data_saver_en": [0, 39], "prefetchnoteligibledatasaveren": 39, "prefetch_not_eligible_existing_proxi": [0, 39], "prefetchnoteligibleexistingproxi": 39, "prefetch_not_eligible_host_is_non_uniqu": [0, 39], "prefetchnoteligiblehostisnonuniqu": 39, "prefetch_not_eligible_non_default_storage_partit": [0, 39], "prefetchnoteligiblenondefaultstoragepartit": 39, "prefetch_not_eligible_preloading_dis": [0, 39], "prefetchnoteligiblepreloadingdis": 39, "prefetch_not_eligible_same_site_cross_origin_prefetch_required_proxi": [0, 39], "prefetchnoteligiblesamesitecrossoriginprefetchrequiredproxi": 39, "prefetch_not_eligible_scheme_is_not_http": [0, 39], "prefetchnoteligibleschemeisnothttp": 39, "prefetch_not_eligible_user_has_cooki": [0, 39], "prefetchnoteligibleuserhascooki": 39, "prefetch_not_eligible_user_has_service_work": [0, 39], "prefetchnoteligibleuserhasservicework": 39, "prefetch_not_finished_in_tim": [0, 39], "prefetchnotfinishedintim": 39, "prefetch_not_start": [0, 39], "prefetchnotstart": 39, "prefetch_not_used_cookies_chang": [0, 39], "prefetchnotusedcookieschang": 39, "prefetch_not_used_probe_fail": [0, 39], "prefetchnotusedprobefail": 39, "prefetch_proxy_not_avail": [0, 39], "prefetchproxynotavail": 39, "prefetch_response_us": [0, 39], "prefetchresponseus": 39, "prefetch_successful_but_not_us": [0, 39], "prefetchsuccessfulbutnotus": 39, "prerendermismatchedhead": [0, 39], "header_nam": [0, 39], "activation_valu": [0, 39], "mismatch": 39, "rulesetupd": [0, 39], "rule_set": [0, 39], "upsert": 39, "rulesetremov": [0, 39], "preloadenabledstateupd": [0, 39], "disabled_by_prefer": [0, 39], "disabled_by_data_sav": [0, 39], "disabled_by_battery_sav": [0, 39], "disabled_by_holdback_prefetch_speculation_rul": [0, 39], "disabled_by_holdback_prerender_speculation_rul": [0, 39], "initiating_frame_id": [0, 39], "prefetch_url": [0, 39], "prefetch_statu": [0, 39], "prerender_statu": [0, 39], "disallowed_mojo_interfac": [0, 39], "mismatched_head": [0, 39], "give": 39, "mojo": 39, "incompat": 39, "preloadingattemptsourcesupd": [0, 39], "preloading_attempt_sourc": [0, 39], "profilenod": [0, 40], "hit_count": [0, 40], "deopt_reason": [0, 40], "position_tick": [0, 40], "positiontickinfo": [0, 40], "deoptim": 40, "end_tim": [0, 40], "time_delta": [0, 40], "microsecond": 40, "adjac": 40, "starttim": 40, "certain": [40, 55], "coveragerang": [0, 40], "functioncoverag": [0, 40], "is_block_coverag": [0, 40], "granular": 40, "insid": [40, 45], "scriptcoverag": [0, 40], "get_best_effort_coverag": [0, 40], "incomplet": 40, "garbag": [40, 49], "set_sampling_interv": [0, 40], "start_precise_coverag": [0, 40], "call_count": 40, "allow_triggered_upd": 40, "precis": 40, "stop_precise_coverag": [0, 40], "unnecessari": 40, "take_precise_coverag": [0, 40], "consoleprofilefinish": [0, 40], "profileend": 40, "consoleprofilestart": [0, 40], "precisecoveragedeltaupd": [0, 40], "occas": [0, 40], "takeprecisecoverag": 40, "trig": 40, "maintain": [41, 45], "serializationopt": [0, 41], "additional_paramet": [0, 41], "generatepreview": 41, "returnbyvalu": 41, "maxnodedepth": 41, "includeshadowtre": 41, "deepserializedvalu": [0, 41], "weak_local_object_refer": [0, 41], "met": 41, "unserializablevalu": [0, 41], "primit": 41, "stringifi": [41, 53], "nan": 41, "infin": 41, "bigint": 41, "liter": 41, "class_nam": [0, 41], "unserializable_valu": [0, 41], "deep_serialized_valu": [0, 41], "custom_preview": [0, 41], "objectpreview": [0, 41], "custompreview": [0, 41], "constructor": 41, "sure": [41, 52, 53], "propertypreview": [0, 41], "body_getter_id": [0, 41], "formatt": 41, "hasbodi": 41, "bodygetterid": 41, "ml": 41, "overflow": [0, 41], "entrypreview": [0, 41], "did": [41, 43], "value_preview": [0, 41], "accessor": 41, "propertydescriptor": [0, 41], "writabl": [0, 41], "set_": [0, 41], "was_thrown": [0, 41], "is_own": [0, 41], "getter": 41, "setter": 41, "internalpropertydescriptor": [0, 41], "convent": 41, "privatepropertydescriptor": [0, 41], "unserializ": 41, "unique_id": [0, 41], "aux_data": [0, 41], "exception_id": [0, 41], "exception_meta_data": [0, 41], "dictionari": [41, 46, 54], "assert": [41, 51], "preced": 41, "debuggerid": 41, "add_bind": [0, 41], "execution_context_nam": 41, "bind": [0, 41, 47, 48], "bindingcal": [0, 41], "executioncontextnam": 41, "unclear": 41, "bug": [41, 46], "1169639": 41, "executioncontext": 41, "worldnam": 41, "await_promis": [0, 41, 55], "promise_object_id": 41, "strace": 41, "call_function_on": [0, 41], "function_declar": 41, "unique_context_id": 41, "serialization_opt": 41, "await": [41, 52, 53, 56, 57], "objectgroup": 41, "contextid": 41, "accident": 41, "compile_script": [0, 41], "persist_script": 41, "discard_console_entri": [0, 41], "executioncontextcr": [0, 41], "context_id": [0, 41, 50], "disable_break": 41, "repl_mod": 41, "allow_unsafe_eval_blocked_by_csp": 41, "uniquecontextid": 41, "offer": 41, "disablebreak": 41, "replmod": 41, "themselv": 41, "eval": 41, "settimeout": 41, "setinterv": 41, "callabl": [41, 55], "get_exception_detail": [0, 41], "error_object_id": 41, "lookup": [0, 41, 57], "portion": 41, "get_heap_usag": [0, 41], "useds": 41, "totals": 41, "get_isolate_id": [0, 41], "get_properti": [0, 41], "own_properti": 41, "accessor_properties_onli": 41, "non_indexed_properties_onli": 41, "internalproperti": 41, "privateproperti": 41, "global_lexical_scope_nam": [0, 41], "const": 41, "query_object": [0, 41], "prototype_object_id": 41, "release_object": [0, 41], "release_object_group": [0, 41], "remove_bind": [0, 41], "unsubscrib": 41, "run_if_waiting_for_debugg": [0, 41], "run_script": [0, 41], "set_custom_object_formatter_en": [0, 41], "set_max_call_stack_size_to_captur": [0, 41], "terminate_execut": [0, 41], "consoleapical": [0, 41], "logger": 41, "unnam": 41, "getstacktrac": 41, "parentid": 41, "exceptionrevok": [0, 41], "unhandl": 41, "revok": 41, "exceptionthrown": [0, 41], "exception_detail": [0, 41], "executioncontextdestroi": [0, 41], "execution_context_unique_id": [0, 41], "executioncontextsclear": [0, 41], "inspectrequest": [0, 41], "get_domain": [0, 42], "blockabl": [0, 43], "optionally_block": [0, 43], "insecure_broken": [0, 43], "neutral": [0, 43], "certificatesecurityst": [0, 43], "certificate_has_weak_signatur": [0, 43], "certificate_has_sha1_signatur": [0, 43], "modern_ssl": [0, 43], "obsolete_ssl_protocol": [0, 43], "obsolete_ssl_key_exchang": [0, 43], "obsolete_ssl_ciph": [0, 43], "obsolete_ssl_signatur": [0, 43], "certificate_network_error": [0, 43], "sha1": 43, "weak": 43, "aglorithm": 43, "highest": 43, "modern": 43, "obsolet": 43, "safetytipstatu": [0, 43], "bad_reput": [0, 43], "badreput": 43, "lookalik": [0, 43, 55], "safetytipinfo": [0, 43], "safety_tip_statu": [0, 43], "safe_url": [0, 43], "safeti": 43, "tip": 43, "reput": 43, "visiblesecurityst": [0, 43], "security_state_issue_id": [0, 43], "certificate_security_st": [0, 43], "safety_tip_info": [0, 43], "securitystateexplan": [0, 43], "summari": [0, 43], "insecurecontentstatu": [0, 43], "ran_mixed_cont": [0, 43], "displayed_mixed_cont": [0, 43], "contained_mixed_form": [0, 43], "ran_content_with_cert_error": [0, 43], "displayed_content_with_cert_error": [0, 43], "ran_insecure_content_styl": [0, 43], "displayed_insecure_content_styl": [0, 43], "certificateerroract": [0, 43], "handle_certificate_error": [0, 43], "certificateerror": [0, 43], "set_ignore_certificate_error": [0, 43], "set_override_certificate_error": [0, 43], "answer": 43, "handlecertificateerror": 43, "visiblesecuritystatechang": [0, 43], "visible_security_st": [0, 43], "securitystatechang": [0, 43], "scheme_is_cryptograph": [0, 43], "insecure_content_statu": [0, 43], "cryptograph": 43, "serviceworkerregistr": [0, 44], "registration_id": [0, 44], "scope_url": [0, 44], "is_delet": [0, 44], "serviceworkerversionrunningstatu": [0, 44], "serviceworkerversionstatu": [0, 44], "redund": [0, 44], "serviceworkervers": [0, 44], "version_id": [0, 44], "script_url": [0, 44], "running_statu": [0, 44], "script_last_modifi": [0, 44], "script_response_tim": [0, 44], "controlled_cli": [0, 44], "router_rul": [0, 44], "serviceworkererrormessag": [0, 44], "deliver_push_messag": [0, 44], "dispatch_periodic_sync_ev": [0, 44], "dispatch_sync_ev": [0, 44], "last_chanc": 44, "inspect_work": [0, 44], "set_force_update_on_page_load": [0, 44], "force_update_on_page_load": 44, "skip_wait": [0, 44], "start_work": [0, 44], "stop_all_work": [0, 44], "stop_work": [0, 44], "unregist": [0, 44, 45], "update_registr": [0, 44], "workererrorreport": [0, 44], "workerregistrationupd": [0, 44], "workerversionupd": [0, 44], "storagetyp": [0, 45], "all_": [0, 45], "appcach": [0, 45], "file_system": [0, 45], "interest_group": [0, 45], "local_storag": [0, 45], "shader_cach": [0, 45], "websql": [0, 45], "usagefortyp": [0, 45], "storage_typ": [0, 45], "interestgroupaccesstyp": [0, 45], "additional_bid": [0, 45], "additionalbid": 45, "additional_bid_win": [0, 45], "additionalbidwin": 45, "bid": [0, 45], "win": [0, 45], "interestgroupad": [0, 45], "render_url": [0, 45], "advertis": 45, "interestgroupdetail": [0, 45], "owner_origin": [0, 45], "expiration_tim": [0, 45], "joining_origin": [0, 45], "trusted_bidding_signals_kei": [0, 45], "ad_compon": [0, 45], "bidding_logic_url": [0, 45], "bidding_wasm_helper_url": [0, 45], "update_url": [0, 45], "trusted_bidding_signals_url": [0, 45], "user_bidding_sign": [0, 45], "sharedstorageaccesstyp": [0, 45], "document_add_modul": [0, 45], "documentaddmodul": 45, "document_append": [0, 45], "documentappend": 45, "document_clear": [0, 45], "documentclear": 45, "document_delet": [0, 45], "documentdelet": 45, "document_run": [0, 45], "documentrun": 45, "document_select_url": [0, 45], "documentselecturl": 45, "document_set": [0, 45], "documentset": 45, "worklet_append": [0, 45], "workletappend": 45, "worklet_clear": [0, 45], "workletclear": 45, "worklet_delet": [0, 45], "workletdelet": 45, "worklet_entri": [0, 45], "workletentri": 45, "worklet_get": [0, 45], "workletget": 45, "worklet_kei": [0, 45], "workletkei": 45, "worklet_length": [0, 45], "workletlength": 45, "worklet_remaining_budget": [0, 45], "workletremainingbudget": 45, "worklet_set": [0, 45], "workletset": 45, "sharedstorageentri": [0, 45], "sharedstoragemetadata": [0, 45], "creation_tim": [0, 45], "remaining_budget": [0, 45], "sharedstoragereportingmetadata": [0, 45], "reporting_url": [0, 45], "selecturl": 45, "sharedstorageurlwithmetadata": [0, 45], "reporting_metadata": [0, 45], "sharedstorageaccessparam": [0, 45], "script_source_url": [0, 45], "operation_nam": [0, 45], "serialized_data": [0, 45], "urls_with_metadata": [0, 45], "ignore_if_pres": [0, 45], "absenc": 45, "vari": 45, "storagebucketsdur": [0, 45], "relax": [0, 45], "storagebucketinfo": [0, 45], "quota": [0, 45], "durabl": [0, 45], "attributionreportingsourcetyp": [0, 45], "unsignedint64asbase10": [0, 45], "unsignedint128asbase16": [0, 45], "signedint64asbase10": [0, 45], "attributionreportingfilterdataentri": [0, 45], "attributionreportingfilterconfig": [0, 45], "filter_valu": [0, 45], "lookback_window": [0, 45], "attributionreportingfilterpair": [0, 45], "not_filt": [0, 45], "attributionreportingaggregationkeysentri": [0, 45], "attributionreportingeventreportwindow": [0, 45], "attributionreportingtriggerspec": [0, 45], "trigger_data": [0, 45], "event_report_window": [0, 45], "uint32": 45, "attributionreportingtriggerdatamatch": [0, 45], "modulu": [0, 45], "attributionreportingsourceregistr": [0, 45], "trigger_spec": [0, 45], "aggregatable_report_window": [0, 45], "source_origin": [0, 45], "reporting_origin": [0, 45], "destination_sit": [0, 45], "filter_data": [0, 45], "aggregation_kei": [0, 45], "trigger_data_match": [0, 45], "debug_kei": [0, 45], "attributionreportingsourceregistrationresult": [0, 45], "destination_both_limits_reach": [0, 45], "destinationbothlimitsreach": 45, "destination_global_limit_reach": [0, 45], "destinationgloballimitreach": 45, "destination_reporting_limit_reach": [0, 45], "destinationreportinglimitreach": 45, "exceeds_max_channel_capac": [0, 45], "exceedsmaxchannelcapac": 45, "excessive_reporting_origin": [0, 45], "excessivereportingorigin": 45, "insufficient_source_capac": [0, 45], "insufficientsourcecapac": 45, "insufficient_unique_destination_capac": [0, 45], "insufficientuniquedestinationcapac": 45, "internal_error": [0, 45], "internalerror": 45, "prohibited_by_browser_polici": [0, 45], "prohibitedbybrowserpolici": 45, "reporting_origins_per_site_limit_reach": [0, 45], "reportingoriginspersitelimitreach": 45, "success_nois": [0, 45], "successnois": 45, "attributionreportingsourceregistrationtimeconfig": [0, 45], "attributionreportingaggregatablevalueentri": [0, 45], "attributionreportingeventtriggerdata": [0, 45], "dedup_kei": [0, 45], "attributionreportingaggregatabletriggerdata": [0, 45], "key_piec": [0, 45], "source_kei": [0, 45], "attributionreportingaggregatablededupkei": [0, 45], "attributionreportingtriggerregistr": [0, 45], "aggregatable_dedup_kei": [0, 45], "event_trigger_data": [0, 45], "aggregatable_trigger_data": [0, 45], "aggregatable_valu": [0, 45], "debug_report": [0, 45], "source_registration_time_config": [0, 45], "aggregation_coordinator_origin": [0, 45], "trigger_context_id": [0, 45], "attributionreportingeventlevelresult": [0, 45], "dedupl": [0, 45], "excessive_attribut": [0, 45], "excessiveattribut": 45, "excessive_report": [0, 45], "excessivereport": 45, "falsely_attributed_sourc": [0, 45], "falselyattributedsourc": 45, "never_attributed_sourc": [0, 45], "neverattributedsourc": 45, "not_regist": [0, 45], "notregist": 45, "no_capacity_for_attribution_destin": [0, 45], "nocapacityforattributiondestin": 45, "no_matching_configur": [0, 45], "nomatchingconfigur": 45, "no_matching_sourc": [0, 45], "nomatchingsourc": 45, "no_matching_source_filter_data": [0, 45], "nomatchingsourcefilterdata": 45, "no_matching_trigger_data": [0, 45], "nomatchingtriggerdata": 45, "priority_too_low": [0, 45], "prioritytoolow": 45, "report_window_not_start": [0, 45], "reportwindownotstart": 45, "report_window_pass": [0, 45], "reportwindowpass": 45, "success_dropped_lower_prior": [0, 45], "successdroppedlowerprior": 45, "attributionreportingaggregatableresult": [0, 45], "insufficient_budget": [0, 45], "insufficientbudget": 45, "no_histogram": [0, 45], "nohistogram": 45, "clear_cooki": [0, 45], "clear_data_for_origin": [0, 45], "clear_data_for_storage_kei": [0, 45], "clear_shared_storage_entri": [0, 45], "clear_trust_token": [0, 45], "issuerorigin": 45, "intact": 45, "delete_shared_storage_entri": [0, 45], "delete_storage_bucket": [0, 45], "get_interest_group_detail": [0, 45], "get_shared_storage_entri": [0, 45], "get_shared_storage_metadata": [0, 45], "get_storage_key_for_fram": [0, 45], "get_trust_token": [0, 45], "get_usage_and_quota": [0, 45], "overrideact": 45, "usagebreakdown": 45, "override_quota_for_origin": [0, 45], "quota_s": 45, "quotas": 45, "reset_shared_storage_budget": [0, 45], "ownerorigin": 45, "withdraw": 45, "run_bounce_tracking_mitig": [0, 45], "set_attribution_reporting_local_testing_mod": [0, 45], "nois": 45, "set_attribution_reporting_track": [0, 45], "set_interest_group_track": [0, 45], "interestgroupaccess": [0, 45], "set_shared_storage_entri": [0, 45], "ignoreifpres": 45, "set_shared_storage_track": [0, 45], "sharedstorageaccess": [0, 45], "set_storage_bucket_track": [0, 45], "track_cache_storage_for_origin": [0, 45], "notifi": [45, 47, 50], "track_cache_storage_for_storage_kei": [0, 45], "track_indexed_db_for_origin": [0, 45], "track_indexed_db_for_storage_kei": [0, 45], "untrack_cache_storage_for_origin": [0, 45], "untrack_cache_storage_for_storage_kei": [0, 45], "untrack_indexed_db_for_origin": [0, 45], "untrack_indexed_db_for_storage_kei": [0, 45], "cachestoragecontentupd": [0, 45], "bucket_id": [0, 45], "cachestoragelistupd": [0, 45], "indexeddbcontentupd": [0, 45], "indexeddblistupd": [0, 45], "access_tim": [0, 45], "main_frame_id": [0, 45], "param": [0, 45, 50, 55], "warap": 45, "storagebucketcreatedorupd": [0, 45], "bucket_info": [0, 45], "storagebucketdelet": [0, 45], "attributionreportingsourceregist": [0, 45], "attributionreportingtriggerregist": [0, 45], "event_level": [0, 45], "aggregat": [0, 45], "gpudevic": [0, 46], "vendor_id": [0, 46], "vendor_str": [0, 46], "device_str": [0, 46], "driver_vendor": [0, 46], "driver_vers": [0, 46], "sub_sys_id": [0, 46], "processor": 46, "pci": 46, "vendor": 46, "sy": 46, "videodecodeacceleratorcap": [0, 46], "max_resolut": [0, 46], "min_resolut": [0, 46], "decod": 46, "vp9": 46, "videoencodeacceleratorcap": [0, 46], "max_framerate_numer": [0, 46], "max_framerate_denomin": [0, 46], "framer": 46, "fraction": [46, 49], "denomin": 46, "24": 46, "24000": 46, "1001": 46, "h264": 46, "subsamplingformat": [0, 46], "yuv": 46, "subsampl": [0, 46], "yuv420": [0, 46], "yuv422": [0, 46], "yuv444": [0, 46], "imagetyp": [0, 46], "imagedecodeacceleratorcap": [0, 46], "max_dimens": [0, 46], "min_dimens": [0, 46], "gpuinfo": [0, 46], "driver_bug_workaround": [0, 46], "video_decod": [0, 46], "video_encod": [0, 46], "image_decod": [0, 46], "aux_attribut": [0, 46], "feature_statu": [0, 46], "workaround": 46, "processinfo": [0, 46], "cpu_tim": [0, 46], "cumul": 46, "get_feature_st": [0, 46], "feature_st": 46, "get_info": [0, 46], "modelnam": 46, "On": 46, "o": [46, 49], "macbookpro": 46, "modelvers": 46, "10": [46, 55, 56, 57], "launch": [46, 52], "get_process_info": [0, 46], "discoveri": 47, "sessionid": [0, 47], "targetinfo": [0, 47, 55], "can_access_open": [0, 47], "opener_id": [0, 47], "opener_frame_id": [0, 47], "filterentri": [0, 47], "mathc": 47, "targetfilt": [0, 47], "everyth": [0, 47, 57], "remoteloc": [0, 47], "activate_target": [0, 47], "attach_to_browser_target": [0, 47], "assign": [47, 56, 57], "attach_to_target": [0, 47], "plan": 47, "eventu": 47, "retir": 47, "991325": 47, "auto_attach_rel": [0, 47], "wait_for_debugger_on_start": 47, "filter_": 47, "monitor": 47, "attachedtotarget": [0, 47], "setautoattach": 47, "close_target": [0, 47], "create_browser_context": [0, 47], "dispose_on_detach": 47, "proxy_serv": 47, "proxy_bypass_list": 47, "origins_with_universal_network_access": 47, "incognito": 47, "unlimit": 47, "constitut": 47, "create_target": [0, 47], "enable_begin_frame_control": 47, "for_tab": 47, "maco": 47, "yet": 47, "foreground": 47, "detach_from_target": [0, 47], "dispose_browser_context": [0, 47], "expose_dev_tools_protocol": [0, 47], "binding_nam": 47, "channel": [47, 50], "bindingnam": 47, "follw": 47, "onmessag": 47, "handlemessag": 47, "callback": [47, 50, 55], "get_browser_context": [0, 47], "createbrowsercontext": 47, "get_target_info": [0, 47], "get_target": [0, 47], "send_message_to_target": [0, 47], "attachtotarget": 47, "set_auto_attach": [0, 47], "auto_attach": 47, "autoattachrel": 47, "watch": 47, "set_discover_target": [0, 47], "discov": 47, "targetcr": [0, 47], "targetinfochang": [0, 47], "targetdestroi": [0, 47], "set_remote_loc": [0, 47], "setdiscovertarget": 47, "target_info": [0, 47], "waiting_for_debugg": [0, 47], "detachedfromtarget": [0, 47], "detachfromtarget": 47, "receivedmessagefromtarget": [0, 47], "error_cod": [0, 47], "unbind": [0, 48], "got": 48, "memorydumpconfig": [0, 49], "dump": [49, 55], "infra": 49, "traceconfig": [0, 49], "record_mod": [0, 49], "trace_buffer_size_in_kb": [0, 49], "enable_sampl": [0, 49], "enable_systrac": [0, 49], "enable_argument_filt": [0, 49], "included_categori": [0, 49], "excluded_categori": [0, 49], "synthetic_delai": [0, 49], "memory_dump_config": [0, 49], "kilobyt": 49, "mb": 49, "streamformat": [0, 49], "proto": [0, 49], "streamcompress": [0, 49], "memorydumplevelofdetail": [0, 49], "memory_dump_request_arg": 49, "memory_instrument": 49, "tracingbackend": [0, 49], "perfetto": 49, "perfettoconfig": 49, "get_categori": [0, 49], "record_clock_sync_mark": [0, 49], "sync_id": 49, "request_memory_dump": [0, 49], "determinist": 49, "level_of_detail": 49, "dumpguid": 49, "buffer_usage_reporting_interv": 49, "stream_format": 49, "stream_compress": [0, 49], "trace_config": 49, "perfetto_config": 49, "tracing_backend": 49, "bufferusag": [0, 49], "datacollect": [0, 49], "reportev": 49, "protobuf": 49, "percent_ful": [0, 49], "event_count": [0, 49], "approxim": 49, "tracingcomplet": [0, 49], "data_loss_occur": [0, 49], "trace_format": [0, 49], "signal": 49, "flush": 49, "lost": 49, "ring": 49, "wrap": 49, "graphobjectid": [0, 50], "graph": 50, "audiocontext": 50, "audionod": [0, 50], "audioparam": [0, 50], "contexttyp": [0, 50], "baseaudiocontext": [0, 50], "realtim": [0, 50], "contextst": [0, 50], "audiocontextst": 50, "suspend": [0, 50], "channelcountmod": [0, 50], "clamped_max": [0, 50], "clamp": 50, "max": [50, 55], "max_": [0, 50], "channelinterpret": [0, 50], "speaker": [0, 50], "paramtyp": [0, 50], "automationr": [0, 50], "a_rat": [0, 50], "k_rate": [0, 50], "contextrealtimedata": [0, 50], "render_capac": [0, 50], "callback_interval_mean": [0, 50], "callback_interval_vari": [0, 50], "varianc": 50, "spent": 50, "divid": 50, "quantum": 50, "multipli": 50, "capac": 50, "glitch": 50, "context_typ": [0, 50], "context_st": [0, 50], "callback_buffer_s": [0, 50], "max_output_channel_count": [0, 50], "sample_r": [0, 50], "realtime_data": [0, 50], "audiolisten": [0, 50], "listener_id": [0, 50], "number_of_input": [0, 50], "number_of_output": [0, 50], "channel_count": [0, 50], "channel_count_mod": [0, 50], "channel_interpret": [0, 50], "param_id": [0, 50], "param_typ": [0, 50], "get_realtime_data": [0, 50], "contextcr": [0, 50], "contextwillbedestroi": [0, 50], "contextchang": [0, 50], "audiolistenercr": [0, 50], "audiolistenerwillbedestroi": [0, 50], "audionodecr": [0, 50], "audionodewillbedestroi": [0, 50], "audioparamcr": [0, 50], "audioparamwillbedestroi": [0, 50], "nodesconnect": [0, 50], "source_id": [0, 50], "destination_id": [0, 50], "source_output_index": [0, 50], "destination_input_index": [0, 50], "nodesdisconnect": [0, 50], "outgo": 50, "nodeparamconnect": [0, 50], "nodeparamdisconnect": [0, 50], "authenticatorid": [0, 51], "authenticatorprotocol": [0, 51], "ctap2": [0, 51], "u2f": [0, 51], "ctap2vers": [0, 51], "ctap2_0": [0, 51], "ctap2_1": [0, 51], "authenticatortransport": [0, 51], "ble": [0, 51], "cabl": [0, 51], "virtualauthenticatoropt": [0, 51], "ctap2_vers": [0, 51], "has_resident_kei": [0, 51], "has_user_verif": [0, 51], "has_large_blob": [0, 51], "has_cred_blob": [0, 51], "has_min_pin_length": [0, 51], "has_prf": [0, 51], "automatic_presence_simul": [0, 51], "is_user_verifi": [0, 51], "default_backup_elig": [0, 51], "default_backup_st": [0, 51], "succe": 51, "backup": 51, "elig": 51, "BE": 51, "credblob": 51, "fidoalli": 51, "fido": 51, "v2": 51, "rd": 51, "20201208": 51, "largeblob": 51, "minpinlength": 51, "p": [51, 56, 57], "20210615": 51, "prf": 51, "credential_id": [0, 51], "is_resident_credenti": [0, 51], "private_kei": [0, 51], "sign_count": [0, 51], "rp_id": [0, 51], "user_handl": [0, 51], "large_blob": [0, 51], "ecdsa": 51, "pkc": 51, "add_credenti": [0, 51], "authenticator_id": [0, 51], "add_virtual_authent": [0, 51], "clear_credenti": [0, 51], "enable_ui": 51, "demo": 51, "closer": 51, "experi": [51, 55], "get_credenti": [0, 51], "remove_credenti": [0, 51], "remove_virtual_authent": [0, 51], "set_automatic_presence_simul": [0, 51], "set_response_override_bit": [0, 51], "is_bogus_signatur": 51, "is_bad_uv": 51, "is_bad_up": 51, "isbogussignatur": 51, "isbaduv": 51, "isbadup": 51, "uv": 51, "set_user_verifi": [0, 51], "credentialad": [0, 51], "credentialassert": [0, 51], "word": 53, "kwarg": [52, 54, 55], "active_pag": [], "wrong": [], "anywai": [], "classmethod": 52, "user_data_dir": [0, 52, 54, 56], "browser_executable_path": [52, 54, 56], "browser_arg": [0, 52, 54, 56], "autodiscover_target": [], "type": [0, 52, 53, 54, 55, 56, 57], "welcom": [52, 55], "util": [0, 52, 55, 57], "sleep": [0, 52, 55, 56, 57], "event": [0, 52, 53, 55, 56, 57], "safest": [52, 55], "quit": [53, 55], "alia": [52, 55], "tile_window": [0, 52], "bad": [], "adjust": [], "especi": [52, 55], "union": [52, 53, 54, 55], "lot": [0, 52, 55, 57], "care": [], "mostli": [], "nodriv": [52, 54, 55, 56], "autorun": [], "homepag": [], "infobar": [], "breakpad": [], "occlud": [], "dev": [], "shm": [], "lang": [54, 56], "q": [], "9": 55, "add_argu": [0, 54], "shallow": 54, "fromkei": [0, 54], "els": 54, "v": 54, "rais": [53, 54, 55], "keyerror": 54, "popitem": [0, 54], "lifo": 54, "setdefault": [0, 54], "f": 54, "lack": 54, "built": 54, "AND": 54, "goe": [56, 57], "pip": [56, 57], "aim": [56, 57], "project": [56, 57], "somewher": [56, 57], "ago": [56, 57], "quickli": [56, 57], "editor": [56, 57], "few": [56, 57], "asyncio": [55, 56, 57], "def": [56, 57], "nowsecur": [56, 57], "nl": [56, 57], "save_screenshot": [0, 53, 55, 56, 57], "get_cont": [0, 55, 56, 57], "scroll_down": [0, 55, 56, 57], "150": [56, 57], "elem": [53, 56, 57], "highlight_posit": [], "page2": [56, 57], "twitter": [56, 57], "page3": [56, 57], "pornhub": [], "__name__": [56, 57], "__main__": [56, 57], "me": [56, 57], "loop": [55, 56, 57], "run_until_complet": [56, 57], "coupl": [], "But": [], "easi": [0, 57], "your": [52, 55], "_contradict": 54, "besid": 52, "under": [52, 55], "almost": [], "conduct": [], "__init__": 52, "stubborn": 52, "correctli": 52, "exit": [0, 52, 57], "kill": 52, "usual": [52, 53], "know": 52, "websocket_url": [0, 52, 55], "download_fil": [0, 55], "find_elements_by_text": [0, 53, 55], "return_enclosing_el": 55, "requests_cookie_format": 52, "cookiejar": 52, "get_all_linked_sourc": [0, 55], "img": 55, "get_all_url": [0, 55], "rebuild": [], "kw": 55, "_node": [53, 55], "cdp_obj": 55, "_is_upd": 55, "command": [0, 53], "set_window_st": [0, 55], "1280": 55, "720": 55, "desir": [53, 55], "clear_input": [0, 53], "_until_ev": 53, "dot": 53, "coord": 53, "often": 53, "mouse_click": [0, 53, 56, 57], "atm": 53, "mouse_mov": [0, 53], "mouseov": 53, "record_video": [0, 53], "folder": [53, 54, 55, 56, 57], "html5": 53, "videoel": 53, "scroll_into_view": [0, 53], "select_opt": [0, 53], "send_kei": [0, 53, 56, 57], "stuck": [53, 55], "py": 53, "meth": 53, "keystrok": 53, "rn": 53, "spacebar": 53, "wonder": 53, "text_al": [0, 53], "concaten": 53, "opbject": 53, "remote_object": [0, 53], "seper": [53, 56], "expens": [53, 55], "advis": 53, "bunch": [53, 55], "runtimeerror": 53, "pathlik": [53, 55], "eg": [53, 55], "half": [53, 55], "send_fil": [0, 53], "file_path": 53, "fileinputel": 53, "temp": 53, "myuser": 53, "lol": 53, "gif": 53, "aopen": [0, 55], "find_element_by_text": [0, 55], "build": 55, "full_pag": 55, "25": 55, "percentag": 55, "quarter": 55, "1000": 55, "10x": 55, "scroll_up": [0, 55], "wait_for": [0, 55], "timeout_m": [], "hard": [], "needl": 53, "sai": [53, 56, 57], "get_window": [0, 55], "haven": 55, "mayb": 55, "set_all_cooki": [], "set_download_path": [0, 55], "set_window_s": [0, 55], "1024": 55, "insensit": [], "hood": 55, "w3school": 55, "cssref": 55, "css_selector": 55, "php": 55, "probabl": 55, "THE": 55, "realli": 55, "stuff": 55, "breath": 55, "oftentim": 55, "faster": 55, "namespac": 55, "traffic": 55, "coroutin": 55, "lamba": 55, "lambda": [55, 56, 57], "crazi": 55, "__new__": [], "cl": [], "myconfig": [], "directori": [], "autodetect": [], "chromeparam": [], "somevalu": [], "somev": [], "autodiscoveri": [], "aclos": [0, 55], "event_type_or_domain": 55, "update_target": [0, 52, 55], "websocketclientprotocol": 55, "moduletyp": 55, "main_tab": [0, 52], "mechan": 55, "much": 55, "useful": [], "someth": [55, 58], "yoururlher": 55, "tag_hint": 55, "medim": [0, 55], "timeouterror": 55, "combo": 55, "consum": 55, "luckili": 55, "whole": 55, "add_handl": [0, 55], "_tab": [], "successor": [0, 57], "clean": [0, 56, 57], "tediou": [0, 57], "login": [0, 55, 57], "embed": [], "__repr__": [0, 57], "html5video_el": [], "el": [], "currenttim": [], "grant_all_permiss": [0, 52], "find_al": [0, 55], "js_dump": [0, 55], "obj": [], "complex": 55, "pageyoffset": 55, "screenx": 55, "screeni": 55, "outerwidth": 55, "1050": 55, "outerheight": 55, "832": 55, "devicepixelratio": 55, "screenleft": 55, "screentop": 55, "stylemedia": 55, "onsearch": 55, "issecurecontext": 55, "timeorigin": 55, "1707823094767": 55, "connectstart": 55, "navigationstart": 55, "1707823094768": 55, "verify_cf": [0, 55], "anchor_elem": [], "someotherth": [], "tab_win": [], "all_result": [], "first_submit_button": [], "submit": [], "inputs_in_form": [], "ultrafunkamsterdam": [56, 57], "_": [], "pack": [0, 57], "customiz": [0, 57], "best_match": [0, 56, 57], "naiv": [0, 55, 57], "undetected_chromedriv": [0, 57], "contintu": [0, 57], "slower": 55, "help": 55, "tremend": 55, "thousand": 55, "narrow": 55, "div": 55, "select_al": [0, 56, 57], "infinit": 55, "register": 55, "basicconfig": [56, 57], "30": [56, 57], "februari": [56, 57], "march": [56, 57], "april": [56, 57], "june": [56, 57], "juli": [56, 57], "august": [56, 57], "septemb": [56, 57], "octob": [56, 57], "novemb": [56, 57], "decemb": [56, 57], "create_account": [56, 57], "phone": [56, 57], "small": [56, 57], "use_mail_instead": [56, 57], "randstr": [56, 57], "ascii_lett": [56, 57], "unpack": [56, 57], "dai": [56, 57], "sel_month": [56, 57], "sel_dai": [56, 57], "sel_year": [56, 57], "randint": [56, 57], "bother": [56, 57], "leap": [56, 57], "28": [56, 57], "ag": [56, 57], "restrict": [56, 57], "1980": [56, 57], "2005": [56, 57], "nag": [56, 57], "cookie_bar_accept": [56, 57], "next_btn": [56, 57], "btn": [56, 57], "revers": [56, 57], "sign_up_btn": [56, 57], "mail": [56, 57], "js_function": 53, "blabla": 53, "consolelog": 53, "myfunct": 53, "pick": 55, "easili": 55, "craft": 55, "contradict": 0, "tag_nam": [0, 53], "save_to_dom": [0, 53], "remove_from_dom": [0, 53], "get_js_attribut": [0, 53], "get_posit": [0, 53], "set_valu": [0, 53], "set_text": [0, 53], "get_html": [0, 53], "max_column": 52, "ab": 53, "quickstart": 0, "Or": 56, "filepath": 52, "dat": 52, "export": 52, "requests_style_cooki": 52, "get_al": 52, "inspector_url": [0, 55], "open_external_inspector": [0, 55], "uses_custom_data_dir": [0, 54], "handi": 55, "boilerpl": 56, "iso": 56, "somewebsit": 56, "inspector_open": [0, 55], "add_extens": [0, 54], "extension_path": 54, "crx": 54, "obj_nam": 55, "thruth": 55, "returnvalu": 55, "min": 55, "mini": 55, "mi": 55, "ma": 55, "maxi": 55, "fu": 55, "nor": 55, "timespan": 55, "matter": 55, "highlight_overlai": [0, 53]}, "objects": {"nodriver": [[52, 0, 1, "", "Browser"], [54, 0, 1, "", "Config"], [53, 0, 1, "", "Element"], [55, 0, 1, "", "Tab"]], "nodriver.Browser": [[52, 1, 1, "", "config"], [52, 1, 1, "", "connection"], [52, 2, 1, "", "cookies"], [52, 3, 1, "", "create"], [52, 3, 1, "", "get"], [52, 3, 1, "", "grant_all_permissions"], [52, 2, 1, "", "main_tab"], [52, 3, 1, "", "sleep"], [52, 3, 1, "", "start"], [52, 3, 1, "", "stop"], [52, 2, 1, "", "stopped"], [52, 2, 1, "", "tabs"], [52, 1, 1, "", "targets"], [52, 3, 1, "", "tile_windows"], [52, 3, 1, "", "update_targets"], [52, 3, 1, "", "wait"], [52, 2, 1, "", "websocket_url"]], "nodriver.Config": [[54, 3, 1, "", "add_argument"], [54, 3, 1, "", "add_extension"], [54, 2, 1, "", "browser_args"], [54, 2, 1, "", "user_data_dir"], [54, 2, 1, "", "uses_custom_data_dir"]], "nodriver.Element": [[53, 3, 1, "", "apply"], [53, 2, 1, "", "assigned_slot"], [53, 2, 1, "", "attributes"], [53, 2, 1, "", "attrs"], [53, 2, 1, "", "backend_node_id"], [53, 2, 1, "", "base_url"], [53, 2, 1, "", "child_node_count"], [53, 2, 1, "", "children"], [53, 3, 1, "", "clear_input"], [53, 3, 1, "", "click"], [53, 2, 1, "", "compatibility_mode"], [53, 2, 1, "", "content_document"], [53, 2, 1, "", "distributed_nodes"], [53, 2, 1, "", "document_url"], [53, 3, 1, "", "flash"], [53, 3, 1, "", "focus"], [53, 2, 1, "", "frame_id"], [53, 3, 1, "", "get_html"], [53, 3, 1, "", "get_js_attributes"], [53, 3, 1, "", "get_position"], [53, 3, 1, "", "highlight_overlay"], [53, 2, 1, "", "imported_document"], [53, 2, 1, "", "internal_subset"], [53, 3, 1, "", "is_recording"], [53, 2, 1, "", "is_svg"], [53, 2, 1, "", "local_name"], [53, 3, 1, "", "mouse_click"], [53, 3, 1, "", "mouse_move"], [53, 2, 1, "", "node"], [53, 2, 1, "", "node_id"], [53, 2, 1, "", "node_name"], [53, 2, 1, "", "node_type"], [53, 2, 1, "", "node_value"], [53, 2, 1, "", "object_id"], [53, 2, 1, "", "parent"], [53, 2, 1, "", "parent_id"], [53, 2, 1, "", "pseudo_elements"], [53, 2, 1, "", "pseudo_identifier"], [53, 2, 1, "", "pseudo_type"], [53, 2, 1, "", "public_id"], [53, 3, 1, "", "query_selector"], [53, 3, 1, "", "query_selector_all"], [53, 3, 1, "", "record_video"], [53, 2, 1, "", "remote_object"], [53, 3, 1, "", "remove_from_dom"], [53, 3, 1, "", "save_screenshot"], [53, 3, 1, "", "save_to_dom"], [53, 3, 1, "", "scroll_into_view"], [53, 3, 1, "", "select_option"], [53, 3, 1, "", "send_file"], [53, 3, 1, "", "send_keys"], [53, 3, 1, "", "set_text"], [53, 3, 1, "", "set_value"], [53, 2, 1, "", "shadow_root_type"], [53, 2, 1, "", "shadow_roots"], [53, 2, 1, "", "system_id"], [53, 2, 1, "", "tab"], [53, 2, 1, "", "tag"], [53, 2, 1, "", "tag_name"], [53, 2, 1, "", "template_content"], [53, 2, 1, "", "text"], [53, 2, 1, "", "text_all"], [53, 2, 1, "", "tree"], [53, 3, 1, "", "update"], [53, 2, 1, "", "value"], [53, 2, 1, "", "xml_version"]], "nodriver.Tab": [[55, 3, 1, "", "aclose"], [55, 3, 1, "", "activate"], [55, 3, 1, "", "add_handler"], [55, 3, 1, "", "aopen"], [55, 1, 1, "", "attached"], [55, 3, 1, "", "back"], [55, 3, 1, "", "bring_to_front"], [55, 1, 1, "", "browser"], [55, 3, 1, "", "close"], [55, 2, 1, "", "closed"], [55, 3, 1, "", "download_file"], [55, 3, 1, "", "evaluate"], [55, 3, 1, "", "find"], [55, 3, 1, "", "find_all"], [55, 3, 1, "", "find_element_by_text"], [55, 3, 1, "", "find_elements_by_text"], [55, 3, 1, "", "forward"], [55, 3, 1, "", "fullscreen"], [55, 3, 1, "", "get"], [55, 3, 1, "", "get_all_linked_sources"], [55, 3, 1, "", "get_all_urls"], [55, 3, 1, "", "get_content"], [55, 3, 1, "", "get_window"], [55, 3, 1, "", "inspector_open"], [55, 2, 1, "", "inspector_url"], [55, 3, 1, "", "js_dumps"], [55, 3, 1, "", "maximize"], [55, 3, 1, "", "medimize"], [55, 3, 1, "", "minimize"], [55, 3, 1, "", "open_external_inspector"], [55, 3, 1, "", "query_selector"], [55, 3, 1, "", "query_selector_all"], [55, 3, 1, "", "reload"], [55, 3, 1, "", "save_screenshot"], [55, 3, 1, "", "scroll_down"], [55, 3, 1, "", "scroll_up"], [55, 3, 1, "", "select"], [55, 3, 1, "", "select_all"], [55, 3, 1, "", "send"], [55, 3, 1, "", "set_download_path"], [55, 3, 1, "", "set_window_size"], [55, 3, 1, "", "set_window_state"], [55, 3, 1, "", "sleep"], [55, 2, 1, "", "target"], [55, 3, 1, "", "update_target"], [55, 3, 1, "", "verify_cf"], [55, 3, 1, "", "wait"], [55, 3, 1, "", "wait_for"], [55, 1, 1, "", "websocket"]], "nodriver.cdp": [[2, 4, 0, "-", "accessibility"], [3, 4, 0, "-", "animation"], [4, 4, 0, "-", "audits"], [5, 4, 0, "-", "autofill"], [6, 4, 0, "-", "background_service"], [7, 4, 0, "-", "browser"], [8, 4, 0, "-", "cache_storage"], [9, 4, 0, "-", "cast"], [10, 4, 0, "-", "console"], [11, 4, 0, "-", "css"], [12, 4, 0, "-", "database"], [13, 4, 0, "-", "debugger"], [14, 4, 0, "-", "device_access"], [15, 4, 0, "-", "device_orientation"], [16, 4, 0, "-", "dom"], [17, 4, 0, "-", "dom_debugger"], [18, 4, 0, "-", "dom_snapshot"], [19, 4, 0, "-", "dom_storage"], [20, 4, 0, "-", "emulation"], [21, 4, 0, "-", "event_breakpoints"], [22, 4, 0, "-", "fed_cm"], [23, 4, 0, "-", "fetch"], [24, 4, 0, "-", "headless_experimental"], [25, 4, 0, "-", "heap_profiler"], [26, 4, 0, "-", "indexed_db"], [27, 4, 0, "-", "input_"], [28, 4, 0, "-", "inspector"], [29, 4, 0, "-", "io"], [30, 4, 0, "-", "layer_tree"], [31, 4, 0, "-", "log"], [32, 4, 0, "-", "media"], [33, 4, 0, "-", "memory"], [34, 4, 0, "-", "network"], [35, 4, 0, "-", "overlay"], [36, 4, 0, "-", "page"], [37, 4, 0, "-", "performance"], [38, 4, 0, "-", "performance_timeline"], [39, 4, 0, "-", "preload"], [40, 4, 0, "-", "profiler"], [41, 4, 0, "-", "runtime"], [42, 4, 0, "-", "schema"], [43, 4, 0, "-", "security"], [44, 4, 0, "-", "service_worker"], [45, 4, 0, "-", "storage"], [46, 4, 0, "-", "system_info"], [47, 4, 0, "-", "target"], [48, 4, 0, "-", "tethering"], [49, 4, 0, "-", "tracing"], [50, 4, 0, "-", "web_audio"], [51, 4, 0, "-", "web_authn"]], "nodriver.cdp.accessibility": [[2, 0, 1, "", "AXNode"], [2, 0, 1, "", "AXNodeId"], [2, 0, 1, "", "AXProperty"], [2, 0, 1, "", "AXPropertyName"], [2, 0, 1, "", "AXRelatedNode"], [2, 0, 1, "", "AXValue"], [2, 0, 1, "", "AXValueNativeSourceType"], [2, 0, 1, "", "AXValueSource"], [2, 0, 1, "", "AXValueSourceType"], [2, 0, 1, "", "AXValueType"], [2, 0, 1, "", "LoadComplete"], [2, 0, 1, "", "NodesUpdated"], [2, 5, 1, "", "disable"], [2, 5, 1, "", "enable"], [2, 5, 1, "", "get_ax_node_and_ancestors"], [2, 5, 1, "", "get_child_ax_nodes"], [2, 5, 1, "", "get_full_ax_tree"], [2, 5, 1, "", "get_partial_ax_tree"], [2, 5, 1, "", "get_root_ax_node"], [2, 5, 1, "", "query_ax_tree"]], "nodriver.cdp.accessibility.AXNode": [[2, 1, 1, "", "backend_dom_node_id"], [2, 1, 1, "", "child_ids"], [2, 1, 1, "", "chrome_role"], [2, 1, 1, "", "description"], [2, 1, 1, "", "frame_id"], [2, 1, 1, "", "ignored"], [2, 1, 1, "", "ignored_reasons"], [2, 1, 1, "", "name"], [2, 1, 1, "", "node_id"], [2, 1, 1, "", "parent_id"], [2, 1, 1, "", "properties"], [2, 1, 1, "", "role"], [2, 1, 1, "", "value"]], "nodriver.cdp.accessibility.AXProperty": [[2, 1, 1, "", "name"], [2, 1, 1, "", "value"]], "nodriver.cdp.accessibility.AXPropertyName": [[2, 1, 1, "", "ACTIVEDESCENDANT"], [2, 1, 1, "", "ATOMIC"], [2, 1, 1, "", "AUTOCOMPLETE"], [2, 1, 1, "", "BUSY"], [2, 1, 1, "", "CHECKED"], [2, 1, 1, "", "CONTROLS"], [2, 1, 1, "", "DESCRIBEDBY"], [2, 1, 1, "", "DETAILS"], [2, 1, 1, "", "DISABLED"], [2, 1, 1, "", "EDITABLE"], [2, 1, 1, "", "ERRORMESSAGE"], [2, 1, 1, "", "EXPANDED"], [2, 1, 1, "", "FLOWTO"], [2, 1, 1, "", "FOCUSABLE"], [2, 1, 1, "", "FOCUSED"], [2, 1, 1, "", "HAS_POPUP"], [2, 1, 1, "", "HIDDEN"], [2, 1, 1, "", "HIDDEN_ROOT"], [2, 1, 1, "", "INVALID"], [2, 1, 1, "", "KEYSHORTCUTS"], [2, 1, 1, "", "LABELLEDBY"], [2, 1, 1, "", "LEVEL"], [2, 1, 1, "", "LIVE"], [2, 1, 1, "", "MODAL"], [2, 1, 1, "", "MULTILINE"], [2, 1, 1, "", "MULTISELECTABLE"], [2, 1, 1, "", "ORIENTATION"], [2, 1, 1, "", "OWNS"], [2, 1, 1, "", "PRESSED"], [2, 1, 1, "", "READONLY"], [2, 1, 1, "", "RELEVANT"], [2, 1, 1, "", "REQUIRED"], [2, 1, 1, "", "ROLEDESCRIPTION"], [2, 1, 1, "", "ROOT"], [2, 1, 1, "", "SELECTED"], [2, 1, 1, "", "SETTABLE"], [2, 1, 1, "", "VALUEMAX"], [2, 1, 1, "", "VALUEMIN"], [2, 1, 1, "", "VALUETEXT"]], "nodriver.cdp.accessibility.AXRelatedNode": [[2, 1, 1, "", "backend_dom_node_id"], [2, 1, 1, "", "idref"], [2, 1, 1, "", "text"]], "nodriver.cdp.accessibility.AXValue": [[2, 1, 1, "", "related_nodes"], [2, 1, 1, "", "sources"], [2, 1, 1, "", "type_"], [2, 1, 1, "", "value"]], "nodriver.cdp.accessibility.AXValueNativeSourceType": [[2, 1, 1, "", "DESCRIPTION"], [2, 1, 1, "", "FIGCAPTION"], [2, 1, 1, "", "LABEL"], [2, 1, 1, "", "LABELFOR"], [2, 1, 1, "", "LABELWRAPPED"], [2, 1, 1, "", "LEGEND"], [2, 1, 1, "", "OTHER"], [2, 1, 1, "", "RUBYANNOTATION"], [2, 1, 1, "", "TABLECAPTION"], [2, 1, 1, "", "TITLE"]], "nodriver.cdp.accessibility.AXValueSource": [[2, 1, 1, "", "attribute"], [2, 1, 1, "", "attribute_value"], [2, 1, 1, "", "invalid"], [2, 1, 1, "", "invalid_reason"], [2, 1, 1, "", "native_source"], [2, 1, 1, "", "native_source_value"], [2, 1, 1, "", "superseded"], [2, 1, 1, "", "type_"], [2, 1, 1, "", "value"]], "nodriver.cdp.accessibility.AXValueSourceType": [[2, 1, 1, "", "ATTRIBUTE"], [2, 1, 1, "", "CONTENTS"], [2, 1, 1, "", "IMPLICIT"], [2, 1, 1, "", "PLACEHOLDER"], [2, 1, 1, "", "RELATED_ELEMENT"], [2, 1, 1, "", "STYLE"]], "nodriver.cdp.accessibility.AXValueType": [[2, 1, 1, "", "BOOLEAN"], [2, 1, 1, "", "BOOLEAN_OR_UNDEFINED"], [2, 1, 1, "", "COMPUTED_STRING"], [2, 1, 1, "", "DOM_RELATION"], [2, 1, 1, "", "IDREF"], [2, 1, 1, "", "IDREF_LIST"], [2, 1, 1, "", "INTEGER"], [2, 1, 1, "", "INTERNAL_ROLE"], [2, 1, 1, "", "NODE"], [2, 1, 1, "", "NODE_LIST"], [2, 1, 1, "", "NUMBER"], [2, 1, 1, "", "ROLE"], [2, 1, 1, "", "STRING"], [2, 1, 1, "", "TOKEN"], [2, 1, 1, "", "TOKEN_LIST"], [2, 1, 1, "", "TRISTATE"], [2, 1, 1, "", "VALUE_UNDEFINED"]], "nodriver.cdp.accessibility.LoadComplete": [[2, 1, 1, "", "root"]], "nodriver.cdp.accessibility.NodesUpdated": [[2, 1, 1, "", "nodes"]], "nodriver.cdp.animation": [[3, 0, 1, "", "Animation"], [3, 0, 1, "", "AnimationCanceled"], [3, 0, 1, "", "AnimationCreated"], [3, 0, 1, "", "AnimationEffect"], [3, 0, 1, "", "AnimationStarted"], [3, 0, 1, "", "KeyframeStyle"], [3, 0, 1, "", "KeyframesRule"], [3, 5, 1, "", "disable"], [3, 5, 1, "", "enable"], [3, 5, 1, "", "get_current_time"], [3, 5, 1, "", "get_playback_rate"], [3, 5, 1, "", "release_animations"], [3, 5, 1, "", "resolve_animation"], [3, 5, 1, "", "seek_animations"], [3, 5, 1, "", "set_paused"], [3, 5, 1, "", "set_playback_rate"], [3, 5, 1, "", "set_timing"]], "nodriver.cdp.animation.Animation": [[3, 1, 1, "", "css_id"], [3, 1, 1, "", "current_time"], [3, 1, 1, "", "id_"], [3, 1, 1, "", "name"], [3, 1, 1, "", "paused_state"], [3, 1, 1, "", "play_state"], [3, 1, 1, "", "playback_rate"], [3, 1, 1, "", "source"], [3, 1, 1, "", "start_time"], [3, 1, 1, "", "type_"]], "nodriver.cdp.animation.AnimationCanceled": [[3, 1, 1, "", "id_"]], "nodriver.cdp.animation.AnimationCreated": [[3, 1, 1, "", "id_"]], "nodriver.cdp.animation.AnimationEffect": [[3, 1, 1, "", "backend_node_id"], [3, 1, 1, "", "delay"], [3, 1, 1, "", "direction"], [3, 1, 1, "", "duration"], [3, 1, 1, "", "easing"], [3, 1, 1, "", "end_delay"], [3, 1, 1, "", "fill"], [3, 1, 1, "", "iteration_start"], [3, 1, 1, "", "iterations"], [3, 1, 1, "", "keyframes_rule"]], "nodriver.cdp.animation.AnimationStarted": [[3, 1, 1, "", "animation"]], "nodriver.cdp.animation.KeyframeStyle": [[3, 1, 1, "", "easing"], [3, 1, 1, "", "offset"]], "nodriver.cdp.animation.KeyframesRule": [[3, 1, 1, "", "keyframes"], [3, 1, 1, "", "name"]], "nodriver.cdp.audits": [[4, 0, 1, "", "AffectedCookie"], [4, 0, 1, "", "AffectedFrame"], [4, 0, 1, "", "AffectedRequest"], [4, 0, 1, "", "AttributionReportingIssueDetails"], [4, 0, 1, "", "AttributionReportingIssueType"], [4, 0, 1, "", "BlockedByResponseIssueDetails"], [4, 0, 1, "", "BlockedByResponseReason"], [4, 0, 1, "", "BounceTrackingIssueDetails"], [4, 0, 1, "", "ClientHintIssueDetails"], [4, 0, 1, "", "ClientHintIssueReason"], [4, 0, 1, "", "ContentSecurityPolicyIssueDetails"], [4, 0, 1, "", "ContentSecurityPolicyViolationType"], [4, 0, 1, "", "CookieDeprecationMetadataIssueDetails"], [4, 0, 1, "", "CookieExclusionReason"], [4, 0, 1, "", "CookieIssueDetails"], [4, 0, 1, "", "CookieOperation"], [4, 0, 1, "", "CookieWarningReason"], [4, 0, 1, "", "CorsIssueDetails"], [4, 0, 1, "", "DeprecationIssueDetails"], [4, 0, 1, "", "FailedRequestInfo"], [4, 0, 1, "", "FederatedAuthRequestIssueDetails"], [4, 0, 1, "", "FederatedAuthRequestIssueReason"], [4, 0, 1, "", "FederatedAuthUserInfoRequestIssueDetails"], [4, 0, 1, "", "FederatedAuthUserInfoRequestIssueReason"], [4, 0, 1, "", "GenericIssueDetails"], [4, 0, 1, "", "GenericIssueErrorType"], [4, 0, 1, "", "HeavyAdIssueDetails"], [4, 0, 1, "", "HeavyAdReason"], [4, 0, 1, "", "HeavyAdResolutionStatus"], [4, 0, 1, "", "InspectorIssue"], [4, 0, 1, "", "InspectorIssueCode"], [4, 0, 1, "", "InspectorIssueDetails"], [4, 0, 1, "", "IssueAdded"], [4, 0, 1, "", "IssueId"], [4, 0, 1, "", "LowTextContrastIssueDetails"], [4, 0, 1, "", "MixedContentIssueDetails"], [4, 0, 1, "", "MixedContentResolutionStatus"], [4, 0, 1, "", "MixedContentResourceType"], [4, 0, 1, "", "NavigatorUserAgentIssueDetails"], [4, 0, 1, "", "PropertyRuleIssueDetails"], [4, 0, 1, "", "PropertyRuleIssueReason"], [4, 0, 1, "", "QuirksModeIssueDetails"], [4, 0, 1, "", "SharedArrayBufferIssueDetails"], [4, 0, 1, "", "SharedArrayBufferIssueType"], [4, 0, 1, "", "SourceCodeLocation"], [4, 0, 1, "", "StyleSheetLoadingIssueReason"], [4, 0, 1, "", "StylesheetLoadingIssueDetails"], [4, 5, 1, "", "check_contrast"], [4, 5, 1, "", "check_forms_issues"], [4, 5, 1, "", "disable"], [4, 5, 1, "", "enable"], [4, 5, 1, "", "get_encoded_response"]], "nodriver.cdp.audits.AffectedCookie": [[4, 1, 1, "", "domain"], [4, 1, 1, "", "name"], [4, 1, 1, "", "path"]], "nodriver.cdp.audits.AffectedFrame": [[4, 1, 1, "", "frame_id"]], "nodriver.cdp.audits.AffectedRequest": [[4, 1, 1, "", "request_id"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.AttributionReportingIssueDetails": [[4, 1, 1, "", "invalid_parameter"], [4, 1, 1, "", "request"], [4, 1, 1, "", "violating_node_id"], [4, 1, 1, "", "violation_type"]], "nodriver.cdp.audits.AttributionReportingIssueType": [[4, 1, 1, "", "INSECURE_CONTEXT"], [4, 1, 1, "", "INVALID_HEADER"], [4, 1, 1, "", "INVALID_REGISTER_OS_SOURCE_HEADER"], [4, 1, 1, "", "INVALID_REGISTER_OS_TRIGGER_HEADER"], [4, 1, 1, "", "INVALID_REGISTER_TRIGGER_HEADER"], [4, 1, 1, "", "NAVIGATION_REGISTRATION_WITHOUT_TRANSIENT_USER_ACTIVATION"], [4, 1, 1, "", "NO_WEB_OR_OS_SUPPORT"], [4, 1, 1, "", "OS_SOURCE_IGNORED"], [4, 1, 1, "", "OS_TRIGGER_IGNORED"], [4, 1, 1, "", "PERMISSION_POLICY_DISABLED"], [4, 1, 1, "", "SOURCE_AND_TRIGGER_HEADERS"], [4, 1, 1, "", "SOURCE_IGNORED"], [4, 1, 1, "", "TRIGGER_IGNORED"], [4, 1, 1, "", "UNTRUSTWORTHY_REPORTING_ORIGIN"], [4, 1, 1, "", "WEB_AND_OS_HEADERS"]], "nodriver.cdp.audits.BlockedByResponseIssueDetails": [[4, 1, 1, "", "blocked_frame"], [4, 1, 1, "", "parent_frame"], [4, 1, 1, "", "reason"], [4, 1, 1, "", "request"]], "nodriver.cdp.audits.BlockedByResponseReason": [[4, 1, 1, "", "COEP_FRAME_RESOURCE_NEEDS_COEP_HEADER"], [4, 1, 1, "", "COOP_SANDBOXED_I_FRAME_CANNOT_NAVIGATE_TO_COOP_PAGE"], [4, 1, 1, "", "CORP_NOT_SAME_ORIGIN"], [4, 1, 1, "", "CORP_NOT_SAME_ORIGIN_AFTER_DEFAULTED_TO_SAME_ORIGIN_BY_COEP"], [4, 1, 1, "", "CORP_NOT_SAME_SITE"]], "nodriver.cdp.audits.BounceTrackingIssueDetails": [[4, 1, 1, "", "tracking_sites"]], "nodriver.cdp.audits.ClientHintIssueDetails": [[4, 1, 1, "", "client_hint_issue_reason"], [4, 1, 1, "", "source_code_location"]], "nodriver.cdp.audits.ClientHintIssueReason": [[4, 1, 1, "", "META_TAG_ALLOW_LIST_INVALID_ORIGIN"], [4, 1, 1, "", "META_TAG_MODIFIED_HTML"]], "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails": [[4, 1, 1, "", "blocked_url"], [4, 1, 1, "", "content_security_policy_violation_type"], [4, 1, 1, "", "frame_ancestor"], [4, 1, 1, "", "is_report_only"], [4, 1, 1, "", "source_code_location"], [4, 1, 1, "", "violated_directive"], [4, 1, 1, "", "violating_node_id"]], "nodriver.cdp.audits.ContentSecurityPolicyViolationType": [[4, 1, 1, "", "K_EVAL_VIOLATION"], [4, 1, 1, "", "K_INLINE_VIOLATION"], [4, 1, 1, "", "K_TRUSTED_TYPES_POLICY_VIOLATION"], [4, 1, 1, "", "K_TRUSTED_TYPES_SINK_VIOLATION"], [4, 1, 1, "", "K_URL_VIOLATION"], [4, 1, 1, "", "K_WASM_EVAL_VIOLATION"]], "nodriver.cdp.audits.CookieDeprecationMetadataIssueDetails": [[4, 1, 1, "", "allowed_sites"]], "nodriver.cdp.audits.CookieExclusionReason": [[4, 1, 1, "", "EXCLUDE_DOMAIN_NON_ASCII"], [4, 1, 1, "", "EXCLUDE_INVALID_SAME_PARTY"], [4, 1, 1, "", "EXCLUDE_SAME_PARTY_CROSS_PARTY_CONTEXT"], [4, 1, 1, "", "EXCLUDE_SAME_SITE_LAX"], [4, 1, 1, "", "EXCLUDE_SAME_SITE_NONE_INSECURE"], [4, 1, 1, "", "EXCLUDE_SAME_SITE_STRICT"], [4, 1, 1, "", "EXCLUDE_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [4, 1, 1, "", "EXCLUDE_THIRD_PARTY_COOKIE_BLOCKED_IN_FIRST_PARTY_SET"], [4, 1, 1, "", "EXCLUDE_THIRD_PARTY_PHASEOUT"]], "nodriver.cdp.audits.CookieIssueDetails": [[4, 1, 1, "", "cookie"], [4, 1, 1, "", "cookie_exclusion_reasons"], [4, 1, 1, "", "cookie_url"], [4, 1, 1, "", "cookie_warning_reasons"], [4, 1, 1, "", "operation"], [4, 1, 1, "", "raw_cookie_line"], [4, 1, 1, "", "request"], [4, 1, 1, "", "site_for_cookies"]], "nodriver.cdp.audits.CookieOperation": [[4, 1, 1, "", "READ_COOKIE"], [4, 1, 1, "", "SET_COOKIE"]], "nodriver.cdp.audits.CookieWarningReason": [[4, 1, 1, "", "WARN_ATTRIBUTE_VALUE_EXCEEDS_MAX_SIZE"], [4, 1, 1, "", "WARN_CROSS_SITE_REDIRECT_DOWNGRADE_CHANGES_INCLUSION"], [4, 1, 1, "", "WARN_DOMAIN_NON_ASCII"], [4, 1, 1, "", "WARN_SAME_SITE_LAX_CROSS_DOWNGRADE_LAX"], [4, 1, 1, "", "WARN_SAME_SITE_LAX_CROSS_DOWNGRADE_STRICT"], [4, 1, 1, "", "WARN_SAME_SITE_NONE_INSECURE"], [4, 1, 1, "", "WARN_SAME_SITE_STRICT_CROSS_DOWNGRADE_LAX"], [4, 1, 1, "", "WARN_SAME_SITE_STRICT_CROSS_DOWNGRADE_STRICT"], [4, 1, 1, "", "WARN_SAME_SITE_STRICT_LAX_DOWNGRADE_STRICT"], [4, 1, 1, "", "WARN_SAME_SITE_UNSPECIFIED_CROSS_SITE_CONTEXT"], [4, 1, 1, "", "WARN_SAME_SITE_UNSPECIFIED_LAX_ALLOW_UNSAFE"], [4, 1, 1, "", "WARN_THIRD_PARTY_PHASEOUT"]], "nodriver.cdp.audits.CorsIssueDetails": [[4, 1, 1, "", "client_security_state"], [4, 1, 1, "", "cors_error_status"], [4, 1, 1, "", "initiator_origin"], [4, 1, 1, "", "is_warning"], [4, 1, 1, "", "location"], [4, 1, 1, "", "request"], [4, 1, 1, "", "resource_ip_address_space"]], "nodriver.cdp.audits.DeprecationIssueDetails": [[4, 1, 1, "", "affected_frame"], [4, 1, 1, "", "source_code_location"], [4, 1, 1, "", "type_"]], "nodriver.cdp.audits.FailedRequestInfo": [[4, 1, 1, "", "failure_message"], [4, 1, 1, "", "request_id"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.FederatedAuthRequestIssueDetails": [[4, 1, 1, "", "federated_auth_request_issue_reason"]], "nodriver.cdp.audits.FederatedAuthRequestIssueReason": [[4, 1, 1, "", "ACCOUNTS_HTTP_NOT_FOUND"], [4, 1, 1, "", "ACCOUNTS_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "ACCOUNTS_INVALID_RESPONSE"], [4, 1, 1, "", "ACCOUNTS_LIST_EMPTY"], [4, 1, 1, "", "ACCOUNTS_NO_RESPONSE"], [4, 1, 1, "", "CANCELED"], [4, 1, 1, "", "CLIENT_METADATA_HTTP_NOT_FOUND"], [4, 1, 1, "", "CLIENT_METADATA_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "CLIENT_METADATA_INVALID_RESPONSE"], [4, 1, 1, "", "CLIENT_METADATA_NO_RESPONSE"], [4, 1, 1, "", "CONFIG_HTTP_NOT_FOUND"], [4, 1, 1, "", "CONFIG_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "CONFIG_INVALID_RESPONSE"], [4, 1, 1, "", "CONFIG_NOT_IN_WELL_KNOWN"], [4, 1, 1, "", "CONFIG_NO_RESPONSE"], [4, 1, 1, "", "DISABLED_IN_SETTINGS"], [4, 1, 1, "", "ERROR_FETCHING_SIGNIN"], [4, 1, 1, "", "ERROR_ID_TOKEN"], [4, 1, 1, "", "ID_TOKEN_CROSS_SITE_IDP_ERROR_RESPONSE"], [4, 1, 1, "", "ID_TOKEN_HTTP_NOT_FOUND"], [4, 1, 1, "", "ID_TOKEN_IDP_ERROR_RESPONSE"], [4, 1, 1, "", "ID_TOKEN_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "ID_TOKEN_INVALID_REQUEST"], [4, 1, 1, "", "ID_TOKEN_INVALID_RESPONSE"], [4, 1, 1, "", "ID_TOKEN_NO_RESPONSE"], [4, 1, 1, "", "INVALID_SIGNIN_RESPONSE"], [4, 1, 1, "", "NOT_SIGNED_IN_WITH_IDP"], [4, 1, 1, "", "RP_PAGE_NOT_VISIBLE"], [4, 1, 1, "", "SHOULD_EMBARGO"], [4, 1, 1, "", "SILENT_MEDIATION_FAILURE"], [4, 1, 1, "", "THIRD_PARTY_COOKIES_BLOCKED"], [4, 1, 1, "", "TOO_MANY_REQUESTS"], [4, 1, 1, "", "WELL_KNOWN_HTTP_NOT_FOUND"], [4, 1, 1, "", "WELL_KNOWN_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "WELL_KNOWN_INVALID_RESPONSE"], [4, 1, 1, "", "WELL_KNOWN_LIST_EMPTY"], [4, 1, 1, "", "WELL_KNOWN_NO_RESPONSE"], [4, 1, 1, "", "WELL_KNOWN_TOO_BIG"]], "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueDetails": [[4, 1, 1, "", "federated_auth_user_info_request_issue_reason"]], "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason": [[4, 1, 1, "", "INVALID_ACCOUNTS_RESPONSE"], [4, 1, 1, "", "INVALID_CONFIG_OR_WELL_KNOWN"], [4, 1, 1, "", "NOT_IFRAME"], [4, 1, 1, "", "NOT_POTENTIALLY_TRUSTWORTHY"], [4, 1, 1, "", "NOT_SAME_ORIGIN"], [4, 1, 1, "", "NOT_SIGNED_IN_WITH_IDP"], [4, 1, 1, "", "NO_ACCOUNT_SHARING_PERMISSION"], [4, 1, 1, "", "NO_API_PERMISSION"], [4, 1, 1, "", "NO_RETURNING_USER_FROM_FETCHED_ACCOUNTS"]], "nodriver.cdp.audits.GenericIssueDetails": [[4, 1, 1, "", "error_type"], [4, 1, 1, "", "frame_id"], [4, 1, 1, "", "request"], [4, 1, 1, "", "violating_node_attribute"], [4, 1, 1, "", "violating_node_id"]], "nodriver.cdp.audits.GenericIssueErrorType": [[4, 1, 1, "", "CROSS_ORIGIN_PORTAL_POST_MESSAGE_ERROR"], [4, 1, 1, "", "FORM_ARIA_LABELLED_BY_TO_NON_EXISTING_ID"], [4, 1, 1, "", "FORM_AUTOCOMPLETE_ATTRIBUTE_EMPTY_ERROR"], [4, 1, 1, "", "FORM_DUPLICATE_ID_FOR_INPUT_ERROR"], [4, 1, 1, "", "FORM_EMPTY_ID_AND_NAME_ATTRIBUTES_FOR_INPUT_ERROR"], [4, 1, 1, "", "FORM_INPUT_ASSIGNED_AUTOCOMPLETE_VALUE_TO_ID_OR_NAME_ATTRIBUTE_ERROR"], [4, 1, 1, "", "FORM_INPUT_HAS_WRONG_BUT_WELL_INTENDED_AUTOCOMPLETE_VALUE_ERROR"], [4, 1, 1, "", "FORM_INPUT_WITH_NO_LABEL_ERROR"], [4, 1, 1, "", "FORM_LABEL_FOR_MATCHES_NON_EXISTING_ID_ERROR"], [4, 1, 1, "", "FORM_LABEL_FOR_NAME_ERROR"], [4, 1, 1, "", "FORM_LABEL_HAS_NEITHER_FOR_NOR_NESTED_INPUT"], [4, 1, 1, "", "RESPONSE_WAS_BLOCKED_BY_ORB"]], "nodriver.cdp.audits.HeavyAdIssueDetails": [[4, 1, 1, "", "frame"], [4, 1, 1, "", "reason"], [4, 1, 1, "", "resolution"]], "nodriver.cdp.audits.HeavyAdReason": [[4, 1, 1, "", "CPU_PEAK_LIMIT"], [4, 1, 1, "", "CPU_TOTAL_LIMIT"], [4, 1, 1, "", "NETWORK_TOTAL_LIMIT"]], "nodriver.cdp.audits.HeavyAdResolutionStatus": [[4, 1, 1, "", "HEAVY_AD_BLOCKED"], [4, 1, 1, "", "HEAVY_AD_WARNING"]], "nodriver.cdp.audits.InspectorIssue": [[4, 1, 1, "", "code"], [4, 1, 1, "", "details"], [4, 1, 1, "", "issue_id"]], "nodriver.cdp.audits.InspectorIssueCode": [[4, 1, 1, "", "ATTRIBUTION_REPORTING_ISSUE"], [4, 1, 1, "", "BLOCKED_BY_RESPONSE_ISSUE"], [4, 1, 1, "", "BOUNCE_TRACKING_ISSUE"], [4, 1, 1, "", "CLIENT_HINT_ISSUE"], [4, 1, 1, "", "CONTENT_SECURITY_POLICY_ISSUE"], [4, 1, 1, "", "COOKIE_DEPRECATION_METADATA_ISSUE"], [4, 1, 1, "", "COOKIE_ISSUE"], [4, 1, 1, "", "CORS_ISSUE"], [4, 1, 1, "", "DEPRECATION_ISSUE"], [4, 1, 1, "", "FEDERATED_AUTH_REQUEST_ISSUE"], [4, 1, 1, "", "FEDERATED_AUTH_USER_INFO_REQUEST_ISSUE"], [4, 1, 1, "", "GENERIC_ISSUE"], [4, 1, 1, "", "HEAVY_AD_ISSUE"], [4, 1, 1, "", "LOW_TEXT_CONTRAST_ISSUE"], [4, 1, 1, "", "MIXED_CONTENT_ISSUE"], [4, 1, 1, "", "NAVIGATOR_USER_AGENT_ISSUE"], [4, 1, 1, "", "PROPERTY_RULE_ISSUE"], [4, 1, 1, "", "QUIRKS_MODE_ISSUE"], [4, 1, 1, "", "SHARED_ARRAY_BUFFER_ISSUE"], [4, 1, 1, "", "STYLESHEET_LOADING_ISSUE"]], "nodriver.cdp.audits.InspectorIssueDetails": [[4, 1, 1, "", "attribution_reporting_issue_details"], [4, 1, 1, "", "blocked_by_response_issue_details"], [4, 1, 1, "", "bounce_tracking_issue_details"], [4, 1, 1, "", "client_hint_issue_details"], [4, 1, 1, "", "content_security_policy_issue_details"], [4, 1, 1, "", "cookie_deprecation_metadata_issue_details"], [4, 1, 1, "", "cookie_issue_details"], [4, 1, 1, "", "cors_issue_details"], [4, 1, 1, "", "deprecation_issue_details"], [4, 1, 1, "", "federated_auth_request_issue_details"], [4, 1, 1, "", "federated_auth_user_info_request_issue_details"], [4, 1, 1, "", "generic_issue_details"], [4, 1, 1, "", "heavy_ad_issue_details"], [4, 1, 1, "", "low_text_contrast_issue_details"], [4, 1, 1, "", "mixed_content_issue_details"], [4, 1, 1, "", "navigator_user_agent_issue_details"], [4, 1, 1, "", "property_rule_issue_details"], [4, 1, 1, "", "quirks_mode_issue_details"], [4, 1, 1, "", "shared_array_buffer_issue_details"], [4, 1, 1, "", "stylesheet_loading_issue_details"]], "nodriver.cdp.audits.IssueAdded": [[4, 1, 1, "", "issue"]], "nodriver.cdp.audits.LowTextContrastIssueDetails": [[4, 1, 1, "", "contrast_ratio"], [4, 1, 1, "", "font_size"], [4, 1, 1, "", "font_weight"], [4, 1, 1, "", "threshold_aa"], [4, 1, 1, "", "threshold_aaa"], [4, 1, 1, "", "violating_node_id"], [4, 1, 1, "", "violating_node_selector"]], "nodriver.cdp.audits.MixedContentIssueDetails": [[4, 1, 1, "", "frame"], [4, 1, 1, "", "insecure_url"], [4, 1, 1, "", "main_resource_url"], [4, 1, 1, "", "request"], [4, 1, 1, "", "resolution_status"], [4, 1, 1, "", "resource_type"]], "nodriver.cdp.audits.MixedContentResolutionStatus": [[4, 1, 1, "", "MIXED_CONTENT_AUTOMATICALLY_UPGRADED"], [4, 1, 1, "", "MIXED_CONTENT_BLOCKED"], [4, 1, 1, "", "MIXED_CONTENT_WARNING"]], "nodriver.cdp.audits.MixedContentResourceType": [[4, 1, 1, "", "ATTRIBUTION_SRC"], [4, 1, 1, "", "AUDIO"], [4, 1, 1, "", "BEACON"], [4, 1, 1, "", "CSP_REPORT"], [4, 1, 1, "", "DOWNLOAD"], [4, 1, 1, "", "EVENT_SOURCE"], [4, 1, 1, "", "FAVICON"], [4, 1, 1, "", "FONT"], [4, 1, 1, "", "FORM"], [4, 1, 1, "", "FRAME"], [4, 1, 1, "", "IMAGE"], [4, 1, 1, "", "IMPORT"], [4, 1, 1, "", "MANIFEST"], [4, 1, 1, "", "PING"], [4, 1, 1, "", "PLUGIN_DATA"], [4, 1, 1, "", "PLUGIN_RESOURCE"], [4, 1, 1, "", "PREFETCH"], [4, 1, 1, "", "RESOURCE"], [4, 1, 1, "", "SCRIPT"], [4, 1, 1, "", "SERVICE_WORKER"], [4, 1, 1, "", "SHARED_WORKER"], [4, 1, 1, "", "SPECULATION_RULES"], [4, 1, 1, "", "STYLESHEET"], [4, 1, 1, "", "TRACK"], [4, 1, 1, "", "VIDEO"], [4, 1, 1, "", "WORKER"], [4, 1, 1, "", "XML_HTTP_REQUEST"], [4, 1, 1, "", "XSLT"]], "nodriver.cdp.audits.NavigatorUserAgentIssueDetails": [[4, 1, 1, "", "location"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.PropertyRuleIssueDetails": [[4, 1, 1, "", "property_rule_issue_reason"], [4, 1, 1, "", "property_value"], [4, 1, 1, "", "source_code_location"]], "nodriver.cdp.audits.PropertyRuleIssueReason": [[4, 1, 1, "", "INVALID_INHERITS"], [4, 1, 1, "", "INVALID_INITIAL_VALUE"], [4, 1, 1, "", "INVALID_NAME"], [4, 1, 1, "", "INVALID_SYNTAX"]], "nodriver.cdp.audits.QuirksModeIssueDetails": [[4, 1, 1, "", "document_node_id"], [4, 1, 1, "", "frame_id"], [4, 1, 1, "", "is_limited_quirks_mode"], [4, 1, 1, "", "loader_id"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.SharedArrayBufferIssueDetails": [[4, 1, 1, "", "is_warning"], [4, 1, 1, "", "source_code_location"], [4, 1, 1, "", "type_"]], "nodriver.cdp.audits.SharedArrayBufferIssueType": [[4, 1, 1, "", "CREATION_ISSUE"], [4, 1, 1, "", "TRANSFER_ISSUE"]], "nodriver.cdp.audits.SourceCodeLocation": [[4, 1, 1, "", "column_number"], [4, 1, 1, "", "line_number"], [4, 1, 1, "", "script_id"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.StyleSheetLoadingIssueReason": [[4, 1, 1, "", "LATE_IMPORT_RULE"], [4, 1, 1, "", "REQUEST_FAILED"]], "nodriver.cdp.audits.StylesheetLoadingIssueDetails": [[4, 1, 1, "", "failed_request_info"], [4, 1, 1, "", "source_code_location"], [4, 1, 1, "", "style_sheet_loading_issue_reason"]], "nodriver.cdp.autofill": [[5, 0, 1, "", "Address"], [5, 0, 1, "", "AddressField"], [5, 0, 1, "", "AddressFields"], [5, 0, 1, "", "AddressFormFilled"], [5, 0, 1, "", "AddressUI"], [5, 0, 1, "", "CreditCard"], [5, 0, 1, "", "FilledField"], [5, 0, 1, "", "FillingStrategy"], [5, 5, 1, "", "disable"], [5, 5, 1, "", "enable"], [5, 5, 1, "", "set_addresses"], [5, 5, 1, "", "trigger"]], "nodriver.cdp.autofill.Address": [[5, 1, 1, "", "fields"]], "nodriver.cdp.autofill.AddressField": [[5, 1, 1, "", "name"], [5, 1, 1, "", "value"]], "nodriver.cdp.autofill.AddressFields": [[5, 1, 1, "", "fields"]], "nodriver.cdp.autofill.AddressFormFilled": [[5, 1, 1, "", "address_ui"], [5, 1, 1, "", "filled_fields"]], "nodriver.cdp.autofill.AddressUI": [[5, 1, 1, "", "address_fields"]], "nodriver.cdp.autofill.CreditCard": [[5, 1, 1, "", "cvc"], [5, 1, 1, "", "expiry_month"], [5, 1, 1, "", "expiry_year"], [5, 1, 1, "", "name"], [5, 1, 1, "", "number"]], "nodriver.cdp.autofill.FilledField": [[5, 1, 1, "", "autofill_type"], [5, 1, 1, "", "field_id"], [5, 1, 1, "", "filling_strategy"], [5, 1, 1, "", "html_type"], [5, 1, 1, "", "id_"], [5, 1, 1, "", "name"], [5, 1, 1, "", "value"]], "nodriver.cdp.autofill.FillingStrategy": [[5, 1, 1, "", "AUTOCOMPLETE_ATTRIBUTE"], [5, 1, 1, "", "AUTOFILL_INFERRED"]], "nodriver.cdp.background_service": [[6, 0, 1, "", "BackgroundServiceEvent"], [6, 0, 1, "", "BackgroundServiceEventReceived"], [6, 0, 1, "", "EventMetadata"], [6, 0, 1, "", "RecordingStateChanged"], [6, 0, 1, "", "ServiceName"], [6, 5, 1, "", "clear_events"], [6, 5, 1, "", "set_recording"], [6, 5, 1, "", "start_observing"], [6, 5, 1, "", "stop_observing"]], "nodriver.cdp.background_service.BackgroundServiceEvent": [[6, 1, 1, "", "event_metadata"], [6, 1, 1, "", "event_name"], [6, 1, 1, "", "instance_id"], [6, 1, 1, "", "origin"], [6, 1, 1, "", "service"], [6, 1, 1, "", "service_worker_registration_id"], [6, 1, 1, "", "storage_key"], [6, 1, 1, "", "timestamp"]], "nodriver.cdp.background_service.BackgroundServiceEventReceived": [[6, 1, 1, "", "background_service_event"]], "nodriver.cdp.background_service.EventMetadata": [[6, 1, 1, "", "key"], [6, 1, 1, "", "value"]], "nodriver.cdp.background_service.RecordingStateChanged": [[6, 1, 1, "", "is_recording"], [6, 1, 1, "", "service"]], "nodriver.cdp.background_service.ServiceName": [[6, 1, 1, "", "BACKGROUND_FETCH"], [6, 1, 1, "", "BACKGROUND_SYNC"], [6, 1, 1, "", "NOTIFICATIONS"], [6, 1, 1, "", "PAYMENT_HANDLER"], [6, 1, 1, "", "PERIODIC_BACKGROUND_SYNC"], [6, 1, 1, "", "PUSH_MESSAGING"]], "nodriver.cdp.browser": [[7, 0, 1, "", "Bounds"], [7, 0, 1, "", "BrowserCommandId"], [7, 0, 1, "", "BrowserContextID"], [7, 0, 1, "", "Bucket"], [7, 0, 1, "", "DownloadProgress"], [7, 0, 1, "", "DownloadWillBegin"], [7, 0, 1, "", "Histogram"], [7, 0, 1, "", "PermissionDescriptor"], [7, 0, 1, "", "PermissionSetting"], [7, 0, 1, "", "PermissionType"], [7, 0, 1, "", "WindowID"], [7, 0, 1, "", "WindowState"], [7, 5, 1, "", "add_privacy_sandbox_enrollment_override"], [7, 5, 1, "", "cancel_download"], [7, 5, 1, "", "close"], [7, 5, 1, "", "crash"], [7, 5, 1, "", "crash_gpu_process"], [7, 5, 1, "", "execute_browser_command"], [7, 5, 1, "", "get_browser_command_line"], [7, 5, 1, "", "get_histogram"], [7, 5, 1, "", "get_histograms"], [7, 5, 1, "", "get_version"], [7, 5, 1, "", "get_window_bounds"], [7, 5, 1, "", "get_window_for_target"], [7, 5, 1, "", "grant_permissions"], [7, 5, 1, "", "reset_permissions"], [7, 5, 1, "", "set_dock_tile"], [7, 5, 1, "", "set_download_behavior"], [7, 5, 1, "", "set_permission"], [7, 5, 1, "", "set_window_bounds"]], "nodriver.cdp.browser.Bounds": [[7, 1, 1, "", "height"], [7, 1, 1, "", "left"], [7, 1, 1, "", "top"], [7, 1, 1, "", "width"], [7, 1, 1, "", "window_state"]], "nodriver.cdp.browser.BrowserCommandId": [[7, 1, 1, "", "CLOSE_TAB_SEARCH"], [7, 1, 1, "", "OPEN_TAB_SEARCH"]], "nodriver.cdp.browser.Bucket": [[7, 1, 1, "", "count"], [7, 1, 1, "", "high"], [7, 1, 1, "", "low"]], "nodriver.cdp.browser.DownloadProgress": [[7, 1, 1, "", "guid"], [7, 1, 1, "", "received_bytes"], [7, 1, 1, "", "state"], [7, 1, 1, "", "total_bytes"]], "nodriver.cdp.browser.DownloadWillBegin": [[7, 1, 1, "", "frame_id"], [7, 1, 1, "", "guid"], [7, 1, 1, "", "suggested_filename"], [7, 1, 1, "", "url"]], "nodriver.cdp.browser.Histogram": [[7, 1, 1, "", "buckets"], [7, 1, 1, "", "count"], [7, 1, 1, "", "name"], [7, 1, 1, "", "sum_"]], "nodriver.cdp.browser.PermissionDescriptor": [[7, 1, 1, "", "allow_without_sanitization"], [7, 1, 1, "", "name"], [7, 1, 1, "", "pan_tilt_zoom"], [7, 1, 1, "", "sysex"], [7, 1, 1, "", "user_visible_only"]], "nodriver.cdp.browser.PermissionSetting": [[7, 1, 1, "", "DENIED"], [7, 1, 1, "", "GRANTED"], [7, 1, 1, "", "PROMPT"]], "nodriver.cdp.browser.PermissionType": [[7, 1, 1, "", "ACCESSIBILITY_EVENTS"], [7, 1, 1, "", "AUDIO_CAPTURE"], [7, 1, 1, "", "BACKGROUND_FETCH"], [7, 1, 1, "", "BACKGROUND_SYNC"], [7, 1, 1, "", "CAPTURED_SURFACE_CONTROL"], [7, 1, 1, "", "CLIPBOARD_READ_WRITE"], [7, 1, 1, "", "CLIPBOARD_SANITIZED_WRITE"], [7, 1, 1, "", "DISPLAY_CAPTURE"], [7, 1, 1, "", "DURABLE_STORAGE"], [7, 1, 1, "", "FLASH"], [7, 1, 1, "", "GEOLOCATION"], [7, 1, 1, "", "IDLE_DETECTION"], [7, 1, 1, "", "LOCAL_FONTS"], [7, 1, 1, "", "MIDI"], [7, 1, 1, "", "MIDI_SYSEX"], [7, 1, 1, "", "NFC"], [7, 1, 1, "", "NOTIFICATIONS"], [7, 1, 1, "", "PAYMENT_HANDLER"], [7, 1, 1, "", "PERIODIC_BACKGROUND_SYNC"], [7, 1, 1, "", "PROTECTED_MEDIA_IDENTIFIER"], [7, 1, 1, "", "SENSORS"], [7, 1, 1, "", "STORAGE_ACCESS"], [7, 1, 1, "", "TOP_LEVEL_STORAGE_ACCESS"], [7, 1, 1, "", "VIDEO_CAPTURE"], [7, 1, 1, "", "VIDEO_CAPTURE_PAN_TILT_ZOOM"], [7, 1, 1, "", "WAKE_LOCK_SCREEN"], [7, 1, 1, "", "WAKE_LOCK_SYSTEM"], [7, 1, 1, "", "WINDOW_MANAGEMENT"]], "nodriver.cdp.browser.WindowState": [[7, 1, 1, "", "FULLSCREEN"], [7, 1, 1, "", "MAXIMIZED"], [7, 1, 1, "", "MINIMIZED"], [7, 1, 1, "", "NORMAL"]], "nodriver.cdp.cache_storage": [[8, 0, 1, "", "Cache"], [8, 0, 1, "", "CacheId"], [8, 0, 1, "", "CachedResponse"], [8, 0, 1, "", "CachedResponseType"], [8, 0, 1, "", "DataEntry"], [8, 0, 1, "", "Header"], [8, 5, 1, "", "delete_cache"], [8, 5, 1, "", "delete_entry"], [8, 5, 1, "", "request_cache_names"], [8, 5, 1, "", "request_cached_response"], [8, 5, 1, "", "request_entries"]], "nodriver.cdp.cache_storage.Cache": [[8, 1, 1, "", "cache_id"], [8, 1, 1, "", "cache_name"], [8, 1, 1, "", "security_origin"], [8, 1, 1, "", "storage_bucket"], [8, 1, 1, "", "storage_key"]], "nodriver.cdp.cache_storage.CachedResponse": [[8, 1, 1, "", "body"]], "nodriver.cdp.cache_storage.CachedResponseType": [[8, 1, 1, "", "BASIC"], [8, 1, 1, "", "CORS"], [8, 1, 1, "", "DEFAULT"], [8, 1, 1, "", "ERROR"], [8, 1, 1, "", "OPAQUE_REDIRECT"], [8, 1, 1, "", "OPAQUE_RESPONSE"]], "nodriver.cdp.cache_storage.DataEntry": [[8, 1, 1, "", "request_headers"], [8, 1, 1, "", "request_method"], [8, 1, 1, "", "request_url"], [8, 1, 1, "", "response_headers"], [8, 1, 1, "", "response_status"], [8, 1, 1, "", "response_status_text"], [8, 1, 1, "", "response_time"], [8, 1, 1, "", "response_type"]], "nodriver.cdp.cache_storage.Header": [[8, 1, 1, "", "name"], [8, 1, 1, "", "value"]], "nodriver.cdp.cast": [[9, 0, 1, "", "IssueUpdated"], [9, 0, 1, "", "Sink"], [9, 0, 1, "", "SinksUpdated"], [9, 5, 1, "", "disable"], [9, 5, 1, "", "enable"], [9, 5, 1, "", "set_sink_to_use"], [9, 5, 1, "", "start_desktop_mirroring"], [9, 5, 1, "", "start_tab_mirroring"], [9, 5, 1, "", "stop_casting"]], "nodriver.cdp.cast.IssueUpdated": [[9, 1, 1, "", "issue_message"]], "nodriver.cdp.cast.Sink": [[9, 1, 1, "", "id_"], [9, 1, 1, "", "name"], [9, 1, 1, "", "session"]], "nodriver.cdp.cast.SinksUpdated": [[9, 1, 1, "", "sinks"]], "nodriver.cdp.console": [[10, 0, 1, "", "ConsoleMessage"], [10, 0, 1, "", "MessageAdded"], [10, 5, 1, "", "clear_messages"], [10, 5, 1, "", "disable"], [10, 5, 1, "", "enable"]], "nodriver.cdp.console.ConsoleMessage": [[10, 1, 1, "", "column"], [10, 1, 1, "", "level"], [10, 1, 1, "", "line"], [10, 1, 1, "", "source"], [10, 1, 1, "", "text"], [10, 1, 1, "", "url"]], "nodriver.cdp.console.MessageAdded": [[10, 1, 1, "", "message"]], "nodriver.cdp.css": [[11, 0, 1, "", "CSSComputedStyleProperty"], [11, 0, 1, "", "CSSContainerQuery"], [11, 0, 1, "", "CSSFontPaletteValuesRule"], [11, 0, 1, "", "CSSKeyframeRule"], [11, 0, 1, "", "CSSKeyframesRule"], [11, 0, 1, "", "CSSLayer"], [11, 0, 1, "", "CSSLayerData"], [11, 0, 1, "", "CSSMedia"], [11, 0, 1, "", "CSSPositionFallbackRule"], [11, 0, 1, "", "CSSProperty"], [11, 0, 1, "", "CSSPropertyRegistration"], [11, 0, 1, "", "CSSPropertyRule"], [11, 0, 1, "", "CSSRule"], [11, 0, 1, "", "CSSRuleType"], [11, 0, 1, "", "CSSScope"], [11, 0, 1, "", "CSSStyle"], [11, 0, 1, "", "CSSStyleSheetHeader"], [11, 0, 1, "", "CSSSupports"], [11, 0, 1, "", "CSSTryRule"], [11, 0, 1, "", "FontFace"], [11, 0, 1, "", "FontVariationAxis"], [11, 0, 1, "", "FontsUpdated"], [11, 0, 1, "", "InheritedPseudoElementMatches"], [11, 0, 1, "", "InheritedStyleEntry"], [11, 0, 1, "", "MediaQuery"], [11, 0, 1, "", "MediaQueryExpression"], [11, 0, 1, "", "MediaQueryResultChanged"], [11, 0, 1, "", "PlatformFontUsage"], [11, 0, 1, "", "PseudoElementMatches"], [11, 0, 1, "", "RuleMatch"], [11, 0, 1, "", "RuleUsage"], [11, 0, 1, "", "SelectorList"], [11, 0, 1, "", "ShorthandEntry"], [11, 0, 1, "", "SourceRange"], [11, 0, 1, "", "Specificity"], [11, 0, 1, "", "StyleDeclarationEdit"], [11, 0, 1, "", "StyleSheetAdded"], [11, 0, 1, "", "StyleSheetChanged"], [11, 0, 1, "", "StyleSheetId"], [11, 0, 1, "", "StyleSheetOrigin"], [11, 0, 1, "", "StyleSheetRemoved"], [11, 0, 1, "", "Value"], [11, 5, 1, "", "add_rule"], [11, 5, 1, "", "collect_class_names"], [11, 5, 1, "", "create_style_sheet"], [11, 5, 1, "", "disable"], [11, 5, 1, "", "enable"], [11, 5, 1, "", "force_pseudo_state"], [11, 5, 1, "", "get_background_colors"], [11, 5, 1, "", "get_computed_style_for_node"], [11, 5, 1, "", "get_inline_styles_for_node"], [11, 5, 1, "", "get_layers_for_node"], [11, 5, 1, "", "get_matched_styles_for_node"], [11, 5, 1, "", "get_media_queries"], [11, 5, 1, "", "get_platform_fonts_for_node"], [11, 5, 1, "", "get_style_sheet_text"], [11, 5, 1, "", "set_container_query_text"], [11, 5, 1, "", "set_effective_property_value_for_node"], [11, 5, 1, "", "set_keyframe_key"], [11, 5, 1, "", "set_local_fonts_enabled"], [11, 5, 1, "", "set_media_text"], [11, 5, 1, "", "set_property_rule_property_name"], [11, 5, 1, "", "set_rule_selector"], [11, 5, 1, "", "set_scope_text"], [11, 5, 1, "", "set_style_sheet_text"], [11, 5, 1, "", "set_style_texts"], [11, 5, 1, "", "set_supports_text"], [11, 5, 1, "", "start_rule_usage_tracking"], [11, 5, 1, "", "stop_rule_usage_tracking"], [11, 5, 1, "", "take_computed_style_updates"], [11, 5, 1, "", "take_coverage_delta"], [11, 5, 1, "", "track_computed_style_updates"]], "nodriver.cdp.css.CSSComputedStyleProperty": [[11, 1, 1, "", "name"], [11, 1, 1, "", "value"]], "nodriver.cdp.css.CSSContainerQuery": [[11, 1, 1, "", "logical_axes"], [11, 1, 1, "", "name"], [11, 1, 1, "", "physical_axes"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSFontPaletteValuesRule": [[11, 1, 1, "", "font_palette_name"], [11, 1, 1, "", "origin"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.CSSKeyframeRule": [[11, 1, 1, "", "key_text"], [11, 1, 1, "", "origin"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.CSSKeyframesRule": [[11, 1, 1, "", "animation_name"], [11, 1, 1, "", "keyframes"]], "nodriver.cdp.css.CSSLayer": [[11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSLayerData": [[11, 1, 1, "", "name"], [11, 1, 1, "", "order"], [11, 1, 1, "", "sub_layers"]], "nodriver.cdp.css.CSSMedia": [[11, 1, 1, "", "media_list"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "source"], [11, 1, 1, "", "source_url"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSPositionFallbackRule": [[11, 1, 1, "", "name"], [11, 1, 1, "", "try_rules"]], "nodriver.cdp.css.CSSProperty": [[11, 1, 1, "", "disabled"], [11, 1, 1, "", "implicit"], [11, 1, 1, "", "important"], [11, 1, 1, "", "longhand_properties"], [11, 1, 1, "", "name"], [11, 1, 1, "", "parsed_ok"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "text"], [11, 1, 1, "", "value"]], "nodriver.cdp.css.CSSPropertyRegistration": [[11, 1, 1, "", "inherits"], [11, 1, 1, "", "initial_value"], [11, 1, 1, "", "property_name"], [11, 1, 1, "", "syntax"]], "nodriver.cdp.css.CSSPropertyRule": [[11, 1, 1, "", "origin"], [11, 1, 1, "", "property_name"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.CSSRule": [[11, 1, 1, "", "container_queries"], [11, 1, 1, "", "layers"], [11, 1, 1, "", "media"], [11, 1, 1, "", "nesting_selectors"], [11, 1, 1, "", "origin"], [11, 1, 1, "", "rule_types"], [11, 1, 1, "", "scopes"], [11, 1, 1, "", "selector_list"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "supports"]], "nodriver.cdp.css.CSSRuleType": [[11, 1, 1, "", "CONTAINER_RULE"], [11, 1, 1, "", "LAYER_RULE"], [11, 1, 1, "", "MEDIA_RULE"], [11, 1, 1, "", "SCOPE_RULE"], [11, 1, 1, "", "STYLE_RULE"], [11, 1, 1, "", "SUPPORTS_RULE"]], "nodriver.cdp.css.CSSScope": [[11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSStyle": [[11, 1, 1, "", "css_properties"], [11, 1, 1, "", "css_text"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "shorthand_entries"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.CSSStyleSheetHeader": [[11, 1, 1, "", "disabled"], [11, 1, 1, "", "end_column"], [11, 1, 1, "", "end_line"], [11, 1, 1, "", "frame_id"], [11, 1, 1, "", "has_source_url"], [11, 1, 1, "", "is_constructed"], [11, 1, 1, "", "is_inline"], [11, 1, 1, "", "is_mutable"], [11, 1, 1, "", "length"], [11, 1, 1, "", "loading_failed"], [11, 1, 1, "", "origin"], [11, 1, 1, "", "owner_node"], [11, 1, 1, "", "source_map_url"], [11, 1, 1, "", "source_url"], [11, 1, 1, "", "start_column"], [11, 1, 1, "", "start_line"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "title"]], "nodriver.cdp.css.CSSSupports": [[11, 1, 1, "", "active"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSTryRule": [[11, 1, 1, "", "origin"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.FontFace": [[11, 1, 1, "", "font_display"], [11, 1, 1, "", "font_family"], [11, 1, 1, "", "font_stretch"], [11, 1, 1, "", "font_style"], [11, 1, 1, "", "font_variant"], [11, 1, 1, "", "font_variation_axes"], [11, 1, 1, "", "font_weight"], [11, 1, 1, "", "platform_font_family"], [11, 1, 1, "", "src"], [11, 1, 1, "", "unicode_range"]], "nodriver.cdp.css.FontVariationAxis": [[11, 1, 1, "", "default_value"], [11, 1, 1, "", "max_value"], [11, 1, 1, "", "min_value"], [11, 1, 1, "", "name"], [11, 1, 1, "", "tag"]], "nodriver.cdp.css.FontsUpdated": [[11, 1, 1, "", "font"]], "nodriver.cdp.css.InheritedPseudoElementMatches": [[11, 1, 1, "", "pseudo_elements"]], "nodriver.cdp.css.InheritedStyleEntry": [[11, 1, 1, "", "inline_style"], [11, 1, 1, "", "matched_css_rules"]], "nodriver.cdp.css.MediaQuery": [[11, 1, 1, "", "active"], [11, 1, 1, "", "expressions"]], "nodriver.cdp.css.MediaQueryExpression": [[11, 1, 1, "", "computed_length"], [11, 1, 1, "", "feature"], [11, 1, 1, "", "unit"], [11, 1, 1, "", "value"], [11, 1, 1, "", "value_range"]], "nodriver.cdp.css.PlatformFontUsage": [[11, 1, 1, "", "family_name"], [11, 1, 1, "", "glyph_count"], [11, 1, 1, "", "is_custom_font"], [11, 1, 1, "", "post_script_name"]], "nodriver.cdp.css.PseudoElementMatches": [[11, 1, 1, "", "matches"], [11, 1, 1, "", "pseudo_identifier"], [11, 1, 1, "", "pseudo_type"]], "nodriver.cdp.css.RuleMatch": [[11, 1, 1, "", "matching_selectors"], [11, 1, 1, "", "rule"]], "nodriver.cdp.css.RuleUsage": [[11, 1, 1, "", "end_offset"], [11, 1, 1, "", "start_offset"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "used"]], "nodriver.cdp.css.SelectorList": [[11, 1, 1, "", "selectors"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.ShorthandEntry": [[11, 1, 1, "", "important"], [11, 1, 1, "", "name"], [11, 1, 1, "", "value"]], "nodriver.cdp.css.SourceRange": [[11, 1, 1, "", "end_column"], [11, 1, 1, "", "end_line"], [11, 1, 1, "", "start_column"], [11, 1, 1, "", "start_line"]], "nodriver.cdp.css.Specificity": [[11, 1, 1, "", "a"], [11, 1, 1, "", "b"], [11, 1, 1, "", "c"]], "nodriver.cdp.css.StyleDeclarationEdit": [[11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.StyleSheetAdded": [[11, 1, 1, "", "header"]], "nodriver.cdp.css.StyleSheetChanged": [[11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.StyleSheetOrigin": [[11, 1, 1, "", "INJECTED"], [11, 1, 1, "", "INSPECTOR"], [11, 1, 1, "", "REGULAR"], [11, 1, 1, "", "USER_AGENT"]], "nodriver.cdp.css.StyleSheetRemoved": [[11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.Value": [[11, 1, 1, "", "range_"], [11, 1, 1, "", "specificity"], [11, 1, 1, "", "text"]], "nodriver.cdp.database": [[12, 0, 1, "", "AddDatabase"], [12, 0, 1, "", "Database"], [12, 0, 1, "", "DatabaseId"], [12, 0, 1, "", "Error"], [12, 5, 1, "", "disable"], [12, 5, 1, "", "enable"], [12, 5, 1, "", "execute_sql"], [12, 5, 1, "", "get_database_table_names"]], "nodriver.cdp.database.AddDatabase": [[12, 1, 1, "", "database"]], "nodriver.cdp.database.Database": [[12, 1, 1, "", "domain"], [12, 1, 1, "", "id_"], [12, 1, 1, "", "name"], [12, 1, 1, "", "version"]], "nodriver.cdp.database.Error": [[12, 1, 1, "", "code"], [12, 1, 1, "", "message"]], "nodriver.cdp.debugger": [[13, 0, 1, "", "BreakLocation"], [13, 0, 1, "", "BreakpointId"], [13, 0, 1, "", "BreakpointResolved"], [13, 0, 1, "", "CallFrame"], [13, 0, 1, "", "CallFrameId"], [13, 0, 1, "", "DebugSymbols"], [13, 0, 1, "", "Location"], [13, 0, 1, "", "LocationRange"], [13, 0, 1, "", "Paused"], [13, 0, 1, "", "Resumed"], [13, 0, 1, "", "Scope"], [13, 0, 1, "", "ScriptFailedToParse"], [13, 0, 1, "", "ScriptLanguage"], [13, 0, 1, "", "ScriptParsed"], [13, 0, 1, "", "ScriptPosition"], [13, 0, 1, "", "SearchMatch"], [13, 0, 1, "", "WasmDisassemblyChunk"], [13, 5, 1, "", "continue_to_location"], [13, 5, 1, "", "disable"], [13, 5, 1, "", "disassemble_wasm_module"], [13, 5, 1, "", "enable"], [13, 5, 1, "", "evaluate_on_call_frame"], [13, 5, 1, "", "get_possible_breakpoints"], [13, 5, 1, "", "get_script_source"], [13, 5, 1, "", "get_stack_trace"], [13, 5, 1, "", "get_wasm_bytecode"], [13, 5, 1, "", "next_wasm_disassembly_chunk"], [13, 5, 1, "", "pause"], [13, 5, 1, "", "pause_on_async_call"], [13, 5, 1, "", "remove_breakpoint"], [13, 5, 1, "", "restart_frame"], [13, 5, 1, "", "resume"], [13, 5, 1, "", "search_in_content"], [13, 5, 1, "", "set_async_call_stack_depth"], [13, 5, 1, "", "set_blackbox_patterns"], [13, 5, 1, "", "set_blackboxed_ranges"], [13, 5, 1, "", "set_breakpoint"], [13, 5, 1, "", "set_breakpoint_by_url"], [13, 5, 1, "", "set_breakpoint_on_function_call"], [13, 5, 1, "", "set_breakpoints_active"], [13, 5, 1, "", "set_instrumentation_breakpoint"], [13, 5, 1, "", "set_pause_on_exceptions"], [13, 5, 1, "", "set_return_value"], [13, 5, 1, "", "set_script_source"], [13, 5, 1, "", "set_skip_all_pauses"], [13, 5, 1, "", "set_variable_value"], [13, 5, 1, "", "step_into"], [13, 5, 1, "", "step_out"], [13, 5, 1, "", "step_over"]], "nodriver.cdp.debugger.BreakLocation": [[13, 1, 1, "", "column_number"], [13, 1, 1, "", "line_number"], [13, 1, 1, "", "script_id"], [13, 1, 1, "", "type_"]], "nodriver.cdp.debugger.BreakpointResolved": [[13, 1, 1, "", "breakpoint_id"], [13, 1, 1, "", "location"]], "nodriver.cdp.debugger.CallFrame": [[13, 1, 1, "", "call_frame_id"], [13, 1, 1, "", "can_be_restarted"], [13, 1, 1, "", "function_location"], [13, 1, 1, "", "function_name"], [13, 1, 1, "", "location"], [13, 1, 1, "", "return_value"], [13, 1, 1, "", "scope_chain"], [13, 1, 1, "", "this"], [13, 1, 1, "", "url"]], "nodriver.cdp.debugger.DebugSymbols": [[13, 1, 1, "", "external_url"], [13, 1, 1, "", "type_"]], "nodriver.cdp.debugger.Location": [[13, 1, 1, "", "column_number"], [13, 1, 1, "", "line_number"], [13, 1, 1, "", "script_id"]], "nodriver.cdp.debugger.LocationRange": [[13, 1, 1, "", "end"], [13, 1, 1, "", "script_id"], [13, 1, 1, "", "start"]], "nodriver.cdp.debugger.Paused": [[13, 1, 1, "", "async_call_stack_trace_id"], [13, 1, 1, "", "async_stack_trace"], [13, 1, 1, "", "async_stack_trace_id"], [13, 1, 1, "", "call_frames"], [13, 1, 1, "", "data"], [13, 1, 1, "", "hit_breakpoints"], [13, 1, 1, "", "reason"]], "nodriver.cdp.debugger.Scope": [[13, 1, 1, "", "end_location"], [13, 1, 1, "", "name"], [13, 1, 1, "", "object_"], [13, 1, 1, "", "start_location"], [13, 1, 1, "", "type_"]], "nodriver.cdp.debugger.ScriptFailedToParse": [[13, 1, 1, "", "code_offset"], [13, 1, 1, "", "embedder_name"], [13, 1, 1, "", "end_column"], [13, 1, 1, "", "end_line"], [13, 1, 1, "", "execution_context_aux_data"], [13, 1, 1, "", "execution_context_id"], [13, 1, 1, "", "has_source_url"], [13, 1, 1, "", "hash_"], [13, 1, 1, "", "is_module"], [13, 1, 1, "", "length"], [13, 1, 1, "", "script_id"], [13, 1, 1, "", "script_language"], [13, 1, 1, "", "source_map_url"], [13, 1, 1, "", "stack_trace"], [13, 1, 1, "", "start_column"], [13, 1, 1, "", "start_line"], [13, 1, 1, "", "url"]], "nodriver.cdp.debugger.ScriptLanguage": [[13, 1, 1, "", "JAVA_SCRIPT"], [13, 1, 1, "", "WEB_ASSEMBLY"]], "nodriver.cdp.debugger.ScriptParsed": [[13, 1, 1, "", "code_offset"], [13, 1, 1, "", "debug_symbols"], [13, 1, 1, "", "embedder_name"], [13, 1, 1, "", "end_column"], [13, 1, 1, "", "end_line"], [13, 1, 1, "", "execution_context_aux_data"], [13, 1, 1, "", "execution_context_id"], [13, 1, 1, "", "has_source_url"], [13, 1, 1, "", "hash_"], [13, 1, 1, "", "is_live_edit"], [13, 1, 1, "", "is_module"], [13, 1, 1, "", "length"], [13, 1, 1, "", "script_id"], [13, 1, 1, "", "script_language"], [13, 1, 1, "", "source_map_url"], [13, 1, 1, "", "stack_trace"], [13, 1, 1, "", "start_column"], [13, 1, 1, "", "start_line"], [13, 1, 1, "", "url"]], "nodriver.cdp.debugger.ScriptPosition": [[13, 1, 1, "", "column_number"], [13, 1, 1, "", "line_number"]], "nodriver.cdp.debugger.SearchMatch": [[13, 1, 1, "", "line_content"], [13, 1, 1, "", "line_number"]], "nodriver.cdp.debugger.WasmDisassemblyChunk": [[13, 1, 1, "", "bytecode_offsets"], [13, 1, 1, "", "lines"]], "nodriver.cdp.device_access": [[14, 0, 1, "", "DeviceId"], [14, 0, 1, "", "DeviceRequestPrompted"], [14, 0, 1, "", "PromptDevice"], [14, 0, 1, "", "RequestId"], [14, 5, 1, "", "cancel_prompt"], [14, 5, 1, "", "disable"], [14, 5, 1, "", "enable"], [14, 5, 1, "", "select_prompt"]], "nodriver.cdp.device_access.DeviceRequestPrompted": [[14, 1, 1, "", "devices"], [14, 1, 1, "", "id_"]], "nodriver.cdp.device_access.PromptDevice": [[14, 1, 1, "", "id_"], [14, 1, 1, "", "name"]], "nodriver.cdp.device_orientation": [[15, 5, 1, "", "clear_device_orientation_override"], [15, 5, 1, "", "set_device_orientation_override"]], "nodriver.cdp.dom": [[16, 0, 1, "", "AttributeModified"], [16, 0, 1, "", "AttributeRemoved"], [16, 0, 1, "", "BackendNode"], [16, 0, 1, "", "BackendNodeId"], [16, 0, 1, "", "BoxModel"], [16, 0, 1, "", "CSSComputedStyleProperty"], [16, 0, 1, "", "CharacterDataModified"], [16, 0, 1, "", "ChildNodeCountUpdated"], [16, 0, 1, "", "ChildNodeInserted"], [16, 0, 1, "", "ChildNodeRemoved"], [16, 0, 1, "", "CompatibilityMode"], [16, 0, 1, "", "DistributedNodesUpdated"], [16, 0, 1, "", "DocumentUpdated"], [16, 0, 1, "", "InlineStyleInvalidated"], [16, 0, 1, "", "LogicalAxes"], [16, 0, 1, "", "Node"], [16, 0, 1, "", "NodeId"], [16, 0, 1, "", "PhysicalAxes"], [16, 0, 1, "", "PseudoElementAdded"], [16, 0, 1, "", "PseudoElementRemoved"], [16, 0, 1, "", "PseudoType"], [16, 0, 1, "", "Quad"], [16, 0, 1, "", "RGBA"], [16, 0, 1, "", "Rect"], [16, 0, 1, "", "SetChildNodes"], [16, 0, 1, "", "ShadowRootPopped"], [16, 0, 1, "", "ShadowRootPushed"], [16, 0, 1, "", "ShadowRootType"], [16, 0, 1, "", "ShapeOutsideInfo"], [16, 0, 1, "", "TopLayerElementsUpdated"], [16, 5, 1, "", "collect_class_names_from_subtree"], [16, 5, 1, "", "copy_to"], [16, 5, 1, "", "describe_node"], [16, 5, 1, "", "disable"], [16, 5, 1, "", "discard_search_results"], [16, 5, 1, "", "enable"], [16, 5, 1, "", "focus"], [16, 5, 1, "", "get_attributes"], [16, 5, 1, "", "get_box_model"], [16, 5, 1, "", "get_container_for_node"], [16, 5, 1, "", "get_content_quads"], [16, 5, 1, "", "get_document"], [16, 5, 1, "", "get_file_info"], [16, 5, 1, "", "get_flattened_document"], [16, 5, 1, "", "get_frame_owner"], [16, 5, 1, "", "get_node_for_location"], [16, 5, 1, "", "get_node_stack_traces"], [16, 5, 1, "", "get_nodes_for_subtree_by_style"], [16, 5, 1, "", "get_outer_html"], [16, 5, 1, "", "get_querying_descendants_for_container"], [16, 5, 1, "", "get_relayout_boundary"], [16, 5, 1, "", "get_search_results"], [16, 5, 1, "", "get_top_layer_elements"], [16, 5, 1, "", "hide_highlight"], [16, 5, 1, "", "highlight_node"], [16, 5, 1, "", "highlight_rect"], [16, 5, 1, "", "mark_undoable_state"], [16, 5, 1, "", "move_to"], [16, 5, 1, "", "perform_search"], [16, 5, 1, "", "push_node_by_path_to_frontend"], [16, 5, 1, "", "push_nodes_by_backend_ids_to_frontend"], [16, 5, 1, "", "query_selector"], [16, 5, 1, "", "query_selector_all"], [16, 5, 1, "", "redo"], [16, 5, 1, "", "remove_attribute"], [16, 5, 1, "", "remove_node"], [16, 5, 1, "", "request_child_nodes"], [16, 5, 1, "", "request_node"], [16, 5, 1, "", "resolve_node"], [16, 5, 1, "", "scroll_into_view_if_needed"], [16, 5, 1, "", "set_attribute_value"], [16, 5, 1, "", "set_attributes_as_text"], [16, 5, 1, "", "set_file_input_files"], [16, 5, 1, "", "set_inspected_node"], [16, 5, 1, "", "set_node_name"], [16, 5, 1, "", "set_node_stack_traces_enabled"], [16, 5, 1, "", "set_node_value"], [16, 5, 1, "", "set_outer_html"], [16, 5, 1, "", "undo"]], "nodriver.cdp.dom.AttributeModified": [[16, 1, 1, "", "name"], [16, 1, 1, "", "node_id"], [16, 1, 1, "", "value"]], "nodriver.cdp.dom.AttributeRemoved": [[16, 1, 1, "", "name"], [16, 1, 1, "", "node_id"]], "nodriver.cdp.dom.BackendNode": [[16, 1, 1, "", "backend_node_id"], [16, 1, 1, "", "node_name"], [16, 1, 1, "", "node_type"]], "nodriver.cdp.dom.BoxModel": [[16, 1, 1, "", "border"], [16, 1, 1, "", "content"], [16, 1, 1, "", "height"], [16, 1, 1, "", "margin"], [16, 1, 1, "", "padding"], [16, 1, 1, "", "shape_outside"], [16, 1, 1, "", "width"]], "nodriver.cdp.dom.CSSComputedStyleProperty": [[16, 1, 1, "", "name"], [16, 1, 1, "", "value"]], "nodriver.cdp.dom.CharacterDataModified": [[16, 1, 1, "", "character_data"], [16, 1, 1, "", "node_id"]], "nodriver.cdp.dom.ChildNodeCountUpdated": [[16, 1, 1, "", "child_node_count"], [16, 1, 1, "", "node_id"]], "nodriver.cdp.dom.ChildNodeInserted": [[16, 1, 1, "", "node"], [16, 1, 1, "", "parent_node_id"], [16, 1, 1, "", "previous_node_id"]], "nodriver.cdp.dom.ChildNodeRemoved": [[16, 1, 1, "", "node_id"], [16, 1, 1, "", "parent_node_id"]], "nodriver.cdp.dom.CompatibilityMode": [[16, 1, 1, "", "LIMITED_QUIRKS_MODE"], [16, 1, 1, "", "NO_QUIRKS_MODE"], [16, 1, 1, "", "QUIRKS_MODE"]], "nodriver.cdp.dom.DistributedNodesUpdated": [[16, 1, 1, "", "distributed_nodes"], [16, 1, 1, "", "insertion_point_id"]], "nodriver.cdp.dom.InlineStyleInvalidated": [[16, 1, 1, "", "node_ids"]], "nodriver.cdp.dom.LogicalAxes": [[16, 1, 1, "", "BLOCK"], [16, 1, 1, "", "BOTH"], [16, 1, 1, "", "INLINE"]], "nodriver.cdp.dom.Node": [[16, 1, 1, "", "assigned_slot"], [16, 1, 1, "", "attributes"], [16, 1, 1, "", "backend_node_id"], [16, 1, 1, "", "base_url"], [16, 1, 1, "", "child_node_count"], [16, 1, 1, "", "children"], [16, 1, 1, "", "compatibility_mode"], [16, 1, 1, "", "content_document"], [16, 1, 1, "", "distributed_nodes"], [16, 1, 1, "", "document_url"], [16, 1, 1, "", "frame_id"], [16, 1, 1, "", "imported_document"], [16, 1, 1, "", "internal_subset"], [16, 1, 1, "", "is_svg"], [16, 1, 1, "", "local_name"], [16, 1, 1, "", "name"], [16, 1, 1, "", "node_id"], [16, 1, 1, "", "node_name"], [16, 1, 1, "", "node_type"], [16, 1, 1, "", "node_value"], [16, 1, 1, "", "parent_id"], [16, 1, 1, "", "pseudo_elements"], [16, 1, 1, "", "pseudo_identifier"], [16, 1, 1, "", "pseudo_type"], [16, 1, 1, "", "public_id"], [16, 1, 1, "", "shadow_root_type"], [16, 1, 1, "", "shadow_roots"], [16, 1, 1, "", "system_id"], [16, 1, 1, "", "template_content"], [16, 1, 1, "", "value"], [16, 1, 1, "", "xml_version"]], "nodriver.cdp.dom.PhysicalAxes": [[16, 1, 1, "", "BOTH"], [16, 1, 1, "", "HORIZONTAL"], [16, 1, 1, "", "VERTICAL"]], "nodriver.cdp.dom.PseudoElementAdded": [[16, 1, 1, "", "parent_id"], [16, 1, 1, "", "pseudo_element"]], "nodriver.cdp.dom.PseudoElementRemoved": [[16, 1, 1, "", "parent_id"], [16, 1, 1, "", "pseudo_element_id"]], "nodriver.cdp.dom.PseudoType": [[16, 1, 1, "", "AFTER"], [16, 1, 1, "", "BACKDROP"], [16, 1, 1, "", "BEFORE"], [16, 1, 1, "", "FIRST_LETTER"], [16, 1, 1, "", "FIRST_LINE"], [16, 1, 1, "", "FIRST_LINE_INHERITED"], [16, 1, 1, "", "GRAMMAR_ERROR"], [16, 1, 1, "", "HIGHLIGHT"], [16, 1, 1, "", "INPUT_LIST_BUTTON"], [16, 1, 1, "", "MARKER"], [16, 1, 1, "", "RESIZER"], [16, 1, 1, "", "SCROLLBAR"], [16, 1, 1, "", "SCROLLBAR_BUTTON"], [16, 1, 1, "", "SCROLLBAR_CORNER"], [16, 1, 1, "", "SCROLLBAR_THUMB"], [16, 1, 1, "", "SCROLLBAR_TRACK"], [16, 1, 1, "", "SCROLLBAR_TRACK_PIECE"], [16, 1, 1, "", "SELECTION"], [16, 1, 1, "", "SPELLING_ERROR"], [16, 1, 1, "", "TARGET_TEXT"], [16, 1, 1, "", "VIEW_TRANSITION"], [16, 1, 1, "", "VIEW_TRANSITION_GROUP"], [16, 1, 1, "", "VIEW_TRANSITION_IMAGE_PAIR"], [16, 1, 1, "", "VIEW_TRANSITION_NEW"], [16, 1, 1, "", "VIEW_TRANSITION_OLD"]], "nodriver.cdp.dom.RGBA": [[16, 1, 1, "", "a"], [16, 1, 1, "", "b"], [16, 1, 1, "", "g"], [16, 1, 1, "", "r"]], "nodriver.cdp.dom.Rect": [[16, 1, 1, "", "height"], [16, 1, 1, "", "width"], [16, 1, 1, "", "x"], [16, 1, 1, "", "y"]], "nodriver.cdp.dom.SetChildNodes": [[16, 1, 1, "", "nodes"], [16, 1, 1, "", "parent_id"]], "nodriver.cdp.dom.ShadowRootPopped": [[16, 1, 1, "", "host_id"], [16, 1, 1, "", "root_id"]], "nodriver.cdp.dom.ShadowRootPushed": [[16, 1, 1, "", "host_id"], [16, 1, 1, "", "root"]], "nodriver.cdp.dom.ShadowRootType": [[16, 1, 1, "", "CLOSED"], [16, 1, 1, "", "OPEN_"], [16, 1, 1, "", "USER_AGENT"]], "nodriver.cdp.dom.ShapeOutsideInfo": [[16, 1, 1, "", "bounds"], [16, 1, 1, "", "margin_shape"], [16, 1, 1, "", "shape"]], "nodriver.cdp.dom_debugger": [[17, 0, 1, "", "CSPViolationType"], [17, 0, 1, "", "DOMBreakpointType"], [17, 0, 1, "", "EventListener"], [17, 5, 1, "", "get_event_listeners"], [17, 5, 1, "", "remove_dom_breakpoint"], [17, 5, 1, "", "remove_event_listener_breakpoint"], [17, 5, 1, "", "remove_instrumentation_breakpoint"], [17, 5, 1, "", "remove_xhr_breakpoint"], [17, 5, 1, "", "set_break_on_csp_violation"], [17, 5, 1, "", "set_dom_breakpoint"], [17, 5, 1, "", "set_event_listener_breakpoint"], [17, 5, 1, "", "set_instrumentation_breakpoint"], [17, 5, 1, "", "set_xhr_breakpoint"]], "nodriver.cdp.dom_debugger.CSPViolationType": [[17, 1, 1, "", "TRUSTEDTYPE_POLICY_VIOLATION"], [17, 1, 1, "", "TRUSTEDTYPE_SINK_VIOLATION"]], "nodriver.cdp.dom_debugger.DOMBreakpointType": [[17, 1, 1, "", "ATTRIBUTE_MODIFIED"], [17, 1, 1, "", "NODE_REMOVED"], [17, 1, 1, "", "SUBTREE_MODIFIED"]], "nodriver.cdp.dom_debugger.EventListener": [[17, 1, 1, "", "backend_node_id"], [17, 1, 1, "", "column_number"], [17, 1, 1, "", "handler"], [17, 1, 1, "", "line_number"], [17, 1, 1, "", "once"], [17, 1, 1, "", "original_handler"], [17, 1, 1, "", "passive"], [17, 1, 1, "", "script_id"], [17, 1, 1, "", "type_"], [17, 1, 1, "", "use_capture"]], "nodriver.cdp.dom_snapshot": [[18, 0, 1, "", "ArrayOfStrings"], [18, 0, 1, "", "ComputedStyle"], [18, 0, 1, "", "DOMNode"], [18, 0, 1, "", "DocumentSnapshot"], [18, 0, 1, "", "InlineTextBox"], [18, 0, 1, "", "LayoutTreeNode"], [18, 0, 1, "", "LayoutTreeSnapshot"], [18, 0, 1, "", "NameValue"], [18, 0, 1, "", "NodeTreeSnapshot"], [18, 0, 1, "", "RareBooleanData"], [18, 0, 1, "", "RareIntegerData"], [18, 0, 1, "", "RareStringData"], [18, 0, 1, "", "Rectangle"], [18, 0, 1, "", "StringIndex"], [18, 0, 1, "", "TextBoxSnapshot"], [18, 5, 1, "", "capture_snapshot"], [18, 5, 1, "", "disable"], [18, 5, 1, "", "enable"], [18, 5, 1, "", "get_snapshot"]], "nodriver.cdp.dom_snapshot.ComputedStyle": [[18, 1, 1, "", "properties"]], "nodriver.cdp.dom_snapshot.DOMNode": [[18, 1, 1, "", "attributes"], [18, 1, 1, "", "backend_node_id"], [18, 1, 1, "", "base_url"], [18, 1, 1, "", "child_node_indexes"], [18, 1, 1, "", "content_document_index"], [18, 1, 1, "", "content_language"], [18, 1, 1, "", "current_source_url"], [18, 1, 1, "", "document_encoding"], [18, 1, 1, "", "document_url"], [18, 1, 1, "", "event_listeners"], [18, 1, 1, "", "frame_id"], [18, 1, 1, "", "input_checked"], [18, 1, 1, "", "input_value"], [18, 1, 1, "", "is_clickable"], [18, 1, 1, "", "layout_node_index"], [18, 1, 1, "", "node_name"], [18, 1, 1, "", "node_type"], [18, 1, 1, "", "node_value"], [18, 1, 1, "", "option_selected"], [18, 1, 1, "", "origin_url"], [18, 1, 1, "", "pseudo_element_indexes"], [18, 1, 1, "", "pseudo_type"], [18, 1, 1, "", "public_id"], [18, 1, 1, "", "scroll_offset_x"], [18, 1, 1, "", "scroll_offset_y"], [18, 1, 1, "", "shadow_root_type"], [18, 1, 1, "", "system_id"], [18, 1, 1, "", "text_value"]], "nodriver.cdp.dom_snapshot.DocumentSnapshot": [[18, 1, 1, "", "base_url"], [18, 1, 1, "", "content_height"], [18, 1, 1, "", "content_language"], [18, 1, 1, "", "content_width"], [18, 1, 1, "", "document_url"], [18, 1, 1, "", "encoding_name"], [18, 1, 1, "", "frame_id"], [18, 1, 1, "", "layout"], [18, 1, 1, "", "nodes"], [18, 1, 1, "", "public_id"], [18, 1, 1, "", "scroll_offset_x"], [18, 1, 1, "", "scroll_offset_y"], [18, 1, 1, "", "system_id"], [18, 1, 1, "", "text_boxes"], [18, 1, 1, "", "title"]], "nodriver.cdp.dom_snapshot.InlineTextBox": [[18, 1, 1, "", "bounding_box"], [18, 1, 1, "", "num_characters"], [18, 1, 1, "", "start_character_index"]], "nodriver.cdp.dom_snapshot.LayoutTreeNode": [[18, 1, 1, "", "bounding_box"], [18, 1, 1, "", "dom_node_index"], [18, 1, 1, "", "inline_text_nodes"], [18, 1, 1, "", "is_stacking_context"], [18, 1, 1, "", "layout_text"], [18, 1, 1, "", "paint_order"], [18, 1, 1, "", "style_index"]], "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot": [[18, 1, 1, "", "blended_background_colors"], [18, 1, 1, "", "bounds"], [18, 1, 1, "", "client_rects"], [18, 1, 1, "", "node_index"], [18, 1, 1, "", "offset_rects"], [18, 1, 1, "", "paint_orders"], [18, 1, 1, "", "scroll_rects"], [18, 1, 1, "", "stacking_contexts"], [18, 1, 1, "", "styles"], [18, 1, 1, "", "text"], [18, 1, 1, "", "text_color_opacities"]], "nodriver.cdp.dom_snapshot.NameValue": [[18, 1, 1, "", "name"], [18, 1, 1, "", "value"]], "nodriver.cdp.dom_snapshot.NodeTreeSnapshot": [[18, 1, 1, "", "attributes"], [18, 1, 1, "", "backend_node_id"], [18, 1, 1, "", "content_document_index"], [18, 1, 1, "", "current_source_url"], [18, 1, 1, "", "input_checked"], [18, 1, 1, "", "input_value"], [18, 1, 1, "", "is_clickable"], [18, 1, 1, "", "node_name"], [18, 1, 1, "", "node_type"], [18, 1, 1, "", "node_value"], [18, 1, 1, "", "option_selected"], [18, 1, 1, "", "origin_url"], [18, 1, 1, "", "parent_index"], [18, 1, 1, "", "pseudo_identifier"], [18, 1, 1, "", "pseudo_type"], [18, 1, 1, "", "shadow_root_type"], [18, 1, 1, "", "text_value"]], "nodriver.cdp.dom_snapshot.RareBooleanData": [[18, 1, 1, "", "index"]], "nodriver.cdp.dom_snapshot.RareIntegerData": [[18, 1, 1, "", "index"], [18, 1, 1, "", "value"]], "nodriver.cdp.dom_snapshot.RareStringData": [[18, 1, 1, "", "index"], [18, 1, 1, "", "value"]], "nodriver.cdp.dom_snapshot.TextBoxSnapshot": [[18, 1, 1, "", "bounds"], [18, 1, 1, "", "layout_index"], [18, 1, 1, "", "length"], [18, 1, 1, "", "start"]], "nodriver.cdp.dom_storage": [[19, 0, 1, "", "DomStorageItemAdded"], [19, 0, 1, "", "DomStorageItemRemoved"], [19, 0, 1, "", "DomStorageItemUpdated"], [19, 0, 1, "", "DomStorageItemsCleared"], [19, 0, 1, "", "Item"], [19, 0, 1, "", "SerializedStorageKey"], [19, 0, 1, "", "StorageId"], [19, 5, 1, "", "clear"], [19, 5, 1, "", "disable"], [19, 5, 1, "", "enable"], [19, 5, 1, "", "get_dom_storage_items"], [19, 5, 1, "", "remove_dom_storage_item"], [19, 5, 1, "", "set_dom_storage_item"]], "nodriver.cdp.dom_storage.DomStorageItemAdded": [[19, 1, 1, "", "key"], [19, 1, 1, "", "new_value"], [19, 1, 1, "", "storage_id"]], "nodriver.cdp.dom_storage.DomStorageItemRemoved": [[19, 1, 1, "", "key"], [19, 1, 1, "", "storage_id"]], "nodriver.cdp.dom_storage.DomStorageItemUpdated": [[19, 1, 1, "", "key"], [19, 1, 1, "", "new_value"], [19, 1, 1, "", "old_value"], [19, 1, 1, "", "storage_id"]], "nodriver.cdp.dom_storage.DomStorageItemsCleared": [[19, 1, 1, "", "storage_id"]], "nodriver.cdp.dom_storage.StorageId": [[19, 1, 1, "", "is_local_storage"], [19, 1, 1, "", "security_origin"], [19, 1, 1, "", "storage_key"]], "nodriver.cdp.emulation": [[20, 0, 1, "", "DevicePosture"], [20, 0, 1, "", "DisabledImageType"], [20, 0, 1, "", "DisplayFeature"], [20, 0, 1, "", "MediaFeature"], [20, 0, 1, "", "ScreenOrientation"], [20, 0, 1, "", "SensorMetadata"], [20, 0, 1, "", "SensorReading"], [20, 0, 1, "", "SensorReadingQuaternion"], [20, 0, 1, "", "SensorReadingSingle"], [20, 0, 1, "", "SensorReadingXYZ"], [20, 0, 1, "", "SensorType"], [20, 0, 1, "", "UserAgentBrandVersion"], [20, 0, 1, "", "UserAgentMetadata"], [20, 0, 1, "", "VirtualTimeBudgetExpired"], [20, 0, 1, "", "VirtualTimePolicy"], [20, 5, 1, "", "can_emulate"], [20, 5, 1, "", "clear_device_metrics_override"], [20, 5, 1, "", "clear_geolocation_override"], [20, 5, 1, "", "clear_idle_override"], [20, 5, 1, "", "get_overridden_sensor_information"], [20, 5, 1, "", "reset_page_scale_factor"], [20, 5, 1, "", "set_auto_dark_mode_override"], [20, 5, 1, "", "set_automation_override"], [20, 5, 1, "", "set_cpu_throttling_rate"], [20, 5, 1, "", "set_default_background_color_override"], [20, 5, 1, "", "set_device_metrics_override"], [20, 5, 1, "", "set_disabled_image_types"], [20, 5, 1, "", "set_document_cookie_disabled"], [20, 5, 1, "", "set_emit_touch_events_for_mouse"], [20, 5, 1, "", "set_emulated_media"], [20, 5, 1, "", "set_emulated_vision_deficiency"], [20, 5, 1, "", "set_focus_emulation_enabled"], [20, 5, 1, "", "set_geolocation_override"], [20, 5, 1, "", "set_hardware_concurrency_override"], [20, 5, 1, "", "set_idle_override"], [20, 5, 1, "", "set_locale_override"], [20, 5, 1, "", "set_navigator_overrides"], [20, 5, 1, "", "set_page_scale_factor"], [20, 5, 1, "", "set_script_execution_disabled"], [20, 5, 1, "", "set_scrollbars_hidden"], [20, 5, 1, "", "set_sensor_override_enabled"], [20, 5, 1, "", "set_sensor_override_readings"], [20, 5, 1, "", "set_timezone_override"], [20, 5, 1, "", "set_touch_emulation_enabled"], [20, 5, 1, "", "set_user_agent_override"], [20, 5, 1, "", "set_virtual_time_policy"], [20, 5, 1, "", "set_visible_size"]], "nodriver.cdp.emulation.DevicePosture": [[20, 1, 1, "", "type_"]], "nodriver.cdp.emulation.DisabledImageType": [[20, 1, 1, "", "AVIF"], [20, 1, 1, "", "WEBP"]], "nodriver.cdp.emulation.DisplayFeature": [[20, 1, 1, "", "mask_length"], [20, 1, 1, "", "offset"], [20, 1, 1, "", "orientation"]], "nodriver.cdp.emulation.MediaFeature": [[20, 1, 1, "", "name"], [20, 1, 1, "", "value"]], "nodriver.cdp.emulation.ScreenOrientation": [[20, 1, 1, "", "angle"], [20, 1, 1, "", "type_"]], "nodriver.cdp.emulation.SensorMetadata": [[20, 1, 1, "", "available"], [20, 1, 1, "", "maximum_frequency"], [20, 1, 1, "", "minimum_frequency"]], "nodriver.cdp.emulation.SensorReading": [[20, 1, 1, "", "quaternion"], [20, 1, 1, "", "single"], [20, 1, 1, "", "xyz"]], "nodriver.cdp.emulation.SensorReadingQuaternion": [[20, 1, 1, "", "w"], [20, 1, 1, "", "x"], [20, 1, 1, "", "y"], [20, 1, 1, "", "z"]], "nodriver.cdp.emulation.SensorReadingSingle": [[20, 1, 1, "", "value"]], "nodriver.cdp.emulation.SensorReadingXYZ": [[20, 1, 1, "", "x"], [20, 1, 1, "", "y"], [20, 1, 1, "", "z"]], "nodriver.cdp.emulation.SensorType": [[20, 1, 1, "", "ABSOLUTE_ORIENTATION"], [20, 1, 1, "", "ACCELEROMETER"], [20, 1, 1, "", "AMBIENT_LIGHT"], [20, 1, 1, "", "GRAVITY"], [20, 1, 1, "", "GYROSCOPE"], [20, 1, 1, "", "LINEAR_ACCELERATION"], [20, 1, 1, "", "MAGNETOMETER"], [20, 1, 1, "", "PROXIMITY"], [20, 1, 1, "", "RELATIVE_ORIENTATION"]], "nodriver.cdp.emulation.UserAgentBrandVersion": [[20, 1, 1, "", "brand"], [20, 1, 1, "", "version"]], "nodriver.cdp.emulation.UserAgentMetadata": [[20, 1, 1, "", "architecture"], [20, 1, 1, "", "bitness"], [20, 1, 1, "", "brands"], [20, 1, 1, "", "full_version"], [20, 1, 1, "", "full_version_list"], [20, 1, 1, "", "mobile"], [20, 1, 1, "", "model"], [20, 1, 1, "", "platform"], [20, 1, 1, "", "platform_version"], [20, 1, 1, "", "wow64"]], "nodriver.cdp.emulation.VirtualTimePolicy": [[20, 1, 1, "", "ADVANCE"], [20, 1, 1, "", "PAUSE"], [20, 1, 1, "", "PAUSE_IF_NETWORK_FETCHES_PENDING"]], "nodriver.cdp.event_breakpoints": [[21, 5, 1, "", "disable"], [21, 5, 1, "", "remove_instrumentation_breakpoint"], [21, 5, 1, "", "set_instrumentation_breakpoint"]], "nodriver.cdp.fed_cm": [[22, 0, 1, "", "Account"], [22, 0, 1, "", "DialogButton"], [22, 0, 1, "", "DialogClosed"], [22, 0, 1, "", "DialogShown"], [22, 0, 1, "", "DialogType"], [22, 0, 1, "", "LoginState"], [22, 5, 1, "", "click_dialog_button"], [22, 5, 1, "", "disable"], [22, 5, 1, "", "dismiss_dialog"], [22, 5, 1, "", "enable"], [22, 5, 1, "", "reset_cooldown"], [22, 5, 1, "", "select_account"]], "nodriver.cdp.fed_cm.Account": [[22, 1, 1, "", "account_id"], [22, 1, 1, "", "email"], [22, 1, 1, "", "given_name"], [22, 1, 1, "", "idp_config_url"], [22, 1, 1, "", "idp_login_url"], [22, 1, 1, "", "login_state"], [22, 1, 1, "", "name"], [22, 1, 1, "", "picture_url"], [22, 1, 1, "", "privacy_policy_url"], [22, 1, 1, "", "terms_of_service_url"]], "nodriver.cdp.fed_cm.DialogButton": [[22, 1, 1, "", "CONFIRM_IDP_LOGIN_CONTINUE"], [22, 1, 1, "", "ERROR_GOT_IT"], [22, 1, 1, "", "ERROR_MORE_DETAILS"]], "nodriver.cdp.fed_cm.DialogClosed": [[22, 1, 1, "", "dialog_id"]], "nodriver.cdp.fed_cm.DialogShown": [[22, 1, 1, "", "accounts"], [22, 1, 1, "", "dialog_id"], [22, 1, 1, "", "dialog_type"], [22, 1, 1, "", "subtitle"], [22, 1, 1, "", "title"]], "nodriver.cdp.fed_cm.DialogType": [[22, 1, 1, "", "ACCOUNT_CHOOSER"], [22, 1, 1, "", "AUTO_REAUTHN"], [22, 1, 1, "", "CONFIRM_IDP_LOGIN"], [22, 1, 1, "", "ERROR"]], "nodriver.cdp.fed_cm.LoginState": [[22, 1, 1, "", "SIGN_IN"], [22, 1, 1, "", "SIGN_UP"]], "nodriver.cdp.fetch": [[23, 0, 1, "", "AuthChallenge"], [23, 0, 1, "", "AuthChallengeResponse"], [23, 0, 1, "", "AuthRequired"], [23, 0, 1, "", "HeaderEntry"], [23, 0, 1, "", "RequestId"], [23, 0, 1, "", "RequestPattern"], [23, 0, 1, "", "RequestPaused"], [23, 0, 1, "", "RequestStage"], [23, 5, 1, "", "continue_request"], [23, 5, 1, "", "continue_response"], [23, 5, 1, "", "continue_with_auth"], [23, 5, 1, "", "disable"], [23, 5, 1, "", "enable"], [23, 5, 1, "", "fail_request"], [23, 5, 1, "", "fulfill_request"], [23, 5, 1, "", "get_response_body"], [23, 5, 1, "", "take_response_body_as_stream"]], "nodriver.cdp.fetch.AuthChallenge": [[23, 1, 1, "", "origin"], [23, 1, 1, "", "realm"], [23, 1, 1, "", "scheme"], [23, 1, 1, "", "source"]], "nodriver.cdp.fetch.AuthChallengeResponse": [[23, 1, 1, "", "password"], [23, 1, 1, "", "response"], [23, 1, 1, "", "username"]], "nodriver.cdp.fetch.AuthRequired": [[23, 1, 1, "", "auth_challenge"], [23, 1, 1, "", "frame_id"], [23, 1, 1, "", "request"], [23, 1, 1, "", "request_id"], [23, 1, 1, "", "resource_type"]], "nodriver.cdp.fetch.HeaderEntry": [[23, 1, 1, "", "name"], [23, 1, 1, "", "value"]], "nodriver.cdp.fetch.RequestPattern": [[23, 1, 1, "", "request_stage"], [23, 1, 1, "", "resource_type"], [23, 1, 1, "", "url_pattern"]], "nodriver.cdp.fetch.RequestPaused": [[23, 1, 1, "", "frame_id"], [23, 1, 1, "", "network_id"], [23, 1, 1, "", "redirected_request_id"], [23, 1, 1, "", "request"], [23, 1, 1, "", "request_id"], [23, 1, 1, "", "resource_type"], [23, 1, 1, "", "response_error_reason"], [23, 1, 1, "", "response_headers"], [23, 1, 1, "", "response_status_code"], [23, 1, 1, "", "response_status_text"]], "nodriver.cdp.fetch.RequestStage": [[23, 1, 1, "", "REQUEST"], [23, 1, 1, "", "RESPONSE"]], "nodriver.cdp.headless_experimental": [[24, 0, 1, "", "ScreenshotParams"], [24, 5, 1, "", "begin_frame"], [24, 5, 1, "", "disable"], [24, 5, 1, "", "enable"]], "nodriver.cdp.headless_experimental.ScreenshotParams": [[24, 1, 1, "", "format_"], [24, 1, 1, "", "optimize_for_speed"], [24, 1, 1, "", "quality"]], "nodriver.cdp.heap_profiler": [[25, 0, 1, "", "AddHeapSnapshotChunk"], [25, 0, 1, "", "HeapSnapshotObjectId"], [25, 0, 1, "", "HeapStatsUpdate"], [25, 0, 1, "", "LastSeenObjectId"], [25, 0, 1, "", "ReportHeapSnapshotProgress"], [25, 0, 1, "", "ResetProfiles"], [25, 0, 1, "", "SamplingHeapProfile"], [25, 0, 1, "", "SamplingHeapProfileNode"], [25, 0, 1, "", "SamplingHeapProfileSample"], [25, 5, 1, "", "add_inspected_heap_object"], [25, 5, 1, "", "collect_garbage"], [25, 5, 1, "", "disable"], [25, 5, 1, "", "enable"], [25, 5, 1, "", "get_heap_object_id"], [25, 5, 1, "", "get_object_by_heap_object_id"], [25, 5, 1, "", "get_sampling_profile"], [25, 5, 1, "", "start_sampling"], [25, 5, 1, "", "start_tracking_heap_objects"], [25, 5, 1, "", "stop_sampling"], [25, 5, 1, "", "stop_tracking_heap_objects"], [25, 5, 1, "", "take_heap_snapshot"]], "nodriver.cdp.heap_profiler.AddHeapSnapshotChunk": [[25, 1, 1, "", "chunk"]], "nodriver.cdp.heap_profiler.HeapStatsUpdate": [[25, 1, 1, "", "stats_update"]], "nodriver.cdp.heap_profiler.LastSeenObjectId": [[25, 1, 1, "", "last_seen_object_id"], [25, 1, 1, "", "timestamp"]], "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress": [[25, 1, 1, "", "done"], [25, 1, 1, "", "finished"], [25, 1, 1, "", "total"]], "nodriver.cdp.heap_profiler.SamplingHeapProfile": [[25, 1, 1, "", "head"], [25, 1, 1, "", "samples"]], "nodriver.cdp.heap_profiler.SamplingHeapProfileNode": [[25, 1, 1, "", "call_frame"], [25, 1, 1, "", "children"], [25, 1, 1, "", "id_"], [25, 1, 1, "", "self_size"]], "nodriver.cdp.heap_profiler.SamplingHeapProfileSample": [[25, 1, 1, "", "node_id"], [25, 1, 1, "", "ordinal"], [25, 1, 1, "", "size"]], "nodriver.cdp.indexed_db": [[26, 0, 1, "", "DataEntry"], [26, 0, 1, "", "DatabaseWithObjectStores"], [26, 0, 1, "", "Key"], [26, 0, 1, "", "KeyPath"], [26, 0, 1, "", "KeyRange"], [26, 0, 1, "", "ObjectStore"], [26, 0, 1, "", "ObjectStoreIndex"], [26, 5, 1, "", "clear_object_store"], [26, 5, 1, "", "delete_database"], [26, 5, 1, "", "delete_object_store_entries"], [26, 5, 1, "", "disable"], [26, 5, 1, "", "enable"], [26, 5, 1, "", "get_metadata"], [26, 5, 1, "", "request_data"], [26, 5, 1, "", "request_database"], [26, 5, 1, "", "request_database_names"]], "nodriver.cdp.indexed_db.DataEntry": [[26, 1, 1, "", "key"], [26, 1, 1, "", "primary_key"], [26, 1, 1, "", "value"]], "nodriver.cdp.indexed_db.DatabaseWithObjectStores": [[26, 1, 1, "", "name"], [26, 1, 1, "", "object_stores"], [26, 1, 1, "", "version"]], "nodriver.cdp.indexed_db.Key": [[26, 1, 1, "", "array"], [26, 1, 1, "", "date"], [26, 1, 1, "", "number"], [26, 1, 1, "", "string"], [26, 1, 1, "", "type_"]], "nodriver.cdp.indexed_db.KeyPath": [[26, 1, 1, "", "array"], [26, 1, 1, "", "string"], [26, 1, 1, "", "type_"]], "nodriver.cdp.indexed_db.KeyRange": [[26, 1, 1, "", "lower"], [26, 1, 1, "", "lower_open"], [26, 1, 1, "", "upper"], [26, 1, 1, "", "upper_open"]], "nodriver.cdp.indexed_db.ObjectStore": [[26, 1, 1, "", "auto_increment"], [26, 1, 1, "", "indexes"], [26, 1, 1, "", "key_path"], [26, 1, 1, "", "name"]], "nodriver.cdp.indexed_db.ObjectStoreIndex": [[26, 1, 1, "", "key_path"], [26, 1, 1, "", "multi_entry"], [26, 1, 1, "", "name"], [26, 1, 1, "", "unique"]], "nodriver.cdp.input_": [[27, 0, 1, "", "DragData"], [27, 0, 1, "", "DragDataItem"], [27, 0, 1, "", "DragIntercepted"], [27, 0, 1, "", "GestureSourceType"], [27, 0, 1, "", "MouseButton"], [27, 0, 1, "", "TimeSinceEpoch"], [27, 0, 1, "", "TouchPoint"], [27, 5, 1, "", "cancel_dragging"], [27, 5, 1, "", "dispatch_drag_event"], [27, 5, 1, "", "dispatch_key_event"], [27, 5, 1, "", "dispatch_mouse_event"], [27, 5, 1, "", "dispatch_touch_event"], [27, 5, 1, "", "emulate_touch_from_mouse_event"], [27, 5, 1, "", "ime_set_composition"], [27, 5, 1, "", "insert_text"], [27, 5, 1, "", "set_ignore_input_events"], [27, 5, 1, "", "set_intercept_drags"], [27, 5, 1, "", "synthesize_pinch_gesture"], [27, 5, 1, "", "synthesize_scroll_gesture"], [27, 5, 1, "", "synthesize_tap_gesture"]], "nodriver.cdp.input_.DragData": [[27, 1, 1, "", "drag_operations_mask"], [27, 1, 1, "", "files"], [27, 1, 1, "", "items"]], "nodriver.cdp.input_.DragDataItem": [[27, 1, 1, "", "base_url"], [27, 1, 1, "", "data"], [27, 1, 1, "", "mime_type"], [27, 1, 1, "", "title"]], "nodriver.cdp.input_.DragIntercepted": [[27, 1, 1, "", "data"]], "nodriver.cdp.input_.GestureSourceType": [[27, 1, 1, "", "DEFAULT"], [27, 1, 1, "", "MOUSE"], [27, 1, 1, "", "TOUCH"]], "nodriver.cdp.input_.MouseButton": [[27, 1, 1, "", "BACK"], [27, 1, 1, "", "FORWARD"], [27, 1, 1, "", "LEFT"], [27, 1, 1, "", "MIDDLE"], [27, 1, 1, "", "NONE"], [27, 1, 1, "", "RIGHT"]], "nodriver.cdp.input_.TouchPoint": [[27, 1, 1, "", "force"], [27, 1, 1, "", "id_"], [27, 1, 1, "", "radius_x"], [27, 1, 1, "", "radius_y"], [27, 1, 1, "", "rotation_angle"], [27, 1, 1, "", "tangential_pressure"], [27, 1, 1, "", "tilt_x"], [27, 1, 1, "", "tilt_y"], [27, 1, 1, "", "twist"], [27, 1, 1, "", "x"], [27, 1, 1, "", "y"]], "nodriver.cdp.inspector": [[28, 0, 1, "", "Detached"], [28, 0, 1, "", "TargetCrashed"], [28, 0, 1, "", "TargetReloadedAfterCrash"], [28, 5, 1, "", "disable"], [28, 5, 1, "", "enable"]], "nodriver.cdp.inspector.Detached": [[28, 1, 1, "", "reason"]], "nodriver.cdp.io": [[29, 0, 1, "", "StreamHandle"], [29, 5, 1, "", "close"], [29, 5, 1, "", "read"], [29, 5, 1, "", "resolve_blob"]], "nodriver.cdp.layer_tree": [[30, 0, 1, "", "Layer"], [30, 0, 1, "", "LayerId"], [30, 0, 1, "", "LayerPainted"], [30, 0, 1, "", "LayerTreeDidChange"], [30, 0, 1, "", "PaintProfile"], [30, 0, 1, "", "PictureTile"], [30, 0, 1, "", "ScrollRect"], [30, 0, 1, "", "SnapshotId"], [30, 0, 1, "", "StickyPositionConstraint"], [30, 5, 1, "", "compositing_reasons"], [30, 5, 1, "", "disable"], [30, 5, 1, "", "enable"], [30, 5, 1, "", "load_snapshot"], [30, 5, 1, "", "make_snapshot"], [30, 5, 1, "", "profile_snapshot"], [30, 5, 1, "", "release_snapshot"], [30, 5, 1, "", "replay_snapshot"], [30, 5, 1, "", "snapshot_command_log"]], "nodriver.cdp.layer_tree.Layer": [[30, 1, 1, "", "anchor_x"], [30, 1, 1, "", "anchor_y"], [30, 1, 1, "", "anchor_z"], [30, 1, 1, "", "backend_node_id"], [30, 1, 1, "", "draws_content"], [30, 1, 1, "", "height"], [30, 1, 1, "", "invisible"], [30, 1, 1, "", "layer_id"], [30, 1, 1, "", "offset_x"], [30, 1, 1, "", "offset_y"], [30, 1, 1, "", "paint_count"], [30, 1, 1, "", "parent_layer_id"], [30, 1, 1, "", "scroll_rects"], [30, 1, 1, "", "sticky_position_constraint"], [30, 1, 1, "", "transform"], [30, 1, 1, "", "width"]], "nodriver.cdp.layer_tree.LayerPainted": [[30, 1, 1, "", "clip"], [30, 1, 1, "", "layer_id"]], "nodriver.cdp.layer_tree.LayerTreeDidChange": [[30, 1, 1, "", "layers"]], "nodriver.cdp.layer_tree.PictureTile": [[30, 1, 1, "", "picture"], [30, 1, 1, "", "x"], [30, 1, 1, "", "y"]], "nodriver.cdp.layer_tree.ScrollRect": [[30, 1, 1, "", "rect"], [30, 1, 1, "", "type_"]], "nodriver.cdp.layer_tree.StickyPositionConstraint": [[30, 1, 1, "", "containing_block_rect"], [30, 1, 1, "", "nearest_layer_shifting_containing_block"], [30, 1, 1, "", "nearest_layer_shifting_sticky_box"], [30, 1, 1, "", "sticky_box_rect"]], "nodriver.cdp.log": [[31, 0, 1, "", "EntryAdded"], [31, 0, 1, "", "LogEntry"], [31, 0, 1, "", "ViolationSetting"], [31, 5, 1, "", "clear"], [31, 5, 1, "", "disable"], [31, 5, 1, "", "enable"], [31, 5, 1, "", "start_violations_report"], [31, 5, 1, "", "stop_violations_report"]], "nodriver.cdp.log.EntryAdded": [[31, 1, 1, "", "entry"]], "nodriver.cdp.log.LogEntry": [[31, 1, 1, "", "args"], [31, 1, 1, "", "category"], [31, 1, 1, "", "level"], [31, 1, 1, "", "line_number"], [31, 1, 1, "", "network_request_id"], [31, 1, 1, "", "source"], [31, 1, 1, "", "stack_trace"], [31, 1, 1, "", "text"], [31, 1, 1, "", "timestamp"], [31, 1, 1, "", "url"], [31, 1, 1, "", "worker_id"]], "nodriver.cdp.log.ViolationSetting": [[31, 1, 1, "", "name"], [31, 1, 1, "", "threshold"]], "nodriver.cdp.media": [[32, 0, 1, "", "PlayerError"], [32, 0, 1, "", "PlayerErrorSourceLocation"], [32, 0, 1, "", "PlayerErrorsRaised"], [32, 0, 1, "", "PlayerEvent"], [32, 0, 1, "", "PlayerEventsAdded"], [32, 0, 1, "", "PlayerId"], [32, 0, 1, "", "PlayerMessage"], [32, 0, 1, "", "PlayerMessagesLogged"], [32, 0, 1, "", "PlayerPropertiesChanged"], [32, 0, 1, "", "PlayerProperty"], [32, 0, 1, "", "PlayersCreated"], [32, 0, 1, "", "Timestamp"], [32, 5, 1, "", "disable"], [32, 5, 1, "", "enable"]], "nodriver.cdp.media.PlayerError": [[32, 1, 1, "", "cause"], [32, 1, 1, "", "code"], [32, 1, 1, "", "data"], [32, 1, 1, "", "error_type"], [32, 1, 1, "", "stack"]], "nodriver.cdp.media.PlayerErrorSourceLocation": [[32, 1, 1, "", "file"], [32, 1, 1, "", "line"]], "nodriver.cdp.media.PlayerErrorsRaised": [[32, 1, 1, "", "errors"], [32, 1, 1, "", "player_id"]], "nodriver.cdp.media.PlayerEvent": [[32, 1, 1, "", "timestamp"], [32, 1, 1, "", "value"]], "nodriver.cdp.media.PlayerEventsAdded": [[32, 1, 1, "", "events"], [32, 1, 1, "", "player_id"]], "nodriver.cdp.media.PlayerMessage": [[32, 1, 1, "", "level"], [32, 1, 1, "", "message"]], "nodriver.cdp.media.PlayerMessagesLogged": [[32, 1, 1, "", "messages"], [32, 1, 1, "", "player_id"]], "nodriver.cdp.media.PlayerPropertiesChanged": [[32, 1, 1, "", "player_id"], [32, 1, 1, "", "properties"]], "nodriver.cdp.media.PlayerProperty": [[32, 1, 1, "", "name"], [32, 1, 1, "", "value"]], "nodriver.cdp.media.PlayersCreated": [[32, 1, 1, "", "players"]], "nodriver.cdp.memory": [[33, 0, 1, "", "Module"], [33, 0, 1, "", "PressureLevel"], [33, 0, 1, "", "SamplingProfile"], [33, 0, 1, "", "SamplingProfileNode"], [33, 5, 1, "", "forcibly_purge_java_script_memory"], [33, 5, 1, "", "get_all_time_sampling_profile"], [33, 5, 1, "", "get_browser_sampling_profile"], [33, 5, 1, "", "get_dom_counters"], [33, 5, 1, "", "get_sampling_profile"], [33, 5, 1, "", "prepare_for_leak_detection"], [33, 5, 1, "", "set_pressure_notifications_suppressed"], [33, 5, 1, "", "simulate_pressure_notification"], [33, 5, 1, "", "start_sampling"], [33, 5, 1, "", "stop_sampling"]], "nodriver.cdp.memory.Module": [[33, 1, 1, "", "base_address"], [33, 1, 1, "", "name"], [33, 1, 1, "", "size"], [33, 1, 1, "", "uuid"]], "nodriver.cdp.memory.PressureLevel": [[33, 1, 1, "", "CRITICAL"], [33, 1, 1, "", "MODERATE"]], "nodriver.cdp.memory.SamplingProfile": [[33, 1, 1, "", "modules"], [33, 1, 1, "", "samples"]], "nodriver.cdp.memory.SamplingProfileNode": [[33, 1, 1, "", "size"], [33, 1, 1, "", "stack"], [33, 1, 1, "", "total"]], "nodriver.cdp.network": [[34, 0, 1, "", "AlternateProtocolUsage"], [34, 0, 1, "", "AuthChallenge"], [34, 0, 1, "", "AuthChallengeResponse"], [34, 0, 1, "", "BlockedCookieWithReason"], [34, 0, 1, "", "BlockedReason"], [34, 0, 1, "", "BlockedSetCookieWithReason"], [34, 0, 1, "", "CachedResource"], [34, 0, 1, "", "CertificateTransparencyCompliance"], [34, 0, 1, "", "ClientSecurityState"], [34, 0, 1, "", "ConnectTiming"], [34, 0, 1, "", "ConnectionType"], [34, 0, 1, "", "ContentEncoding"], [34, 0, 1, "", "ContentSecurityPolicySource"], [34, 0, 1, "", "ContentSecurityPolicyStatus"], [34, 0, 1, "", "Cookie"], [34, 0, 1, "", "CookieBlockedReason"], [34, 0, 1, "", "CookieParam"], [34, 0, 1, "", "CookiePriority"], [34, 0, 1, "", "CookieSameSite"], [34, 0, 1, "", "CookieSourceScheme"], [34, 0, 1, "", "CorsError"], [34, 0, 1, "", "CorsErrorStatus"], [34, 0, 1, "", "CrossOriginEmbedderPolicyStatus"], [34, 0, 1, "", "CrossOriginEmbedderPolicyValue"], [34, 0, 1, "", "CrossOriginOpenerPolicyStatus"], [34, 0, 1, "", "CrossOriginOpenerPolicyValue"], [34, 0, 1, "", "DataReceived"], [34, 0, 1, "", "ErrorReason"], [34, 0, 1, "", "EventSourceMessageReceived"], [34, 0, 1, "", "Headers"], [34, 0, 1, "", "IPAddressSpace"], [34, 0, 1, "", "Initiator"], [34, 0, 1, "", "InterceptionId"], [34, 0, 1, "", "InterceptionStage"], [34, 0, 1, "", "LoadNetworkResourceOptions"], [34, 0, 1, "", "LoadNetworkResourcePageResult"], [34, 0, 1, "", "LoaderId"], [34, 0, 1, "", "LoadingFailed"], [34, 0, 1, "", "LoadingFinished"], [34, 0, 1, "", "MonotonicTime"], [34, 0, 1, "", "PostDataEntry"], [34, 0, 1, "", "PrivateNetworkRequestPolicy"], [34, 0, 1, "", "ReportId"], [34, 0, 1, "", "ReportStatus"], [34, 0, 1, "", "ReportingApiEndpoint"], [34, 0, 1, "", "ReportingApiEndpointsChangedForOrigin"], [34, 0, 1, "", "ReportingApiReport"], [34, 0, 1, "", "ReportingApiReportAdded"], [34, 0, 1, "", "ReportingApiReportUpdated"], [34, 0, 1, "", "Request"], [34, 0, 1, "", "RequestId"], [34, 0, 1, "", "RequestIntercepted"], [34, 0, 1, "", "RequestPattern"], [34, 0, 1, "", "RequestServedFromCache"], [34, 0, 1, "", "RequestWillBeSent"], [34, 0, 1, "", "RequestWillBeSentExtraInfo"], [34, 0, 1, "", "ResourceChangedPriority"], [34, 0, 1, "", "ResourcePriority"], [34, 0, 1, "", "ResourceTiming"], [34, 0, 1, "", "ResourceType"], [34, 0, 1, "", "Response"], [34, 0, 1, "", "ResponseReceived"], [34, 0, 1, "", "ResponseReceivedExtraInfo"], [34, 0, 1, "", "SecurityDetails"], [34, 0, 1, "", "SecurityIsolationStatus"], [34, 0, 1, "", "ServiceWorkerResponseSource"], [34, 0, 1, "", "ServiceWorkerRouterInfo"], [34, 0, 1, "", "SetCookieBlockedReason"], [34, 0, 1, "", "SignedCertificateTimestamp"], [34, 0, 1, "", "SignedExchangeError"], [34, 0, 1, "", "SignedExchangeErrorField"], [34, 0, 1, "", "SignedExchangeHeader"], [34, 0, 1, "", "SignedExchangeInfo"], [34, 0, 1, "", "SignedExchangeReceived"], [34, 0, 1, "", "SignedExchangeSignature"], [34, 0, 1, "", "SubresourceWebBundleInnerResponseError"], [34, 0, 1, "", "SubresourceWebBundleInnerResponseParsed"], [34, 0, 1, "", "SubresourceWebBundleMetadataError"], [34, 0, 1, "", "SubresourceWebBundleMetadataReceived"], [34, 0, 1, "", "TimeSinceEpoch"], [34, 0, 1, "", "TrustTokenOperationDone"], [34, 0, 1, "", "TrustTokenOperationType"], [34, 0, 1, "", "TrustTokenParams"], [34, 0, 1, "", "WebSocketClosed"], [34, 0, 1, "", "WebSocketCreated"], [34, 0, 1, "", "WebSocketFrame"], [34, 0, 1, "", "WebSocketFrameError"], [34, 0, 1, "", "WebSocketFrameReceived"], [34, 0, 1, "", "WebSocketFrameSent"], [34, 0, 1, "", "WebSocketHandshakeResponseReceived"], [34, 0, 1, "", "WebSocketRequest"], [34, 0, 1, "", "WebSocketResponse"], [34, 0, 1, "", "WebSocketWillSendHandshakeRequest"], [34, 0, 1, "", "WebTransportClosed"], [34, 0, 1, "", "WebTransportConnectionEstablished"], [34, 0, 1, "", "WebTransportCreated"], [34, 5, 1, "", "can_clear_browser_cache"], [34, 5, 1, "", "can_clear_browser_cookies"], [34, 5, 1, "", "can_emulate_network_conditions"], [34, 5, 1, "", "clear_accepted_encodings_override"], [34, 5, 1, "", "clear_browser_cache"], [34, 5, 1, "", "clear_browser_cookies"], [34, 5, 1, "", "continue_intercepted_request"], [34, 5, 1, "", "delete_cookies"], [34, 5, 1, "", "disable"], [34, 5, 1, "", "emulate_network_conditions"], [34, 5, 1, "", "enable"], [34, 5, 1, "", "enable_reporting_api"], [34, 5, 1, "", "get_all_cookies"], [34, 5, 1, "", "get_certificate"], [34, 5, 1, "", "get_cookies"], [34, 5, 1, "", "get_request_post_data"], [34, 5, 1, "", "get_response_body"], [34, 5, 1, "", "get_response_body_for_interception"], [34, 5, 1, "", "get_security_isolation_status"], [34, 5, 1, "", "load_network_resource"], [34, 5, 1, "", "replay_xhr"], [34, 5, 1, "", "search_in_response_body"], [34, 5, 1, "", "set_accepted_encodings"], [34, 5, 1, "", "set_attach_debug_stack"], [34, 5, 1, "", "set_blocked_ur_ls"], [34, 5, 1, "", "set_bypass_service_worker"], [34, 5, 1, "", "set_cache_disabled"], [34, 5, 1, "", "set_cookie"], [34, 5, 1, "", "set_cookies"], [34, 5, 1, "", "set_extra_http_headers"], [34, 5, 1, "", "set_request_interception"], [34, 5, 1, "", "set_user_agent_override"], [34, 5, 1, "", "stream_resource_content"], [34, 5, 1, "", "take_response_body_for_interception_as_stream"]], "nodriver.cdp.network.AlternateProtocolUsage": [[34, 1, 1, "", "ALTERNATIVE_JOB_WON_RACE"], [34, 1, 1, "", "ALTERNATIVE_JOB_WON_WITHOUT_RACE"], [34, 1, 1, "", "BROKEN"], [34, 1, 1, "", "DNS_ALPN_H3_JOB_WON_RACE"], [34, 1, 1, "", "DNS_ALPN_H3_JOB_WON_WITHOUT_RACE"], [34, 1, 1, "", "MAIN_JOB_WON_RACE"], [34, 1, 1, "", "MAPPING_MISSING"], [34, 1, 1, "", "UNSPECIFIED_REASON"]], "nodriver.cdp.network.AuthChallenge": [[34, 1, 1, "", "origin"], [34, 1, 1, "", "realm"], [34, 1, 1, "", "scheme"], [34, 1, 1, "", "source"]], "nodriver.cdp.network.AuthChallengeResponse": [[34, 1, 1, "", "password"], [34, 1, 1, "", "response"], [34, 1, 1, "", "username"]], "nodriver.cdp.network.BlockedCookieWithReason": [[34, 1, 1, "", "blocked_reasons"], [34, 1, 1, "", "cookie"]], "nodriver.cdp.network.BlockedReason": [[34, 1, 1, "", "COEP_FRAME_RESOURCE_NEEDS_COEP_HEADER"], [34, 1, 1, "", "CONTENT_TYPE"], [34, 1, 1, "", "COOP_SANDBOXED_IFRAME_CANNOT_NAVIGATE_TO_COOP_PAGE"], [34, 1, 1, "", "CORP_NOT_SAME_ORIGIN"], [34, 1, 1, "", "CORP_NOT_SAME_ORIGIN_AFTER_DEFAULTED_TO_SAME_ORIGIN_BY_COEP"], [34, 1, 1, "", "CORP_NOT_SAME_SITE"], [34, 1, 1, "", "CSP"], [34, 1, 1, "", "INSPECTOR"], [34, 1, 1, "", "MIXED_CONTENT"], [34, 1, 1, "", "ORIGIN"], [34, 1, 1, "", "OTHER"], [34, 1, 1, "", "SUBRESOURCE_FILTER"]], "nodriver.cdp.network.BlockedSetCookieWithReason": [[34, 1, 1, "", "blocked_reasons"], [34, 1, 1, "", "cookie"], [34, 1, 1, "", "cookie_line"]], "nodriver.cdp.network.CachedResource": [[34, 1, 1, "", "body_size"], [34, 1, 1, "", "response"], [34, 1, 1, "", "type_"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.CertificateTransparencyCompliance": [[34, 1, 1, "", "COMPLIANT"], [34, 1, 1, "", "NOT_COMPLIANT"], [34, 1, 1, "", "UNKNOWN"]], "nodriver.cdp.network.ClientSecurityState": [[34, 1, 1, "", "initiator_ip_address_space"], [34, 1, 1, "", "initiator_is_secure_context"], [34, 1, 1, "", "private_network_request_policy"]], "nodriver.cdp.network.ConnectTiming": [[34, 1, 1, "", "request_time"]], "nodriver.cdp.network.ConnectionType": [[34, 1, 1, "", "BLUETOOTH"], [34, 1, 1, "", "CELLULAR2G"], [34, 1, 1, "", "CELLULAR3G"], [34, 1, 1, "", "CELLULAR4G"], [34, 1, 1, "", "ETHERNET"], [34, 1, 1, "", "NONE"], [34, 1, 1, "", "OTHER"], [34, 1, 1, "", "WIFI"], [34, 1, 1, "", "WIMAX"]], "nodriver.cdp.network.ContentEncoding": [[34, 1, 1, "", "BR"], [34, 1, 1, "", "DEFLATE"], [34, 1, 1, "", "GZIP"], [34, 1, 1, "", "ZSTD"]], "nodriver.cdp.network.ContentSecurityPolicySource": [[34, 1, 1, "", "HTTP"], [34, 1, 1, "", "META"]], "nodriver.cdp.network.ContentSecurityPolicyStatus": [[34, 1, 1, "", "effective_directives"], [34, 1, 1, "", "is_enforced"], [34, 1, 1, "", "source"]], "nodriver.cdp.network.Cookie": [[34, 1, 1, "", "domain"], [34, 1, 1, "", "expires"], [34, 1, 1, "", "http_only"], [34, 1, 1, "", "name"], [34, 1, 1, "", "partition_key"], [34, 1, 1, "", "partition_key_opaque"], [34, 1, 1, "", "path"], [34, 1, 1, "", "priority"], [34, 1, 1, "", "same_party"], [34, 1, 1, "", "same_site"], [34, 1, 1, "", "secure"], [34, 1, 1, "", "session"], [34, 1, 1, "", "size"], [34, 1, 1, "", "source_port"], [34, 1, 1, "", "source_scheme"], [34, 1, 1, "", "value"]], "nodriver.cdp.network.CookieBlockedReason": [[34, 1, 1, "", "DOMAIN_MISMATCH"], [34, 1, 1, "", "NAME_VALUE_PAIR_EXCEEDS_MAX_SIZE"], [34, 1, 1, "", "NOT_ON_PATH"], [34, 1, 1, "", "SAME_PARTY_FROM_CROSS_PARTY_CONTEXT"], [34, 1, 1, "", "SAME_SITE_LAX"], [34, 1, 1, "", "SAME_SITE_NONE_INSECURE"], [34, 1, 1, "", "SAME_SITE_STRICT"], [34, 1, 1, "", "SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_LAX"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_STRICT"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [34, 1, 1, "", "SECURE_ONLY"], [34, 1, 1, "", "THIRD_PARTY_BLOCKED_IN_FIRST_PARTY_SET"], [34, 1, 1, "", "THIRD_PARTY_PHASEOUT"], [34, 1, 1, "", "UNKNOWN_ERROR"], [34, 1, 1, "", "USER_PREFERENCES"]], "nodriver.cdp.network.CookieParam": [[34, 1, 1, "", "domain"], [34, 1, 1, "", "expires"], [34, 1, 1, "", "http_only"], [34, 1, 1, "", "name"], [34, 1, 1, "", "partition_key"], [34, 1, 1, "", "path"], [34, 1, 1, "", "priority"], [34, 1, 1, "", "same_party"], [34, 1, 1, "", "same_site"], [34, 1, 1, "", "secure"], [34, 1, 1, "", "source_port"], [34, 1, 1, "", "source_scheme"], [34, 1, 1, "", "url"], [34, 1, 1, "", "value"]], "nodriver.cdp.network.CookiePriority": [[34, 1, 1, "", "HIGH"], [34, 1, 1, "", "LOW"], [34, 1, 1, "", "MEDIUM"]], "nodriver.cdp.network.CookieSameSite": [[34, 1, 1, "", "LAX"], [34, 1, 1, "", "NONE"], [34, 1, 1, "", "STRICT"]], "nodriver.cdp.network.CookieSourceScheme": [[34, 1, 1, "", "NON_SECURE"], [34, 1, 1, "", "SECURE"], [34, 1, 1, "", "UNSET"]], "nodriver.cdp.network.CorsError": [[34, 1, 1, "", "ALLOW_ORIGIN_MISMATCH"], [34, 1, 1, "", "CORS_DISABLED_SCHEME"], [34, 1, 1, "", "DISALLOWED_BY_MODE"], [34, 1, 1, "", "HEADER_DISALLOWED_BY_PREFLIGHT_RESPONSE"], [34, 1, 1, "", "INSECURE_PRIVATE_NETWORK"], [34, 1, 1, "", "INVALID_ALLOW_CREDENTIALS"], [34, 1, 1, "", "INVALID_ALLOW_HEADERS_PREFLIGHT_RESPONSE"], [34, 1, 1, "", "INVALID_ALLOW_METHODS_PREFLIGHT_RESPONSE"], [34, 1, 1, "", "INVALID_ALLOW_ORIGIN_VALUE"], [34, 1, 1, "", "INVALID_PRIVATE_NETWORK_ACCESS"], [34, 1, 1, "", "INVALID_RESPONSE"], [34, 1, 1, "", "METHOD_DISALLOWED_BY_PREFLIGHT_RESPONSE"], [34, 1, 1, "", "MISSING_ALLOW_ORIGIN_HEADER"], [34, 1, 1, "", "MULTIPLE_ALLOW_ORIGIN_VALUES"], [34, 1, 1, "", "NO_CORS_REDIRECT_MODE_NOT_FOLLOW"], [34, 1, 1, "", "PREFLIGHT_ALLOW_ORIGIN_MISMATCH"], [34, 1, 1, "", "PREFLIGHT_DISALLOWED_REDIRECT"], [34, 1, 1, "", "PREFLIGHT_INVALID_ALLOW_CREDENTIALS"], [34, 1, 1, "", "PREFLIGHT_INVALID_ALLOW_EXTERNAL"], [34, 1, 1, "", "PREFLIGHT_INVALID_ALLOW_ORIGIN_VALUE"], [34, 1, 1, "", "PREFLIGHT_INVALID_ALLOW_PRIVATE_NETWORK"], [34, 1, 1, "", "PREFLIGHT_INVALID_STATUS"], [34, 1, 1, "", "PREFLIGHT_MISSING_ALLOW_EXTERNAL"], [34, 1, 1, "", "PREFLIGHT_MISSING_ALLOW_ORIGIN_HEADER"], [34, 1, 1, "", "PREFLIGHT_MISSING_ALLOW_PRIVATE_NETWORK"], [34, 1, 1, "", "PREFLIGHT_MISSING_PRIVATE_NETWORK_ACCESS_ID"], [34, 1, 1, "", "PREFLIGHT_MISSING_PRIVATE_NETWORK_ACCESS_NAME"], [34, 1, 1, "", "PREFLIGHT_MULTIPLE_ALLOW_ORIGIN_VALUES"], [34, 1, 1, "", "PREFLIGHT_WILDCARD_ORIGIN_NOT_ALLOWED"], [34, 1, 1, "", "PRIVATE_NETWORK_ACCESS_PERMISSION_DENIED"], [34, 1, 1, "", "PRIVATE_NETWORK_ACCESS_PERMISSION_UNAVAILABLE"], [34, 1, 1, "", "REDIRECT_CONTAINS_CREDENTIALS"], [34, 1, 1, "", "UNEXPECTED_PRIVATE_NETWORK_ACCESS"], [34, 1, 1, "", "WILDCARD_ORIGIN_NOT_ALLOWED"]], "nodriver.cdp.network.CorsErrorStatus": [[34, 1, 1, "", "cors_error"], [34, 1, 1, "", "failed_parameter"]], "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus": [[34, 1, 1, "", "report_only_reporting_endpoint"], [34, 1, 1, "", "report_only_value"], [34, 1, 1, "", "reporting_endpoint"], [34, 1, 1, "", "value"]], "nodriver.cdp.network.CrossOriginEmbedderPolicyValue": [[34, 1, 1, "", "CREDENTIALLESS"], [34, 1, 1, "", "NONE"], [34, 1, 1, "", "REQUIRE_CORP"]], "nodriver.cdp.network.CrossOriginOpenerPolicyStatus": [[34, 1, 1, "", "report_only_reporting_endpoint"], [34, 1, 1, "", "report_only_value"], [34, 1, 1, "", "reporting_endpoint"], [34, 1, 1, "", "value"]], "nodriver.cdp.network.CrossOriginOpenerPolicyValue": [[34, 1, 1, "", "RESTRICT_PROPERTIES"], [34, 1, 1, "", "RESTRICT_PROPERTIES_PLUS_COEP"], [34, 1, 1, "", "SAME_ORIGIN"], [34, 1, 1, "", "SAME_ORIGIN_ALLOW_POPUPS"], [34, 1, 1, "", "SAME_ORIGIN_PLUS_COEP"], [34, 1, 1, "", "UNSAFE_NONE"]], "nodriver.cdp.network.DataReceived": [[34, 1, 1, "", "data"], [34, 1, 1, "", "data_length"], [34, 1, 1, "", "encoded_data_length"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.ErrorReason": [[34, 1, 1, "", "ABORTED"], [34, 1, 1, "", "ACCESS_DENIED"], [34, 1, 1, "", "ADDRESS_UNREACHABLE"], [34, 1, 1, "", "BLOCKED_BY_CLIENT"], [34, 1, 1, "", "BLOCKED_BY_RESPONSE"], [34, 1, 1, "", "CONNECTION_ABORTED"], [34, 1, 1, "", "CONNECTION_CLOSED"], [34, 1, 1, "", "CONNECTION_FAILED"], [34, 1, 1, "", "CONNECTION_REFUSED"], [34, 1, 1, "", "CONNECTION_RESET"], [34, 1, 1, "", "FAILED"], [34, 1, 1, "", "INTERNET_DISCONNECTED"], [34, 1, 1, "", "NAME_NOT_RESOLVED"], [34, 1, 1, "", "TIMED_OUT"]], "nodriver.cdp.network.EventSourceMessageReceived": [[34, 1, 1, "", "data"], [34, 1, 1, "", "event_id"], [34, 1, 1, "", "event_name"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.IPAddressSpace": [[34, 1, 1, "", "LOCAL"], [34, 1, 1, "", "PRIVATE"], [34, 1, 1, "", "PUBLIC"], [34, 1, 1, "", "UNKNOWN"]], "nodriver.cdp.network.Initiator": [[34, 1, 1, "", "column_number"], [34, 1, 1, "", "line_number"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "stack"], [34, 1, 1, "", "type_"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.InterceptionStage": [[34, 1, 1, "", "HEADERS_RECEIVED"], [34, 1, 1, "", "REQUEST"]], "nodriver.cdp.network.LoadNetworkResourceOptions": [[34, 1, 1, "", "disable_cache"], [34, 1, 1, "", "include_credentials"]], "nodriver.cdp.network.LoadNetworkResourcePageResult": [[34, 1, 1, "", "headers"], [34, 1, 1, "", "http_status_code"], [34, 1, 1, "", "net_error"], [34, 1, 1, "", "net_error_name"], [34, 1, 1, "", "stream"], [34, 1, 1, "", "success"]], "nodriver.cdp.network.LoadingFailed": [[34, 1, 1, "", "blocked_reason"], [34, 1, 1, "", "canceled"], [34, 1, 1, "", "cors_error_status"], [34, 1, 1, "", "error_text"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "type_"]], "nodriver.cdp.network.LoadingFinished": [[34, 1, 1, "", "encoded_data_length"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.PostDataEntry": [[34, 1, 1, "", "bytes_"]], "nodriver.cdp.network.PrivateNetworkRequestPolicy": [[34, 1, 1, "", "ALLOW"], [34, 1, 1, "", "BLOCK_FROM_INSECURE_TO_MORE_PRIVATE"], [34, 1, 1, "", "PREFLIGHT_BLOCK"], [34, 1, 1, "", "PREFLIGHT_WARN"], [34, 1, 1, "", "WARN_FROM_INSECURE_TO_MORE_PRIVATE"]], "nodriver.cdp.network.ReportStatus": [[34, 1, 1, "", "MARKED_FOR_REMOVAL"], [34, 1, 1, "", "PENDING"], [34, 1, 1, "", "QUEUED"], [34, 1, 1, "", "SUCCESS"]], "nodriver.cdp.network.ReportingApiEndpoint": [[34, 1, 1, "", "group_name"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.ReportingApiEndpointsChangedForOrigin": [[34, 1, 1, "", "endpoints"], [34, 1, 1, "", "origin"]], "nodriver.cdp.network.ReportingApiReport": [[34, 1, 1, "", "body"], [34, 1, 1, "", "completed_attempts"], [34, 1, 1, "", "depth"], [34, 1, 1, "", "destination"], [34, 1, 1, "", "id_"], [34, 1, 1, "", "initiator_url"], [34, 1, 1, "", "status"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "type_"]], "nodriver.cdp.network.ReportingApiReportAdded": [[34, 1, 1, "", "report"]], "nodriver.cdp.network.ReportingApiReportUpdated": [[34, 1, 1, "", "report"]], "nodriver.cdp.network.Request": [[34, 1, 1, "", "has_post_data"], [34, 1, 1, "", "headers"], [34, 1, 1, "", "initial_priority"], [34, 1, 1, "", "is_link_preload"], [34, 1, 1, "", "is_same_site"], [34, 1, 1, "", "method"], [34, 1, 1, "", "mixed_content_type"], [34, 1, 1, "", "post_data"], [34, 1, 1, "", "post_data_entries"], [34, 1, 1, "", "referrer_policy"], [34, 1, 1, "", "trust_token_params"], [34, 1, 1, "", "url"], [34, 1, 1, "", "url_fragment"]], "nodriver.cdp.network.RequestIntercepted": [[34, 1, 1, "", "auth_challenge"], [34, 1, 1, "", "frame_id"], [34, 1, 1, "", "interception_id"], [34, 1, 1, "", "is_download"], [34, 1, 1, "", "is_navigation_request"], [34, 1, 1, "", "redirect_url"], [34, 1, 1, "", "request"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "resource_type"], [34, 1, 1, "", "response_error_reason"], [34, 1, 1, "", "response_headers"], [34, 1, 1, "", "response_status_code"]], "nodriver.cdp.network.RequestPattern": [[34, 1, 1, "", "interception_stage"], [34, 1, 1, "", "resource_type"], [34, 1, 1, "", "url_pattern"]], "nodriver.cdp.network.RequestServedFromCache": [[34, 1, 1, "", "request_id"]], "nodriver.cdp.network.RequestWillBeSent": [[34, 1, 1, "", "document_url"], [34, 1, 1, "", "frame_id"], [34, 1, 1, "", "has_user_gesture"], [34, 1, 1, "", "initiator"], [34, 1, 1, "", "loader_id"], [34, 1, 1, "", "redirect_has_extra_info"], [34, 1, 1, "", "redirect_response"], [34, 1, 1, "", "request"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "type_"], [34, 1, 1, "", "wall_time"]], "nodriver.cdp.network.RequestWillBeSentExtraInfo": [[34, 1, 1, "", "associated_cookies"], [34, 1, 1, "", "client_security_state"], [34, 1, 1, "", "connect_timing"], [34, 1, 1, "", "headers"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "site_has_cookie_in_other_partition"]], "nodriver.cdp.network.ResourceChangedPriority": [[34, 1, 1, "", "new_priority"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.ResourcePriority": [[34, 1, 1, "", "HIGH"], [34, 1, 1, "", "LOW"], [34, 1, 1, "", "MEDIUM"], [34, 1, 1, "", "VERY_HIGH"], [34, 1, 1, "", "VERY_LOW"]], "nodriver.cdp.network.ResourceTiming": [[34, 1, 1, "", "connect_end"], [34, 1, 1, "", "connect_start"], [34, 1, 1, "", "dns_end"], [34, 1, 1, "", "dns_start"], [34, 1, 1, "", "proxy_end"], [34, 1, 1, "", "proxy_start"], [34, 1, 1, "", "push_end"], [34, 1, 1, "", "push_start"], [34, 1, 1, "", "receive_headers_end"], [34, 1, 1, "", "receive_headers_start"], [34, 1, 1, "", "request_time"], [34, 1, 1, "", "send_end"], [34, 1, 1, "", "send_start"], [34, 1, 1, "", "ssl_end"], [34, 1, 1, "", "ssl_start"], [34, 1, 1, "", "worker_fetch_start"], [34, 1, 1, "", "worker_ready"], [34, 1, 1, "", "worker_respond_with_settled"], [34, 1, 1, "", "worker_start"]], "nodriver.cdp.network.ResourceType": [[34, 1, 1, "", "CSP_VIOLATION_REPORT"], [34, 1, 1, "", "DOCUMENT"], [34, 1, 1, "", "EVENT_SOURCE"], [34, 1, 1, "", "FETCH"], [34, 1, 1, "", "FONT"], [34, 1, 1, "", "IMAGE"], [34, 1, 1, "", "MANIFEST"], [34, 1, 1, "", "MEDIA"], [34, 1, 1, "", "OTHER"], [34, 1, 1, "", "PING"], [34, 1, 1, "", "PREFETCH"], [34, 1, 1, "", "PREFLIGHT"], [34, 1, 1, "", "SCRIPT"], [34, 1, 1, "", "SIGNED_EXCHANGE"], [34, 1, 1, "", "STYLESHEET"], [34, 1, 1, "", "TEXT_TRACK"], [34, 1, 1, "", "WEB_SOCKET"], [34, 1, 1, "", "XHR"]], "nodriver.cdp.network.Response": [[34, 1, 1, "", "alternate_protocol_usage"], [34, 1, 1, "", "cache_storage_cache_name"], [34, 1, 1, "", "charset"], [34, 1, 1, "", "connection_id"], [34, 1, 1, "", "connection_reused"], [34, 1, 1, "", "encoded_data_length"], [34, 1, 1, "", "from_disk_cache"], [34, 1, 1, "", "from_prefetch_cache"], [34, 1, 1, "", "from_service_worker"], [34, 1, 1, "", "headers"], [34, 1, 1, "", "headers_text"], [34, 1, 1, "", "mime_type"], [34, 1, 1, "", "protocol"], [34, 1, 1, "", "remote_ip_address"], [34, 1, 1, "", "remote_port"], [34, 1, 1, "", "request_headers"], [34, 1, 1, "", "request_headers_text"], [34, 1, 1, "", "response_time"], [34, 1, 1, "", "security_details"], [34, 1, 1, "", "security_state"], [34, 1, 1, "", "service_worker_response_source"], [34, 1, 1, "", "service_worker_router_info"], [34, 1, 1, "", "status"], [34, 1, 1, "", "status_text"], [34, 1, 1, "", "timing"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.ResponseReceived": [[34, 1, 1, "", "frame_id"], [34, 1, 1, "", "has_extra_info"], [34, 1, 1, "", "loader_id"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "response"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "type_"]], "nodriver.cdp.network.ResponseReceivedExtraInfo": [[34, 1, 1, "", "blocked_cookies"], [34, 1, 1, "", "cookie_partition_key"], [34, 1, 1, "", "cookie_partition_key_opaque"], [34, 1, 1, "", "headers"], [34, 1, 1, "", "headers_text"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "resource_ip_address_space"], [34, 1, 1, "", "status_code"]], "nodriver.cdp.network.SecurityDetails": [[34, 1, 1, "", "certificate_id"], [34, 1, 1, "", "certificate_transparency_compliance"], [34, 1, 1, "", "cipher"], [34, 1, 1, "", "encrypted_client_hello"], [34, 1, 1, "", "issuer"], [34, 1, 1, "", "key_exchange"], [34, 1, 1, "", "key_exchange_group"], [34, 1, 1, "", "mac"], [34, 1, 1, "", "protocol"], [34, 1, 1, "", "san_list"], [34, 1, 1, "", "server_signature_algorithm"], [34, 1, 1, "", "signed_certificate_timestamp_list"], [34, 1, 1, "", "subject_name"], [34, 1, 1, "", "valid_from"], [34, 1, 1, "", "valid_to"]], "nodriver.cdp.network.SecurityIsolationStatus": [[34, 1, 1, "", "coep"], [34, 1, 1, "", "coop"], [34, 1, 1, "", "csp"]], "nodriver.cdp.network.ServiceWorkerResponseSource": [[34, 1, 1, "", "CACHE_STORAGE"], [34, 1, 1, "", "FALLBACK_CODE"], [34, 1, 1, "", "HTTP_CACHE"], [34, 1, 1, "", "NETWORK"]], "nodriver.cdp.network.ServiceWorkerRouterInfo": [[34, 1, 1, "", "rule_id_matched"]], "nodriver.cdp.network.SetCookieBlockedReason": [[34, 1, 1, "", "DISALLOWED_CHARACTER"], [34, 1, 1, "", "INVALID_DOMAIN"], [34, 1, 1, "", "INVALID_PREFIX"], [34, 1, 1, "", "NAME_VALUE_PAIR_EXCEEDS_MAX_SIZE"], [34, 1, 1, "", "NO_COOKIE_CONTENT"], [34, 1, 1, "", "OVERWRITE_SECURE"], [34, 1, 1, "", "SAME_PARTY_CONFLICTS_WITH_OTHER_ATTRIBUTES"], [34, 1, 1, "", "SAME_PARTY_FROM_CROSS_PARTY_CONTEXT"], [34, 1, 1, "", "SAME_SITE_LAX"], [34, 1, 1, "", "SAME_SITE_NONE_INSECURE"], [34, 1, 1, "", "SAME_SITE_STRICT"], [34, 1, 1, "", "SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_LAX"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_STRICT"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [34, 1, 1, "", "SCHEME_NOT_SUPPORTED"], [34, 1, 1, "", "SECURE_ONLY"], [34, 1, 1, "", "SYNTAX_ERROR"], [34, 1, 1, "", "THIRD_PARTY_BLOCKED_IN_FIRST_PARTY_SET"], [34, 1, 1, "", "THIRD_PARTY_PHASEOUT"], [34, 1, 1, "", "UNKNOWN_ERROR"], [34, 1, 1, "", "USER_PREFERENCES"]], "nodriver.cdp.network.SignedCertificateTimestamp": [[34, 1, 1, "", "hash_algorithm"], [34, 1, 1, "", "log_description"], [34, 1, 1, "", "log_id"], [34, 1, 1, "", "origin"], [34, 1, 1, "", "signature_algorithm"], [34, 1, 1, "", "signature_data"], [34, 1, 1, "", "status"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.SignedExchangeError": [[34, 1, 1, "", "error_field"], [34, 1, 1, "", "message"], [34, 1, 1, "", "signature_index"]], "nodriver.cdp.network.SignedExchangeErrorField": [[34, 1, 1, "", "SIGNATURE_CERT_SHA256"], [34, 1, 1, "", "SIGNATURE_CERT_URL"], [34, 1, 1, "", "SIGNATURE_INTEGRITY"], [34, 1, 1, "", "SIGNATURE_SIG"], [34, 1, 1, "", "SIGNATURE_TIMESTAMPS"], [34, 1, 1, "", "SIGNATURE_VALIDITY_URL"]], "nodriver.cdp.network.SignedExchangeHeader": [[34, 1, 1, "", "header_integrity"], [34, 1, 1, "", "request_url"], [34, 1, 1, "", "response_code"], [34, 1, 1, "", "response_headers"], [34, 1, 1, "", "signatures"]], "nodriver.cdp.network.SignedExchangeInfo": [[34, 1, 1, "", "errors"], [34, 1, 1, "", "header"], [34, 1, 1, "", "outer_response"], [34, 1, 1, "", "security_details"]], "nodriver.cdp.network.SignedExchangeReceived": [[34, 1, 1, "", "info"], [34, 1, 1, "", "request_id"]], "nodriver.cdp.network.SignedExchangeSignature": [[34, 1, 1, "", "cert_sha256"], [34, 1, 1, "", "cert_url"], [34, 1, 1, "", "certificates"], [34, 1, 1, "", "date"], [34, 1, 1, "", "expires"], [34, 1, 1, "", "integrity"], [34, 1, 1, "", "label"], [34, 1, 1, "", "signature"], [34, 1, 1, "", "validity_url"]], "nodriver.cdp.network.SubresourceWebBundleInnerResponseError": [[34, 1, 1, "", "bundle_request_id"], [34, 1, 1, "", "error_message"], [34, 1, 1, "", "inner_request_id"], [34, 1, 1, "", "inner_request_url"]], "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed": [[34, 1, 1, "", "bundle_request_id"], [34, 1, 1, "", "inner_request_id"], [34, 1, 1, "", "inner_request_url"]], "nodriver.cdp.network.SubresourceWebBundleMetadataError": [[34, 1, 1, "", "error_message"], [34, 1, 1, "", "request_id"]], "nodriver.cdp.network.SubresourceWebBundleMetadataReceived": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "urls"]], "nodriver.cdp.network.TrustTokenOperationDone": [[34, 1, 1, "", "issued_token_count"], [34, 1, 1, "", "issuer_origin"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "status"], [34, 1, 1, "", "top_level_origin"], [34, 1, 1, "", "type_"]], "nodriver.cdp.network.TrustTokenOperationType": [[34, 1, 1, "", "ISSUANCE"], [34, 1, 1, "", "REDEMPTION"], [34, 1, 1, "", "SIGNING"]], "nodriver.cdp.network.TrustTokenParams": [[34, 1, 1, "", "issuers"], [34, 1, 1, "", "operation"], [34, 1, 1, "", "refresh_policy"]], "nodriver.cdp.network.WebSocketClosed": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketCreated": [[34, 1, 1, "", "initiator"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.WebSocketFrame": [[34, 1, 1, "", "mask"], [34, 1, 1, "", "opcode"], [34, 1, 1, "", "payload_data"]], "nodriver.cdp.network.WebSocketFrameError": [[34, 1, 1, "", "error_message"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketFrameReceived": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "response"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketFrameSent": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "response"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketHandshakeResponseReceived": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "response"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketRequest": [[34, 1, 1, "", "headers"]], "nodriver.cdp.network.WebSocketResponse": [[34, 1, 1, "", "headers"], [34, 1, 1, "", "headers_text"], [34, 1, 1, "", "request_headers"], [34, 1, 1, "", "request_headers_text"], [34, 1, 1, "", "status"], [34, 1, 1, "", "status_text"]], "nodriver.cdp.network.WebSocketWillSendHandshakeRequest": [[34, 1, 1, "", "request"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "wall_time"]], "nodriver.cdp.network.WebTransportClosed": [[34, 1, 1, "", "timestamp"], [34, 1, 1, "", "transport_id"]], "nodriver.cdp.network.WebTransportConnectionEstablished": [[34, 1, 1, "", "timestamp"], [34, 1, 1, "", "transport_id"]], "nodriver.cdp.network.WebTransportCreated": [[34, 1, 1, "", "initiator"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "transport_id"], [34, 1, 1, "", "url"]], "nodriver.cdp.overlay": [[35, 0, 1, "", "BoxStyle"], [35, 0, 1, "", "ColorFormat"], [35, 0, 1, "", "ContainerQueryContainerHighlightConfig"], [35, 0, 1, "", "ContainerQueryHighlightConfig"], [35, 0, 1, "", "ContrastAlgorithm"], [35, 0, 1, "", "FlexContainerHighlightConfig"], [35, 0, 1, "", "FlexItemHighlightConfig"], [35, 0, 1, "", "FlexNodeHighlightConfig"], [35, 0, 1, "", "GridHighlightConfig"], [35, 0, 1, "", "GridNodeHighlightConfig"], [35, 0, 1, "", "HighlightConfig"], [35, 0, 1, "", "HingeConfig"], [35, 0, 1, "", "InspectMode"], [35, 0, 1, "", "InspectModeCanceled"], [35, 0, 1, "", "InspectNodeRequested"], [35, 0, 1, "", "IsolatedElementHighlightConfig"], [35, 0, 1, "", "IsolationModeHighlightConfig"], [35, 0, 1, "", "LineStyle"], [35, 0, 1, "", "NodeHighlightRequested"], [35, 0, 1, "", "ScreenshotRequested"], [35, 0, 1, "", "ScrollSnapContainerHighlightConfig"], [35, 0, 1, "", "ScrollSnapHighlightConfig"], [35, 0, 1, "", "SourceOrderConfig"], [35, 0, 1, "", "WindowControlsOverlayConfig"], [35, 5, 1, "", "disable"], [35, 5, 1, "", "enable"], [35, 5, 1, "", "get_grid_highlight_objects_for_test"], [35, 5, 1, "", "get_highlight_object_for_test"], [35, 5, 1, "", "get_source_order_highlight_object_for_test"], [35, 5, 1, "", "hide_highlight"], [35, 5, 1, "", "highlight_frame"], [35, 5, 1, "", "highlight_node"], [35, 5, 1, "", "highlight_quad"], [35, 5, 1, "", "highlight_rect"], [35, 5, 1, "", "highlight_source_order"], [35, 5, 1, "", "set_inspect_mode"], [35, 5, 1, "", "set_paused_in_debugger_message"], [35, 5, 1, "", "set_show_ad_highlights"], [35, 5, 1, "", "set_show_container_query_overlays"], [35, 5, 1, "", "set_show_debug_borders"], [35, 5, 1, "", "set_show_flex_overlays"], [35, 5, 1, "", "set_show_fps_counter"], [35, 5, 1, "", "set_show_grid_overlays"], [35, 5, 1, "", "set_show_hinge"], [35, 5, 1, "", "set_show_hit_test_borders"], [35, 5, 1, "", "set_show_isolated_elements"], [35, 5, 1, "", "set_show_layout_shift_regions"], [35, 5, 1, "", "set_show_paint_rects"], [35, 5, 1, "", "set_show_scroll_bottleneck_rects"], [35, 5, 1, "", "set_show_scroll_snap_overlays"], [35, 5, 1, "", "set_show_viewport_size_on_resize"], [35, 5, 1, "", "set_show_web_vitals"], [35, 5, 1, "", "set_show_window_controls_overlay"]], "nodriver.cdp.overlay.BoxStyle": [[35, 1, 1, "", "fill_color"], [35, 1, 1, "", "hatch_color"]], "nodriver.cdp.overlay.ColorFormat": [[35, 1, 1, "", "HEX_"], [35, 1, 1, "", "HSL"], [35, 1, 1, "", "HWB"], [35, 1, 1, "", "RGB"]], "nodriver.cdp.overlay.ContainerQueryContainerHighlightConfig": [[35, 1, 1, "", "container_border"], [35, 1, 1, "", "descendant_border"]], "nodriver.cdp.overlay.ContainerQueryHighlightConfig": [[35, 1, 1, "", "container_query_container_highlight_config"], [35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.ContrastAlgorithm": [[35, 1, 1, "", "AA"], [35, 1, 1, "", "AAA"], [35, 1, 1, "", "APCA"]], "nodriver.cdp.overlay.FlexContainerHighlightConfig": [[35, 1, 1, "", "column_gap_space"], [35, 1, 1, "", "container_border"], [35, 1, 1, "", "cross_alignment"], [35, 1, 1, "", "cross_distributed_space"], [35, 1, 1, "", "item_separator"], [35, 1, 1, "", "line_separator"], [35, 1, 1, "", "main_distributed_space"], [35, 1, 1, "", "row_gap_space"]], "nodriver.cdp.overlay.FlexItemHighlightConfig": [[35, 1, 1, "", "base_size_border"], [35, 1, 1, "", "base_size_box"], [35, 1, 1, "", "flexibility_arrow"]], "nodriver.cdp.overlay.FlexNodeHighlightConfig": [[35, 1, 1, "", "flex_container_highlight_config"], [35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.GridHighlightConfig": [[35, 1, 1, "", "area_border_color"], [35, 1, 1, "", "cell_border_color"], [35, 1, 1, "", "cell_border_dash"], [35, 1, 1, "", "column_gap_color"], [35, 1, 1, "", "column_hatch_color"], [35, 1, 1, "", "column_line_color"], [35, 1, 1, "", "column_line_dash"], [35, 1, 1, "", "grid_background_color"], [35, 1, 1, "", "grid_border_color"], [35, 1, 1, "", "grid_border_dash"], [35, 1, 1, "", "row_gap_color"], [35, 1, 1, "", "row_hatch_color"], [35, 1, 1, "", "row_line_color"], [35, 1, 1, "", "row_line_dash"], [35, 1, 1, "", "show_area_names"], [35, 1, 1, "", "show_grid_extension_lines"], [35, 1, 1, "", "show_line_names"], [35, 1, 1, "", "show_negative_line_numbers"], [35, 1, 1, "", "show_positive_line_numbers"], [35, 1, 1, "", "show_track_sizes"]], "nodriver.cdp.overlay.GridNodeHighlightConfig": [[35, 1, 1, "", "grid_highlight_config"], [35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.HighlightConfig": [[35, 1, 1, "", "border_color"], [35, 1, 1, "", "color_format"], [35, 1, 1, "", "container_query_container_highlight_config"], [35, 1, 1, "", "content_color"], [35, 1, 1, "", "contrast_algorithm"], [35, 1, 1, "", "css_grid_color"], [35, 1, 1, "", "event_target_color"], [35, 1, 1, "", "flex_container_highlight_config"], [35, 1, 1, "", "flex_item_highlight_config"], [35, 1, 1, "", "grid_highlight_config"], [35, 1, 1, "", "margin_color"], [35, 1, 1, "", "padding_color"], [35, 1, 1, "", "shape_color"], [35, 1, 1, "", "shape_margin_color"], [35, 1, 1, "", "show_accessibility_info"], [35, 1, 1, "", "show_extension_lines"], [35, 1, 1, "", "show_info"], [35, 1, 1, "", "show_rulers"], [35, 1, 1, "", "show_styles"]], "nodriver.cdp.overlay.HingeConfig": [[35, 1, 1, "", "content_color"], [35, 1, 1, "", "outline_color"], [35, 1, 1, "", "rect"]], "nodriver.cdp.overlay.InspectMode": [[35, 1, 1, "", "CAPTURE_AREA_SCREENSHOT"], [35, 1, 1, "", "NONE"], [35, 1, 1, "", "SEARCH_FOR_NODE"], [35, 1, 1, "", "SEARCH_FOR_UA_SHADOW_DOM"], [35, 1, 1, "", "SHOW_DISTANCES"]], "nodriver.cdp.overlay.InspectNodeRequested": [[35, 1, 1, "", "backend_node_id"]], "nodriver.cdp.overlay.IsolatedElementHighlightConfig": [[35, 1, 1, "", "isolation_mode_highlight_config"], [35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.IsolationModeHighlightConfig": [[35, 1, 1, "", "mask_color"], [35, 1, 1, "", "resizer_color"], [35, 1, 1, "", "resizer_handle_color"]], "nodriver.cdp.overlay.LineStyle": [[35, 1, 1, "", "color"], [35, 1, 1, "", "pattern"]], "nodriver.cdp.overlay.NodeHighlightRequested": [[35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.ScreenshotRequested": [[35, 1, 1, "", "viewport"]], "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig": [[35, 1, 1, "", "scroll_margin_color"], [35, 1, 1, "", "scroll_padding_color"], [35, 1, 1, "", "snap_area_border"], [35, 1, 1, "", "snapport_border"]], "nodriver.cdp.overlay.ScrollSnapHighlightConfig": [[35, 1, 1, "", "node_id"], [35, 1, 1, "", "scroll_snap_container_highlight_config"]], "nodriver.cdp.overlay.SourceOrderConfig": [[35, 1, 1, "", "child_outline_color"], [35, 1, 1, "", "parent_outline_color"]], "nodriver.cdp.overlay.WindowControlsOverlayConfig": [[35, 1, 1, "", "selected_platform"], [35, 1, 1, "", "show_css"], [35, 1, 1, "", "theme_color"]], "nodriver.cdp.page": [[36, 0, 1, "", "AdFrameExplanation"], [36, 0, 1, "", "AdFrameStatus"], [36, 0, 1, "", "AdFrameType"], [36, 0, 1, "", "AdScriptId"], [36, 0, 1, "", "AppManifestError"], [36, 0, 1, "", "AppManifestParsedProperties"], [36, 0, 1, "", "AutoResponseMode"], [36, 0, 1, "", "BackForwardCacheBlockingDetails"], [36, 0, 1, "", "BackForwardCacheNotRestoredExplanation"], [36, 0, 1, "", "BackForwardCacheNotRestoredExplanationTree"], [36, 0, 1, "", "BackForwardCacheNotRestoredReason"], [36, 0, 1, "", "BackForwardCacheNotRestoredReasonType"], [36, 0, 1, "", "BackForwardCacheNotUsed"], [36, 0, 1, "", "ClientNavigationDisposition"], [36, 0, 1, "", "ClientNavigationReason"], [36, 0, 1, "", "CompilationCacheParams"], [36, 0, 1, "", "CompilationCacheProduced"], [36, 0, 1, "", "CrossOriginIsolatedContextType"], [36, 0, 1, "", "DialogType"], [36, 0, 1, "", "DocumentOpened"], [36, 0, 1, "", "DomContentEventFired"], [36, 0, 1, "", "DownloadProgress"], [36, 0, 1, "", "DownloadWillBegin"], [36, 0, 1, "", "FileChooserOpened"], [36, 0, 1, "", "FontFamilies"], [36, 0, 1, "", "FontSizes"], [36, 0, 1, "", "Frame"], [36, 0, 1, "", "FrameAttached"], [36, 0, 1, "", "FrameClearedScheduledNavigation"], [36, 0, 1, "", "FrameDetached"], [36, 0, 1, "", "FrameId"], [36, 0, 1, "", "FrameNavigated"], [36, 0, 1, "", "FrameRequestedNavigation"], [36, 0, 1, "", "FrameResized"], [36, 0, 1, "", "FrameResource"], [36, 0, 1, "", "FrameResourceTree"], [36, 0, 1, "", "FrameScheduledNavigation"], [36, 0, 1, "", "FrameStartedLoading"], [36, 0, 1, "", "FrameStoppedLoading"], [36, 0, 1, "", "FrameTree"], [36, 0, 1, "", "GatedAPIFeatures"], [36, 0, 1, "", "InstallabilityError"], [36, 0, 1, "", "InstallabilityErrorArgument"], [36, 0, 1, "", "InterstitialHidden"], [36, 0, 1, "", "InterstitialShown"], [36, 0, 1, "", "JavascriptDialogClosed"], [36, 0, 1, "", "JavascriptDialogOpening"], [36, 0, 1, "", "LayoutViewport"], [36, 0, 1, "", "LifecycleEvent"], [36, 0, 1, "", "LoadEventFired"], [36, 0, 1, "", "NavigatedWithinDocument"], [36, 0, 1, "", "NavigationEntry"], [36, 0, 1, "", "NavigationType"], [36, 0, 1, "", "OriginTrial"], [36, 0, 1, "", "OriginTrialStatus"], [36, 0, 1, "", "OriginTrialToken"], [36, 0, 1, "", "OriginTrialTokenStatus"], [36, 0, 1, "", "OriginTrialTokenWithStatus"], [36, 0, 1, "", "OriginTrialUsageRestriction"], [36, 0, 1, "", "PermissionsPolicyBlockLocator"], [36, 0, 1, "", "PermissionsPolicyBlockReason"], [36, 0, 1, "", "PermissionsPolicyFeature"], [36, 0, 1, "", "PermissionsPolicyFeatureState"], [36, 0, 1, "", "ReferrerPolicy"], [36, 0, 1, "", "ScreencastFrame"], [36, 0, 1, "", "ScreencastFrameMetadata"], [36, 0, 1, "", "ScreencastVisibilityChanged"], [36, 0, 1, "", "ScriptFontFamilies"], [36, 0, 1, "", "ScriptIdentifier"], [36, 0, 1, "", "SecureContextType"], [36, 0, 1, "", "TransitionType"], [36, 0, 1, "", "Viewport"], [36, 0, 1, "", "VisualViewport"], [36, 0, 1, "", "WindowOpen"], [36, 5, 1, "", "add_compilation_cache"], [36, 5, 1, "", "add_script_to_evaluate_on_load"], [36, 5, 1, "", "add_script_to_evaluate_on_new_document"], [36, 5, 1, "", "bring_to_front"], [36, 5, 1, "", "capture_screenshot"], [36, 5, 1, "", "capture_snapshot"], [36, 5, 1, "", "clear_compilation_cache"], [36, 5, 1, "", "clear_device_metrics_override"], [36, 5, 1, "", "clear_device_orientation_override"], [36, 5, 1, "", "clear_geolocation_override"], [36, 5, 1, "", "close"], [36, 5, 1, "", "crash"], [36, 5, 1, "", "create_isolated_world"], [36, 5, 1, "", "delete_cookie"], [36, 5, 1, "", "disable"], [36, 5, 1, "", "enable"], [36, 5, 1, "", "generate_test_report"], [36, 5, 1, "", "get_ad_script_id"], [36, 5, 1, "", "get_app_id"], [36, 5, 1, "", "get_app_manifest"], [36, 5, 1, "", "get_frame_tree"], [36, 5, 1, "", "get_installability_errors"], [36, 5, 1, "", "get_layout_metrics"], [36, 5, 1, "", "get_manifest_icons"], [36, 5, 1, "", "get_navigation_history"], [36, 5, 1, "", "get_origin_trials"], [36, 5, 1, "", "get_permissions_policy_state"], [36, 5, 1, "", "get_resource_content"], [36, 5, 1, "", "get_resource_tree"], [36, 5, 1, "", "handle_java_script_dialog"], [36, 5, 1, "", "navigate"], [36, 5, 1, "", "navigate_to_history_entry"], [36, 5, 1, "", "print_to_pdf"], [36, 5, 1, "", "produce_compilation_cache"], [36, 5, 1, "", "reload"], [36, 5, 1, "", "remove_script_to_evaluate_on_load"], [36, 5, 1, "", "remove_script_to_evaluate_on_new_document"], [36, 5, 1, "", "reset_navigation_history"], [36, 5, 1, "", "screencast_frame_ack"], [36, 5, 1, "", "search_in_resource"], [36, 5, 1, "", "set_ad_blocking_enabled"], [36, 5, 1, "", "set_bypass_csp"], [36, 5, 1, "", "set_device_metrics_override"], [36, 5, 1, "", "set_device_orientation_override"], [36, 5, 1, "", "set_document_content"], [36, 5, 1, "", "set_download_behavior"], [36, 5, 1, "", "set_font_families"], [36, 5, 1, "", "set_font_sizes"], [36, 5, 1, "", "set_geolocation_override"], [36, 5, 1, "", "set_intercept_file_chooser_dialog"], [36, 5, 1, "", "set_lifecycle_events_enabled"], [36, 5, 1, "", "set_prerendering_allowed"], [36, 5, 1, "", "set_rph_registration_mode"], [36, 5, 1, "", "set_spc_transaction_mode"], [36, 5, 1, "", "set_touch_emulation_enabled"], [36, 5, 1, "", "set_web_lifecycle_state"], [36, 5, 1, "", "start_screencast"], [36, 5, 1, "", "stop_loading"], [36, 5, 1, "", "stop_screencast"], [36, 5, 1, "", "wait_for_debugger"]], "nodriver.cdp.page.AdFrameExplanation": [[36, 1, 1, "", "CREATED_BY_AD_SCRIPT"], [36, 1, 1, "", "MATCHED_BLOCKING_RULE"], [36, 1, 1, "", "PARENT_IS_AD"]], "nodriver.cdp.page.AdFrameStatus": [[36, 1, 1, "", "ad_frame_type"], [36, 1, 1, "", "explanations"]], "nodriver.cdp.page.AdFrameType": [[36, 1, 1, "", "CHILD"], [36, 1, 1, "", "NONE"], [36, 1, 1, "", "ROOT"]], "nodriver.cdp.page.AdScriptId": [[36, 1, 1, "", "debugger_id"], [36, 1, 1, "", "script_id"]], "nodriver.cdp.page.AppManifestError": [[36, 1, 1, "", "column"], [36, 1, 1, "", "critical"], [36, 1, 1, "", "line"], [36, 1, 1, "", "message"]], "nodriver.cdp.page.AppManifestParsedProperties": [[36, 1, 1, "", "scope"]], "nodriver.cdp.page.AutoResponseMode": [[36, 1, 1, "", "AUTO_ACCEPT"], [36, 1, 1, "", "AUTO_OPT_OUT"], [36, 1, 1, "", "AUTO_REJECT"], [36, 1, 1, "", "NONE"]], "nodriver.cdp.page.BackForwardCacheBlockingDetails": [[36, 1, 1, "", "column_number"], [36, 1, 1, "", "function"], [36, 1, 1, "", "line_number"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation": [[36, 1, 1, "", "context"], [36, 1, 1, "", "details"], [36, 1, 1, "", "reason"], [36, 1, 1, "", "type_"]], "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree": [[36, 1, 1, "", "children"], [36, 1, 1, "", "explanations"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.BackForwardCacheNotRestoredReason": [[36, 1, 1, "", "ACTIVATION_NAVIGATIONS_DISALLOWED_FOR_BUG1234857"], [36, 1, 1, "", "APP_BANNER"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED_BY_COMMAND_LINE"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED_BY_LOW_MEMORY"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED_FOR_DELEGATE"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED_FOR_PRERENDER"], [36, 1, 1, "", "BROADCAST_CHANNEL"], [36, 1, 1, "", "BROWSING_INSTANCE_NOT_SWAPPED"], [36, 1, 1, "", "CACHE_CONTROL_NO_STORE"], [36, 1, 1, "", "CACHE_CONTROL_NO_STORE_COOKIE_MODIFIED"], [36, 1, 1, "", "CACHE_CONTROL_NO_STORE_HTTP_ONLY_COOKIE_MODIFIED"], [36, 1, 1, "", "CACHE_FLUSHED"], [36, 1, 1, "", "CACHE_LIMIT"], [36, 1, 1, "", "CONFLICTING_BROWSING_INSTANCE"], [36, 1, 1, "", "CONTAINS_PLUGINS"], [36, 1, 1, "", "CONTENT_FILE_CHOOSER"], [36, 1, 1, "", "CONTENT_FILE_SYSTEM_ACCESS"], [36, 1, 1, "", "CONTENT_MEDIA_DEVICES_DISPATCHER_HOST"], [36, 1, 1, "", "CONTENT_MEDIA_SESSION_SERVICE"], [36, 1, 1, "", "CONTENT_SCREEN_READER"], [36, 1, 1, "", "CONTENT_SECURITY_HANDLER"], [36, 1, 1, "", "CONTENT_SERIAL"], [36, 1, 1, "", "CONTENT_WEB_AUTHENTICATION_API"], [36, 1, 1, "", "CONTENT_WEB_BLUETOOTH"], [36, 1, 1, "", "CONTENT_WEB_USB"], [36, 1, 1, "", "COOKIE_DISABLED"], [36, 1, 1, "", "COOKIE_FLUSHED"], [36, 1, 1, "", "DEDICATED_WORKER_OR_WORKLET"], [36, 1, 1, "", "DISABLE_FOR_RENDER_FRAME_HOST_CALLED"], [36, 1, 1, "", "DOCUMENT_LOADED"], [36, 1, 1, "", "DOMAIN_NOT_ALLOWED"], [36, 1, 1, "", "DUMMY"], [36, 1, 1, "", "EMBEDDER_APP_BANNER_MANAGER"], [36, 1, 1, "", "EMBEDDER_CHROME_PASSWORD_MANAGER_CLIENT_BIND_CREDENTIAL_MANAGER"], [36, 1, 1, "", "EMBEDDER_DOM_DISTILLER_SELF_DELETING_REQUEST_DELEGATE"], [36, 1, 1, "", "EMBEDDER_DOM_DISTILLER_VIEWER_SOURCE"], [36, 1, 1, "", "EMBEDDER_EXTENSIONS"], [36, 1, 1, "", "EMBEDDER_EXTENSION_MESSAGING"], [36, 1, 1, "", "EMBEDDER_EXTENSION_MESSAGING_FOR_OPEN_PORT"], [36, 1, 1, "", "EMBEDDER_EXTENSION_SENT_MESSAGE_TO_CACHED_FRAME"], [36, 1, 1, "", "EMBEDDER_MODAL_DIALOG"], [36, 1, 1, "", "EMBEDDER_OFFLINE_PAGE"], [36, 1, 1, "", "EMBEDDER_OOM_INTERVENTION_TAB_HELPER"], [36, 1, 1, "", "EMBEDDER_PERMISSION_REQUEST_MANAGER"], [36, 1, 1, "", "EMBEDDER_POPUP_BLOCKER_TAB_HELPER"], [36, 1, 1, "", "EMBEDDER_SAFE_BROWSING_THREAT_DETAILS"], [36, 1, 1, "", "EMBEDDER_SAFE_BROWSING_TRIGGERED_POPUP_BLOCKER"], [36, 1, 1, "", "ENTERED_BACK_FORWARD_CACHE_BEFORE_SERVICE_WORKER_HOST_ADDED"], [36, 1, 1, "", "ERROR_DOCUMENT"], [36, 1, 1, "", "FENCED_FRAMES_EMBEDDER"], [36, 1, 1, "", "FOREGROUND_CACHE_LIMIT"], [36, 1, 1, "", "HAVE_INNER_CONTENTS"], [36, 1, 1, "", "HTTP_AUTH_REQUIRED"], [36, 1, 1, "", "HTTP_METHOD_NOT_GET"], [36, 1, 1, "", "HTTP_STATUS_NOT_OK"], [36, 1, 1, "", "IDLE_MANAGER"], [36, 1, 1, "", "IGNORE_EVENT_AND_EVICT"], [36, 1, 1, "", "INDEXED_DB_EVENT"], [36, 1, 1, "", "INJECTED_JAVASCRIPT"], [36, 1, 1, "", "INJECTED_STYLE_SHEET"], [36, 1, 1, "", "JAVA_SCRIPT_EXECUTION"], [36, 1, 1, "", "JS_NETWORK_REQUEST_RECEIVED_CACHE_CONTROL_NO_STORE_RESOURCE"], [36, 1, 1, "", "KEEPALIVE_REQUEST"], [36, 1, 1, "", "KEYBOARD_LOCK"], [36, 1, 1, "", "LIVE_MEDIA_STREAM_TRACK"], [36, 1, 1, "", "LOADING"], [36, 1, 1, "", "MAIN_RESOURCE_HAS_CACHE_CONTROL_NO_CACHE"], [36, 1, 1, "", "MAIN_RESOURCE_HAS_CACHE_CONTROL_NO_STORE"], [36, 1, 1, "", "NAVIGATION_CANCELLED_WHILE_RESTORING"], [36, 1, 1, "", "NETWORK_EXCEEDS_BUFFER_LIMIT"], [36, 1, 1, "", "NETWORK_REQUEST_DATAPIPE_DRAINED_AS_BYTES_CONSUMER"], [36, 1, 1, "", "NETWORK_REQUEST_REDIRECTED"], [36, 1, 1, "", "NETWORK_REQUEST_TIMEOUT"], [36, 1, 1, "", "NOT_MOST_RECENT_NAVIGATION_ENTRY"], [36, 1, 1, "", "NOT_PRIMARY_MAIN_FRAME"], [36, 1, 1, "", "NO_RESPONSE_HEAD"], [36, 1, 1, "", "OUTSTANDING_NETWORK_REQUEST_DIRECT_SOCKET"], [36, 1, 1, "", "OUTSTANDING_NETWORK_REQUEST_FETCH"], [36, 1, 1, "", "OUTSTANDING_NETWORK_REQUEST_OTHERS"], [36, 1, 1, "", "OUTSTANDING_NETWORK_REQUEST_XHR"], [36, 1, 1, "", "PAYMENT_MANAGER"], [36, 1, 1, "", "PICTURE_IN_PICTURE"], [36, 1, 1, "", "PORTAL"], [36, 1, 1, "", "PRINTING"], [36, 1, 1, "", "RELATED_ACTIVE_CONTENTS_EXIST"], [36, 1, 1, "", "RENDERER_PROCESS_CRASHED"], [36, 1, 1, "", "RENDERER_PROCESS_KILLED"], [36, 1, 1, "", "RENDER_FRAME_HOST_REUSED_CROSS_SITE"], [36, 1, 1, "", "RENDER_FRAME_HOST_REUSED_SAME_SITE"], [36, 1, 1, "", "REQUESTED_AUDIO_CAPTURE_PERMISSION"], [36, 1, 1, "", "REQUESTED_BACKGROUND_WORK_PERMISSION"], [36, 1, 1, "", "REQUESTED_BACK_FORWARD_CACHE_BLOCKED_SENSORS"], [36, 1, 1, "", "REQUESTED_MIDI_PERMISSION"], [36, 1, 1, "", "REQUESTED_STORAGE_ACCESS_GRANT"], [36, 1, 1, "", "REQUESTED_VIDEO_CAPTURE_PERMISSION"], [36, 1, 1, "", "SCHEDULER_TRACKED_FEATURE_USED"], [36, 1, 1, "", "SCHEME_NOT_HTTP_OR_HTTPS"], [36, 1, 1, "", "SERVICE_WORKER_CLAIM"], [36, 1, 1, "", "SERVICE_WORKER_POST_MESSAGE"], [36, 1, 1, "", "SERVICE_WORKER_UNREGISTRATION"], [36, 1, 1, "", "SERVICE_WORKER_VERSION_ACTIVATION"], [36, 1, 1, "", "SESSION_RESTORED"], [36, 1, 1, "", "SHARED_WORKER"], [36, 1, 1, "", "SMART_CARD"], [36, 1, 1, "", "SPEECH_RECOGNIZER"], [36, 1, 1, "", "SPEECH_SYNTHESIS"], [36, 1, 1, "", "SUBFRAME_IS_NAVIGATING"], [36, 1, 1, "", "SUBRESOURCE_HAS_CACHE_CONTROL_NO_CACHE"], [36, 1, 1, "", "SUBRESOURCE_HAS_CACHE_CONTROL_NO_STORE"], [36, 1, 1, "", "TIMEOUT"], [36, 1, 1, "", "TIMEOUT_PUTTING_IN_CACHE"], [36, 1, 1, "", "UNKNOWN"], [36, 1, 1, "", "UNLOAD_HANDLER"], [36, 1, 1, "", "UNLOAD_HANDLER_EXISTS_IN_MAIN_FRAME"], [36, 1, 1, "", "UNLOAD_HANDLER_EXISTS_IN_SUB_FRAME"], [36, 1, 1, "", "USER_AGENT_OVERRIDE_DIFFERS"], [36, 1, 1, "", "WAS_GRANTED_MEDIA_ACCESS"], [36, 1, 1, "", "WEB_DATABASE"], [36, 1, 1, "", "WEB_HID"], [36, 1, 1, "", "WEB_LOCKS"], [36, 1, 1, "", "WEB_NFC"], [36, 1, 1, "", "WEB_OTP_SERVICE"], [36, 1, 1, "", "WEB_RTC"], [36, 1, 1, "", "WEB_RTC_STICKY"], [36, 1, 1, "", "WEB_SHARE"], [36, 1, 1, "", "WEB_SOCKET"], [36, 1, 1, "", "WEB_SOCKET_STICKY"], [36, 1, 1, "", "WEB_TRANSPORT"], [36, 1, 1, "", "WEB_TRANSPORT_STICKY"], [36, 1, 1, "", "WEB_XR"]], "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType": [[36, 1, 1, "", "CIRCUMSTANTIAL"], [36, 1, 1, "", "PAGE_SUPPORT_NEEDED"], [36, 1, 1, "", "SUPPORT_PENDING"]], "nodriver.cdp.page.BackForwardCacheNotUsed": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "loader_id"], [36, 1, 1, "", "not_restored_explanations"], [36, 1, 1, "", "not_restored_explanations_tree"]], "nodriver.cdp.page.ClientNavigationDisposition": [[36, 1, 1, "", "CURRENT_TAB"], [36, 1, 1, "", "DOWNLOAD"], [36, 1, 1, "", "NEW_TAB"], [36, 1, 1, "", "NEW_WINDOW"]], "nodriver.cdp.page.ClientNavigationReason": [[36, 1, 1, "", "ANCHOR_CLICK"], [36, 1, 1, "", "FORM_SUBMISSION_GET"], [36, 1, 1, "", "FORM_SUBMISSION_POST"], [36, 1, 1, "", "HTTP_HEADER_REFRESH"], [36, 1, 1, "", "META_TAG_REFRESH"], [36, 1, 1, "", "PAGE_BLOCK_INTERSTITIAL"], [36, 1, 1, "", "RELOAD"], [36, 1, 1, "", "SCRIPT_INITIATED"]], "nodriver.cdp.page.CompilationCacheParams": [[36, 1, 1, "", "eager"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.CompilationCacheProduced": [[36, 1, 1, "", "data"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.CrossOriginIsolatedContextType": [[36, 1, 1, "", "ISOLATED"], [36, 1, 1, "", "NOT_ISOLATED"], [36, 1, 1, "", "NOT_ISOLATED_FEATURE_DISABLED"]], "nodriver.cdp.page.DialogType": [[36, 1, 1, "", "ALERT"], [36, 1, 1, "", "BEFOREUNLOAD"], [36, 1, 1, "", "CONFIRM"], [36, 1, 1, "", "PROMPT"]], "nodriver.cdp.page.DocumentOpened": [[36, 1, 1, "", "frame"]], "nodriver.cdp.page.DomContentEventFired": [[36, 1, 1, "", "timestamp"]], "nodriver.cdp.page.DownloadProgress": [[36, 1, 1, "", "guid"], [36, 1, 1, "", "received_bytes"], [36, 1, 1, "", "state"], [36, 1, 1, "", "total_bytes"]], "nodriver.cdp.page.DownloadWillBegin": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "guid"], [36, 1, 1, "", "suggested_filename"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.FileChooserOpened": [[36, 1, 1, "", "backend_node_id"], [36, 1, 1, "", "frame_id"], [36, 1, 1, "", "mode"]], "nodriver.cdp.page.FontFamilies": [[36, 1, 1, "", "cursive"], [36, 1, 1, "", "fantasy"], [36, 1, 1, "", "fixed"], [36, 1, 1, "", "math"], [36, 1, 1, "", "sans_serif"], [36, 1, 1, "", "serif"], [36, 1, 1, "", "standard"]], "nodriver.cdp.page.FontSizes": [[36, 1, 1, "", "fixed"], [36, 1, 1, "", "standard"]], "nodriver.cdp.page.Frame": [[36, 1, 1, "", "ad_frame_status"], [36, 1, 1, "", "cross_origin_isolated_context_type"], [36, 1, 1, "", "domain_and_registry"], [36, 1, 1, "", "gated_api_features"], [36, 1, 1, "", "id_"], [36, 1, 1, "", "loader_id"], [36, 1, 1, "", "mime_type"], [36, 1, 1, "", "name"], [36, 1, 1, "", "parent_id"], [36, 1, 1, "", "secure_context_type"], [36, 1, 1, "", "security_origin"], [36, 1, 1, "", "unreachable_url"], [36, 1, 1, "", "url"], [36, 1, 1, "", "url_fragment"]], "nodriver.cdp.page.FrameAttached": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "parent_frame_id"], [36, 1, 1, "", "stack"]], "nodriver.cdp.page.FrameClearedScheduledNavigation": [[36, 1, 1, "", "frame_id"]], "nodriver.cdp.page.FrameDetached": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "reason"]], "nodriver.cdp.page.FrameNavigated": [[36, 1, 1, "", "frame"], [36, 1, 1, "", "type_"]], "nodriver.cdp.page.FrameRequestedNavigation": [[36, 1, 1, "", "disposition"], [36, 1, 1, "", "frame_id"], [36, 1, 1, "", "reason"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.FrameResource": [[36, 1, 1, "", "canceled"], [36, 1, 1, "", "content_size"], [36, 1, 1, "", "failed"], [36, 1, 1, "", "last_modified"], [36, 1, 1, "", "mime_type"], [36, 1, 1, "", "type_"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.FrameResourceTree": [[36, 1, 1, "", "child_frames"], [36, 1, 1, "", "frame"], [36, 1, 1, "", "resources"]], "nodriver.cdp.page.FrameScheduledNavigation": [[36, 1, 1, "", "delay"], [36, 1, 1, "", "frame_id"], [36, 1, 1, "", "reason"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.FrameStartedLoading": [[36, 1, 1, "", "frame_id"]], "nodriver.cdp.page.FrameStoppedLoading": [[36, 1, 1, "", "frame_id"]], "nodriver.cdp.page.FrameTree": [[36, 1, 1, "", "child_frames"], [36, 1, 1, "", "frame"]], "nodriver.cdp.page.GatedAPIFeatures": [[36, 1, 1, "", "PERFORMANCE_MEASURE_MEMORY"], [36, 1, 1, "", "PERFORMANCE_PROFILE"], [36, 1, 1, "", "SHARED_ARRAY_BUFFERS"], [36, 1, 1, "", "SHARED_ARRAY_BUFFERS_TRANSFER_ALLOWED"]], "nodriver.cdp.page.InstallabilityError": [[36, 1, 1, "", "error_arguments"], [36, 1, 1, "", "error_id"]], "nodriver.cdp.page.InstallabilityErrorArgument": [[36, 1, 1, "", "name"], [36, 1, 1, "", "value"]], "nodriver.cdp.page.JavascriptDialogClosed": [[36, 1, 1, "", "result"], [36, 1, 1, "", "user_input"]], "nodriver.cdp.page.JavascriptDialogOpening": [[36, 1, 1, "", "default_prompt"], [36, 1, 1, "", "has_browser_handler"], [36, 1, 1, "", "message"], [36, 1, 1, "", "type_"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.LayoutViewport": [[36, 1, 1, "", "client_height"], [36, 1, 1, "", "client_width"], [36, 1, 1, "", "page_x"], [36, 1, 1, "", "page_y"]], "nodriver.cdp.page.LifecycleEvent": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "loader_id"], [36, 1, 1, "", "name"], [36, 1, 1, "", "timestamp"]], "nodriver.cdp.page.LoadEventFired": [[36, 1, 1, "", "timestamp"]], "nodriver.cdp.page.NavigatedWithinDocument": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.NavigationEntry": [[36, 1, 1, "", "id_"], [36, 1, 1, "", "title"], [36, 1, 1, "", "transition_type"], [36, 1, 1, "", "url"], [36, 1, 1, "", "user_typed_url"]], "nodriver.cdp.page.NavigationType": [[36, 1, 1, "", "BACK_FORWARD_CACHE_RESTORE"], [36, 1, 1, "", "NAVIGATION"]], "nodriver.cdp.page.OriginTrial": [[36, 1, 1, "", "status"], [36, 1, 1, "", "tokens_with_status"], [36, 1, 1, "", "trial_name"]], "nodriver.cdp.page.OriginTrialStatus": [[36, 1, 1, "", "ENABLED"], [36, 1, 1, "", "OS_NOT_SUPPORTED"], [36, 1, 1, "", "TRIAL_NOT_ALLOWED"], [36, 1, 1, "", "VALID_TOKEN_NOT_PROVIDED"]], "nodriver.cdp.page.OriginTrialToken": [[36, 1, 1, "", "expiry_time"], [36, 1, 1, "", "is_third_party"], [36, 1, 1, "", "match_sub_domains"], [36, 1, 1, "", "origin"], [36, 1, 1, "", "trial_name"], [36, 1, 1, "", "usage_restriction"]], "nodriver.cdp.page.OriginTrialTokenStatus": [[36, 1, 1, "", "EXPIRED"], [36, 1, 1, "", "FEATURE_DISABLED"], [36, 1, 1, "", "FEATURE_DISABLED_FOR_USER"], [36, 1, 1, "", "INSECURE"], [36, 1, 1, "", "INVALID_SIGNATURE"], [36, 1, 1, "", "MALFORMED"], [36, 1, 1, "", "NOT_SUPPORTED"], [36, 1, 1, "", "SUCCESS"], [36, 1, 1, "", "TOKEN_DISABLED"], [36, 1, 1, "", "UNKNOWN_TRIAL"], [36, 1, 1, "", "WRONG_ORIGIN"], [36, 1, 1, "", "WRONG_VERSION"]], "nodriver.cdp.page.OriginTrialTokenWithStatus": [[36, 1, 1, "", "parsed_token"], [36, 1, 1, "", "raw_token_text"], [36, 1, 1, "", "status"]], "nodriver.cdp.page.OriginTrialUsageRestriction": [[36, 1, 1, "", "NONE"], [36, 1, 1, "", "SUBSET"]], "nodriver.cdp.page.PermissionsPolicyBlockLocator": [[36, 1, 1, "", "block_reason"], [36, 1, 1, "", "frame_id"]], "nodriver.cdp.page.PermissionsPolicyBlockReason": [[36, 1, 1, "", "HEADER"], [36, 1, 1, "", "IFRAME_ATTRIBUTE"], [36, 1, 1, "", "IN_FENCED_FRAME_TREE"], [36, 1, 1, "", "IN_ISOLATED_APP"]], "nodriver.cdp.page.PermissionsPolicyFeature": [[36, 1, 1, "", "ACCELEROMETER"], [36, 1, 1, "", "AMBIENT_LIGHT_SENSOR"], [36, 1, 1, "", "ATTRIBUTION_REPORTING"], [36, 1, 1, "", "AUTOPLAY"], [36, 1, 1, "", "BLUETOOTH"], [36, 1, 1, "", "BROWSING_TOPICS"], [36, 1, 1, "", "CAMERA"], [36, 1, 1, "", "CAPTURED_SURFACE_CONTROL"], [36, 1, 1, "", "CH_DEVICE_MEMORY"], [36, 1, 1, "", "CH_DOWNLINK"], [36, 1, 1, "", "CH_DPR"], [36, 1, 1, "", "CH_ECT"], [36, 1, 1, "", "CH_PREFERS_COLOR_SCHEME"], [36, 1, 1, "", "CH_PREFERS_REDUCED_MOTION"], [36, 1, 1, "", "CH_PREFERS_REDUCED_TRANSPARENCY"], [36, 1, 1, "", "CH_RTT"], [36, 1, 1, "", "CH_SAVE_DATA"], [36, 1, 1, "", "CH_UA"], [36, 1, 1, "", "CH_UA_ARCH"], [36, 1, 1, "", "CH_UA_BITNESS"], [36, 1, 1, "", "CH_UA_FORM_FACTOR"], [36, 1, 1, "", "CH_UA_FULL_VERSION"], [36, 1, 1, "", "CH_UA_FULL_VERSION_LIST"], [36, 1, 1, "", "CH_UA_MOBILE"], [36, 1, 1, "", "CH_UA_MODEL"], [36, 1, 1, "", "CH_UA_PLATFORM"], [36, 1, 1, "", "CH_UA_PLATFORM_VERSION"], [36, 1, 1, "", "CH_UA_WOW64"], [36, 1, 1, "", "CH_VIEWPORT_HEIGHT"], [36, 1, 1, "", "CH_VIEWPORT_WIDTH"], [36, 1, 1, "", "CH_WIDTH"], [36, 1, 1, "", "CLIPBOARD_READ"], [36, 1, 1, "", "CLIPBOARD_WRITE"], [36, 1, 1, "", "COMPUTE_PRESSURE"], [36, 1, 1, "", "CROSS_ORIGIN_ISOLATED"], [36, 1, 1, "", "DIRECT_SOCKETS"], [36, 1, 1, "", "DISPLAY_CAPTURE"], [36, 1, 1, "", "DOCUMENT_DOMAIN"], [36, 1, 1, "", "ENCRYPTED_MEDIA"], [36, 1, 1, "", "EXECUTION_WHILE_NOT_RENDERED"], [36, 1, 1, "", "EXECUTION_WHILE_OUT_OF_VIEWPORT"], [36, 1, 1, "", "FOCUS_WITHOUT_USER_ACTIVATION"], [36, 1, 1, "", "FROBULATE"], [36, 1, 1, "", "FULLSCREEN"], [36, 1, 1, "", "GAMEPAD"], [36, 1, 1, "", "GEOLOCATION"], [36, 1, 1, "", "GYROSCOPE"], [36, 1, 1, "", "HID"], [36, 1, 1, "", "IDENTITY_CREDENTIALS_GET"], [36, 1, 1, "", "IDLE_DETECTION"], [36, 1, 1, "", "INTEREST_COHORT"], [36, 1, 1, "", "JOIN_AD_INTEREST_GROUP"], [36, 1, 1, "", "KEYBOARD_MAP"], [36, 1, 1, "", "LOCAL_FONTS"], [36, 1, 1, "", "MAGNETOMETER"], [36, 1, 1, "", "MICROPHONE"], [36, 1, 1, "", "MIDI"], [36, 1, 1, "", "OTP_CREDENTIALS"], [36, 1, 1, "", "PAYMENT"], [36, 1, 1, "", "PICTURE_IN_PICTURE"], [36, 1, 1, "", "PRIVATE_AGGREGATION"], [36, 1, 1, "", "PRIVATE_STATE_TOKEN_ISSUANCE"], [36, 1, 1, "", "PRIVATE_STATE_TOKEN_REDEMPTION"], [36, 1, 1, "", "PUBLICKEY_CREDENTIALS_CREATE"], [36, 1, 1, "", "PUBLICKEY_CREDENTIALS_GET"], [36, 1, 1, "", "RUN_AD_AUCTION"], [36, 1, 1, "", "SCREEN_WAKE_LOCK"], [36, 1, 1, "", "SERIAL"], [36, 1, 1, "", "SHARED_AUTOFILL"], [36, 1, 1, "", "SHARED_STORAGE"], [36, 1, 1, "", "SHARED_STORAGE_SELECT_URL"], [36, 1, 1, "", "SMART_CARD"], [36, 1, 1, "", "STORAGE_ACCESS"], [36, 1, 1, "", "SUB_APPS"], [36, 1, 1, "", "SYNC_XHR"], [36, 1, 1, "", "UNLOAD"], [36, 1, 1, "", "USB"], [36, 1, 1, "", "USB_UNRESTRICTED"], [36, 1, 1, "", "VERTICAL_SCROLL"], [36, 1, 1, "", "WEB_PRINTING"], [36, 1, 1, "", "WEB_SHARE"], [36, 1, 1, "", "WINDOW_MANAGEMENT"], [36, 1, 1, "", "WINDOW_PLACEMENT"], [36, 1, 1, "", "XR_SPATIAL_TRACKING"]], "nodriver.cdp.page.PermissionsPolicyFeatureState": [[36, 1, 1, "", "allowed"], [36, 1, 1, "", "feature"], [36, 1, 1, "", "locator"]], "nodriver.cdp.page.ReferrerPolicy": [[36, 1, 1, "", "NO_REFERRER"], [36, 1, 1, "", "NO_REFERRER_WHEN_DOWNGRADE"], [36, 1, 1, "", "ORIGIN"], [36, 1, 1, "", "ORIGIN_WHEN_CROSS_ORIGIN"], [36, 1, 1, "", "SAME_ORIGIN"], [36, 1, 1, "", "STRICT_ORIGIN"], [36, 1, 1, "", "STRICT_ORIGIN_WHEN_CROSS_ORIGIN"], [36, 1, 1, "", "UNSAFE_URL"]], "nodriver.cdp.page.ScreencastFrame": [[36, 1, 1, "", "data"], [36, 1, 1, "", "metadata"], [36, 1, 1, "", "session_id"]], "nodriver.cdp.page.ScreencastFrameMetadata": [[36, 1, 1, "", "device_height"], [36, 1, 1, "", "device_width"], [36, 1, 1, "", "offset_top"], [36, 1, 1, "", "page_scale_factor"], [36, 1, 1, "", "scroll_offset_x"], [36, 1, 1, "", "scroll_offset_y"], [36, 1, 1, "", "timestamp"]], "nodriver.cdp.page.ScreencastVisibilityChanged": [[36, 1, 1, "", "visible"]], "nodriver.cdp.page.ScriptFontFamilies": [[36, 1, 1, "", "font_families"], [36, 1, 1, "", "script"]], "nodriver.cdp.page.SecureContextType": [[36, 1, 1, "", "INSECURE_ANCESTOR"], [36, 1, 1, "", "INSECURE_SCHEME"], [36, 1, 1, "", "SECURE"], [36, 1, 1, "", "SECURE_LOCALHOST"]], "nodriver.cdp.page.TransitionType": [[36, 1, 1, "", "ADDRESS_BAR"], [36, 1, 1, "", "AUTO_BOOKMARK"], [36, 1, 1, "", "AUTO_SUBFRAME"], [36, 1, 1, "", "AUTO_TOPLEVEL"], [36, 1, 1, "", "FORM_SUBMIT"], [36, 1, 1, "", "GENERATED"], [36, 1, 1, "", "KEYWORD"], [36, 1, 1, "", "KEYWORD_GENERATED"], [36, 1, 1, "", "LINK"], [36, 1, 1, "", "MANUAL_SUBFRAME"], [36, 1, 1, "", "OTHER"], [36, 1, 1, "", "RELOAD"], [36, 1, 1, "", "TYPED"]], "nodriver.cdp.page.Viewport": [[36, 1, 1, "", "height"], [36, 1, 1, "", "scale"], [36, 1, 1, "", "width"], [36, 1, 1, "", "x"], [36, 1, 1, "", "y"]], "nodriver.cdp.page.VisualViewport": [[36, 1, 1, "", "client_height"], [36, 1, 1, "", "client_width"], [36, 1, 1, "", "offset_x"], [36, 1, 1, "", "offset_y"], [36, 1, 1, "", "page_x"], [36, 1, 1, "", "page_y"], [36, 1, 1, "", "scale"], [36, 1, 1, "", "zoom"]], "nodriver.cdp.page.WindowOpen": [[36, 1, 1, "", "url"], [36, 1, 1, "", "user_gesture"], [36, 1, 1, "", "window_features"], [36, 1, 1, "", "window_name"]], "nodriver.cdp.performance": [[37, 0, 1, "", "Metric"], [37, 0, 1, "", "Metrics"], [37, 5, 1, "", "disable"], [37, 5, 1, "", "enable"], [37, 5, 1, "", "get_metrics"], [37, 5, 1, "", "set_time_domain"]], "nodriver.cdp.performance.Metric": [[37, 1, 1, "", "name"], [37, 1, 1, "", "value"]], "nodriver.cdp.performance.Metrics": [[37, 1, 1, "", "metrics"], [37, 1, 1, "", "title"]], "nodriver.cdp.performance_timeline": [[38, 0, 1, "", "LargestContentfulPaint"], [38, 0, 1, "", "LayoutShift"], [38, 0, 1, "", "LayoutShiftAttribution"], [38, 0, 1, "", "TimelineEvent"], [38, 0, 1, "", "TimelineEventAdded"], [38, 5, 1, "", "enable"]], "nodriver.cdp.performance_timeline.LargestContentfulPaint": [[38, 1, 1, "", "element_id"], [38, 1, 1, "", "load_time"], [38, 1, 1, "", "node_id"], [38, 1, 1, "", "render_time"], [38, 1, 1, "", "size"], [38, 1, 1, "", "url"]], "nodriver.cdp.performance_timeline.LayoutShift": [[38, 1, 1, "", "had_recent_input"], [38, 1, 1, "", "last_input_time"], [38, 1, 1, "", "sources"], [38, 1, 1, "", "value"]], "nodriver.cdp.performance_timeline.LayoutShiftAttribution": [[38, 1, 1, "", "current_rect"], [38, 1, 1, "", "node_id"], [38, 1, 1, "", "previous_rect"]], "nodriver.cdp.performance_timeline.TimelineEvent": [[38, 1, 1, "", "duration"], [38, 1, 1, "", "frame_id"], [38, 1, 1, "", "layout_shift_details"], [38, 1, 1, "", "lcp_details"], [38, 1, 1, "", "name"], [38, 1, 1, "", "time"], [38, 1, 1, "", "type_"]], "nodriver.cdp.performance_timeline.TimelineEventAdded": [[38, 1, 1, "", "event"]], "nodriver.cdp.preload": [[39, 0, 1, "", "PrefetchStatus"], [39, 0, 1, "", "PrefetchStatusUpdated"], [39, 0, 1, "", "PreloadEnabledStateUpdated"], [39, 0, 1, "", "PreloadingAttemptKey"], [39, 0, 1, "", "PreloadingAttemptSource"], [39, 0, 1, "", "PreloadingAttemptSourcesUpdated"], [39, 0, 1, "", "PreloadingStatus"], [39, 0, 1, "", "PrerenderFinalStatus"], [39, 0, 1, "", "PrerenderMismatchedHeaders"], [39, 0, 1, "", "PrerenderStatusUpdated"], [39, 0, 1, "", "RuleSet"], [39, 0, 1, "", "RuleSetErrorType"], [39, 0, 1, "", "RuleSetId"], [39, 0, 1, "", "RuleSetRemoved"], [39, 0, 1, "", "RuleSetUpdated"], [39, 0, 1, "", "SpeculationAction"], [39, 0, 1, "", "SpeculationTargetHint"], [39, 5, 1, "", "disable"], [39, 5, 1, "", "enable"]], "nodriver.cdp.preload.PrefetchStatus": [[39, 1, 1, "", "PREFETCH_ALLOWED"], [39, 1, 1, "", "PREFETCH_EVICTED_AFTER_CANDIDATE_REMOVED"], [39, 1, 1, "", "PREFETCH_EVICTED_FOR_NEWER_PREFETCH"], [39, 1, 1, "", "PREFETCH_FAILED_INELIGIBLE_REDIRECT"], [39, 1, 1, "", "PREFETCH_FAILED_INVALID_REDIRECT"], [39, 1, 1, "", "PREFETCH_FAILED_MIME_NOT_SUPPORTED"], [39, 1, 1, "", "PREFETCH_FAILED_NET_ERROR"], [39, 1, 1, "", "PREFETCH_FAILED_NON2_XX"], [39, 1, 1, "", "PREFETCH_FAILED_PER_PAGE_LIMIT_EXCEEDED"], [39, 1, 1, "", "PREFETCH_HELDBACK"], [39, 1, 1, "", "PREFETCH_INELIGIBLE_RETRY_AFTER"], [39, 1, 1, "", "PREFETCH_IS_PRIVACY_DECOY"], [39, 1, 1, "", "PREFETCH_IS_STALE"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_BATTERY_SAVER_ENABLED"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_BROWSER_CONTEXT_OFF_THE_RECORD"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_DATA_SAVER_ENABLED"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_EXISTING_PROXY"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_HOST_IS_NON_UNIQUE"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_NON_DEFAULT_STORAGE_PARTITION"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_PRELOADING_DISABLED"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_SAME_SITE_CROSS_ORIGIN_PREFETCH_REQUIRED_PROXY"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_SCHEME_IS_NOT_HTTPS"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_USER_HAS_COOKIES"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_USER_HAS_SERVICE_WORKER"], [39, 1, 1, "", "PREFETCH_NOT_FINISHED_IN_TIME"], [39, 1, 1, "", "PREFETCH_NOT_STARTED"], [39, 1, 1, "", "PREFETCH_NOT_USED_COOKIES_CHANGED"], [39, 1, 1, "", "PREFETCH_NOT_USED_PROBE_FAILED"], [39, 1, 1, "", "PREFETCH_PROXY_NOT_AVAILABLE"], [39, 1, 1, "", "PREFETCH_RESPONSE_USED"], [39, 1, 1, "", "PREFETCH_SUCCESSFUL_BUT_NOT_USED"]], "nodriver.cdp.preload.PrefetchStatusUpdated": [[39, 1, 1, "", "initiating_frame_id"], [39, 1, 1, "", "key"], [39, 1, 1, "", "prefetch_status"], [39, 1, 1, "", "prefetch_url"], [39, 1, 1, "", "request_id"], [39, 1, 1, "", "status"]], "nodriver.cdp.preload.PreloadEnabledStateUpdated": [[39, 1, 1, "", "disabled_by_battery_saver"], [39, 1, 1, "", "disabled_by_data_saver"], [39, 1, 1, "", "disabled_by_holdback_prefetch_speculation_rules"], [39, 1, 1, "", "disabled_by_holdback_prerender_speculation_rules"], [39, 1, 1, "", "disabled_by_preference"]], "nodriver.cdp.preload.PreloadingAttemptKey": [[39, 1, 1, "", "action"], [39, 1, 1, "", "loader_id"], [39, 1, 1, "", "target_hint"], [39, 1, 1, "", "url"]], "nodriver.cdp.preload.PreloadingAttemptSource": [[39, 1, 1, "", "key"], [39, 1, 1, "", "node_ids"], [39, 1, 1, "", "rule_set_ids"]], "nodriver.cdp.preload.PreloadingAttemptSourcesUpdated": [[39, 1, 1, "", "loader_id"], [39, 1, 1, "", "preloading_attempt_sources"]], "nodriver.cdp.preload.PreloadingStatus": [[39, 1, 1, "", "FAILURE"], [39, 1, 1, "", "NOT_SUPPORTED"], [39, 1, 1, "", "PENDING"], [39, 1, 1, "", "READY"], [39, 1, 1, "", "RUNNING"], [39, 1, 1, "", "SUCCESS"]], "nodriver.cdp.preload.PrerenderFinalStatus": [[39, 1, 1, "", "ACTIVATED"], [39, 1, 1, "", "ACTIVATED_BEFORE_STARTED"], [39, 1, 1, "", "ACTIVATED_DURING_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "ACTIVATED_IN_BACKGROUND"], [39, 1, 1, "", "ACTIVATED_WITH_AUXILIARY_BROWSING_CONTEXTS"], [39, 1, 1, "", "ACTIVATION_FRAME_POLICY_NOT_COMPATIBLE"], [39, 1, 1, "", "ACTIVATION_NAVIGATION_DESTROYED_BEFORE_SUCCESS"], [39, 1, 1, "", "ACTIVATION_NAVIGATION_PARAMETER_MISMATCH"], [39, 1, 1, "", "ACTIVATION_URL_HAS_EFFECTIVE_URL"], [39, 1, 1, "", "AUDIO_OUTPUT_DEVICE_REQUESTED"], [39, 1, 1, "", "BATTERY_SAVER_ENABLED"], [39, 1, 1, "", "BLOCKED_BY_CLIENT"], [39, 1, 1, "", "CANCEL_ALL_HOSTS_FOR_TESTING"], [39, 1, 1, "", "CLIENT_CERT_REQUESTED"], [39, 1, 1, "", "CROSS_SITE_NAVIGATION_IN_INITIAL_NAVIGATION"], [39, 1, 1, "", "CROSS_SITE_NAVIGATION_IN_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "CROSS_SITE_REDIRECT_IN_INITIAL_NAVIGATION"], [39, 1, 1, "", "CROSS_SITE_REDIRECT_IN_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "DATA_SAVER_ENABLED"], [39, 1, 1, "", "DESTROYED"], [39, 1, 1, "", "DID_FAIL_LOAD"], [39, 1, 1, "", "DOWNLOAD"], [39, 1, 1, "", "EMBEDDER_HOST_DISALLOWED"], [39, 1, 1, "", "INACTIVE_PAGE_RESTRICTION"], [39, 1, 1, "", "INVALID_SCHEME_NAVIGATION"], [39, 1, 1, "", "INVALID_SCHEME_REDIRECT"], [39, 1, 1, "", "LOGIN_AUTH_REQUESTED"], [39, 1, 1, "", "LOW_END_DEVICE"], [39, 1, 1, "", "MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "MAX_NUM_OF_RUNNING_EAGER_PRERENDERS_EXCEEDED"], [39, 1, 1, "", "MAX_NUM_OF_RUNNING_EMBEDDER_PRERENDERS_EXCEEDED"], [39, 1, 1, "", "MAX_NUM_OF_RUNNING_NON_EAGER_PRERENDERS_EXCEEDED"], [39, 1, 1, "", "MEMORY_LIMIT_EXCEEDED"], [39, 1, 1, "", "MEMORY_PRESSURE_AFTER_TRIGGERED"], [39, 1, 1, "", "MEMORY_PRESSURE_ON_TRIGGER"], [39, 1, 1, "", "MIXED_CONTENT"], [39, 1, 1, "", "MOJO_BINDER_POLICY"], [39, 1, 1, "", "NAVIGATION_BAD_HTTP_STATUS"], [39, 1, 1, "", "NAVIGATION_NOT_COMMITTED"], [39, 1, 1, "", "NAVIGATION_REQUEST_BLOCKED_BY_CSP"], [39, 1, 1, "", "NAVIGATION_REQUEST_NETWORK_ERROR"], [39, 1, 1, "", "PRELOADING_DISABLED"], [39, 1, 1, "", "PRELOADING_UNSUPPORTED_BY_WEB_CONTENTS"], [39, 1, 1, "", "PRERENDERING_DISABLED_BY_DEV_TOOLS"], [39, 1, 1, "", "PRERENDERING_URL_HAS_EFFECTIVE_URL"], [39, 1, 1, "", "PRIMARY_MAIN_FRAME_RENDERER_PROCESS_CRASHED"], [39, 1, 1, "", "PRIMARY_MAIN_FRAME_RENDERER_PROCESS_KILLED"], [39, 1, 1, "", "REDIRECTED_PRERENDERING_URL_HAS_EFFECTIVE_URL"], [39, 1, 1, "", "RENDERER_PROCESS_CRASHED"], [39, 1, 1, "", "RENDERER_PROCESS_KILLED"], [39, 1, 1, "", "SAME_SITE_CROSS_ORIGIN_NAVIGATION_NOT_OPT_IN_IN_INITIAL_NAVIGATION"], [39, 1, 1, "", "SAME_SITE_CROSS_ORIGIN_NAVIGATION_NOT_OPT_IN_IN_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "SAME_SITE_CROSS_ORIGIN_REDIRECT_NOT_OPT_IN_IN_INITIAL_NAVIGATION"], [39, 1, 1, "", "SAME_SITE_CROSS_ORIGIN_REDIRECT_NOT_OPT_IN_IN_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "SPECULATION_RULE_REMOVED"], [39, 1, 1, "", "SSL_CERTIFICATE_ERROR"], [39, 1, 1, "", "START_FAILED"], [39, 1, 1, "", "STOP"], [39, 1, 1, "", "TAB_CLOSED_BY_USER_GESTURE"], [39, 1, 1, "", "TAB_CLOSED_WITHOUT_USER_GESTURE"], [39, 1, 1, "", "TIMEOUT_BACKGROUNDED"], [39, 1, 1, "", "TRIGGER_BACKGROUNDED"], [39, 1, 1, "", "TRIGGER_DESTROYED"], [39, 1, 1, "", "TRIGGER_URL_HAS_EFFECTIVE_URL"], [39, 1, 1, "", "UA_CHANGE_REQUIRES_RELOAD"]], "nodriver.cdp.preload.PrerenderMismatchedHeaders": [[39, 1, 1, "", "activation_value"], [39, 1, 1, "", "header_name"], [39, 1, 1, "", "initial_value"]], "nodriver.cdp.preload.PrerenderStatusUpdated": [[39, 1, 1, "", "disallowed_mojo_interface"], [39, 1, 1, "", "key"], [39, 1, 1, "", "mismatched_headers"], [39, 1, 1, "", "prerender_status"], [39, 1, 1, "", "status"]], "nodriver.cdp.preload.RuleSet": [[39, 1, 1, "", "backend_node_id"], [39, 1, 1, "", "error_message"], [39, 1, 1, "", "error_type"], [39, 1, 1, "", "id_"], [39, 1, 1, "", "loader_id"], [39, 1, 1, "", "request_id"], [39, 1, 1, "", "source_text"], [39, 1, 1, "", "url"]], "nodriver.cdp.preload.RuleSetErrorType": [[39, 1, 1, "", "INVALID_RULES_SKIPPED"], [39, 1, 1, "", "SOURCE_IS_NOT_JSON_OBJECT"]], "nodriver.cdp.preload.RuleSetRemoved": [[39, 1, 1, "", "id_"]], "nodriver.cdp.preload.RuleSetUpdated": [[39, 1, 1, "", "rule_set"]], "nodriver.cdp.preload.SpeculationAction": [[39, 1, 1, "", "PREFETCH"], [39, 1, 1, "", "PRERENDER"]], "nodriver.cdp.preload.SpeculationTargetHint": [[39, 1, 1, "", "BLANK"], [39, 1, 1, "", "SELF"]], "nodriver.cdp.profiler": [[40, 0, 1, "", "ConsoleProfileFinished"], [40, 0, 1, "", "ConsoleProfileStarted"], [40, 0, 1, "", "CoverageRange"], [40, 0, 1, "", "FunctionCoverage"], [40, 0, 1, "", "PositionTickInfo"], [40, 0, 1, "", "PreciseCoverageDeltaUpdate"], [40, 0, 1, "", "Profile"], [40, 0, 1, "", "ProfileNode"], [40, 0, 1, "", "ScriptCoverage"], [40, 5, 1, "", "disable"], [40, 5, 1, "", "enable"], [40, 5, 1, "", "get_best_effort_coverage"], [40, 5, 1, "", "set_sampling_interval"], [40, 5, 1, "", "start"], [40, 5, 1, "", "start_precise_coverage"], [40, 5, 1, "", "stop"], [40, 5, 1, "", "stop_precise_coverage"], [40, 5, 1, "", "take_precise_coverage"]], "nodriver.cdp.profiler.ConsoleProfileFinished": [[40, 1, 1, "", "id_"], [40, 1, 1, "", "location"], [40, 1, 1, "", "profile"], [40, 1, 1, "", "title"]], "nodriver.cdp.profiler.ConsoleProfileStarted": [[40, 1, 1, "", "id_"], [40, 1, 1, "", "location"], [40, 1, 1, "", "title"]], "nodriver.cdp.profiler.CoverageRange": [[40, 1, 1, "", "count"], [40, 1, 1, "", "end_offset"], [40, 1, 1, "", "start_offset"]], "nodriver.cdp.profiler.FunctionCoverage": [[40, 1, 1, "", "function_name"], [40, 1, 1, "", "is_block_coverage"], [40, 1, 1, "", "ranges"]], "nodriver.cdp.profiler.PositionTickInfo": [[40, 1, 1, "", "line"], [40, 1, 1, "", "ticks"]], "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate": [[40, 1, 1, "", "occasion"], [40, 1, 1, "", "result"], [40, 1, 1, "", "timestamp"]], "nodriver.cdp.profiler.Profile": [[40, 1, 1, "", "end_time"], [40, 1, 1, "", "nodes"], [40, 1, 1, "", "samples"], [40, 1, 1, "", "start_time"], [40, 1, 1, "", "time_deltas"]], "nodriver.cdp.profiler.ProfileNode": [[40, 1, 1, "", "call_frame"], [40, 1, 1, "", "children"], [40, 1, 1, "", "deopt_reason"], [40, 1, 1, "", "hit_count"], [40, 1, 1, "", "id_"], [40, 1, 1, "", "position_ticks"]], "nodriver.cdp.profiler.ScriptCoverage": [[40, 1, 1, "", "functions"], [40, 1, 1, "", "script_id"], [40, 1, 1, "", "url"]], "nodriver.cdp.runtime": [[41, 0, 1, "", "BindingCalled"], [41, 0, 1, "", "CallArgument"], [41, 0, 1, "", "CallFrame"], [41, 0, 1, "", "ConsoleAPICalled"], [41, 0, 1, "", "CustomPreview"], [41, 0, 1, "", "DeepSerializedValue"], [41, 0, 1, "", "EntryPreview"], [41, 0, 1, "", "ExceptionDetails"], [41, 0, 1, "", "ExceptionRevoked"], [41, 0, 1, "", "ExceptionThrown"], [41, 0, 1, "", "ExecutionContextCreated"], [41, 0, 1, "", "ExecutionContextDescription"], [41, 0, 1, "", "ExecutionContextDestroyed"], [41, 0, 1, "", "ExecutionContextId"], [41, 0, 1, "", "ExecutionContextsCleared"], [41, 0, 1, "", "InspectRequested"], [41, 0, 1, "", "InternalPropertyDescriptor"], [41, 0, 1, "", "ObjectPreview"], [41, 0, 1, "", "PrivatePropertyDescriptor"], [41, 0, 1, "", "PropertyDescriptor"], [41, 0, 1, "", "PropertyPreview"], [41, 0, 1, "", "RemoteObject"], [41, 0, 1, "", "RemoteObjectId"], [41, 0, 1, "", "ScriptId"], [41, 0, 1, "", "SerializationOptions"], [41, 0, 1, "", "StackTrace"], [41, 0, 1, "", "StackTraceId"], [41, 0, 1, "", "TimeDelta"], [41, 0, 1, "", "Timestamp"], [41, 0, 1, "", "UniqueDebuggerId"], [41, 0, 1, "", "UnserializableValue"], [41, 5, 1, "", "add_binding"], [41, 5, 1, "", "await_promise"], [41, 5, 1, "", "call_function_on"], [41, 5, 1, "", "compile_script"], [41, 5, 1, "", "disable"], [41, 5, 1, "", "discard_console_entries"], [41, 5, 1, "", "enable"], [41, 5, 1, "", "evaluate"], [41, 5, 1, "", "get_exception_details"], [41, 5, 1, "", "get_heap_usage"], [41, 5, 1, "", "get_isolate_id"], [41, 5, 1, "", "get_properties"], [41, 5, 1, "", "global_lexical_scope_names"], [41, 5, 1, "", "query_objects"], [41, 5, 1, "", "release_object"], [41, 5, 1, "", "release_object_group"], [41, 5, 1, "", "remove_binding"], [41, 5, 1, "", "run_if_waiting_for_debugger"], [41, 5, 1, "", "run_script"], [41, 5, 1, "", "set_async_call_stack_depth"], [41, 5, 1, "", "set_custom_object_formatter_enabled"], [41, 5, 1, "", "set_max_call_stack_size_to_capture"], [41, 5, 1, "", "terminate_execution"]], "nodriver.cdp.runtime.BindingCalled": [[41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "name"], [41, 1, 1, "", "payload"]], "nodriver.cdp.runtime.CallArgument": [[41, 1, 1, "", "object_id"], [41, 1, 1, "", "unserializable_value"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.CallFrame": [[41, 1, 1, "", "column_number"], [41, 1, 1, "", "function_name"], [41, 1, 1, "", "line_number"], [41, 1, 1, "", "script_id"], [41, 1, 1, "", "url"]], "nodriver.cdp.runtime.ConsoleAPICalled": [[41, 1, 1, "", "args"], [41, 1, 1, "", "context"], [41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "stack_trace"], [41, 1, 1, "", "timestamp"], [41, 1, 1, "", "type_"]], "nodriver.cdp.runtime.CustomPreview": [[41, 1, 1, "", "body_getter_id"], [41, 1, 1, "", "header"]], "nodriver.cdp.runtime.DeepSerializedValue": [[41, 1, 1, "", "object_id"], [41, 1, 1, "", "type_"], [41, 1, 1, "", "value"], [41, 1, 1, "", "weak_local_object_reference"]], "nodriver.cdp.runtime.EntryPreview": [[41, 1, 1, "", "key"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.ExceptionDetails": [[41, 1, 1, "", "column_number"], [41, 1, 1, "", "exception"], [41, 1, 1, "", "exception_id"], [41, 1, 1, "", "exception_meta_data"], [41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "line_number"], [41, 1, 1, "", "script_id"], [41, 1, 1, "", "stack_trace"], [41, 1, 1, "", "text"], [41, 1, 1, "", "url"]], "nodriver.cdp.runtime.ExceptionRevoked": [[41, 1, 1, "", "exception_id"], [41, 1, 1, "", "reason"]], "nodriver.cdp.runtime.ExceptionThrown": [[41, 1, 1, "", "exception_details"], [41, 1, 1, "", "timestamp"]], "nodriver.cdp.runtime.ExecutionContextCreated": [[41, 1, 1, "", "context"]], "nodriver.cdp.runtime.ExecutionContextDescription": [[41, 1, 1, "", "aux_data"], [41, 1, 1, "", "id_"], [41, 1, 1, "", "name"], [41, 1, 1, "", "origin"], [41, 1, 1, "", "unique_id"]], "nodriver.cdp.runtime.ExecutionContextDestroyed": [[41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "execution_context_unique_id"]], "nodriver.cdp.runtime.InspectRequested": [[41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "hints"], [41, 1, 1, "", "object_"]], "nodriver.cdp.runtime.InternalPropertyDescriptor": [[41, 1, 1, "", "name"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.ObjectPreview": [[41, 1, 1, "", "description"], [41, 1, 1, "", "entries"], [41, 1, 1, "", "overflow"], [41, 1, 1, "", "properties"], [41, 1, 1, "", "subtype"], [41, 1, 1, "", "type_"]], "nodriver.cdp.runtime.PrivatePropertyDescriptor": [[41, 1, 1, "", "get"], [41, 1, 1, "", "name"], [41, 1, 1, "", "set_"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.PropertyDescriptor": [[41, 1, 1, "", "configurable"], [41, 1, 1, "", "enumerable"], [41, 1, 1, "", "get"], [41, 1, 1, "", "is_own"], [41, 1, 1, "", "name"], [41, 1, 1, "", "set_"], [41, 1, 1, "", "symbol"], [41, 1, 1, "", "value"], [41, 1, 1, "", "was_thrown"], [41, 1, 1, "", "writable"]], "nodriver.cdp.runtime.PropertyPreview": [[41, 1, 1, "", "name"], [41, 1, 1, "", "subtype"], [41, 1, 1, "", "type_"], [41, 1, 1, "", "value"], [41, 1, 1, "", "value_preview"]], "nodriver.cdp.runtime.RemoteObject": [[41, 1, 1, "", "class_name"], [41, 1, 1, "", "custom_preview"], [41, 1, 1, "", "deep_serialized_value"], [41, 1, 1, "", "description"], [41, 1, 1, "", "object_id"], [41, 1, 1, "", "preview"], [41, 1, 1, "", "subtype"], [41, 1, 1, "", "type_"], [41, 1, 1, "", "unserializable_value"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.SerializationOptions": [[41, 1, 1, "", "additional_parameters"], [41, 1, 1, "", "max_depth"], [41, 1, 1, "", "serialization"]], "nodriver.cdp.runtime.StackTrace": [[41, 1, 1, "", "call_frames"], [41, 1, 1, "", "description"], [41, 1, 1, "", "parent"], [41, 1, 1, "", "parent_id"]], "nodriver.cdp.runtime.StackTraceId": [[41, 1, 1, "", "debugger_id"], [41, 1, 1, "", "id_"]], "nodriver.cdp.schema": [[42, 0, 1, "", "Domain"], [42, 5, 1, "", "get_domains"]], "nodriver.cdp.schema.Domain": [[42, 1, 1, "", "name"], [42, 1, 1, "", "version"]], "nodriver.cdp.security": [[43, 0, 1, "", "CertificateError"], [43, 0, 1, "", "CertificateErrorAction"], [43, 0, 1, "", "CertificateId"], [43, 0, 1, "", "CertificateSecurityState"], [43, 0, 1, "", "InsecureContentStatus"], [43, 0, 1, "", "MixedContentType"], [43, 0, 1, "", "SafetyTipInfo"], [43, 0, 1, "", "SafetyTipStatus"], [43, 0, 1, "", "SecurityState"], [43, 0, 1, "", "SecurityStateChanged"], [43, 0, 1, "", "SecurityStateExplanation"], [43, 0, 1, "", "VisibleSecurityState"], [43, 0, 1, "", "VisibleSecurityStateChanged"], [43, 5, 1, "", "disable"], [43, 5, 1, "", "enable"], [43, 5, 1, "", "handle_certificate_error"], [43, 5, 1, "", "set_ignore_certificate_errors"], [43, 5, 1, "", "set_override_certificate_errors"]], "nodriver.cdp.security.CertificateError": [[43, 1, 1, "", "error_type"], [43, 1, 1, "", "event_id"], [43, 1, 1, "", "request_url"]], "nodriver.cdp.security.CertificateErrorAction": [[43, 1, 1, "", "CANCEL"], [43, 1, 1, "", "CONTINUE"]], "nodriver.cdp.security.CertificateSecurityState": [[43, 1, 1, "", "certificate"], [43, 1, 1, "", "certificate_has_sha1_signature"], [43, 1, 1, "", "certificate_has_weak_signature"], [43, 1, 1, "", "certificate_network_error"], [43, 1, 1, "", "cipher"], [43, 1, 1, "", "issuer"], [43, 1, 1, "", "key_exchange"], [43, 1, 1, "", "key_exchange_group"], [43, 1, 1, "", "mac"], [43, 1, 1, "", "modern_ssl"], [43, 1, 1, "", "obsolete_ssl_cipher"], [43, 1, 1, "", "obsolete_ssl_key_exchange"], [43, 1, 1, "", "obsolete_ssl_protocol"], [43, 1, 1, "", "obsolete_ssl_signature"], [43, 1, 1, "", "protocol"], [43, 1, 1, "", "subject_name"], [43, 1, 1, "", "valid_from"], [43, 1, 1, "", "valid_to"]], "nodriver.cdp.security.InsecureContentStatus": [[43, 1, 1, "", "contained_mixed_form"], [43, 1, 1, "", "displayed_content_with_cert_errors"], [43, 1, 1, "", "displayed_insecure_content_style"], [43, 1, 1, "", "displayed_mixed_content"], [43, 1, 1, "", "ran_content_with_cert_errors"], [43, 1, 1, "", "ran_insecure_content_style"], [43, 1, 1, "", "ran_mixed_content"]], "nodriver.cdp.security.MixedContentType": [[43, 1, 1, "", "BLOCKABLE"], [43, 1, 1, "", "NONE"], [43, 1, 1, "", "OPTIONALLY_BLOCKABLE"]], "nodriver.cdp.security.SafetyTipInfo": [[43, 1, 1, "", "safe_url"], [43, 1, 1, "", "safety_tip_status"]], "nodriver.cdp.security.SafetyTipStatus": [[43, 1, 1, "", "BAD_REPUTATION"], [43, 1, 1, "", "LOOKALIKE"]], "nodriver.cdp.security.SecurityState": [[43, 1, 1, "", "INFO"], [43, 1, 1, "", "INSECURE"], [43, 1, 1, "", "INSECURE_BROKEN"], [43, 1, 1, "", "NEUTRAL"], [43, 1, 1, "", "SECURE"], [43, 1, 1, "", "UNKNOWN"]], "nodriver.cdp.security.SecurityStateChanged": [[43, 1, 1, "", "explanations"], [43, 1, 1, "", "insecure_content_status"], [43, 1, 1, "", "scheme_is_cryptographic"], [43, 1, 1, "", "security_state"], [43, 1, 1, "", "summary"]], "nodriver.cdp.security.SecurityStateExplanation": [[43, 1, 1, "", "certificate"], [43, 1, 1, "", "description"], [43, 1, 1, "", "mixed_content_type"], [43, 1, 1, "", "recommendations"], [43, 1, 1, "", "security_state"], [43, 1, 1, "", "summary"], [43, 1, 1, "", "title"]], "nodriver.cdp.security.VisibleSecurityState": [[43, 1, 1, "", "certificate_security_state"], [43, 1, 1, "", "safety_tip_info"], [43, 1, 1, "", "security_state"], [43, 1, 1, "", "security_state_issue_ids"]], "nodriver.cdp.security.VisibleSecurityStateChanged": [[43, 1, 1, "", "visible_security_state"]], "nodriver.cdp.service_worker": [[44, 0, 1, "", "RegistrationID"], [44, 0, 1, "", "ServiceWorkerErrorMessage"], [44, 0, 1, "", "ServiceWorkerRegistration"], [44, 0, 1, "", "ServiceWorkerVersion"], [44, 0, 1, "", "ServiceWorkerVersionRunningStatus"], [44, 0, 1, "", "ServiceWorkerVersionStatus"], [44, 0, 1, "", "WorkerErrorReported"], [44, 0, 1, "", "WorkerRegistrationUpdated"], [44, 0, 1, "", "WorkerVersionUpdated"], [44, 5, 1, "", "deliver_push_message"], [44, 5, 1, "", "disable"], [44, 5, 1, "", "dispatch_periodic_sync_event"], [44, 5, 1, "", "dispatch_sync_event"], [44, 5, 1, "", "enable"], [44, 5, 1, "", "inspect_worker"], [44, 5, 1, "", "set_force_update_on_page_load"], [44, 5, 1, "", "skip_waiting"], [44, 5, 1, "", "start_worker"], [44, 5, 1, "", "stop_all_workers"], [44, 5, 1, "", "stop_worker"], [44, 5, 1, "", "unregister"], [44, 5, 1, "", "update_registration"]], "nodriver.cdp.service_worker.ServiceWorkerErrorMessage": [[44, 1, 1, "", "column_number"], [44, 1, 1, "", "error_message"], [44, 1, 1, "", "line_number"], [44, 1, 1, "", "registration_id"], [44, 1, 1, "", "source_url"], [44, 1, 1, "", "version_id"]], "nodriver.cdp.service_worker.ServiceWorkerRegistration": [[44, 1, 1, "", "is_deleted"], [44, 1, 1, "", "registration_id"], [44, 1, 1, "", "scope_url"]], "nodriver.cdp.service_worker.ServiceWorkerVersion": [[44, 1, 1, "", "controlled_clients"], [44, 1, 1, "", "registration_id"], [44, 1, 1, "", "router_rules"], [44, 1, 1, "", "running_status"], [44, 1, 1, "", "script_last_modified"], [44, 1, 1, "", "script_response_time"], [44, 1, 1, "", "script_url"], [44, 1, 1, "", "status"], [44, 1, 1, "", "target_id"], [44, 1, 1, "", "version_id"]], "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus": [[44, 1, 1, "", "RUNNING"], [44, 1, 1, "", "STARTING"], [44, 1, 1, "", "STOPPED"], [44, 1, 1, "", "STOPPING"]], "nodriver.cdp.service_worker.ServiceWorkerVersionStatus": [[44, 1, 1, "", "ACTIVATED"], [44, 1, 1, "", "ACTIVATING"], [44, 1, 1, "", "INSTALLED"], [44, 1, 1, "", "INSTALLING"], [44, 1, 1, "", "NEW"], [44, 1, 1, "", "REDUNDANT"]], "nodriver.cdp.service_worker.WorkerErrorReported": [[44, 1, 1, "", "error_message"]], "nodriver.cdp.service_worker.WorkerRegistrationUpdated": [[44, 1, 1, "", "registrations"]], "nodriver.cdp.service_worker.WorkerVersionUpdated": [[44, 1, 1, "", "versions"]], "nodriver.cdp.storage": [[45, 0, 1, "", "AttributionReportingAggregatableDedupKey"], [45, 0, 1, "", "AttributionReportingAggregatableResult"], [45, 0, 1, "", "AttributionReportingAggregatableTriggerData"], [45, 0, 1, "", "AttributionReportingAggregatableValueEntry"], [45, 0, 1, "", "AttributionReportingAggregationKeysEntry"], [45, 0, 1, "", "AttributionReportingEventLevelResult"], [45, 0, 1, "", "AttributionReportingEventReportWindows"], [45, 0, 1, "", "AttributionReportingEventTriggerData"], [45, 0, 1, "", "AttributionReportingFilterConfig"], [45, 0, 1, "", "AttributionReportingFilterDataEntry"], [45, 0, 1, "", "AttributionReportingFilterPair"], [45, 0, 1, "", "AttributionReportingSourceRegistered"], [45, 0, 1, "", "AttributionReportingSourceRegistration"], [45, 0, 1, "", "AttributionReportingSourceRegistrationResult"], [45, 0, 1, "", "AttributionReportingSourceRegistrationTimeConfig"], [45, 0, 1, "", "AttributionReportingSourceType"], [45, 0, 1, "", "AttributionReportingTriggerDataMatching"], [45, 0, 1, "", "AttributionReportingTriggerRegistered"], [45, 0, 1, "", "AttributionReportingTriggerRegistration"], [45, 0, 1, "", "AttributionReportingTriggerSpec"], [45, 0, 1, "", "CacheStorageContentUpdated"], [45, 0, 1, "", "CacheStorageListUpdated"], [45, 0, 1, "", "IndexedDBContentUpdated"], [45, 0, 1, "", "IndexedDBListUpdated"], [45, 0, 1, "", "InterestGroupAccessType"], [45, 0, 1, "", "InterestGroupAccessed"], [45, 0, 1, "", "InterestGroupAd"], [45, 0, 1, "", "InterestGroupDetails"], [45, 0, 1, "", "SerializedStorageKey"], [45, 0, 1, "", "SharedStorageAccessParams"], [45, 0, 1, "", "SharedStorageAccessType"], [45, 0, 1, "", "SharedStorageAccessed"], [45, 0, 1, "", "SharedStorageEntry"], [45, 0, 1, "", "SharedStorageMetadata"], [45, 0, 1, "", "SharedStorageReportingMetadata"], [45, 0, 1, "", "SharedStorageUrlWithMetadata"], [45, 0, 1, "", "SignedInt64AsBase10"], [45, 0, 1, "", "StorageBucket"], [45, 0, 1, "", "StorageBucketCreatedOrUpdated"], [45, 0, 1, "", "StorageBucketDeleted"], [45, 0, 1, "", "StorageBucketInfo"], [45, 0, 1, "", "StorageBucketsDurability"], [45, 0, 1, "", "StorageType"], [45, 0, 1, "", "TrustTokens"], [45, 0, 1, "", "UnsignedInt128AsBase16"], [45, 0, 1, "", "UnsignedInt64AsBase10"], [45, 0, 1, "", "UsageForType"], [45, 5, 1, "", "clear_cookies"], [45, 5, 1, "", "clear_data_for_origin"], [45, 5, 1, "", "clear_data_for_storage_key"], [45, 5, 1, "", "clear_shared_storage_entries"], [45, 5, 1, "", "clear_trust_tokens"], [45, 5, 1, "", "delete_shared_storage_entry"], [45, 5, 1, "", "delete_storage_bucket"], [45, 5, 1, "", "get_cookies"], [45, 5, 1, "", "get_interest_group_details"], [45, 5, 1, "", "get_shared_storage_entries"], [45, 5, 1, "", "get_shared_storage_metadata"], [45, 5, 1, "", "get_storage_key_for_frame"], [45, 5, 1, "", "get_trust_tokens"], [45, 5, 1, "", "get_usage_and_quota"], [45, 5, 1, "", "override_quota_for_origin"], [45, 5, 1, "", "reset_shared_storage_budget"], [45, 5, 1, "", "run_bounce_tracking_mitigations"], [45, 5, 1, "", "set_attribution_reporting_local_testing_mode"], [45, 5, 1, "", "set_attribution_reporting_tracking"], [45, 5, 1, "", "set_cookies"], [45, 5, 1, "", "set_interest_group_tracking"], [45, 5, 1, "", "set_shared_storage_entry"], [45, 5, 1, "", "set_shared_storage_tracking"], [45, 5, 1, "", "set_storage_bucket_tracking"], [45, 5, 1, "", "track_cache_storage_for_origin"], [45, 5, 1, "", "track_cache_storage_for_storage_key"], [45, 5, 1, "", "track_indexed_db_for_origin"], [45, 5, 1, "", "track_indexed_db_for_storage_key"], [45, 5, 1, "", "untrack_cache_storage_for_origin"], [45, 5, 1, "", "untrack_cache_storage_for_storage_key"], [45, 5, 1, "", "untrack_indexed_db_for_origin"], [45, 5, 1, "", "untrack_indexed_db_for_storage_key"]], "nodriver.cdp.storage.AttributionReportingAggregatableDedupKey": [[45, 1, 1, "", "dedup_key"], [45, 1, 1, "", "filters"]], "nodriver.cdp.storage.AttributionReportingAggregatableResult": [[45, 1, 1, "", "DEDUPLICATED"], [45, 1, 1, "", "EXCESSIVE_ATTRIBUTIONS"], [45, 1, 1, "", "EXCESSIVE_REPORTING_ORIGINS"], [45, 1, 1, "", "EXCESSIVE_REPORTS"], [45, 1, 1, "", "INSUFFICIENT_BUDGET"], [45, 1, 1, "", "INTERNAL_ERROR"], [45, 1, 1, "", "NOT_REGISTERED"], [45, 1, 1, "", "NO_CAPACITY_FOR_ATTRIBUTION_DESTINATION"], [45, 1, 1, "", "NO_HISTOGRAMS"], [45, 1, 1, "", "NO_MATCHING_SOURCES"], [45, 1, 1, "", "NO_MATCHING_SOURCE_FILTER_DATA"], [45, 1, 1, "", "PROHIBITED_BY_BROWSER_POLICY"], [45, 1, 1, "", "REPORT_WINDOW_PASSED"], [45, 1, 1, "", "SUCCESS"]], "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData": [[45, 1, 1, "", "filters"], [45, 1, 1, "", "key_piece"], [45, 1, 1, "", "source_keys"]], "nodriver.cdp.storage.AttributionReportingAggregatableValueEntry": [[45, 1, 1, "", "key"], [45, 1, 1, "", "value"]], "nodriver.cdp.storage.AttributionReportingAggregationKeysEntry": [[45, 1, 1, "", "key"], [45, 1, 1, "", "value"]], "nodriver.cdp.storage.AttributionReportingEventLevelResult": [[45, 1, 1, "", "DEDUPLICATED"], [45, 1, 1, "", "EXCESSIVE_ATTRIBUTIONS"], [45, 1, 1, "", "EXCESSIVE_REPORTING_ORIGINS"], [45, 1, 1, "", "EXCESSIVE_REPORTS"], [45, 1, 1, "", "FALSELY_ATTRIBUTED_SOURCE"], [45, 1, 1, "", "INTERNAL_ERROR"], [45, 1, 1, "", "NEVER_ATTRIBUTED_SOURCE"], [45, 1, 1, "", "NOT_REGISTERED"], [45, 1, 1, "", "NO_CAPACITY_FOR_ATTRIBUTION_DESTINATION"], [45, 1, 1, "", "NO_MATCHING_CONFIGURATIONS"], [45, 1, 1, "", "NO_MATCHING_SOURCES"], [45, 1, 1, "", "NO_MATCHING_SOURCE_FILTER_DATA"], [45, 1, 1, "", "NO_MATCHING_TRIGGER_DATA"], [45, 1, 1, "", "PRIORITY_TOO_LOW"], [45, 1, 1, "", "PROHIBITED_BY_BROWSER_POLICY"], [45, 1, 1, "", "REPORT_WINDOW_NOT_STARTED"], [45, 1, 1, "", "REPORT_WINDOW_PASSED"], [45, 1, 1, "", "SUCCESS"], [45, 1, 1, "", "SUCCESS_DROPPED_LOWER_PRIORITY"]], "nodriver.cdp.storage.AttributionReportingEventReportWindows": [[45, 1, 1, "", "ends"], [45, 1, 1, "", "start"]], "nodriver.cdp.storage.AttributionReportingEventTriggerData": [[45, 1, 1, "", "data"], [45, 1, 1, "", "dedup_key"], [45, 1, 1, "", "filters"], [45, 1, 1, "", "priority"]], "nodriver.cdp.storage.AttributionReportingFilterConfig": [[45, 1, 1, "", "filter_values"], [45, 1, 1, "", "lookback_window"]], "nodriver.cdp.storage.AttributionReportingFilterDataEntry": [[45, 1, 1, "", "key"], [45, 1, 1, "", "values"]], "nodriver.cdp.storage.AttributionReportingFilterPair": [[45, 1, 1, "", "filters"], [45, 1, 1, "", "not_filters"]], "nodriver.cdp.storage.AttributionReportingSourceRegistered": [[45, 1, 1, "", "registration"], [45, 1, 1, "", "result"]], "nodriver.cdp.storage.AttributionReportingSourceRegistration": [[45, 1, 1, "", "aggregatable_report_window"], [45, 1, 1, "", "aggregation_keys"], [45, 1, 1, "", "debug_key"], [45, 1, 1, "", "destination_sites"], [45, 1, 1, "", "event_id"], [45, 1, 1, "", "expiry"], [45, 1, 1, "", "filter_data"], [45, 1, 1, "", "priority"], [45, 1, 1, "", "reporting_origin"], [45, 1, 1, "", "source_origin"], [45, 1, 1, "", "time"], [45, 1, 1, "", "trigger_data_matching"], [45, 1, 1, "", "trigger_specs"], [45, 1, 1, "", "type_"]], "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult": [[45, 1, 1, "", "DESTINATION_BOTH_LIMITS_REACHED"], [45, 1, 1, "", "DESTINATION_GLOBAL_LIMIT_REACHED"], [45, 1, 1, "", "DESTINATION_REPORTING_LIMIT_REACHED"], [45, 1, 1, "", "EXCEEDS_MAX_CHANNEL_CAPACITY"], [45, 1, 1, "", "EXCESSIVE_REPORTING_ORIGINS"], [45, 1, 1, "", "INSUFFICIENT_SOURCE_CAPACITY"], [45, 1, 1, "", "INSUFFICIENT_UNIQUE_DESTINATION_CAPACITY"], [45, 1, 1, "", "INTERNAL_ERROR"], [45, 1, 1, "", "PROHIBITED_BY_BROWSER_POLICY"], [45, 1, 1, "", "REPORTING_ORIGINS_PER_SITE_LIMIT_REACHED"], [45, 1, 1, "", "SUCCESS"], [45, 1, 1, "", "SUCCESS_NOISED"]], "nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig": [[45, 1, 1, "", "EXCLUDE"], [45, 1, 1, "", "INCLUDE"]], "nodriver.cdp.storage.AttributionReportingSourceType": [[45, 1, 1, "", "EVENT"], [45, 1, 1, "", "NAVIGATION"]], "nodriver.cdp.storage.AttributionReportingTriggerDataMatching": [[45, 1, 1, "", "EXACT"], [45, 1, 1, "", "MODULUS"]], "nodriver.cdp.storage.AttributionReportingTriggerRegistered": [[45, 1, 1, "", "aggregatable"], [45, 1, 1, "", "event_level"], [45, 1, 1, "", "registration"]], "nodriver.cdp.storage.AttributionReportingTriggerRegistration": [[45, 1, 1, "", "aggregatable_dedup_keys"], [45, 1, 1, "", "aggregatable_trigger_data"], [45, 1, 1, "", "aggregatable_values"], [45, 1, 1, "", "aggregation_coordinator_origin"], [45, 1, 1, "", "debug_key"], [45, 1, 1, "", "debug_reporting"], [45, 1, 1, "", "event_trigger_data"], [45, 1, 1, "", "filters"], [45, 1, 1, "", "source_registration_time_config"], [45, 1, 1, "", "trigger_context_id"]], "nodriver.cdp.storage.AttributionReportingTriggerSpec": [[45, 1, 1, "", "event_report_windows"], [45, 1, 1, "", "trigger_data"]], "nodriver.cdp.storage.CacheStorageContentUpdated": [[45, 1, 1, "", "bucket_id"], [45, 1, 1, "", "cache_name"], [45, 1, 1, "", "origin"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.CacheStorageListUpdated": [[45, 1, 1, "", "bucket_id"], [45, 1, 1, "", "origin"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.IndexedDBContentUpdated": [[45, 1, 1, "", "bucket_id"], [45, 1, 1, "", "database_name"], [45, 1, 1, "", "object_store_name"], [45, 1, 1, "", "origin"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.IndexedDBListUpdated": [[45, 1, 1, "", "bucket_id"], [45, 1, 1, "", "origin"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.InterestGroupAccessType": [[45, 1, 1, "", "ADDITIONAL_BID"], [45, 1, 1, "", "ADDITIONAL_BID_WIN"], [45, 1, 1, "", "BID"], [45, 1, 1, "", "CLEAR"], [45, 1, 1, "", "JOIN"], [45, 1, 1, "", "LEAVE"], [45, 1, 1, "", "LOADED"], [45, 1, 1, "", "UPDATE"], [45, 1, 1, "", "WIN"]], "nodriver.cdp.storage.InterestGroupAccessed": [[45, 1, 1, "", "access_time"], [45, 1, 1, "", "name"], [45, 1, 1, "", "owner_origin"], [45, 1, 1, "", "type_"]], "nodriver.cdp.storage.InterestGroupAd": [[45, 1, 1, "", "metadata"], [45, 1, 1, "", "render_url"]], "nodriver.cdp.storage.InterestGroupDetails": [[45, 1, 1, "", "ad_components"], [45, 1, 1, "", "ads"], [45, 1, 1, "", "bidding_logic_url"], [45, 1, 1, "", "bidding_wasm_helper_url"], [45, 1, 1, "", "expiration_time"], [45, 1, 1, "", "joining_origin"], [45, 1, 1, "", "name"], [45, 1, 1, "", "owner_origin"], [45, 1, 1, "", "trusted_bidding_signals_keys"], [45, 1, 1, "", "trusted_bidding_signals_url"], [45, 1, 1, "", "update_url"], [45, 1, 1, "", "user_bidding_signals"]], "nodriver.cdp.storage.SharedStorageAccessParams": [[45, 1, 1, "", "ignore_if_present"], [45, 1, 1, "", "key"], [45, 1, 1, "", "operation_name"], [45, 1, 1, "", "script_source_url"], [45, 1, 1, "", "serialized_data"], [45, 1, 1, "", "urls_with_metadata"], [45, 1, 1, "", "value"]], "nodriver.cdp.storage.SharedStorageAccessType": [[45, 1, 1, "", "DOCUMENT_ADD_MODULE"], [45, 1, 1, "", "DOCUMENT_APPEND"], [45, 1, 1, "", "DOCUMENT_CLEAR"], [45, 1, 1, "", "DOCUMENT_DELETE"], [45, 1, 1, "", "DOCUMENT_RUN"], [45, 1, 1, "", "DOCUMENT_SELECT_URL"], [45, 1, 1, "", "DOCUMENT_SET"], [45, 1, 1, "", "WORKLET_APPEND"], [45, 1, 1, "", "WORKLET_CLEAR"], [45, 1, 1, "", "WORKLET_DELETE"], [45, 1, 1, "", "WORKLET_ENTRIES"], [45, 1, 1, "", "WORKLET_GET"], [45, 1, 1, "", "WORKLET_KEYS"], [45, 1, 1, "", "WORKLET_LENGTH"], [45, 1, 1, "", "WORKLET_REMAINING_BUDGET"], [45, 1, 1, "", "WORKLET_SET"]], "nodriver.cdp.storage.SharedStorageAccessed": [[45, 1, 1, "", "access_time"], [45, 1, 1, "", "main_frame_id"], [45, 1, 1, "", "owner_origin"], [45, 1, 1, "", "params"], [45, 1, 1, "", "type_"]], "nodriver.cdp.storage.SharedStorageEntry": [[45, 1, 1, "", "key"], [45, 1, 1, "", "value"]], "nodriver.cdp.storage.SharedStorageMetadata": [[45, 1, 1, "", "creation_time"], [45, 1, 1, "", "length"], [45, 1, 1, "", "remaining_budget"]], "nodriver.cdp.storage.SharedStorageReportingMetadata": [[45, 1, 1, "", "event_type"], [45, 1, 1, "", "reporting_url"]], "nodriver.cdp.storage.SharedStorageUrlWithMetadata": [[45, 1, 1, "", "reporting_metadata"], [45, 1, 1, "", "url"]], "nodriver.cdp.storage.StorageBucket": [[45, 1, 1, "", "name"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.StorageBucketCreatedOrUpdated": [[45, 1, 1, "", "bucket_info"]], "nodriver.cdp.storage.StorageBucketDeleted": [[45, 1, 1, "", "bucket_id"]], "nodriver.cdp.storage.StorageBucketInfo": [[45, 1, 1, "", "bucket"], [45, 1, 1, "", "durability"], [45, 1, 1, "", "expiration"], [45, 1, 1, "", "id_"], [45, 1, 1, "", "persistent"], [45, 1, 1, "", "quota"]], "nodriver.cdp.storage.StorageBucketsDurability": [[45, 1, 1, "", "RELAXED"], [45, 1, 1, "", "STRICT"]], "nodriver.cdp.storage.StorageType": [[45, 1, 1, "", "ALL_"], [45, 1, 1, "", "APPCACHE"], [45, 1, 1, "", "CACHE_STORAGE"], [45, 1, 1, "", "COOKIES"], [45, 1, 1, "", "FILE_SYSTEMS"], [45, 1, 1, "", "INDEXEDDB"], [45, 1, 1, "", "INTEREST_GROUPS"], [45, 1, 1, "", "LOCAL_STORAGE"], [45, 1, 1, "", "OTHER"], [45, 1, 1, "", "SERVICE_WORKERS"], [45, 1, 1, "", "SHADER_CACHE"], [45, 1, 1, "", "SHARED_STORAGE"], [45, 1, 1, "", "STORAGE_BUCKETS"], [45, 1, 1, "", "WEBSQL"]], "nodriver.cdp.storage.TrustTokens": [[45, 1, 1, "", "count"], [45, 1, 1, "", "issuer_origin"]], "nodriver.cdp.storage.UsageForType": [[45, 1, 1, "", "storage_type"], [45, 1, 1, "", "usage"]], "nodriver.cdp.system_info": [[46, 0, 1, "", "GPUDevice"], [46, 0, 1, "", "GPUInfo"], [46, 0, 1, "", "ImageDecodeAcceleratorCapability"], [46, 0, 1, "", "ImageType"], [46, 0, 1, "", "ProcessInfo"], [46, 0, 1, "", "Size"], [46, 0, 1, "", "SubsamplingFormat"], [46, 0, 1, "", "VideoDecodeAcceleratorCapability"], [46, 0, 1, "", "VideoEncodeAcceleratorCapability"], [46, 5, 1, "", "get_feature_state"], [46, 5, 1, "", "get_info"], [46, 5, 1, "", "get_process_info"]], "nodriver.cdp.system_info.GPUDevice": [[46, 1, 1, "", "device_id"], [46, 1, 1, "", "device_string"], [46, 1, 1, "", "driver_vendor"], [46, 1, 1, "", "driver_version"], [46, 1, 1, "", "revision"], [46, 1, 1, "", "sub_sys_id"], [46, 1, 1, "", "vendor_id"], [46, 1, 1, "", "vendor_string"]], "nodriver.cdp.system_info.GPUInfo": [[46, 1, 1, "", "aux_attributes"], [46, 1, 1, "", "devices"], [46, 1, 1, "", "driver_bug_workarounds"], [46, 1, 1, "", "feature_status"], [46, 1, 1, "", "image_decoding"], [46, 1, 1, "", "video_decoding"], [46, 1, 1, "", "video_encoding"]], "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability": [[46, 1, 1, "", "image_type"], [46, 1, 1, "", "max_dimensions"], [46, 1, 1, "", "min_dimensions"], [46, 1, 1, "", "subsamplings"]], "nodriver.cdp.system_info.ImageType": [[46, 1, 1, "", "JPEG"], [46, 1, 1, "", "UNKNOWN"], [46, 1, 1, "", "WEBP"]], "nodriver.cdp.system_info.ProcessInfo": [[46, 1, 1, "", "cpu_time"], [46, 1, 1, "", "id_"], [46, 1, 1, "", "type_"]], "nodriver.cdp.system_info.Size": [[46, 1, 1, "", "height"], [46, 1, 1, "", "width"]], "nodriver.cdp.system_info.SubsamplingFormat": [[46, 1, 1, "", "YUV420"], [46, 1, 1, "", "YUV422"], [46, 1, 1, "", "YUV444"]], "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability": [[46, 1, 1, "", "max_resolution"], [46, 1, 1, "", "min_resolution"], [46, 1, 1, "", "profile"]], "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability": [[46, 1, 1, "", "max_framerate_denominator"], [46, 1, 1, "", "max_framerate_numerator"], [46, 1, 1, "", "max_resolution"], [46, 1, 1, "", "profile"]], "nodriver.cdp.target": [[47, 0, 1, "", "AttachedToTarget"], [47, 0, 1, "", "DetachedFromTarget"], [47, 0, 1, "", "FilterEntry"], [47, 0, 1, "", "ReceivedMessageFromTarget"], [47, 0, 1, "", "RemoteLocation"], [47, 0, 1, "", "SessionID"], [47, 0, 1, "", "TargetCrashed"], [47, 0, 1, "", "TargetCreated"], [47, 0, 1, "", "TargetDestroyed"], [47, 0, 1, "", "TargetFilter"], [47, 0, 1, "", "TargetID"], [47, 0, 1, "", "TargetInfo"], [47, 0, 1, "", "TargetInfoChanged"], [47, 5, 1, "", "activate_target"], [47, 5, 1, "", "attach_to_browser_target"], [47, 5, 1, "", "attach_to_target"], [47, 5, 1, "", "auto_attach_related"], [47, 5, 1, "", "close_target"], [47, 5, 1, "", "create_browser_context"], [47, 5, 1, "", "create_target"], [47, 5, 1, "", "detach_from_target"], [47, 5, 1, "", "dispose_browser_context"], [47, 5, 1, "", "expose_dev_tools_protocol"], [47, 5, 1, "", "get_browser_contexts"], [47, 5, 1, "", "get_target_info"], [47, 5, 1, "", "get_targets"], [47, 5, 1, "", "send_message_to_target"], [47, 5, 1, "", "set_auto_attach"], [47, 5, 1, "", "set_discover_targets"], [47, 5, 1, "", "set_remote_locations"]], "nodriver.cdp.target.AttachedToTarget": [[47, 1, 1, "", "session_id"], [47, 1, 1, "", "target_info"], [47, 1, 1, "", "waiting_for_debugger"]], "nodriver.cdp.target.DetachedFromTarget": [[47, 1, 1, "", "session_id"], [47, 1, 1, "", "target_id"]], "nodriver.cdp.target.FilterEntry": [[47, 1, 1, "", "exclude"], [47, 1, 1, "", "type_"]], "nodriver.cdp.target.ReceivedMessageFromTarget": [[47, 1, 1, "", "message"], [47, 1, 1, "", "session_id"], [47, 1, 1, "", "target_id"]], "nodriver.cdp.target.RemoteLocation": [[47, 1, 1, "", "host"], [47, 1, 1, "", "port"]], "nodriver.cdp.target.TargetCrashed": [[47, 1, 1, "", "error_code"], [47, 1, 1, "", "status"], [47, 1, 1, "", "target_id"]], "nodriver.cdp.target.TargetCreated": [[47, 1, 1, "", "target_info"]], "nodriver.cdp.target.TargetDestroyed": [[47, 1, 1, "", "target_id"]], "nodriver.cdp.target.TargetInfo": [[47, 1, 1, "", "attached"], [47, 1, 1, "", "browser_context_id"], [47, 1, 1, "", "can_access_opener"], [47, 1, 1, "", "opener_frame_id"], [47, 1, 1, "", "opener_id"], [47, 1, 1, "", "subtype"], [47, 1, 1, "", "target_id"], [47, 1, 1, "", "title"], [47, 1, 1, "", "type_"], [47, 1, 1, "", "url"]], "nodriver.cdp.target.TargetInfoChanged": [[47, 1, 1, "", "target_info"]], "nodriver.cdp.tethering": [[48, 0, 1, "", "Accepted"], [48, 5, 1, "", "bind"], [48, 5, 1, "", "unbind"]], "nodriver.cdp.tethering.Accepted": [[48, 1, 1, "", "connection_id"], [48, 1, 1, "", "port"]], "nodriver.cdp.tracing": [[49, 0, 1, "", "BufferUsage"], [49, 0, 1, "", "DataCollected"], [49, 0, 1, "", "MemoryDumpConfig"], [49, 0, 1, "", "MemoryDumpLevelOfDetail"], [49, 0, 1, "", "StreamCompression"], [49, 0, 1, "", "StreamFormat"], [49, 0, 1, "", "TraceConfig"], [49, 0, 1, "", "TracingBackend"], [49, 0, 1, "", "TracingComplete"], [49, 5, 1, "", "end"], [49, 5, 1, "", "get_categories"], [49, 5, 1, "", "record_clock_sync_marker"], [49, 5, 1, "", "request_memory_dump"], [49, 5, 1, "", "start"]], "nodriver.cdp.tracing.BufferUsage": [[49, 1, 1, "", "event_count"], [49, 1, 1, "", "percent_full"], [49, 1, 1, "", "value"]], "nodriver.cdp.tracing.DataCollected": [[49, 1, 1, "", "value"]], "nodriver.cdp.tracing.MemoryDumpLevelOfDetail": [[49, 1, 1, "", "BACKGROUND"], [49, 1, 1, "", "DETAILED"], [49, 1, 1, "", "LIGHT"]], "nodriver.cdp.tracing.StreamCompression": [[49, 1, 1, "", "GZIP"], [49, 1, 1, "", "NONE"]], "nodriver.cdp.tracing.StreamFormat": [[49, 1, 1, "", "JSON"], [49, 1, 1, "", "PROTO"]], "nodriver.cdp.tracing.TraceConfig": [[49, 1, 1, "", "enable_argument_filter"], [49, 1, 1, "", "enable_sampling"], [49, 1, 1, "", "enable_systrace"], [49, 1, 1, "", "excluded_categories"], [49, 1, 1, "", "included_categories"], [49, 1, 1, "", "memory_dump_config"], [49, 1, 1, "", "record_mode"], [49, 1, 1, "", "synthetic_delays"], [49, 1, 1, "", "trace_buffer_size_in_kb"]], "nodriver.cdp.tracing.TracingBackend": [[49, 1, 1, "", "AUTO"], [49, 1, 1, "", "CHROME"], [49, 1, 1, "", "SYSTEM"]], "nodriver.cdp.tracing.TracingComplete": [[49, 1, 1, "", "data_loss_occurred"], [49, 1, 1, "", "stream"], [49, 1, 1, "", "stream_compression"], [49, 1, 1, "", "trace_format"]], "nodriver.cdp.web_audio": [[50, 0, 1, "", "AudioListener"], [50, 0, 1, "", "AudioListenerCreated"], [50, 0, 1, "", "AudioListenerWillBeDestroyed"], [50, 0, 1, "", "AudioNode"], [50, 0, 1, "", "AudioNodeCreated"], [50, 0, 1, "", "AudioNodeWillBeDestroyed"], [50, 0, 1, "", "AudioParam"], [50, 0, 1, "", "AudioParamCreated"], [50, 0, 1, "", "AudioParamWillBeDestroyed"], [50, 0, 1, "", "AutomationRate"], [50, 0, 1, "", "BaseAudioContext"], [50, 0, 1, "", "ChannelCountMode"], [50, 0, 1, "", "ChannelInterpretation"], [50, 0, 1, "", "ContextChanged"], [50, 0, 1, "", "ContextCreated"], [50, 0, 1, "", "ContextRealtimeData"], [50, 0, 1, "", "ContextState"], [50, 0, 1, "", "ContextType"], [50, 0, 1, "", "ContextWillBeDestroyed"], [50, 0, 1, "", "GraphObjectId"], [50, 0, 1, "", "NodeParamConnected"], [50, 0, 1, "", "NodeParamDisconnected"], [50, 0, 1, "", "NodeType"], [50, 0, 1, "", "NodesConnected"], [50, 0, 1, "", "NodesDisconnected"], [50, 0, 1, "", "ParamType"], [50, 5, 1, "", "disable"], [50, 5, 1, "", "enable"], [50, 5, 1, "", "get_realtime_data"]], "nodriver.cdp.web_audio.AudioListener": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "listener_id"]], "nodriver.cdp.web_audio.AudioListenerCreated": [[50, 1, 1, "", "listener"]], "nodriver.cdp.web_audio.AudioListenerWillBeDestroyed": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "listener_id"]], "nodriver.cdp.web_audio.AudioNode": [[50, 1, 1, "", "channel_count"], [50, 1, 1, "", "channel_count_mode"], [50, 1, 1, "", "channel_interpretation"], [50, 1, 1, "", "context_id"], [50, 1, 1, "", "node_id"], [50, 1, 1, "", "node_type"], [50, 1, 1, "", "number_of_inputs"], [50, 1, 1, "", "number_of_outputs"]], "nodriver.cdp.web_audio.AudioNodeCreated": [[50, 1, 1, "", "node"]], "nodriver.cdp.web_audio.AudioNodeWillBeDestroyed": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "node_id"]], "nodriver.cdp.web_audio.AudioParam": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "default_value"], [50, 1, 1, "", "max_value"], [50, 1, 1, "", "min_value"], [50, 1, 1, "", "node_id"], [50, 1, 1, "", "param_id"], [50, 1, 1, "", "param_type"], [50, 1, 1, "", "rate"]], "nodriver.cdp.web_audio.AudioParamCreated": [[50, 1, 1, "", "param"]], "nodriver.cdp.web_audio.AudioParamWillBeDestroyed": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "node_id"], [50, 1, 1, "", "param_id"]], "nodriver.cdp.web_audio.AutomationRate": [[50, 1, 1, "", "A_RATE"], [50, 1, 1, "", "K_RATE"]], "nodriver.cdp.web_audio.BaseAudioContext": [[50, 1, 1, "", "callback_buffer_size"], [50, 1, 1, "", "context_id"], [50, 1, 1, "", "context_state"], [50, 1, 1, "", "context_type"], [50, 1, 1, "", "max_output_channel_count"], [50, 1, 1, "", "realtime_data"], [50, 1, 1, "", "sample_rate"]], "nodriver.cdp.web_audio.ChannelCountMode": [[50, 1, 1, "", "CLAMPED_MAX"], [50, 1, 1, "", "EXPLICIT"], [50, 1, 1, "", "MAX_"]], "nodriver.cdp.web_audio.ChannelInterpretation": [[50, 1, 1, "", "DISCRETE"], [50, 1, 1, "", "SPEAKERS"]], "nodriver.cdp.web_audio.ContextChanged": [[50, 1, 1, "", "context"]], "nodriver.cdp.web_audio.ContextCreated": [[50, 1, 1, "", "context"]], "nodriver.cdp.web_audio.ContextRealtimeData": [[50, 1, 1, "", "callback_interval_mean"], [50, 1, 1, "", "callback_interval_variance"], [50, 1, 1, "", "current_time"], [50, 1, 1, "", "render_capacity"]], "nodriver.cdp.web_audio.ContextState": [[50, 1, 1, "", "CLOSED"], [50, 1, 1, "", "RUNNING"], [50, 1, 1, "", "SUSPENDED"]], "nodriver.cdp.web_audio.ContextType": [[50, 1, 1, "", "OFFLINE"], [50, 1, 1, "", "REALTIME"]], "nodriver.cdp.web_audio.ContextWillBeDestroyed": [[50, 1, 1, "", "context_id"]], "nodriver.cdp.web_audio.NodeParamConnected": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "destination_id"], [50, 1, 1, "", "source_id"], [50, 1, 1, "", "source_output_index"]], "nodriver.cdp.web_audio.NodeParamDisconnected": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "destination_id"], [50, 1, 1, "", "source_id"], [50, 1, 1, "", "source_output_index"]], "nodriver.cdp.web_audio.NodesConnected": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "destination_id"], [50, 1, 1, "", "destination_input_index"], [50, 1, 1, "", "source_id"], [50, 1, 1, "", "source_output_index"]], "nodriver.cdp.web_audio.NodesDisconnected": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "destination_id"], [50, 1, 1, "", "destination_input_index"], [50, 1, 1, "", "source_id"], [50, 1, 1, "", "source_output_index"]], "nodriver.cdp.web_authn": [[51, 0, 1, "", "AuthenticatorId"], [51, 0, 1, "", "AuthenticatorProtocol"], [51, 0, 1, "", "AuthenticatorTransport"], [51, 0, 1, "", "Credential"], [51, 0, 1, "", "CredentialAdded"], [51, 0, 1, "", "CredentialAsserted"], [51, 0, 1, "", "Ctap2Version"], [51, 0, 1, "", "VirtualAuthenticatorOptions"], [51, 5, 1, "", "add_credential"], [51, 5, 1, "", "add_virtual_authenticator"], [51, 5, 1, "", "clear_credentials"], [51, 5, 1, "", "disable"], [51, 5, 1, "", "enable"], [51, 5, 1, "", "get_credential"], [51, 5, 1, "", "get_credentials"], [51, 5, 1, "", "remove_credential"], [51, 5, 1, "", "remove_virtual_authenticator"], [51, 5, 1, "", "set_automatic_presence_simulation"], [51, 5, 1, "", "set_response_override_bits"], [51, 5, 1, "", "set_user_verified"]], "nodriver.cdp.web_authn.AuthenticatorProtocol": [[51, 1, 1, "", "CTAP2"], [51, 1, 1, "", "U2F"]], "nodriver.cdp.web_authn.AuthenticatorTransport": [[51, 1, 1, "", "BLE"], [51, 1, 1, "", "CABLE"], [51, 1, 1, "", "INTERNAL"], [51, 1, 1, "", "NFC"], [51, 1, 1, "", "USB"]], "nodriver.cdp.web_authn.Credential": [[51, 1, 1, "", "credential_id"], [51, 1, 1, "", "is_resident_credential"], [51, 1, 1, "", "large_blob"], [51, 1, 1, "", "private_key"], [51, 1, 1, "", "rp_id"], [51, 1, 1, "", "sign_count"], [51, 1, 1, "", "user_handle"]], "nodriver.cdp.web_authn.CredentialAdded": [[51, 1, 1, "", "authenticator_id"], [51, 1, 1, "", "credential"]], "nodriver.cdp.web_authn.CredentialAsserted": [[51, 1, 1, "", "authenticator_id"], [51, 1, 1, "", "credential"]], "nodriver.cdp.web_authn.Ctap2Version": [[51, 1, 1, "", "CTAP2_0"], [51, 1, 1, "", "CTAP2_1"]], "nodriver.cdp.web_authn.VirtualAuthenticatorOptions": [[51, 1, 1, "", "automatic_presence_simulation"], [51, 1, 1, "", "ctap2_version"], [51, 1, 1, "", "default_backup_eligibility"], [51, 1, 1, "", "default_backup_state"], [51, 1, 1, "", "has_cred_blob"], [51, 1, 1, "", "has_large_blob"], [51, 1, 1, "", "has_min_pin_length"], [51, 1, 1, "", "has_prf"], [51, 1, 1, "", "has_resident_key"], [51, 1, 1, "", "has_user_verification"], [51, 1, 1, "", "is_user_verified"], [51, 1, 1, "", "protocol"], [51, 1, 1, "", "transport"]], "nodriver.core": [[54, 4, 0, "-", "_contradict"]], "nodriver.core._contradict": [[54, 0, 1, "", "ContraDict"]], "nodriver.core._contradict.ContraDict": [[54, 3, 1, "", "clear"], [54, 3, 1, "", "copy"], [54, 3, 1, "", "fromkeys"], [54, 3, 1, "", "get"], [54, 3, 1, "", "items"], [54, 3, 1, "", "keys"], [54, 3, 1, "", "pop"], [54, 3, 1, "", "popitem"], [54, 3, 1, "", "setdefault"], [54, 3, 1, "", "update"], [54, 3, 1, "", "values"]]}, "objtypes": {"0": "py:class", "1": "py:attribute", "2": "py:property", "3": "py:method", "4": "py:module", "5": "py:function"}, "objnames": {"0": ["py", "class", "Python class"], "1": ["py", "attribute", "Python attribute"], "2": ["py", "property", "Python property"], "3": ["py", "method", "Python method"], "4": ["py", "module", "Python module"], "5": ["py", "function", "Python function"]}, "titleterms": {"nodriv": [0, 57], "featur": [0, 57], "welcom": [], "get": [], "start": [0, 56], "object": [0, 1], "refer": [], "cdp": [0, 1, 55], "access": 2, "type": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "command": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55], "event": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "anim": 3, "audit": 4, "autofil": 5, "backgroundservic": 6, "browser": [7, 52], "cachestorag": 8, "cast": 9, "consol": 10, "css": 11, "databas": 12, "debugg": 13, "deviceaccess": 14, "deviceorient": 15, "dom": 16, "domdebugg": 17, "domsnapshot": 18, "domstorag": 19, "emul": 20, "eventbreakpoint": 21, "fedcm": 22, "fetch": 23, "headlessexperiment": 24, "heapprofil": 25, "indexeddb": 26, "input": 27, "inspector": 28, "io": 29, "layertre": 30, "log": 31, "media": 32, "memori": 33, "network": 34, "overlai": 35, "page": 36, "perform": 37, "performancetimelin": 38, "preload": 39, "profil": 40, "runtim": 41, "schema": 42, "secur": 43, "servicework": 44, "storag": 45, "systeminfo": 46, "target": 47, "tether": 48, "trace": 49, "webaudio": 50, "webauthn": 51, "class": [52, 53, 54, 55], "element": 53, "other": [54, 55], "helper": 54, "config": 54, "contradict": 54, "function": 54, "instal": [56, 57], "usag": [56, 57], "exampl": [56, 57], "compon": [], "interact": [], "tab": 55, "some": [0, 55, 57], "us": 55, "method": 55, "query_selector_al": [], "find_element_by_text": [], "updat": [], "send": 55, "__await__": [], "await": 55, "add_handl": [], "often": 55, "which": [], "i": [], "alreadi": [], "made": [], "you": [], "find": 55, "correct": [], "combo": [], "": [], "time": [], "consum": [], "task": [], "need": 55, "simpli": 55, "requir": 55, "titl": 58, "section": 58, "subsect": 58, "paragraph": 58, "tabl": 58, "custom": [55, 56], "text": 55, "best_match": 55, "true": 55, "select": 55, "selector": 55, "py": [], "meth": [], "select_al": 55, "main": 0, "quickstart": 56, "guid": 56, "quick": 0, "cooki": 52, "more": 56, "complet": 56, "option": 56, "altern": 56}, "envversion": {"sphinx.domains.c": 3, "sphinx.domains.changeset": 1, "sphinx.domains.citation": 1, "sphinx.domains.cpp": 9, "sphinx.domains.index": 1, "sphinx.domains.javascript": 3, "sphinx.domains.math": 2, "sphinx.domains.python": 4, "sphinx.domains.rst": 2, "sphinx.domains.std": 2, "sphinx.ext.viewcode": 1, "sphinx.ext.intersphinx": 1, "sphinx": 60}, "alltitles": {"NODRIVER": [[0, "nodriver"], [57, "nodriver"]], "Some features": [[0, "some-features"], [57, "some-features"]], "Quick start": [[0, "quick-start"]], "Main objects": [[0, "main-objects"]], "CDP object": [[0, "cdp-object"], [1, "cdp-object"]], "Accessibility": [[2, "accessibility"]], "Types": [[2, "types"], [3, "types"], [4, "types"], [5, "types"], [6, "types"], [7, "types"], [8, "types"], [9, "types"], [10, "types"], [11, "types"], [12, "types"], [13, "types"], [14, "types"], [15, "types"], [16, "types"], [17, "types"], [18, "types"], [19, "types"], [20, "types"], [21, "types"], [22, "types"], [23, "types"], [24, "types"], [25, "types"], [26, "types"], [27, "types"], [28, "types"], [29, "types"], [30, "types"], [31, "types"], [32, "types"], [33, "types"], [34, "types"], [35, "types"], [36, "types"], [37, "types"], [38, "types"], [39, "types"], [40, "types"], [41, "types"], [42, "types"], [43, "types"], [44, "types"], [45, "types"], [46, "types"], [47, "types"], [48, "types"], [49, "types"], [50, "types"], [51, "types"]], "Commands": [[2, "commands"], [3, "commands"], [4, "commands"], [5, "commands"], [6, "commands"], [7, "commands"], [8, "commands"], [9, "commands"], [10, "commands"], [11, "commands"], [12, "commands"], [13, "commands"], [14, "commands"], [15, "commands"], [16, "commands"], [17, "commands"], [18, "commands"], [19, "commands"], [20, "commands"], [21, "commands"], [22, "commands"], [23, "commands"], [24, "commands"], [25, "commands"], [26, "commands"], [27, "commands"], [28, "commands"], [29, "commands"], [30, "commands"], [31, "commands"], [32, "commands"], [33, "commands"], [34, "commands"], [35, "commands"], [36, "commands"], [37, "commands"], [38, "commands"], [39, "commands"], [40, "commands"], [41, "commands"], [42, "commands"], [43, "commands"], [44, "commands"], [45, "commands"], [46, "commands"], [47, "commands"], [48, "commands"], [49, "commands"], [50, "commands"], [51, "commands"]], "Events": [[2, "events"], [3, "events"], [4, "events"], [5, "events"], [6, "events"], [7, "events"], [8, "events"], [9, "events"], [10, "events"], [11, "events"], [12, "events"], [13, "events"], [14, "events"], [15, "events"], [16, "events"], [17, "events"], [18, "events"], [19, "events"], [20, "events"], [21, "events"], [22, "events"], [23, "events"], [24, "events"], [25, "events"], [26, "events"], [27, "events"], [28, "events"], [29, "events"], [30, "events"], [31, "events"], [32, "events"], [33, "events"], [34, "events"], [35, "events"], [36, "events"], [37, "events"], [38, "events"], [39, "events"], [40, "events"], [41, "events"], [42, "events"], [43, "events"], [44, "events"], [45, "events"], [46, "events"], [47, "events"], [48, "events"], [49, "events"], [50, "events"], [51, "events"]], "Animation": [[3, "animation"]], "Audits": [[4, "audits"]], "Autofill": [[5, "autofill"]], "BackgroundService": [[6, "backgroundservice"]], "Browser": [[7, "browser"]], "CacheStorage": [[8, "cachestorage"]], "Cast": [[9, "cast"]], "Console": [[10, "console"]], "CSS": [[11, "css"]], "Database": [[12, "database"]], "Debugger": [[13, "debugger"]], "DeviceAccess": [[14, "deviceaccess"]], "DeviceOrientation": [[15, "deviceorientation"]], "DOM": [[16, "dom"]], "DOMDebugger": [[17, "domdebugger"]], "DOMSnapshot": [[18, "domsnapshot"]], "DOMStorage": [[19, "domstorage"]], "Emulation": [[20, "emulation"]], "EventBreakpoints": [[21, "eventbreakpoints"]], "FedCm": [[22, "fedcm"]], "Fetch": [[23, "fetch"]], "HeadlessExperimental": [[24, "headlessexperimental"]], "HeapProfiler": [[25, "heapprofiler"]], "IndexedDB": [[26, "indexeddb"]], "Input": [[27, "module-nodriver.cdp.input_"]], "Inspector": [[28, "inspector"]], "IO": [[29, "io"]], "LayerTree": [[30, "layertree"]], "Log": [[31, "log"]], "Media": [[32, "media"]], "Memory": [[33, "memory"]], "Network": [[34, "network"]], "Overlay": [[35, "overlay"]], "Page": [[36, "page"]], "Performance": [[37, "module-nodriver.cdp.performance"]], "PerformanceTimeline": [[38, "performancetimeline"]], "Preload": [[39, "preload"]], "Profiler": [[40, "module-nodriver.cdp.profiler"]], "Runtime": [[41, "runtime"]], "Schema": [[42, "schema"]], "Security": [[43, "security"]], "ServiceWorker": [[44, "serviceworker"]], "Storage": [[45, "storage"]], "SystemInfo": [[46, "systeminfo"]], "Target": [[47, "target"]], "Tethering": [[48, "tethering"]], "Tracing": [[49, "tracing"]], "WebAudio": [[50, "webaudio"]], "WebAuthn": [[51, "webauthn"]], "Browser class": [[52, "browser-class"], [52, "id1"]], "cookies": [[52, "cookies"]], "Element class": [[53, "element-class"]], "Other classes and Helper classes": [[54, "other-classes-and-helper-classes"]], "Config class": [[54, "config-class"]], "ContraDict class": [[54, "contradict-class"]], "Helper functions": [[54, "module-nodriver.core._contradict"]], "Tab class": [[55, "tab-class"]], "Custom CDP commands": [[55, "custom-cdp-commands"]], "some useful, often needed and simply required methods": [[55, "some-useful-often-needed-and-simply-required-methods"]], "find() | find(text)": [[55, "find-find-text"]], "find() | find(text, best_match=True) or find(text, True)": [[55, "find-find-text-best-match-true-or-find-text-true"]], "select() | select(selector)": [[55, "select-select-selector"]], "select_all() | select_all(selector)": [[55, "select-all-select-all-selector"]], "await Tab": [[55, "await-tab"]], "Using other and custom CDP commands": [[55, "using-other-and-custom-cdp-commands"]], "send()": [[55, "send"]], "Quickstart guide": [[56, "quickstart-guide"]], "Installation": [[56, "installation"], [57, "installation"]], "usage example": [[56, "usage-example"], [57, "usage-example"]], "More complete example": [[56, "more-complete-example"]], "Custom starting options": [[56, "custom-starting-options"]], "Alternative custom options": [[56, "alternative-custom-options"]], "TITLE": [[58, "title"]], "SECTION": [[58, "section"]], "SUBSECTION": [[58, "subsection"]], "PARAGRAPH": [[58, "paragraph"]], "TABLES": [[58, "tables"]]}, "indexentries": {"activedescendant (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ACTIVEDESCENDANT"]], "atomic (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ATOMIC"]], "attribute (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.ATTRIBUTE"]], "autocomplete (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.AUTOCOMPLETE"]], "axnode (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXNode"]], "axnodeid (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXNodeId"]], "axproperty (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXProperty"]], "axpropertyname (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXPropertyName"]], "axrelatednode (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXRelatedNode"]], "axvalue (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValue"]], "axvaluenativesourcetype (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType"]], "axvaluesource (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValueSource"]], "axvaluesourcetype (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValueSourceType"]], "axvaluetype (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValueType"]], "boolean (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.BOOLEAN"]], "boolean_or_undefined (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.BOOLEAN_OR_UNDEFINED"]], "busy (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.BUSY"]], "checked (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.CHECKED"]], "computed_string (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.COMPUTED_STRING"]], "contents (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.CONTENTS"]], "controls (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.CONTROLS"]], "describedby (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.DESCRIBEDBY"]], "description (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.DESCRIPTION"]], "details (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.DETAILS"]], "disabled (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.DISABLED"]], "dom_relation (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.DOM_RELATION"]], "editable (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.EDITABLE"]], "errormessage (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ERRORMESSAGE"]], "expanded (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.EXPANDED"]], "figcaption (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.FIGCAPTION"]], "flowto (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.FLOWTO"]], "focusable (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.FOCUSABLE"]], "focused (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.FOCUSED"]], "has_popup (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.HAS_POPUP"]], "hidden (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.HIDDEN"]], "hidden_root (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.HIDDEN_ROOT"]], "idref (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.IDREF"]], "idref_list (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.IDREF_LIST"]], "implicit (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.IMPLICIT"]], "integer (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.INTEGER"]], "internal_role (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.INTERNAL_ROLE"]], "invalid (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.INVALID"]], "keyshortcuts (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.KEYSHORTCUTS"]], "label (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.LABEL"]], "labelfor (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.LABELFOR"]], "labelledby (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.LABELLEDBY"]], "labelwrapped (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.LABELWRAPPED"]], "legend (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.LEGEND"]], "level (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.LEVEL"]], "live (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.LIVE"]], "loadcomplete (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.LoadComplete"]], "modal (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.MODAL"]], "multiline (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.MULTILINE"]], "multiselectable (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.MULTISELECTABLE"]], "node (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.NODE"]], "node_list (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.NODE_LIST"]], "number (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.NUMBER"]], "nodesupdated (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.NodesUpdated"]], "orientation (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ORIENTATION"]], "other (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.OTHER"]], "owns (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.OWNS"]], "placeholder (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.PLACEHOLDER"]], "pressed (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.PRESSED"]], "readonly (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.READONLY"]], "related_element (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.RELATED_ELEMENT"]], "relevant (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.RELEVANT"]], "required (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.REQUIRED"]], "role (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.ROLE"]], "roledescription (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ROLEDESCRIPTION"]], "root (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ROOT"]], "rubyannotation (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.RUBYANNOTATION"]], "selected (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.SELECTED"]], "settable (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.SETTABLE"]], "string (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.STRING"]], "style (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.STYLE"]], "tablecaption (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.TABLECAPTION"]], "title (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.TITLE"]], "token (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.TOKEN"]], "token_list (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.TOKEN_LIST"]], "tristate (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.TRISTATE"]], "valuemax (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.VALUEMAX"]], "valuemin (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.VALUEMIN"]], "valuetext (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.VALUETEXT"]], "value_undefined (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.VALUE_UNDEFINED"]], "attribute (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.attribute"]], "attribute_value (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.attribute_value"]], "backend_dom_node_id (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.backend_dom_node_id"]], "backend_dom_node_id (axrelatednode attribute)": [[2, "nodriver.cdp.accessibility.AXRelatedNode.backend_dom_node_id"]], "child_ids (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.child_ids"]], "chrome_role (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.chrome_role"]], "description (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.description"]], "disable() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.disable"]], "enable() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.enable"]], "frame_id (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.frame_id"]], "get_ax_node_and_ancestors() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_ax_node_and_ancestors"]], "get_child_ax_nodes() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_child_ax_nodes"]], "get_full_ax_tree() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_full_ax_tree"]], "get_partial_ax_tree() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_partial_ax_tree"]], "get_root_ax_node() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_root_ax_node"]], "idref (axrelatednode attribute)": [[2, "nodriver.cdp.accessibility.AXRelatedNode.idref"]], "ignored (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.ignored"]], "ignored_reasons (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.ignored_reasons"]], "invalid (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.invalid"]], "invalid_reason (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.invalid_reason"]], "module": [[2, "module-nodriver.cdp.accessibility"], [3, "module-nodriver.cdp.animation"], [4, "module-nodriver.cdp.audits"], [5, "module-nodriver.cdp.autofill"], [6, "module-nodriver.cdp.background_service"], [7, "module-nodriver.cdp.browser"], [8, "module-nodriver.cdp.cache_storage"], [9, "module-nodriver.cdp.cast"], [10, "module-nodriver.cdp.console"], [11, "module-nodriver.cdp.css"], [12, "module-nodriver.cdp.database"], [13, "module-nodriver.cdp.debugger"], [14, "module-nodriver.cdp.device_access"], [15, "module-nodriver.cdp.device_orientation"], [16, "module-nodriver.cdp.dom"], [17, "module-nodriver.cdp.dom_debugger"], [18, "module-nodriver.cdp.dom_snapshot"], [19, "module-nodriver.cdp.dom_storage"], [20, "module-nodriver.cdp.emulation"], [21, "module-nodriver.cdp.event_breakpoints"], [22, "module-nodriver.cdp.fed_cm"], [23, "module-nodriver.cdp.fetch"], [24, "module-nodriver.cdp.headless_experimental"], [25, "module-nodriver.cdp.heap_profiler"], [26, "module-nodriver.cdp.indexed_db"], [27, "module-nodriver.cdp.input_"], [28, "module-nodriver.cdp.inspector"], [29, "module-nodriver.cdp.io"], [30, "module-nodriver.cdp.layer_tree"], [31, "module-nodriver.cdp.log"], [32, "module-nodriver.cdp.media"], [33, "module-nodriver.cdp.memory"], [34, "module-nodriver.cdp.network"], [35, "module-nodriver.cdp.overlay"], [36, "module-nodriver.cdp.page"], [37, "module-nodriver.cdp.performance"], [38, "module-nodriver.cdp.performance_timeline"], [39, "module-nodriver.cdp.preload"], [40, "module-nodriver.cdp.profiler"], [41, "module-nodriver.cdp.runtime"], [42, "module-nodriver.cdp.schema"], [43, "module-nodriver.cdp.security"], [44, "module-nodriver.cdp.service_worker"], [45, "module-nodriver.cdp.storage"], [46, "module-nodriver.cdp.system_info"], [47, "module-nodriver.cdp.target"], [48, "module-nodriver.cdp.tethering"], [49, "module-nodriver.cdp.tracing"], [50, "module-nodriver.cdp.web_audio"], [51, "module-nodriver.cdp.web_authn"], [54, "module-nodriver.core._contradict"]], "name (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.name"]], "name (axproperty attribute)": [[2, "nodriver.cdp.accessibility.AXProperty.name"]], "native_source (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.native_source"]], "native_source_value (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.native_source_value"]], "node_id (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.node_id"]], "nodes (nodesupdated attribute)": [[2, "nodriver.cdp.accessibility.NodesUpdated.nodes"]], "nodriver.cdp.accessibility": [[2, "module-nodriver.cdp.accessibility"]], "parent_id (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.parent_id"]], "properties (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.properties"]], "query_ax_tree() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.query_ax_tree"]], "related_nodes (axvalue attribute)": [[2, "nodriver.cdp.accessibility.AXValue.related_nodes"]], "role (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.role"]], "root (loadcomplete attribute)": [[2, "nodriver.cdp.accessibility.LoadComplete.root"]], "sources (axvalue attribute)": [[2, "nodriver.cdp.accessibility.AXValue.sources"]], "superseded (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.superseded"]], "text (axrelatednode attribute)": [[2, "nodriver.cdp.accessibility.AXRelatedNode.text"]], "type_ (axvalue attribute)": [[2, "nodriver.cdp.accessibility.AXValue.type_"]], "type_ (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.type_"]], "value (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.value"]], "value (axproperty attribute)": [[2, "nodriver.cdp.accessibility.AXProperty.value"]], "value (axvalue attribute)": [[2, "nodriver.cdp.accessibility.AXValue.value"]], "value (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.value"]], "animation (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.Animation"]], "animationcanceled (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.AnimationCanceled"]], "animationcreated (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.AnimationCreated"]], "animationeffect (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.AnimationEffect"]], "animationstarted (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.AnimationStarted"]], "keyframestyle (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.KeyframeStyle"]], "keyframesrule (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.KeyframesRule"]], "animation (animationstarted attribute)": [[3, "nodriver.cdp.animation.AnimationStarted.animation"]], "backend_node_id (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.backend_node_id"]], "css_id (animation attribute)": [[3, "nodriver.cdp.animation.Animation.css_id"]], "current_time (animation attribute)": [[3, "nodriver.cdp.animation.Animation.current_time"]], "delay (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.delay"]], "direction (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.direction"]], "disable() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.disable"]], "duration (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.duration"]], "easing (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.easing"]], "easing (keyframestyle attribute)": [[3, "nodriver.cdp.animation.KeyframeStyle.easing"]], "enable() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.enable"]], "end_delay (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.end_delay"]], "fill (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.fill"]], "get_current_time() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.get_current_time"]], "get_playback_rate() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.get_playback_rate"]], "id_ (animation attribute)": [[3, "nodriver.cdp.animation.Animation.id_"]], "id_ (animationcanceled attribute)": [[3, "nodriver.cdp.animation.AnimationCanceled.id_"]], "id_ (animationcreated attribute)": [[3, "nodriver.cdp.animation.AnimationCreated.id_"]], "iteration_start (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.iteration_start"]], "iterations (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.iterations"]], "keyframes (keyframesrule attribute)": [[3, "nodriver.cdp.animation.KeyframesRule.keyframes"]], "keyframes_rule (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.keyframes_rule"]], "name (animation attribute)": [[3, "nodriver.cdp.animation.Animation.name"]], "name (keyframesrule attribute)": [[3, "nodriver.cdp.animation.KeyframesRule.name"]], "nodriver.cdp.animation": [[3, "module-nodriver.cdp.animation"]], "offset (keyframestyle attribute)": [[3, "nodriver.cdp.animation.KeyframeStyle.offset"]], "paused_state (animation attribute)": [[3, "nodriver.cdp.animation.Animation.paused_state"]], "play_state (animation attribute)": [[3, "nodriver.cdp.animation.Animation.play_state"]], "playback_rate (animation attribute)": [[3, "nodriver.cdp.animation.Animation.playback_rate"]], "release_animations() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.release_animations"]], "resolve_animation() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.resolve_animation"]], "seek_animations() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.seek_animations"]], "set_paused() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.set_paused"]], "set_playback_rate() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.set_playback_rate"]], "set_timing() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.set_timing"]], "source (animation attribute)": [[3, "nodriver.cdp.animation.Animation.source"]], "start_time (animation attribute)": [[3, "nodriver.cdp.animation.Animation.start_time"]], "type_ (animation attribute)": [[3, "nodriver.cdp.animation.Animation.type_"]], "accounts_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_HTTP_NOT_FOUND"]], "accounts_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_INVALID_CONTENT_TYPE"]], "accounts_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_INVALID_RESPONSE"]], "accounts_list_empty (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_LIST_EMPTY"]], "accounts_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_NO_RESPONSE"]], "attribution_reporting_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.ATTRIBUTION_REPORTING_ISSUE"]], "attribution_src (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.ATTRIBUTION_SRC"]], "audio (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.AUDIO"]], "affectedcookie (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AffectedCookie"]], "affectedframe (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AffectedFrame"]], "affectedrequest (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AffectedRequest"]], "attributionreportingissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails"]], "attributionreportingissuetype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType"]], "beacon (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.BEACON"]], "blocked_by_response_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.BLOCKED_BY_RESPONSE_ISSUE"]], "bounce_tracking_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.BOUNCE_TRACKING_ISSUE"]], "blockedbyresponseissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails"]], "blockedbyresponsereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.BlockedByResponseReason"]], "bouncetrackingissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.BounceTrackingIssueDetails"]], "canceled (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CANCELED"]], "client_hint_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.CLIENT_HINT_ISSUE"]], "client_metadata_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CLIENT_METADATA_HTTP_NOT_FOUND"]], "client_metadata_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CLIENT_METADATA_INVALID_CONTENT_TYPE"]], "client_metadata_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CLIENT_METADATA_INVALID_RESPONSE"]], "client_metadata_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CLIENT_METADATA_NO_RESPONSE"]], "coep_frame_resource_needs_coep_header (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.COEP_FRAME_RESOURCE_NEEDS_COEP_HEADER"]], "config_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_HTTP_NOT_FOUND"]], "config_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_INVALID_CONTENT_TYPE"]], "config_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_INVALID_RESPONSE"]], "config_not_in_well_known (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_NOT_IN_WELL_KNOWN"]], "config_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_NO_RESPONSE"]], "content_security_policy_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.CONTENT_SECURITY_POLICY_ISSUE"]], "cookie_deprecation_metadata_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.COOKIE_DEPRECATION_METADATA_ISSUE"]], "cookie_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.COOKIE_ISSUE"]], "coop_sandboxed_i_frame_cannot_navigate_to_coop_page (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.COOP_SANDBOXED_I_FRAME_CANNOT_NAVIGATE_TO_COOP_PAGE"]], "corp_not_same_origin (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.CORP_NOT_SAME_ORIGIN"]], "corp_not_same_origin_after_defaulted_to_same_origin_by_coep (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.CORP_NOT_SAME_ORIGIN_AFTER_DEFAULTED_TO_SAME_ORIGIN_BY_COEP"]], "corp_not_same_site (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.CORP_NOT_SAME_SITE"]], "cors_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.CORS_ISSUE"]], "cpu_peak_limit (heavyadreason attribute)": [[4, "nodriver.cdp.audits.HeavyAdReason.CPU_PEAK_LIMIT"]], "cpu_total_limit (heavyadreason attribute)": [[4, "nodriver.cdp.audits.HeavyAdReason.CPU_TOTAL_LIMIT"]], "creation_issue (sharedarraybufferissuetype attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueType.CREATION_ISSUE"]], "cross_origin_portal_post_message_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.CROSS_ORIGIN_PORTAL_POST_MESSAGE_ERROR"]], "csp_report (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.CSP_REPORT"]], "clienthintissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.ClientHintIssueDetails"]], "clienthintissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.ClientHintIssueReason"]], "contentsecuritypolicyissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails"]], "contentsecuritypolicyviolationtype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType"]], "cookiedeprecationmetadataissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieDeprecationMetadataIssueDetails"]], "cookieexclusionreason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieExclusionReason"]], "cookieissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieIssueDetails"]], "cookieoperation (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieOperation"]], "cookiewarningreason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieWarningReason"]], "corsissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CorsIssueDetails"]], "deprecation_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.DEPRECATION_ISSUE"]], "disabled_in_settings (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.DISABLED_IN_SETTINGS"]], "download (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.DOWNLOAD"]], "deprecationissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.DeprecationIssueDetails"]], "error_fetching_signin (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ERROR_FETCHING_SIGNIN"]], "error_id_token (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ERROR_ID_TOKEN"]], "event_source (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.EVENT_SOURCE"]], "exclude_domain_non_ascii (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_DOMAIN_NON_ASCII"]], "exclude_invalid_same_party (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_INVALID_SAME_PARTY"]], "exclude_same_party_cross_party_context (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_PARTY_CROSS_PARTY_CONTEXT"]], "exclude_same_site_lax (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_SITE_LAX"]], "exclude_same_site_none_insecure (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_SITE_NONE_INSECURE"]], "exclude_same_site_strict (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_SITE_STRICT"]], "exclude_same_site_unspecified_treated_as_lax (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "exclude_third_party_cookie_blocked_in_first_party_set (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_THIRD_PARTY_COOKIE_BLOCKED_IN_FIRST_PARTY_SET"]], "exclude_third_party_phaseout (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_THIRD_PARTY_PHASEOUT"]], "favicon (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.FAVICON"]], "federated_auth_request_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.FEDERATED_AUTH_REQUEST_ISSUE"]], "federated_auth_user_info_request_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.FEDERATED_AUTH_USER_INFO_REQUEST_ISSUE"]], "font (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.FONT"]], "form (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.FORM"]], "form_aria_labelled_by_to_non_existing_id (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_ARIA_LABELLED_BY_TO_NON_EXISTING_ID"]], "form_autocomplete_attribute_empty_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_AUTOCOMPLETE_ATTRIBUTE_EMPTY_ERROR"]], "form_duplicate_id_for_input_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_DUPLICATE_ID_FOR_INPUT_ERROR"]], "form_empty_id_and_name_attributes_for_input_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_EMPTY_ID_AND_NAME_ATTRIBUTES_FOR_INPUT_ERROR"]], "form_input_assigned_autocomplete_value_to_id_or_name_attribute_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_INPUT_ASSIGNED_AUTOCOMPLETE_VALUE_TO_ID_OR_NAME_ATTRIBUTE_ERROR"]], "form_input_has_wrong_but_well_intended_autocomplete_value_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_INPUT_HAS_WRONG_BUT_WELL_INTENDED_AUTOCOMPLETE_VALUE_ERROR"]], "form_input_with_no_label_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_INPUT_WITH_NO_LABEL_ERROR"]], "form_label_for_matches_non_existing_id_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_LABEL_FOR_MATCHES_NON_EXISTING_ID_ERROR"]], "form_label_for_name_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_LABEL_FOR_NAME_ERROR"]], "form_label_has_neither_for_nor_nested_input (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_LABEL_HAS_NEITHER_FOR_NOR_NESTED_INPUT"]], "frame (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.FRAME"]], "failedrequestinfo (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FailedRequestInfo"]], "federatedauthrequestissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueDetails"]], "federatedauthrequestissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason"]], "federatedauthuserinforequestissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueDetails"]], "federatedauthuserinforequestissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason"]], "generic_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.GENERIC_ISSUE"]], "genericissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.GenericIssueDetails"]], "genericissueerrortype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.GenericIssueErrorType"]], "heavy_ad_blocked (heavyadresolutionstatus attribute)": [[4, "nodriver.cdp.audits.HeavyAdResolutionStatus.HEAVY_AD_BLOCKED"]], "heavy_ad_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.HEAVY_AD_ISSUE"]], "heavy_ad_warning (heavyadresolutionstatus attribute)": [[4, "nodriver.cdp.audits.HeavyAdResolutionStatus.HEAVY_AD_WARNING"]], "heavyadissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.HeavyAdIssueDetails"]], "heavyadreason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.HeavyAdReason"]], "heavyadresolutionstatus (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.HeavyAdResolutionStatus"]], "id_token_cross_site_idp_error_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_CROSS_SITE_IDP_ERROR_RESPONSE"]], "id_token_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_HTTP_NOT_FOUND"]], "id_token_idp_error_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_IDP_ERROR_RESPONSE"]], "id_token_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_INVALID_CONTENT_TYPE"]], "id_token_invalid_request (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_INVALID_REQUEST"]], "id_token_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_INVALID_RESPONSE"]], "id_token_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_NO_RESPONSE"]], "image (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.IMAGE"]], "import (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.IMPORT"]], "insecure_context (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INSECURE_CONTEXT"]], "invalid_accounts_response (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.INVALID_ACCOUNTS_RESPONSE"]], "invalid_config_or_well_known (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.INVALID_CONFIG_OR_WELL_KNOWN"]], "invalid_header (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INVALID_HEADER"]], "invalid_inherits (propertyruleissuereason attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason.INVALID_INHERITS"]], "invalid_initial_value (propertyruleissuereason attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason.INVALID_INITIAL_VALUE"]], "invalid_name (propertyruleissuereason attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason.INVALID_NAME"]], "invalid_register_os_source_header (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INVALID_REGISTER_OS_SOURCE_HEADER"]], "invalid_register_os_trigger_header (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INVALID_REGISTER_OS_TRIGGER_HEADER"]], "invalid_register_trigger_header (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INVALID_REGISTER_TRIGGER_HEADER"]], "invalid_signin_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.INVALID_SIGNIN_RESPONSE"]], "invalid_syntax (propertyruleissuereason attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason.INVALID_SYNTAX"]], "inspectorissue (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.InspectorIssue"]], "inspectorissuecode (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.InspectorIssueCode"]], "inspectorissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.InspectorIssueDetails"]], "issueadded (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.IssueAdded"]], "issueid (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.IssueId"]], "k_eval_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_EVAL_VIOLATION"]], "k_inline_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_INLINE_VIOLATION"]], "k_trusted_types_policy_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_TRUSTED_TYPES_POLICY_VIOLATION"]], "k_trusted_types_sink_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_TRUSTED_TYPES_SINK_VIOLATION"]], "k_url_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_URL_VIOLATION"]], "k_wasm_eval_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_WASM_EVAL_VIOLATION"]], "late_import_rule (stylesheetloadingissuereason attribute)": [[4, "nodriver.cdp.audits.StyleSheetLoadingIssueReason.LATE_IMPORT_RULE"]], "low_text_contrast_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.LOW_TEXT_CONTRAST_ISSUE"]], "lowtextcontrastissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails"]], "manifest (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.MANIFEST"]], "meta_tag_allow_list_invalid_origin (clienthintissuereason attribute)": [[4, "nodriver.cdp.audits.ClientHintIssueReason.META_TAG_ALLOW_LIST_INVALID_ORIGIN"]], "meta_tag_modified_html (clienthintissuereason attribute)": [[4, "nodriver.cdp.audits.ClientHintIssueReason.META_TAG_MODIFIED_HTML"]], "mixed_content_automatically_upgraded (mixedcontentresolutionstatus attribute)": [[4, "nodriver.cdp.audits.MixedContentResolutionStatus.MIXED_CONTENT_AUTOMATICALLY_UPGRADED"]], "mixed_content_blocked (mixedcontentresolutionstatus attribute)": [[4, "nodriver.cdp.audits.MixedContentResolutionStatus.MIXED_CONTENT_BLOCKED"]], "mixed_content_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.MIXED_CONTENT_ISSUE"]], "mixed_content_warning (mixedcontentresolutionstatus attribute)": [[4, "nodriver.cdp.audits.MixedContentResolutionStatus.MIXED_CONTENT_WARNING"]], "mixedcontentissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails"]], "mixedcontentresolutionstatus (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.MixedContentResolutionStatus"]], "mixedcontentresourcetype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.MixedContentResourceType"]], "navigation_registration_without_transient_user_activation (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.NAVIGATION_REGISTRATION_WITHOUT_TRANSIENT_USER_ACTIVATION"]], "navigator_user_agent_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.NAVIGATOR_USER_AGENT_ISSUE"]], "network_total_limit (heavyadreason attribute)": [[4, "nodriver.cdp.audits.HeavyAdReason.NETWORK_TOTAL_LIMIT"]], "not_iframe (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NOT_IFRAME"]], "not_potentially_trustworthy (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NOT_POTENTIALLY_TRUSTWORTHY"]], "not_same_origin (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NOT_SAME_ORIGIN"]], "not_signed_in_with_idp (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.NOT_SIGNED_IN_WITH_IDP"]], "not_signed_in_with_idp (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NOT_SIGNED_IN_WITH_IDP"]], "no_account_sharing_permission (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NO_ACCOUNT_SHARING_PERMISSION"]], "no_api_permission (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NO_API_PERMISSION"]], "no_returning_user_from_fetched_accounts (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NO_RETURNING_USER_FROM_FETCHED_ACCOUNTS"]], "no_web_or_os_support (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.NO_WEB_OR_OS_SUPPORT"]], "navigatoruseragentissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.NavigatorUserAgentIssueDetails"]], "os_source_ignored (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.OS_SOURCE_IGNORED"]], "os_trigger_ignored (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.OS_TRIGGER_IGNORED"]], "permission_policy_disabled (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.PERMISSION_POLICY_DISABLED"]], "ping (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.PING"]], "plugin_data (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.PLUGIN_DATA"]], "plugin_resource (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.PLUGIN_RESOURCE"]], "prefetch (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.PREFETCH"]], "property_rule_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.PROPERTY_RULE_ISSUE"]], "propertyruleissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.PropertyRuleIssueDetails"]], "propertyruleissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason"]], "quirks_mode_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.QUIRKS_MODE_ISSUE"]], "quirksmodeissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails"]], "read_cookie (cookieoperation attribute)": [[4, "nodriver.cdp.audits.CookieOperation.READ_COOKIE"]], "request_failed (stylesheetloadingissuereason attribute)": [[4, "nodriver.cdp.audits.StyleSheetLoadingIssueReason.REQUEST_FAILED"]], "resource (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.RESOURCE"]], "response_was_blocked_by_orb (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.RESPONSE_WAS_BLOCKED_BY_ORB"]], "rp_page_not_visible (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.RP_PAGE_NOT_VISIBLE"]], "script (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.SCRIPT"]], "service_worker (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.SERVICE_WORKER"]], "set_cookie (cookieoperation attribute)": [[4, "nodriver.cdp.audits.CookieOperation.SET_COOKIE"]], "shared_array_buffer_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.SHARED_ARRAY_BUFFER_ISSUE"]], "shared_worker (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.SHARED_WORKER"]], "should_embargo (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.SHOULD_EMBARGO"]], "silent_mediation_failure (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.SILENT_MEDIATION_FAILURE"]], "source_and_trigger_headers (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.SOURCE_AND_TRIGGER_HEADERS"]], "source_ignored (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.SOURCE_IGNORED"]], "speculation_rules (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.SPECULATION_RULES"]], "stylesheet (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.STYLESHEET"]], "stylesheet_loading_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.STYLESHEET_LOADING_ISSUE"]], "sharedarraybufferissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueDetails"]], "sharedarraybufferissuetype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueType"]], "sourcecodelocation (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.SourceCodeLocation"]], "stylesheetloadingissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.StyleSheetLoadingIssueReason"]], "stylesheetloadingissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.StylesheetLoadingIssueDetails"]], "third_party_cookies_blocked (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.THIRD_PARTY_COOKIES_BLOCKED"]], "too_many_requests (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.TOO_MANY_REQUESTS"]], "track (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.TRACK"]], "transfer_issue (sharedarraybufferissuetype attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueType.TRANSFER_ISSUE"]], "trigger_ignored (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.TRIGGER_IGNORED"]], "untrustworthy_reporting_origin (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.UNTRUSTWORTHY_REPORTING_ORIGIN"]], "video (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.VIDEO"]], "warn_attribute_value_exceeds_max_size (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_ATTRIBUTE_VALUE_EXCEEDS_MAX_SIZE"]], "warn_cross_site_redirect_downgrade_changes_inclusion (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_CROSS_SITE_REDIRECT_DOWNGRADE_CHANGES_INCLUSION"]], "warn_domain_non_ascii (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_DOMAIN_NON_ASCII"]], "warn_same_site_lax_cross_downgrade_lax (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_LAX_CROSS_DOWNGRADE_LAX"]], "warn_same_site_lax_cross_downgrade_strict (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_LAX_CROSS_DOWNGRADE_STRICT"]], "warn_same_site_none_insecure (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_NONE_INSECURE"]], "warn_same_site_strict_cross_downgrade_lax (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_STRICT_CROSS_DOWNGRADE_LAX"]], "warn_same_site_strict_cross_downgrade_strict (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_STRICT_CROSS_DOWNGRADE_STRICT"]], "warn_same_site_strict_lax_downgrade_strict (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_STRICT_LAX_DOWNGRADE_STRICT"]], "warn_same_site_unspecified_cross_site_context (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_UNSPECIFIED_CROSS_SITE_CONTEXT"]], "warn_same_site_unspecified_lax_allow_unsafe (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_UNSPECIFIED_LAX_ALLOW_UNSAFE"]], "warn_third_party_phaseout (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_THIRD_PARTY_PHASEOUT"]], "web_and_os_headers (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.WEB_AND_OS_HEADERS"]], "well_known_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_HTTP_NOT_FOUND"]], "well_known_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_INVALID_CONTENT_TYPE"]], "well_known_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_INVALID_RESPONSE"]], "well_known_list_empty (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_LIST_EMPTY"]], "well_known_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_NO_RESPONSE"]], "well_known_too_big (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_TOO_BIG"]], "worker (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.WORKER"]], "xml_http_request (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.XML_HTTP_REQUEST"]], "xslt (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.XSLT"]], "affected_frame (deprecationissuedetails attribute)": [[4, "nodriver.cdp.audits.DeprecationIssueDetails.affected_frame"]], "allowed_sites (cookiedeprecationmetadataissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieDeprecationMetadataIssueDetails.allowed_sites"]], "attribution_reporting_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.attribution_reporting_issue_details"]], "blocked_by_response_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.blocked_by_response_issue_details"]], "blocked_frame (blockedbyresponseissuedetails attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails.blocked_frame"]], "blocked_url (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.blocked_url"]], "bounce_tracking_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.bounce_tracking_issue_details"]], "check_contrast() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.check_contrast"]], "check_forms_issues() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.check_forms_issues"]], "client_hint_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.client_hint_issue_details"]], "client_hint_issue_reason (clienthintissuedetails attribute)": [[4, "nodriver.cdp.audits.ClientHintIssueDetails.client_hint_issue_reason"]], "client_security_state (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.client_security_state"]], "code (inspectorissue attribute)": [[4, "nodriver.cdp.audits.InspectorIssue.code"]], "column_number (sourcecodelocation attribute)": [[4, "nodriver.cdp.audits.SourceCodeLocation.column_number"]], "content_security_policy_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.content_security_policy_issue_details"]], "content_security_policy_violation_type (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.content_security_policy_violation_type"]], "contrast_ratio (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.contrast_ratio"]], "cookie (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.cookie"]], "cookie_deprecation_metadata_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.cookie_deprecation_metadata_issue_details"]], "cookie_exclusion_reasons (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.cookie_exclusion_reasons"]], "cookie_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.cookie_issue_details"]], "cookie_url (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.cookie_url"]], "cookie_warning_reasons (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.cookie_warning_reasons"]], "cors_error_status (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.cors_error_status"]], "cors_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.cors_issue_details"]], "deprecation_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.deprecation_issue_details"]], "details (inspectorissue attribute)": [[4, "nodriver.cdp.audits.InspectorIssue.details"]], "disable() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.disable"]], "document_node_id (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.document_node_id"]], "domain (affectedcookie attribute)": [[4, "nodriver.cdp.audits.AffectedCookie.domain"]], "enable() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.enable"]], "error_type (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.error_type"]], "failed_request_info (stylesheetloadingissuedetails attribute)": [[4, "nodriver.cdp.audits.StylesheetLoadingIssueDetails.failed_request_info"]], "failure_message (failedrequestinfo attribute)": [[4, "nodriver.cdp.audits.FailedRequestInfo.failure_message"]], "federated_auth_request_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.federated_auth_request_issue_details"]], "federated_auth_request_issue_reason (federatedauthrequestissuedetails attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueDetails.federated_auth_request_issue_reason"]], "federated_auth_user_info_request_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.federated_auth_user_info_request_issue_details"]], "federated_auth_user_info_request_issue_reason (federatedauthuserinforequestissuedetails attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueDetails.federated_auth_user_info_request_issue_reason"]], "font_size (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.font_size"]], "font_weight (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.font_weight"]], "frame (heavyadissuedetails attribute)": [[4, "nodriver.cdp.audits.HeavyAdIssueDetails.frame"]], "frame (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.frame"]], "frame_ancestor (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.frame_ancestor"]], "frame_id (affectedframe attribute)": [[4, "nodriver.cdp.audits.AffectedFrame.frame_id"]], "frame_id (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.frame_id"]], "frame_id (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.frame_id"]], "generic_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.generic_issue_details"]], "get_encoded_response() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.get_encoded_response"]], "heavy_ad_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.heavy_ad_issue_details"]], "initiator_origin (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.initiator_origin"]], "insecure_url (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.insecure_url"]], "invalid_parameter (attributionreportingissuedetails attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails.invalid_parameter"]], "is_limited_quirks_mode (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.is_limited_quirks_mode"]], "is_report_only (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.is_report_only"]], "is_warning (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.is_warning"]], "is_warning (sharedarraybufferissuedetails attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueDetails.is_warning"]], "issue (issueadded attribute)": [[4, "nodriver.cdp.audits.IssueAdded.issue"]], "issue_id (inspectorissue attribute)": [[4, "nodriver.cdp.audits.InspectorIssue.issue_id"]], "line_number (sourcecodelocation attribute)": [[4, "nodriver.cdp.audits.SourceCodeLocation.line_number"]], "loader_id (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.loader_id"]], "location (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.location"]], "location (navigatoruseragentissuedetails attribute)": [[4, "nodriver.cdp.audits.NavigatorUserAgentIssueDetails.location"]], "low_text_contrast_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.low_text_contrast_issue_details"]], "main_resource_url (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.main_resource_url"]], "mixed_content_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.mixed_content_issue_details"]], "name (affectedcookie attribute)": [[4, "nodriver.cdp.audits.AffectedCookie.name"]], "navigator_user_agent_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.navigator_user_agent_issue_details"]], "nodriver.cdp.audits": [[4, "module-nodriver.cdp.audits"]], "operation (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.operation"]], "parent_frame (blockedbyresponseissuedetails attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails.parent_frame"]], "path (affectedcookie attribute)": [[4, "nodriver.cdp.audits.AffectedCookie.path"]], "property_rule_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.property_rule_issue_details"]], "property_rule_issue_reason (propertyruleissuedetails attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueDetails.property_rule_issue_reason"]], "property_value (propertyruleissuedetails attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueDetails.property_value"]], "quirks_mode_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.quirks_mode_issue_details"]], "raw_cookie_line (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.raw_cookie_line"]], "reason (blockedbyresponseissuedetails attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails.reason"]], "reason (heavyadissuedetails attribute)": [[4, "nodriver.cdp.audits.HeavyAdIssueDetails.reason"]], "request (attributionreportingissuedetails attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails.request"]], "request (blockedbyresponseissuedetails attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails.request"]], "request (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.request"]], "request (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.request"]], "request (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.request"]], "request (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.request"]], "request_id (affectedrequest attribute)": [[4, "nodriver.cdp.audits.AffectedRequest.request_id"]], "request_id (failedrequestinfo attribute)": [[4, "nodriver.cdp.audits.FailedRequestInfo.request_id"]], "resolution (heavyadissuedetails attribute)": [[4, "nodriver.cdp.audits.HeavyAdIssueDetails.resolution"]], "resolution_status (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.resolution_status"]], "resource_ip_address_space (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.resource_ip_address_space"]], "resource_type (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.resource_type"]], "script_id (sourcecodelocation attribute)": [[4, "nodriver.cdp.audits.SourceCodeLocation.script_id"]], "shared_array_buffer_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.shared_array_buffer_issue_details"]], "site_for_cookies (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.site_for_cookies"]], "source_code_location (clienthintissuedetails attribute)": [[4, "nodriver.cdp.audits.ClientHintIssueDetails.source_code_location"]], "source_code_location (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.source_code_location"]], "source_code_location (deprecationissuedetails attribute)": [[4, "nodriver.cdp.audits.DeprecationIssueDetails.source_code_location"]], "source_code_location (propertyruleissuedetails attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueDetails.source_code_location"]], "source_code_location (sharedarraybufferissuedetails attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueDetails.source_code_location"]], "source_code_location (stylesheetloadingissuedetails attribute)": [[4, "nodriver.cdp.audits.StylesheetLoadingIssueDetails.source_code_location"]], "style_sheet_loading_issue_reason (stylesheetloadingissuedetails attribute)": [[4, "nodriver.cdp.audits.StylesheetLoadingIssueDetails.style_sheet_loading_issue_reason"]], "stylesheet_loading_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.stylesheet_loading_issue_details"]], "threshold_aa (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.threshold_aa"]], "threshold_aaa (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.threshold_aaa"]], "tracking_sites (bouncetrackingissuedetails attribute)": [[4, "nodriver.cdp.audits.BounceTrackingIssueDetails.tracking_sites"]], "type_ (deprecationissuedetails attribute)": [[4, "nodriver.cdp.audits.DeprecationIssueDetails.type_"]], "type_ (sharedarraybufferissuedetails attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueDetails.type_"]], "url (affectedrequest attribute)": [[4, "nodriver.cdp.audits.AffectedRequest.url"]], "url (failedrequestinfo attribute)": [[4, "nodriver.cdp.audits.FailedRequestInfo.url"]], "url (navigatoruseragentissuedetails attribute)": [[4, "nodriver.cdp.audits.NavigatorUserAgentIssueDetails.url"]], "url (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.url"]], "url (sourcecodelocation attribute)": [[4, "nodriver.cdp.audits.SourceCodeLocation.url"]], "violated_directive (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.violated_directive"]], "violating_node_attribute (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.violating_node_attribute"]], "violating_node_id (attributionreportingissuedetails attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails.violating_node_id"]], "violating_node_id (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.violating_node_id"]], "violating_node_id (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.violating_node_id"]], "violating_node_id (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.violating_node_id"]], "violating_node_selector (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.violating_node_selector"]], "violation_type (attributionreportingissuedetails attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails.violation_type"]], "autocomplete_attribute (fillingstrategy attribute)": [[5, "nodriver.cdp.autofill.FillingStrategy.AUTOCOMPLETE_ATTRIBUTE"]], "autofill_inferred (fillingstrategy attribute)": [[5, "nodriver.cdp.autofill.FillingStrategy.AUTOFILL_INFERRED"]], "address (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.Address"]], "addressfield (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.AddressField"]], "addressfields (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.AddressFields"]], "addressformfilled (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.AddressFormFilled"]], "addressui (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.AddressUI"]], "creditcard (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.CreditCard"]], "filledfield (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.FilledField"]], "fillingstrategy (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.FillingStrategy"]], "address_fields (addressui attribute)": [[5, "nodriver.cdp.autofill.AddressUI.address_fields"]], "address_ui (addressformfilled attribute)": [[5, "nodriver.cdp.autofill.AddressFormFilled.address_ui"]], "autofill_type (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.autofill_type"]], "cvc (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.cvc"]], "disable() (in module nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.disable"]], "enable() (in module nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.enable"]], "expiry_month (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.expiry_month"]], "expiry_year (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.expiry_year"]], "field_id (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.field_id"]], "fields (address attribute)": [[5, "nodriver.cdp.autofill.Address.fields"]], "fields (addressfields attribute)": [[5, "nodriver.cdp.autofill.AddressFields.fields"]], "filled_fields (addressformfilled attribute)": [[5, "nodriver.cdp.autofill.AddressFormFilled.filled_fields"]], "filling_strategy (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.filling_strategy"]], "html_type (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.html_type"]], "id_ (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.id_"]], "name (addressfield attribute)": [[5, "nodriver.cdp.autofill.AddressField.name"]], "name (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.name"]], "name (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.name"]], "nodriver.cdp.autofill": [[5, "module-nodriver.cdp.autofill"]], "number (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.number"]], "set_addresses() (in module nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.set_addresses"]], "trigger() (in module nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.trigger"]], "value (addressfield attribute)": [[5, "nodriver.cdp.autofill.AddressField.value"]], "value (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.value"]], "background_fetch (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.BACKGROUND_FETCH"]], "background_sync (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.BACKGROUND_SYNC"]], "backgroundserviceevent (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent"]], "backgroundserviceeventreceived (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.BackgroundServiceEventReceived"]], "eventmetadata (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.EventMetadata"]], "notifications (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.NOTIFICATIONS"]], "payment_handler (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.PAYMENT_HANDLER"]], "periodic_background_sync (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.PERIODIC_BACKGROUND_SYNC"]], "push_messaging (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.PUSH_MESSAGING"]], "recordingstatechanged (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.RecordingStateChanged"]], "servicename (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.ServiceName"]], "background_service_event (backgroundserviceeventreceived attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEventReceived.background_service_event"]], "clear_events() (in module nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.clear_events"]], "event_metadata (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.event_metadata"]], "event_name (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.event_name"]], "instance_id (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.instance_id"]], "is_recording (recordingstatechanged attribute)": [[6, "nodriver.cdp.background_service.RecordingStateChanged.is_recording"]], "key (eventmetadata attribute)": [[6, "nodriver.cdp.background_service.EventMetadata.key"]], "nodriver.cdp.background_service": [[6, "module-nodriver.cdp.background_service"]], "origin (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.origin"]], "service (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.service"]], "service (recordingstatechanged attribute)": [[6, "nodriver.cdp.background_service.RecordingStateChanged.service"]], "service_worker_registration_id (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.service_worker_registration_id"]], "set_recording() (in module nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.set_recording"]], "start_observing() (in module nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.start_observing"]], "stop_observing() (in module nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.stop_observing"]], "storage_key (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.storage_key"]], "timestamp (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.timestamp"]], "value (eventmetadata attribute)": [[6, "nodriver.cdp.background_service.EventMetadata.value"]], "accessibility_events (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.ACCESSIBILITY_EVENTS"]], "audio_capture (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.AUDIO_CAPTURE"]], "background_fetch (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.BACKGROUND_FETCH"]], "background_sync (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.BACKGROUND_SYNC"]], "bounds (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.Bounds"]], "browsercommandid (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.BrowserCommandId"]], "browsercontextid (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.BrowserContextID"]], "bucket (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.Bucket"]], "captured_surface_control (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.CAPTURED_SURFACE_CONTROL"]], "clipboard_read_write (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.CLIPBOARD_READ_WRITE"]], "clipboard_sanitized_write (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.CLIPBOARD_SANITIZED_WRITE"]], "close_tab_search (browsercommandid attribute)": [[7, "nodriver.cdp.browser.BrowserCommandId.CLOSE_TAB_SEARCH"]], "denied (permissionsetting attribute)": [[7, "nodriver.cdp.browser.PermissionSetting.DENIED"]], "display_capture (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.DISPLAY_CAPTURE"]], "durable_storage (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.DURABLE_STORAGE"]], "downloadprogress (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.DownloadProgress"]], "downloadwillbegin (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.DownloadWillBegin"]], "flash (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.FLASH"]], "fullscreen (windowstate attribute)": [[7, "nodriver.cdp.browser.WindowState.FULLSCREEN"]], "geolocation (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.GEOLOCATION"]], "granted (permissionsetting attribute)": [[7, "nodriver.cdp.browser.PermissionSetting.GRANTED"]], "histogram (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.Histogram"]], "idle_detection (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.IDLE_DETECTION"]], "local_fonts (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.LOCAL_FONTS"]], "maximized (windowstate attribute)": [[7, "nodriver.cdp.browser.WindowState.MAXIMIZED"]], "midi (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.MIDI"]], "midi_sysex (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.MIDI_SYSEX"]], "minimized (windowstate attribute)": [[7, "nodriver.cdp.browser.WindowState.MINIMIZED"]], "nfc (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.NFC"]], "normal (windowstate attribute)": [[7, "nodriver.cdp.browser.WindowState.NORMAL"]], "notifications (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.NOTIFICATIONS"]], "open_tab_search (browsercommandid attribute)": [[7, "nodriver.cdp.browser.BrowserCommandId.OPEN_TAB_SEARCH"]], "payment_handler (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.PAYMENT_HANDLER"]], "periodic_background_sync (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.PERIODIC_BACKGROUND_SYNC"]], "prompt (permissionsetting attribute)": [[7, "nodriver.cdp.browser.PermissionSetting.PROMPT"]], "protected_media_identifier (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.PROTECTED_MEDIA_IDENTIFIER"]], "permissiondescriptor (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.PermissionDescriptor"]], "permissionsetting (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.PermissionSetting"]], "permissiontype (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.PermissionType"]], "sensors (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.SENSORS"]], "storage_access (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.STORAGE_ACCESS"]], "top_level_storage_access (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.TOP_LEVEL_STORAGE_ACCESS"]], "video_capture (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.VIDEO_CAPTURE"]], "video_capture_pan_tilt_zoom (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.VIDEO_CAPTURE_PAN_TILT_ZOOM"]], "wake_lock_screen (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.WAKE_LOCK_SCREEN"]], "wake_lock_system (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.WAKE_LOCK_SYSTEM"]], "window_management (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.WINDOW_MANAGEMENT"]], "windowid (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.WindowID"]], "windowstate (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.WindowState"]], "add_privacy_sandbox_enrollment_override() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.add_privacy_sandbox_enrollment_override"]], "allow_without_sanitization (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.allow_without_sanitization"]], "buckets (histogram attribute)": [[7, "nodriver.cdp.browser.Histogram.buckets"]], "cancel_download() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.cancel_download"]], "close() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.close"]], "count (bucket attribute)": [[7, "nodriver.cdp.browser.Bucket.count"]], "count (histogram attribute)": [[7, "nodriver.cdp.browser.Histogram.count"]], "crash() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.crash"]], "crash_gpu_process() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.crash_gpu_process"]], "execute_browser_command() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.execute_browser_command"]], "frame_id (downloadwillbegin attribute)": [[7, "nodriver.cdp.browser.DownloadWillBegin.frame_id"], [36, "nodriver.cdp.page.DownloadWillBegin.frame_id"]], "get_browser_command_line() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_browser_command_line"]], "get_histogram() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_histogram"]], "get_histograms() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_histograms"]], "get_version() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_version"]], "get_window_bounds() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_window_bounds"]], "get_window_for_target() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_window_for_target"]], "grant_permissions() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.grant_permissions"]], "guid (downloadprogress attribute)": [[7, "nodriver.cdp.browser.DownloadProgress.guid"], [36, "nodriver.cdp.page.DownloadProgress.guid"]], "guid (downloadwillbegin attribute)": [[7, "nodriver.cdp.browser.DownloadWillBegin.guid"], [36, "nodriver.cdp.page.DownloadWillBegin.guid"]], "height (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.height"]], "high (bucket attribute)": [[7, "nodriver.cdp.browser.Bucket.high"]], "left (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.left"]], "low (bucket attribute)": [[7, "nodriver.cdp.browser.Bucket.low"]], "name (histogram attribute)": [[7, "nodriver.cdp.browser.Histogram.name"]], "name (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.name"]], "nodriver.cdp.browser": [[7, "module-nodriver.cdp.browser"]], "pan_tilt_zoom (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.pan_tilt_zoom"]], "received_bytes (downloadprogress attribute)": [[7, "nodriver.cdp.browser.DownloadProgress.received_bytes"], [36, "nodriver.cdp.page.DownloadProgress.received_bytes"]], "reset_permissions() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.reset_permissions"]], "set_dock_tile() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.set_dock_tile"]], "set_download_behavior() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.set_download_behavior"]], "set_permission() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.set_permission"]], "set_window_bounds() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.set_window_bounds"]], "state (downloadprogress attribute)": [[7, "nodriver.cdp.browser.DownloadProgress.state"], [36, "nodriver.cdp.page.DownloadProgress.state"]], "suggested_filename (downloadwillbegin attribute)": [[7, "nodriver.cdp.browser.DownloadWillBegin.suggested_filename"], [36, "nodriver.cdp.page.DownloadWillBegin.suggested_filename"]], "sum_ (histogram attribute)": [[7, "nodriver.cdp.browser.Histogram.sum_"]], "sysex (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.sysex"]], "top (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.top"]], "total_bytes (downloadprogress attribute)": [[7, "nodriver.cdp.browser.DownloadProgress.total_bytes"], [36, "nodriver.cdp.page.DownloadProgress.total_bytes"]], "url (downloadwillbegin attribute)": [[7, "nodriver.cdp.browser.DownloadWillBegin.url"], [36, "nodriver.cdp.page.DownloadWillBegin.url"]], "user_visible_only (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.user_visible_only"]], "width (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.width"]], "window_state (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.window_state"]], "basic (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.BASIC"]], "cors (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.CORS"]], "cache (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.Cache"]], "cacheid (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.CacheId"]], "cachedresponse (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.CachedResponse"]], "cachedresponsetype (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.CachedResponseType"]], "default (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.DEFAULT"]], "dataentry (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.DataEntry"]], "error (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.ERROR"]], "header (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.Header"]], "opaque_redirect (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.OPAQUE_REDIRECT"]], "opaque_response (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.OPAQUE_RESPONSE"]], "body (cachedresponse attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponse.body"]], "cache_id (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.cache_id"]], "cache_name (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.cache_name"]], "delete_cache() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.delete_cache"]], "delete_entry() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.delete_entry"]], "name (header attribute)": [[8, "nodriver.cdp.cache_storage.Header.name"]], "nodriver.cdp.cache_storage": [[8, "module-nodriver.cdp.cache_storage"]], "request_cache_names() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.request_cache_names"]], "request_cached_response() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.request_cached_response"]], "request_entries() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.request_entries"]], "request_headers (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.request_headers"]], "request_method (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.request_method"]], "request_url (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.request_url"]], "response_headers (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_headers"]], "response_status (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_status"]], "response_status_text (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_status_text"]], "response_time (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_time"]], "response_type (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_type"]], "security_origin (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.security_origin"]], "storage_bucket (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.storage_bucket"]], "storage_key (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.storage_key"]], "value (header attribute)": [[8, "nodriver.cdp.cache_storage.Header.value"]], "issueupdated (class in nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.IssueUpdated"]], "sink (class in nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.Sink"]], "sinksupdated (class in nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.SinksUpdated"]], "disable() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.disable"]], "enable() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.enable"]], "id_ (sink attribute)": [[9, "nodriver.cdp.cast.Sink.id_"]], "issue_message (issueupdated attribute)": [[9, "nodriver.cdp.cast.IssueUpdated.issue_message"]], "name (sink attribute)": [[9, "nodriver.cdp.cast.Sink.name"]], "nodriver.cdp.cast": [[9, "module-nodriver.cdp.cast"]], "session (sink attribute)": [[9, "nodriver.cdp.cast.Sink.session"]], "set_sink_to_use() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.set_sink_to_use"]], "sinks (sinksupdated attribute)": [[9, "nodriver.cdp.cast.SinksUpdated.sinks"]], "start_desktop_mirroring() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.start_desktop_mirroring"]], "start_tab_mirroring() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.start_tab_mirroring"]], "stop_casting() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.stop_casting"]], "consolemessage (class in nodriver.cdp.console)": [[10, "nodriver.cdp.console.ConsoleMessage"]], "messageadded (class in nodriver.cdp.console)": [[10, "nodriver.cdp.console.MessageAdded"]], "clear_messages() (in module nodriver.cdp.console)": [[10, "nodriver.cdp.console.clear_messages"]], "column (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.column"]], "disable() (in module nodriver.cdp.console)": [[10, "nodriver.cdp.console.disable"]], "enable() (in module nodriver.cdp.console)": [[10, "nodriver.cdp.console.enable"]], "level (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.level"]], "line (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.line"]], "message (messageadded attribute)": [[10, "nodriver.cdp.console.MessageAdded.message"]], "nodriver.cdp.console": [[10, "module-nodriver.cdp.console"]], "source (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.source"]], "text (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.text"]], "url (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.url"]], "container_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.CONTAINER_RULE"]], "csscomputedstyleproperty (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSComputedStyleProperty"]], "csscontainerquery (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSContainerQuery"]], "cssfontpalettevaluesrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule"]], "csskeyframerule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSKeyframeRule"]], "csskeyframesrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSKeyframesRule"]], "csslayer (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSLayer"]], "csslayerdata (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSLayerData"]], "cssmedia (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSMedia"]], "csspositionfallbackrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSPositionFallbackRule"]], "cssproperty (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSProperty"]], "csspropertyregistration (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSPropertyRegistration"]], "csspropertyrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSPropertyRule"]], "cssrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSRule"]], "cssruletype (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSRuleType"]], "cssscope (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSScope"]], "cssstyle (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSStyle"]], "cssstylesheetheader (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader"]], "csssupports (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSSupports"]], "csstryrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSTryRule"]], "fontface (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.FontFace"]], "fontvariationaxis (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.FontVariationAxis"]], "fontsupdated (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.FontsUpdated"]], "injected (stylesheetorigin attribute)": [[11, "nodriver.cdp.css.StyleSheetOrigin.INJECTED"]], "inspector (stylesheetorigin attribute)": [[11, "nodriver.cdp.css.StyleSheetOrigin.INSPECTOR"]], "inheritedpseudoelementmatches (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.InheritedPseudoElementMatches"]], "inheritedstyleentry (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.InheritedStyleEntry"]], "layer_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.LAYER_RULE"]], "media_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.MEDIA_RULE"]], "mediaquery (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.MediaQuery"]], "mediaqueryexpression (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.MediaQueryExpression"]], "mediaqueryresultchanged (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.MediaQueryResultChanged"]], "platformfontusage (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.PlatformFontUsage"]], "pseudoelementmatches (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.PseudoElementMatches"]], "regular (stylesheetorigin attribute)": [[11, "nodriver.cdp.css.StyleSheetOrigin.REGULAR"]], "rulematch (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.RuleMatch"]], "ruleusage (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.RuleUsage"]], "scope_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.SCOPE_RULE"]], "style_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.STYLE_RULE"]], "supports_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.SUPPORTS_RULE"]], "selectorlist (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.SelectorList"]], "shorthandentry (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.ShorthandEntry"]], "sourcerange (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.SourceRange"]], "specificity (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.Specificity"]], "styledeclarationedit (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleDeclarationEdit"]], "stylesheetadded (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetAdded"]], "stylesheetchanged (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetChanged"]], "stylesheetid (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetId"]], "stylesheetorigin (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetOrigin"]], "stylesheetremoved (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetRemoved"]], "user_agent (stylesheetorigin attribute)": [[11, "nodriver.cdp.css.StyleSheetOrigin.USER_AGENT"]], "value (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.Value"]], "a (specificity attribute)": [[11, "nodriver.cdp.css.Specificity.a"]], "active (csssupports attribute)": [[11, "nodriver.cdp.css.CSSSupports.active"]], "active (mediaquery attribute)": [[11, "nodriver.cdp.css.MediaQuery.active"]], "add_rule() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.add_rule"]], "animation_name (csskeyframesrule attribute)": [[11, "nodriver.cdp.css.CSSKeyframesRule.animation_name"]], "b (specificity attribute)": [[11, "nodriver.cdp.css.Specificity.b"]], "c (specificity attribute)": [[11, "nodriver.cdp.css.Specificity.c"]], "collect_class_names() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.collect_class_names"]], "computed_length (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.computed_length"]], "container_queries (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.container_queries"]], "create_style_sheet() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.create_style_sheet"]], "css_properties (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.css_properties"]], "css_text (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.css_text"]], "default_value (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.default_value"]], "disable() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.disable"]], "disabled (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.disabled"]], "disabled (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.disabled"]], "enable() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.enable"]], "end_column (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.end_column"]], "end_column (sourcerange attribute)": [[11, "nodriver.cdp.css.SourceRange.end_column"]], "end_line (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.end_line"]], "end_line (sourcerange attribute)": [[11, "nodriver.cdp.css.SourceRange.end_line"]], "end_offset (ruleusage attribute)": [[11, "nodriver.cdp.css.RuleUsage.end_offset"]], "expressions (mediaquery attribute)": [[11, "nodriver.cdp.css.MediaQuery.expressions"]], "family_name (platformfontusage attribute)": [[11, "nodriver.cdp.css.PlatformFontUsage.family_name"]], "feature (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.feature"]], "font (fontsupdated attribute)": [[11, "nodriver.cdp.css.FontsUpdated.font"]], "font_display (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_display"]], "font_family (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_family"]], "font_palette_name (cssfontpalettevaluesrule attribute)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule.font_palette_name"]], "font_stretch (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_stretch"]], "font_style (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_style"]], "font_variant (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_variant"]], "font_variation_axes (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_variation_axes"]], "font_weight (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_weight"]], "force_pseudo_state() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.force_pseudo_state"]], "frame_id (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.frame_id"]], "get_background_colors() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_background_colors"]], "get_computed_style_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_computed_style_for_node"]], "get_inline_styles_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_inline_styles_for_node"]], "get_layers_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_layers_for_node"]], "get_matched_styles_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_matched_styles_for_node"]], "get_media_queries() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_media_queries"]], "get_platform_fonts_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_platform_fonts_for_node"]], "get_style_sheet_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_style_sheet_text"]], "glyph_count (platformfontusage attribute)": [[11, "nodriver.cdp.css.PlatformFontUsage.glyph_count"]], "has_source_url (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.has_source_url"]], "header (stylesheetadded attribute)": [[11, "nodriver.cdp.css.StyleSheetAdded.header"]], "implicit (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.implicit"]], "important (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.important"]], "important (shorthandentry attribute)": [[11, "nodriver.cdp.css.ShorthandEntry.important"]], "inherits (csspropertyregistration attribute)": [[11, "nodriver.cdp.css.CSSPropertyRegistration.inherits"]], "initial_value (csspropertyregistration attribute)": [[11, "nodriver.cdp.css.CSSPropertyRegistration.initial_value"]], "inline_style (inheritedstyleentry attribute)": [[11, "nodriver.cdp.css.InheritedStyleEntry.inline_style"]], "is_constructed (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.is_constructed"]], "is_custom_font (platformfontusage attribute)": [[11, "nodriver.cdp.css.PlatformFontUsage.is_custom_font"]], "is_inline (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.is_inline"]], "is_mutable (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.is_mutable"]], "key_text (csskeyframerule attribute)": [[11, "nodriver.cdp.css.CSSKeyframeRule.key_text"]], "keyframes (csskeyframesrule attribute)": [[11, "nodriver.cdp.css.CSSKeyframesRule.keyframes"]], "layers (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.layers"]], "length (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.length"]], "loading_failed (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.loading_failed"]], "logical_axes (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.logical_axes"]], "longhand_properties (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.longhand_properties"]], "matched_css_rules (inheritedstyleentry attribute)": [[11, "nodriver.cdp.css.InheritedStyleEntry.matched_css_rules"]], "matches (pseudoelementmatches attribute)": [[11, "nodriver.cdp.css.PseudoElementMatches.matches"]], "matching_selectors (rulematch attribute)": [[11, "nodriver.cdp.css.RuleMatch.matching_selectors"]], "max_value (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.max_value"]], "media (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.media"]], "media_list (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.media_list"]], "min_value (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.min_value"]], "name (csscomputedstyleproperty attribute)": [[11, "nodriver.cdp.css.CSSComputedStyleProperty.name"], [16, "nodriver.cdp.dom.CSSComputedStyleProperty.name"]], "name (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.name"]], "name (csslayerdata attribute)": [[11, "nodriver.cdp.css.CSSLayerData.name"]], "name (csspositionfallbackrule attribute)": [[11, "nodriver.cdp.css.CSSPositionFallbackRule.name"]], "name (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.name"]], "name (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.name"]], "name (shorthandentry attribute)": [[11, "nodriver.cdp.css.ShorthandEntry.name"]], "nesting_selectors (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.nesting_selectors"]], "nodriver.cdp.css": [[11, "module-nodriver.cdp.css"]], "order (csslayerdata attribute)": [[11, "nodriver.cdp.css.CSSLayerData.order"]], "origin (cssfontpalettevaluesrule attribute)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule.origin"]], "origin (csskeyframerule attribute)": [[11, "nodriver.cdp.css.CSSKeyframeRule.origin"]], "origin (csspropertyrule attribute)": [[11, "nodriver.cdp.css.CSSPropertyRule.origin"]], "origin (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.origin"]], "origin (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.origin"]], "origin (csstryrule attribute)": [[11, "nodriver.cdp.css.CSSTryRule.origin"]], "owner_node (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.owner_node"]], "parsed_ok (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.parsed_ok"]], "physical_axes (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.physical_axes"]], "platform_font_family (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.platform_font_family"]], "post_script_name (platformfontusage attribute)": [[11, "nodriver.cdp.css.PlatformFontUsage.post_script_name"]], "property_name (csspropertyregistration attribute)": [[11, "nodriver.cdp.css.CSSPropertyRegistration.property_name"]], "property_name (csspropertyrule attribute)": [[11, "nodriver.cdp.css.CSSPropertyRule.property_name"]], "pseudo_elements (inheritedpseudoelementmatches attribute)": [[11, "nodriver.cdp.css.InheritedPseudoElementMatches.pseudo_elements"]], "pseudo_identifier (pseudoelementmatches attribute)": [[11, "nodriver.cdp.css.PseudoElementMatches.pseudo_identifier"]], "pseudo_type (pseudoelementmatches attribute)": [[11, "nodriver.cdp.css.PseudoElementMatches.pseudo_type"]], "range_ (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.range_"]], "range_ (csslayer attribute)": [[11, "nodriver.cdp.css.CSSLayer.range_"]], "range_ (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.range_"]], "range_ (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.range_"]], "range_ (cssscope attribute)": [[11, "nodriver.cdp.css.CSSScope.range_"]], "range_ (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.range_"]], "range_ (csssupports attribute)": [[11, "nodriver.cdp.css.CSSSupports.range_"]], "range_ (styledeclarationedit attribute)": [[11, "nodriver.cdp.css.StyleDeclarationEdit.range_"]], "range_ (value attribute)": [[11, "nodriver.cdp.css.Value.range_"]], "rule (rulematch attribute)": [[11, "nodriver.cdp.css.RuleMatch.rule"]], "rule_types (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.rule_types"]], "scopes (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.scopes"]], "selector_list (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.selector_list"]], "selectors (selectorlist attribute)": [[11, "nodriver.cdp.css.SelectorList.selectors"]], "set_container_query_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_container_query_text"]], "set_effective_property_value_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_effective_property_value_for_node"]], "set_keyframe_key() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_keyframe_key"]], "set_local_fonts_enabled() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_local_fonts_enabled"]], "set_media_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_media_text"]], "set_property_rule_property_name() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_property_rule_property_name"]], "set_rule_selector() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_rule_selector"]], "set_scope_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_scope_text"]], "set_style_sheet_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_style_sheet_text"]], "set_style_texts() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_style_texts"]], "set_supports_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_supports_text"]], "shorthand_entries (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.shorthand_entries"]], "source (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.source"]], "source_map_url (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.source_map_url"]], "source_url (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.source_url"]], "source_url (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.source_url"]], "specificity (value attribute)": [[11, "nodriver.cdp.css.Value.specificity"]], "src (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.src"]], "start_column (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.start_column"]], "start_column (sourcerange attribute)": [[11, "nodriver.cdp.css.SourceRange.start_column"]], "start_line (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.start_line"]], "start_line (sourcerange attribute)": [[11, "nodriver.cdp.css.SourceRange.start_line"]], "start_offset (ruleusage attribute)": [[11, "nodriver.cdp.css.RuleUsage.start_offset"]], "start_rule_usage_tracking() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.start_rule_usage_tracking"]], "stop_rule_usage_tracking() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.stop_rule_usage_tracking"]], "style (cssfontpalettevaluesrule attribute)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule.style"]], "style (csskeyframerule attribute)": [[11, "nodriver.cdp.css.CSSKeyframeRule.style"]], "style (csspropertyrule attribute)": [[11, "nodriver.cdp.css.CSSPropertyRule.style"]], "style (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.style"]], "style (csstryrule attribute)": [[11, "nodriver.cdp.css.CSSTryRule.style"]], "style_sheet_id (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.style_sheet_id"]], "style_sheet_id (cssfontpalettevaluesrule attribute)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule.style_sheet_id"]], "style_sheet_id (csskeyframerule attribute)": [[11, "nodriver.cdp.css.CSSKeyframeRule.style_sheet_id"]], "style_sheet_id (csslayer attribute)": [[11, "nodriver.cdp.css.CSSLayer.style_sheet_id"]], "style_sheet_id (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.style_sheet_id"]], "style_sheet_id (csspropertyrule attribute)": [[11, "nodriver.cdp.css.CSSPropertyRule.style_sheet_id"]], "style_sheet_id (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.style_sheet_id"]], "style_sheet_id (cssscope attribute)": [[11, "nodriver.cdp.css.CSSScope.style_sheet_id"]], "style_sheet_id (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.style_sheet_id"]], "style_sheet_id (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.style_sheet_id"]], "style_sheet_id (csssupports attribute)": [[11, "nodriver.cdp.css.CSSSupports.style_sheet_id"]], "style_sheet_id (csstryrule attribute)": [[11, "nodriver.cdp.css.CSSTryRule.style_sheet_id"]], "style_sheet_id (ruleusage attribute)": [[11, "nodriver.cdp.css.RuleUsage.style_sheet_id"]], "style_sheet_id (styledeclarationedit attribute)": [[11, "nodriver.cdp.css.StyleDeclarationEdit.style_sheet_id"]], "style_sheet_id (stylesheetchanged attribute)": [[11, "nodriver.cdp.css.StyleSheetChanged.style_sheet_id"]], "style_sheet_id (stylesheetremoved attribute)": [[11, "nodriver.cdp.css.StyleSheetRemoved.style_sheet_id"]], "sub_layers (csslayerdata attribute)": [[11, "nodriver.cdp.css.CSSLayerData.sub_layers"]], "supports (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.supports"]], "syntax (csspropertyregistration attribute)": [[11, "nodriver.cdp.css.CSSPropertyRegistration.syntax"]], "tag (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.tag"]], "take_computed_style_updates() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.take_computed_style_updates"]], "take_coverage_delta() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.take_coverage_delta"]], "text (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.text"]], "text (csslayer attribute)": [[11, "nodriver.cdp.css.CSSLayer.text"]], "text (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.text"]], "text (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.text"]], "text (cssscope attribute)": [[11, "nodriver.cdp.css.CSSScope.text"]], "text (csssupports attribute)": [[11, "nodriver.cdp.css.CSSSupports.text"]], "text (selectorlist attribute)": [[11, "nodriver.cdp.css.SelectorList.text"]], "text (styledeclarationedit attribute)": [[11, "nodriver.cdp.css.StyleDeclarationEdit.text"]], "text (value attribute)": [[11, "nodriver.cdp.css.Value.text"]], "title (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.title"]], "track_computed_style_updates() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.track_computed_style_updates"]], "try_rules (csspositionfallbackrule attribute)": [[11, "nodriver.cdp.css.CSSPositionFallbackRule.try_rules"]], "unicode_range (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.unicode_range"]], "unit (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.unit"]], "used (ruleusage attribute)": [[11, "nodriver.cdp.css.RuleUsage.used"]], "value (csscomputedstyleproperty attribute)": [[11, "nodriver.cdp.css.CSSComputedStyleProperty.value"], [16, "nodriver.cdp.dom.CSSComputedStyleProperty.value"]], "value (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.value"]], "value (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.value"]], "value (shorthandentry attribute)": [[11, "nodriver.cdp.css.ShorthandEntry.value"]], "value_range (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.value_range"]], "adddatabase (class in nodriver.cdp.database)": [[12, "nodriver.cdp.database.AddDatabase"]], "database (class in nodriver.cdp.database)": [[12, "nodriver.cdp.database.Database"]], "databaseid (class in nodriver.cdp.database)": [[12, "nodriver.cdp.database.DatabaseId"]], "error (class in nodriver.cdp.database)": [[12, "nodriver.cdp.database.Error"]], "code (error attribute)": [[12, "nodriver.cdp.database.Error.code"]], "database (adddatabase attribute)": [[12, "nodriver.cdp.database.AddDatabase.database"]], "disable() (in module nodriver.cdp.database)": [[12, "nodriver.cdp.database.disable"]], "domain (database attribute)": [[12, "nodriver.cdp.database.Database.domain"]], "enable() (in module nodriver.cdp.database)": [[12, "nodriver.cdp.database.enable"]], "execute_sql() (in module nodriver.cdp.database)": [[12, "nodriver.cdp.database.execute_sql"]], "get_database_table_names() (in module nodriver.cdp.database)": [[12, "nodriver.cdp.database.get_database_table_names"]], "id_ (database attribute)": [[12, "nodriver.cdp.database.Database.id_"]], "message (error attribute)": [[12, "nodriver.cdp.database.Error.message"]], "name (database attribute)": [[12, "nodriver.cdp.database.Database.name"]], "nodriver.cdp.database": [[12, "module-nodriver.cdp.database"]], "version (database attribute)": [[12, "nodriver.cdp.database.Database.version"]], "breaklocation (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.BreakLocation"]], "breakpointid (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.BreakpointId"]], "breakpointresolved (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.BreakpointResolved"]], "callframe (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.CallFrame"]], "callframeid (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.CallFrameId"]], "debugsymbols (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.DebugSymbols"]], "java_script (scriptlanguage attribute)": [[13, "nodriver.cdp.debugger.ScriptLanguage.JAVA_SCRIPT"]], "location (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.Location"]], "locationrange (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.LocationRange"]], "paused (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.Paused"]], "resumed (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.Resumed"]], "scope (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.Scope"]], "scriptfailedtoparse (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse"]], "scriptlanguage (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.ScriptLanguage"]], "scriptparsed (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.ScriptParsed"]], "scriptposition (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.ScriptPosition"]], "searchmatch (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.SearchMatch"]], "web_assembly (scriptlanguage attribute)": [[13, "nodriver.cdp.debugger.ScriptLanguage.WEB_ASSEMBLY"]], "wasmdisassemblychunk (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.WasmDisassemblyChunk"]], "async_call_stack_trace_id (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.async_call_stack_trace_id"]], "async_stack_trace (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.async_stack_trace"]], "async_stack_trace_id (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.async_stack_trace_id"]], "breakpoint_id (breakpointresolved attribute)": [[13, "nodriver.cdp.debugger.BreakpointResolved.breakpoint_id"]], "bytecode_offsets (wasmdisassemblychunk attribute)": [[13, "nodriver.cdp.debugger.WasmDisassemblyChunk.bytecode_offsets"]], "call_frame_id (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.call_frame_id"]], "call_frames (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.call_frames"]], "can_be_restarted (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.can_be_restarted"]], "code_offset (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.code_offset"]], "code_offset (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.code_offset"]], "column_number (breaklocation attribute)": [[13, "nodriver.cdp.debugger.BreakLocation.column_number"]], "column_number (location attribute)": [[13, "nodriver.cdp.debugger.Location.column_number"]], "column_number (scriptposition attribute)": [[13, "nodriver.cdp.debugger.ScriptPosition.column_number"]], "continue_to_location() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.continue_to_location"]], "data (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.data"]], "debug_symbols (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.debug_symbols"]], "disable() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.disable"]], "disassemble_wasm_module() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.disassemble_wasm_module"]], "embedder_name (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.embedder_name"]], "embedder_name (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.embedder_name"]], "enable() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.enable"]], "end (locationrange attribute)": [[13, "nodriver.cdp.debugger.LocationRange.end"]], "end_column (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.end_column"]], "end_column (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.end_column"]], "end_line (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.end_line"]], "end_line (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.end_line"]], "end_location (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.end_location"]], "evaluate_on_call_frame() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.evaluate_on_call_frame"]], "execution_context_aux_data (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.execution_context_aux_data"]], "execution_context_aux_data (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.execution_context_aux_data"]], "execution_context_id (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.execution_context_id"]], "execution_context_id (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.execution_context_id"]], "external_url (debugsymbols attribute)": [[13, "nodriver.cdp.debugger.DebugSymbols.external_url"]], "function_location (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.function_location"]], "function_name (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.function_name"], [41, "nodriver.cdp.runtime.CallFrame.function_name"]], "get_possible_breakpoints() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.get_possible_breakpoints"]], "get_script_source() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.get_script_source"]], "get_stack_trace() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.get_stack_trace"]], "get_wasm_bytecode() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.get_wasm_bytecode"]], "has_source_url (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.has_source_url"]], "has_source_url (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.has_source_url"]], "hash_ (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.hash_"]], "hash_ (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.hash_"]], "hit_breakpoints (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.hit_breakpoints"]], "is_live_edit (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.is_live_edit"]], "is_module (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.is_module"]], "is_module (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.is_module"]], "length (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.length"]], "length (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.length"]], "line_content (searchmatch attribute)": [[13, "nodriver.cdp.debugger.SearchMatch.line_content"]], "line_number (breaklocation attribute)": [[13, "nodriver.cdp.debugger.BreakLocation.line_number"]], "line_number (location attribute)": [[13, "nodriver.cdp.debugger.Location.line_number"]], "line_number (scriptposition attribute)": [[13, "nodriver.cdp.debugger.ScriptPosition.line_number"]], "line_number (searchmatch attribute)": [[13, "nodriver.cdp.debugger.SearchMatch.line_number"]], "lines (wasmdisassemblychunk attribute)": [[13, "nodriver.cdp.debugger.WasmDisassemblyChunk.lines"]], "location (breakpointresolved attribute)": [[13, "nodriver.cdp.debugger.BreakpointResolved.location"]], "location (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.location"]], "name (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.name"]], "next_wasm_disassembly_chunk() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.next_wasm_disassembly_chunk"]], "nodriver.cdp.debugger": [[13, "module-nodriver.cdp.debugger"]], "object_ (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.object_"]], "pause() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.pause"]], "pause_on_async_call() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.pause_on_async_call"]], "reason (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.reason"]], "remove_breakpoint() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.remove_breakpoint"]], "restart_frame() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.restart_frame"]], "resume() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.resume"]], "return_value (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.return_value"]], "scope_chain (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.scope_chain"]], "script_id (breaklocation attribute)": [[13, "nodriver.cdp.debugger.BreakLocation.script_id"]], "script_id (location attribute)": [[13, "nodriver.cdp.debugger.Location.script_id"]], "script_id (locationrange attribute)": [[13, "nodriver.cdp.debugger.LocationRange.script_id"]], "script_id (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.script_id"]], "script_id (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.script_id"]], "script_language (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.script_language"]], "script_language (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.script_language"]], "search_in_content() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.search_in_content"]], "set_async_call_stack_depth() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_async_call_stack_depth"]], "set_blackbox_patterns() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_blackbox_patterns"]], "set_blackboxed_ranges() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_blackboxed_ranges"]], "set_breakpoint() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_breakpoint"]], "set_breakpoint_by_url() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_breakpoint_by_url"]], "set_breakpoint_on_function_call() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_breakpoint_on_function_call"]], "set_breakpoints_active() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_breakpoints_active"]], "set_instrumentation_breakpoint() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_instrumentation_breakpoint"]], "set_pause_on_exceptions() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_pause_on_exceptions"]], "set_return_value() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_return_value"]], "set_script_source() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_script_source"]], "set_skip_all_pauses() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_skip_all_pauses"]], "set_variable_value() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_variable_value"]], "source_map_url (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.source_map_url"]], "source_map_url (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.source_map_url"]], "stack_trace (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.stack_trace"]], "stack_trace (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.stack_trace"]], "start (locationrange attribute)": [[13, "nodriver.cdp.debugger.LocationRange.start"]], "start_column (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.start_column"]], "start_column (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.start_column"]], "start_line (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.start_line"]], "start_line (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.start_line"]], "start_location (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.start_location"]], "step_into() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.step_into"]], "step_out() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.step_out"]], "step_over() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.step_over"]], "this (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.this"]], "type_ (breaklocation attribute)": [[13, "nodriver.cdp.debugger.BreakLocation.type_"]], "type_ (debugsymbols attribute)": [[13, "nodriver.cdp.debugger.DebugSymbols.type_"]], "type_ (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.type_"]], "url (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.url"], [41, "nodriver.cdp.runtime.CallFrame.url"]], "url (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.url"]], "url (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.url"]], "deviceid (class in nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.DeviceId"]], "devicerequestprompted (class in nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.DeviceRequestPrompted"]], "promptdevice (class in nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.PromptDevice"]], "requestid (class in nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.RequestId"]], "cancel_prompt() (in module nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.cancel_prompt"]], "devices (devicerequestprompted attribute)": [[14, "nodriver.cdp.device_access.DeviceRequestPrompted.devices"]], "disable() (in module nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.disable"]], "enable() (in module nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.enable"]], "id_ (devicerequestprompted attribute)": [[14, "nodriver.cdp.device_access.DeviceRequestPrompted.id_"]], "id_ (promptdevice attribute)": [[14, "nodriver.cdp.device_access.PromptDevice.id_"]], "name (promptdevice attribute)": [[14, "nodriver.cdp.device_access.PromptDevice.name"]], "nodriver.cdp.device_access": [[14, "module-nodriver.cdp.device_access"]], "select_prompt() (in module nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.select_prompt"]], "clear_device_orientation_override() (in module nodriver.cdp.device_orientation)": [[15, "nodriver.cdp.device_orientation.clear_device_orientation_override"]], "nodriver.cdp.device_orientation": [[15, "module-nodriver.cdp.device_orientation"]], "set_device_orientation_override() (in module nodriver.cdp.device_orientation)": [[15, "nodriver.cdp.device_orientation.set_device_orientation_override"]], "after (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.AFTER"]], "attributemodified (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.AttributeModified"]], "attributeremoved (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.AttributeRemoved"]], "backdrop (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.BACKDROP"]], "before (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.BEFORE"]], "block (logicalaxes attribute)": [[16, "nodriver.cdp.dom.LogicalAxes.BLOCK"]], "both (logicalaxes attribute)": [[16, "nodriver.cdp.dom.LogicalAxes.BOTH"]], "both (physicalaxes attribute)": [[16, "nodriver.cdp.dom.PhysicalAxes.BOTH"]], "backendnode (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.BackendNode"]], "backendnodeid (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.BackendNodeId"]], "boxmodel (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.BoxModel"]], "closed (shadowroottype attribute)": [[16, "nodriver.cdp.dom.ShadowRootType.CLOSED"]], "csscomputedstyleproperty (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.CSSComputedStyleProperty"]], "characterdatamodified (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.CharacterDataModified"]], "childnodecountupdated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ChildNodeCountUpdated"]], "childnodeinserted (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ChildNodeInserted"]], "childnoderemoved (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ChildNodeRemoved"]], "compatibilitymode (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.CompatibilityMode"]], "distributednodesupdated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.DistributedNodesUpdated"]], "documentupdated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.DocumentUpdated"]], "first_letter (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.FIRST_LETTER"]], "first_line (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.FIRST_LINE"]], "first_line_inherited (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.FIRST_LINE_INHERITED"]], "grammar_error (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.GRAMMAR_ERROR"]], "highlight (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.HIGHLIGHT"]], "horizontal (physicalaxes attribute)": [[16, "nodriver.cdp.dom.PhysicalAxes.HORIZONTAL"]], "inline (logicalaxes attribute)": [[16, "nodriver.cdp.dom.LogicalAxes.INLINE"]], "input_list_button (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.INPUT_LIST_BUTTON"]], "inlinestyleinvalidated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.InlineStyleInvalidated"]], "limited_quirks_mode (compatibilitymode attribute)": [[16, "nodriver.cdp.dom.CompatibilityMode.LIMITED_QUIRKS_MODE"]], "logicalaxes (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.LogicalAxes"]], "marker (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.MARKER"]], "no_quirks_mode (compatibilitymode attribute)": [[16, "nodriver.cdp.dom.CompatibilityMode.NO_QUIRKS_MODE"]], "node (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.Node"]], "nodeid (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.NodeId"]], "open_ (shadowroottype attribute)": [[16, "nodriver.cdp.dom.ShadowRootType.OPEN_"]], "physicalaxes (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.PhysicalAxes"]], "pseudoelementadded (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.PseudoElementAdded"]], "pseudoelementremoved (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.PseudoElementRemoved"]], "pseudotype (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.PseudoType"]], "quirks_mode (compatibilitymode attribute)": [[16, "nodriver.cdp.dom.CompatibilityMode.QUIRKS_MODE"]], "quad (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.Quad"]], "resizer (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.RESIZER"]], "rgba (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.RGBA"]], "rect (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.Rect"]], "scrollbar (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR"]], "scrollbar_button (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_BUTTON"]], "scrollbar_corner (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_CORNER"]], "scrollbar_thumb (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_THUMB"]], "scrollbar_track (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_TRACK"]], "scrollbar_track_piece (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_TRACK_PIECE"]], "selection (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SELECTION"]], "spelling_error (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SPELLING_ERROR"]], "setchildnodes (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.SetChildNodes"]], "shadowrootpopped (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ShadowRootPopped"]], "shadowrootpushed (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ShadowRootPushed"]], "shadowroottype (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ShadowRootType"]], "shapeoutsideinfo (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ShapeOutsideInfo"]], "target_text (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.TARGET_TEXT"]], "toplayerelementsupdated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.TopLayerElementsUpdated"]], "user_agent (shadowroottype attribute)": [[16, "nodriver.cdp.dom.ShadowRootType.USER_AGENT"]], "vertical (physicalaxes attribute)": [[16, "nodriver.cdp.dom.PhysicalAxes.VERTICAL"]], "view_transition (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION"]], "view_transition_group (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION_GROUP"]], "view_transition_image_pair (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION_IMAGE_PAIR"]], "view_transition_new (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION_NEW"]], "view_transition_old (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION_OLD"]], "a (rgba attribute)": [[16, "nodriver.cdp.dom.RGBA.a"]], "assigned_slot (node attribute)": [[16, "nodriver.cdp.dom.Node.assigned_slot"]], "attributes (node attribute)": [[16, "nodriver.cdp.dom.Node.attributes"]], "b (rgba attribute)": [[16, "nodriver.cdp.dom.RGBA.b"]], "backend_node_id (backendnode attribute)": [[16, "nodriver.cdp.dom.BackendNode.backend_node_id"]], "backend_node_id (node attribute)": [[16, "nodriver.cdp.dom.Node.backend_node_id"]], "base_url (node attribute)": [[16, "nodriver.cdp.dom.Node.base_url"]], "border (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.border"]], "bounds (shapeoutsideinfo attribute)": [[16, "nodriver.cdp.dom.ShapeOutsideInfo.bounds"]], "character_data (characterdatamodified attribute)": [[16, "nodriver.cdp.dom.CharacterDataModified.character_data"]], "child_node_count (childnodecountupdated attribute)": [[16, "nodriver.cdp.dom.ChildNodeCountUpdated.child_node_count"]], "child_node_count (node attribute)": [[16, "nodriver.cdp.dom.Node.child_node_count"]], "children (node attribute)": [[16, "nodriver.cdp.dom.Node.children"]], "collect_class_names_from_subtree() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.collect_class_names_from_subtree"]], "compatibility_mode (node attribute)": [[16, "nodriver.cdp.dom.Node.compatibility_mode"]], "content (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.content"]], "content_document (node attribute)": [[16, "nodriver.cdp.dom.Node.content_document"]], "copy_to() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.copy_to"]], "describe_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.describe_node"]], "disable() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.disable"]], "discard_search_results() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.discard_search_results"]], "distributed_nodes (distributednodesupdated attribute)": [[16, "nodriver.cdp.dom.DistributedNodesUpdated.distributed_nodes"]], "distributed_nodes (node attribute)": [[16, "nodriver.cdp.dom.Node.distributed_nodes"]], "document_url (node attribute)": [[16, "nodriver.cdp.dom.Node.document_url"]], "enable() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.enable"]], "focus() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.focus"]], "frame_id (node attribute)": [[16, "nodriver.cdp.dom.Node.frame_id"]], "g (rgba attribute)": [[16, "nodriver.cdp.dom.RGBA.g"]], "get_attributes() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_attributes"]], "get_box_model() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_box_model"]], "get_container_for_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_container_for_node"]], "get_content_quads() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_content_quads"]], "get_document() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_document"]], "get_file_info() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_file_info"]], "get_flattened_document() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_flattened_document"]], "get_frame_owner() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_frame_owner"]], "get_node_for_location() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_node_for_location"]], "get_node_stack_traces() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_node_stack_traces"]], "get_nodes_for_subtree_by_style() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_nodes_for_subtree_by_style"]], "get_outer_html() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_outer_html"]], "get_querying_descendants_for_container() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_querying_descendants_for_container"]], "get_relayout_boundary() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_relayout_boundary"]], "get_search_results() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_search_results"]], "get_top_layer_elements() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_top_layer_elements"]], "height (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.height"]], "height (rect attribute)": [[16, "nodriver.cdp.dom.Rect.height"]], "hide_highlight() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.hide_highlight"]], "highlight_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.highlight_node"]], "highlight_rect() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.highlight_rect"]], "host_id (shadowrootpopped attribute)": [[16, "nodriver.cdp.dom.ShadowRootPopped.host_id"]], "host_id (shadowrootpushed attribute)": [[16, "nodriver.cdp.dom.ShadowRootPushed.host_id"]], "imported_document (node attribute)": [[16, "nodriver.cdp.dom.Node.imported_document"]], "insertion_point_id (distributednodesupdated attribute)": [[16, "nodriver.cdp.dom.DistributedNodesUpdated.insertion_point_id"]], "internal_subset (node attribute)": [[16, "nodriver.cdp.dom.Node.internal_subset"]], "is_svg (node attribute)": [[16, "nodriver.cdp.dom.Node.is_svg"]], "local_name (node attribute)": [[16, "nodriver.cdp.dom.Node.local_name"]], "margin (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.margin"]], "margin_shape (shapeoutsideinfo attribute)": [[16, "nodriver.cdp.dom.ShapeOutsideInfo.margin_shape"]], "mark_undoable_state() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.mark_undoable_state"]], "move_to() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.move_to"]], "name (attributemodified attribute)": [[16, "nodriver.cdp.dom.AttributeModified.name"]], "name (attributeremoved attribute)": [[16, "nodriver.cdp.dom.AttributeRemoved.name"]], "name (node attribute)": [[16, "nodriver.cdp.dom.Node.name"]], "node (childnodeinserted attribute)": [[16, "nodriver.cdp.dom.ChildNodeInserted.node"]], "node_id (attributemodified attribute)": [[16, "nodriver.cdp.dom.AttributeModified.node_id"]], "node_id (attributeremoved attribute)": [[16, "nodriver.cdp.dom.AttributeRemoved.node_id"]], "node_id (characterdatamodified attribute)": [[16, "nodriver.cdp.dom.CharacterDataModified.node_id"]], "node_id (childnodecountupdated attribute)": [[16, "nodriver.cdp.dom.ChildNodeCountUpdated.node_id"]], "node_id (childnoderemoved attribute)": [[16, "nodriver.cdp.dom.ChildNodeRemoved.node_id"]], "node_id (node attribute)": [[16, "nodriver.cdp.dom.Node.node_id"]], "node_ids (inlinestyleinvalidated attribute)": [[16, "nodriver.cdp.dom.InlineStyleInvalidated.node_ids"]], "node_name (backendnode attribute)": [[16, "nodriver.cdp.dom.BackendNode.node_name"]], "node_name (node attribute)": [[16, "nodriver.cdp.dom.Node.node_name"]], "node_type (backendnode attribute)": [[16, "nodriver.cdp.dom.BackendNode.node_type"]], "node_type (node attribute)": [[16, "nodriver.cdp.dom.Node.node_type"]], "node_value (node attribute)": [[16, "nodriver.cdp.dom.Node.node_value"]], "nodes (setchildnodes attribute)": [[16, "nodriver.cdp.dom.SetChildNodes.nodes"]], "nodriver.cdp.dom": [[16, "module-nodriver.cdp.dom"]], "padding (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.padding"]], "parent_id (node attribute)": [[16, "nodriver.cdp.dom.Node.parent_id"]], "parent_id (pseudoelementadded attribute)": [[16, "nodriver.cdp.dom.PseudoElementAdded.parent_id"]], "parent_id (pseudoelementremoved attribute)": [[16, "nodriver.cdp.dom.PseudoElementRemoved.parent_id"]], "parent_id (setchildnodes attribute)": [[16, "nodriver.cdp.dom.SetChildNodes.parent_id"]], "parent_node_id (childnodeinserted attribute)": [[16, "nodriver.cdp.dom.ChildNodeInserted.parent_node_id"]], "parent_node_id (childnoderemoved attribute)": [[16, "nodriver.cdp.dom.ChildNodeRemoved.parent_node_id"]], "perform_search() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.perform_search"]], "previous_node_id (childnodeinserted attribute)": [[16, "nodriver.cdp.dom.ChildNodeInserted.previous_node_id"]], "pseudo_element (pseudoelementadded attribute)": [[16, "nodriver.cdp.dom.PseudoElementAdded.pseudo_element"]], "pseudo_element_id (pseudoelementremoved attribute)": [[16, "nodriver.cdp.dom.PseudoElementRemoved.pseudo_element_id"]], "pseudo_elements (node attribute)": [[16, "nodriver.cdp.dom.Node.pseudo_elements"]], "pseudo_identifier (node attribute)": [[16, "nodriver.cdp.dom.Node.pseudo_identifier"]], "pseudo_type (node attribute)": [[16, "nodriver.cdp.dom.Node.pseudo_type"]], "public_id (node attribute)": [[16, "nodriver.cdp.dom.Node.public_id"]], "push_node_by_path_to_frontend() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.push_node_by_path_to_frontend"]], "push_nodes_by_backend_ids_to_frontend() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.push_nodes_by_backend_ids_to_frontend"]], "query_selector() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.query_selector"]], "query_selector_all() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.query_selector_all"]], "r (rgba attribute)": [[16, "nodriver.cdp.dom.RGBA.r"]], "redo() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.redo"]], "remove_attribute() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.remove_attribute"]], "remove_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.remove_node"]], "request_child_nodes() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.request_child_nodes"]], "request_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.request_node"]], "resolve_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.resolve_node"]], "root (shadowrootpushed attribute)": [[16, "nodriver.cdp.dom.ShadowRootPushed.root"]], "root_id (shadowrootpopped attribute)": [[16, "nodriver.cdp.dom.ShadowRootPopped.root_id"]], "scroll_into_view_if_needed() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.scroll_into_view_if_needed"]], "set_attribute_value() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_attribute_value"]], "set_attributes_as_text() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_attributes_as_text"]], "set_file_input_files() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_file_input_files"]], "set_inspected_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_inspected_node"]], "set_node_name() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_node_name"]], "set_node_stack_traces_enabled() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_node_stack_traces_enabled"]], "set_node_value() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_node_value"]], "set_outer_html() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_outer_html"]], "shadow_root_type (node attribute)": [[16, "nodriver.cdp.dom.Node.shadow_root_type"]], "shadow_roots (node attribute)": [[16, "nodriver.cdp.dom.Node.shadow_roots"]], "shape (shapeoutsideinfo attribute)": [[16, "nodriver.cdp.dom.ShapeOutsideInfo.shape"]], "shape_outside (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.shape_outside"]], "system_id (node attribute)": [[16, "nodriver.cdp.dom.Node.system_id"]], "template_content (node attribute)": [[16, "nodriver.cdp.dom.Node.template_content"]], "undo() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.undo"]], "value (attributemodified attribute)": [[16, "nodriver.cdp.dom.AttributeModified.value"]], "value (node attribute)": [[16, "nodriver.cdp.dom.Node.value"]], "width (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.width"]], "width (rect attribute)": [[16, "nodriver.cdp.dom.Rect.width"]], "x (rect attribute)": [[16, "nodriver.cdp.dom.Rect.x"]], "xml_version (node attribute)": [[16, "nodriver.cdp.dom.Node.xml_version"]], "y (rect attribute)": [[16, "nodriver.cdp.dom.Rect.y"]], "attribute_modified (dombreakpointtype attribute)": [[17, "nodriver.cdp.dom_debugger.DOMBreakpointType.ATTRIBUTE_MODIFIED"]], "cspviolationtype (class in nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.CSPViolationType"]], "dombreakpointtype (class in nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.DOMBreakpointType"]], "eventlistener (class in nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.EventListener"]], "node_removed (dombreakpointtype attribute)": [[17, "nodriver.cdp.dom_debugger.DOMBreakpointType.NODE_REMOVED"]], "subtree_modified (dombreakpointtype attribute)": [[17, "nodriver.cdp.dom_debugger.DOMBreakpointType.SUBTREE_MODIFIED"]], "trustedtype_policy_violation (cspviolationtype attribute)": [[17, "nodriver.cdp.dom_debugger.CSPViolationType.TRUSTEDTYPE_POLICY_VIOLATION"]], "trustedtype_sink_violation (cspviolationtype attribute)": [[17, "nodriver.cdp.dom_debugger.CSPViolationType.TRUSTEDTYPE_SINK_VIOLATION"]], "backend_node_id (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.backend_node_id"]], "column_number (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.column_number"]], "get_event_listeners() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.get_event_listeners"]], "handler (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.handler"]], "line_number (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.line_number"]], "nodriver.cdp.dom_debugger": [[17, "module-nodriver.cdp.dom_debugger"]], "once (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.once"]], "original_handler (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.original_handler"]], "passive (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.passive"]], "remove_dom_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.remove_dom_breakpoint"]], "remove_event_listener_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.remove_event_listener_breakpoint"]], "remove_instrumentation_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.remove_instrumentation_breakpoint"]], "remove_xhr_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.remove_xhr_breakpoint"]], "script_id (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.script_id"]], "set_break_on_csp_violation() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_break_on_csp_violation"]], "set_dom_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_dom_breakpoint"]], "set_event_listener_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_event_listener_breakpoint"]], "set_instrumentation_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_instrumentation_breakpoint"]], "set_xhr_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_xhr_breakpoint"]], "type_ (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.type_"]], "use_capture (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.use_capture"]], "arrayofstrings (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.ArrayOfStrings"]], "computedstyle (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.ComputedStyle"]], "domnode (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.DOMNode"]], "documentsnapshot (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot"]], "inlinetextbox (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.InlineTextBox"]], "layouttreenode (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode"]], "layouttreesnapshot (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot"]], "namevalue (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.NameValue"]], "nodetreesnapshot (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot"]], "rarebooleandata (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.RareBooleanData"]], "rareintegerdata (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.RareIntegerData"]], "rarestringdata (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.RareStringData"]], "rectangle (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.Rectangle"]], "stringindex (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.StringIndex"]], "textboxsnapshot (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot"]], "attributes (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.attributes"]], "attributes (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.attributes"]], "backend_node_id (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.backend_node_id"]], "backend_node_id (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.backend_node_id"]], "base_url (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.base_url"]], "base_url (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.base_url"]], "blended_background_colors (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.blended_background_colors"]], "bounding_box (inlinetextbox attribute)": [[18, "nodriver.cdp.dom_snapshot.InlineTextBox.bounding_box"]], "bounding_box (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.bounding_box"]], "bounds (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.bounds"]], "bounds (textboxsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot.bounds"]], "capture_snapshot() (in module nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.capture_snapshot"]], "child_node_indexes (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.child_node_indexes"]], "client_rects (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.client_rects"]], "content_document_index (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.content_document_index"]], "content_document_index (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.content_document_index"]], "content_height (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.content_height"]], "content_language (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.content_language"]], "content_language (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.content_language"]], "content_width (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.content_width"]], "current_source_url (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.current_source_url"]], "current_source_url (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.current_source_url"]], "disable() (in module nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.disable"]], "document_encoding (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.document_encoding"]], "document_url (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.document_url"]], "document_url (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.document_url"]], "dom_node_index (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.dom_node_index"]], "enable() (in module nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.enable"]], "encoding_name (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.encoding_name"]], "event_listeners (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.event_listeners"]], "frame_id (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.frame_id"]], "frame_id (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.frame_id"]], "get_snapshot() (in module nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.get_snapshot"]], "index (rarebooleandata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareBooleanData.index"]], "index (rareintegerdata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareIntegerData.index"]], "index (rarestringdata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareStringData.index"]], "inline_text_nodes (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.inline_text_nodes"]], "input_checked (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.input_checked"]], "input_checked (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.input_checked"]], "input_value (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.input_value"]], "input_value (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.input_value"]], "is_clickable (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.is_clickable"]], "is_clickable (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.is_clickable"]], "is_stacking_context (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.is_stacking_context"]], "layout (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.layout"]], "layout_index (textboxsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot.layout_index"]], "layout_node_index (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.layout_node_index"]], "layout_text (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.layout_text"]], "length (textboxsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot.length"]], "name (namevalue attribute)": [[18, "nodriver.cdp.dom_snapshot.NameValue.name"]], "node_index (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.node_index"]], "node_name (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.node_name"]], "node_name (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.node_name"]], "node_type (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.node_type"]], "node_type (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.node_type"]], "node_value (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.node_value"]], "node_value (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.node_value"]], "nodes (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.nodes"]], "nodriver.cdp.dom_snapshot": [[18, "module-nodriver.cdp.dom_snapshot"]], "num_characters (inlinetextbox attribute)": [[18, "nodriver.cdp.dom_snapshot.InlineTextBox.num_characters"]], "offset_rects (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.offset_rects"]], "option_selected (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.option_selected"]], "option_selected (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.option_selected"]], "origin_url (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.origin_url"]], "origin_url (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.origin_url"]], "paint_order (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.paint_order"]], "paint_orders (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.paint_orders"]], "parent_index (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.parent_index"]], "properties (computedstyle attribute)": [[18, "nodriver.cdp.dom_snapshot.ComputedStyle.properties"]], "pseudo_element_indexes (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.pseudo_element_indexes"]], "pseudo_identifier (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.pseudo_identifier"]], "pseudo_type (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.pseudo_type"]], "pseudo_type (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.pseudo_type"]], "public_id (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.public_id"]], "public_id (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.public_id"]], "scroll_offset_x (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.scroll_offset_x"]], "scroll_offset_x (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.scroll_offset_x"]], "scroll_offset_y (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.scroll_offset_y"]], "scroll_offset_y (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.scroll_offset_y"]], "scroll_rects (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.scroll_rects"]], "shadow_root_type (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.shadow_root_type"]], "shadow_root_type (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.shadow_root_type"]], "stacking_contexts (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.stacking_contexts"]], "start (textboxsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot.start"]], "start_character_index (inlinetextbox attribute)": [[18, "nodriver.cdp.dom_snapshot.InlineTextBox.start_character_index"]], "style_index (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.style_index"]], "styles (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.styles"]], "system_id (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.system_id"]], "system_id (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.system_id"]], "text (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.text"]], "text_boxes (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.text_boxes"]], "text_color_opacities (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.text_color_opacities"]], "text_value (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.text_value"]], "text_value (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.text_value"]], "title (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.title"]], "value (namevalue attribute)": [[18, "nodriver.cdp.dom_snapshot.NameValue.value"]], "value (rareintegerdata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareIntegerData.value"]], "value (rarestringdata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareStringData.value"]], "domstorageitemadded (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.DomStorageItemAdded"]], "domstorageitemremoved (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.DomStorageItemRemoved"]], "domstorageitemupdated (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated"]], "domstorageitemscleared (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.DomStorageItemsCleared"]], "item (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.Item"]], "serializedstoragekey (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.SerializedStorageKey"]], "storageid (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.StorageId"]], "clear() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.clear"]], "disable() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.disable"]], "enable() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.enable"]], "get_dom_storage_items() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.get_dom_storage_items"]], "is_local_storage (storageid attribute)": [[19, "nodriver.cdp.dom_storage.StorageId.is_local_storage"]], "key (domstorageitemadded attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemAdded.key"]], "key (domstorageitemremoved attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemRemoved.key"]], "key (domstorageitemupdated attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated.key"]], "new_value (domstorageitemadded attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemAdded.new_value"]], "new_value (domstorageitemupdated attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated.new_value"]], "nodriver.cdp.dom_storage": [[19, "module-nodriver.cdp.dom_storage"]], "old_value (domstorageitemupdated attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated.old_value"]], "remove_dom_storage_item() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.remove_dom_storage_item"]], "security_origin (storageid attribute)": [[19, "nodriver.cdp.dom_storage.StorageId.security_origin"]], "set_dom_storage_item() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.set_dom_storage_item"]], "storage_id (domstorageitemadded attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemAdded.storage_id"]], "storage_id (domstorageitemremoved attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemRemoved.storage_id"]], "storage_id (domstorageitemupdated attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated.storage_id"]], "storage_id (domstorageitemscleared attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemsCleared.storage_id"]], "storage_key (storageid attribute)": [[19, "nodriver.cdp.dom_storage.StorageId.storage_key"]], "absolute_orientation (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.ABSOLUTE_ORIENTATION"]], "accelerometer (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.ACCELEROMETER"]], "advance (virtualtimepolicy attribute)": [[20, "nodriver.cdp.emulation.VirtualTimePolicy.ADVANCE"]], "ambient_light (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.AMBIENT_LIGHT"]], "avif (disabledimagetype attribute)": [[20, "nodriver.cdp.emulation.DisabledImageType.AVIF"]], "deviceposture (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.DevicePosture"]], "disabledimagetype (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.DisabledImageType"]], "displayfeature (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.DisplayFeature"]], "gravity (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.GRAVITY"]], "gyroscope (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.GYROSCOPE"]], "linear_acceleration (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.LINEAR_ACCELERATION"]], "magnetometer (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.MAGNETOMETER"]], "mediafeature (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.MediaFeature"]], "pause (virtualtimepolicy attribute)": [[20, "nodriver.cdp.emulation.VirtualTimePolicy.PAUSE"]], "pause_if_network_fetches_pending (virtualtimepolicy attribute)": [[20, "nodriver.cdp.emulation.VirtualTimePolicy.PAUSE_IF_NETWORK_FETCHES_PENDING"]], "proximity (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.PROXIMITY"]], "relative_orientation (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.RELATIVE_ORIENTATION"]], "screenorientation (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.ScreenOrientation"]], "sensormetadata (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorMetadata"]], "sensorreading (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorReading"]], "sensorreadingquaternion (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion"]], "sensorreadingsingle (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorReadingSingle"]], "sensorreadingxyz (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorReadingXYZ"]], "sensortype (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorType"]], "useragentbrandversion (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.UserAgentBrandVersion"]], "useragentmetadata (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.UserAgentMetadata"]], "virtualtimebudgetexpired (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.VirtualTimeBudgetExpired"]], "virtualtimepolicy (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.VirtualTimePolicy"]], "webp (disabledimagetype attribute)": [[20, "nodriver.cdp.emulation.DisabledImageType.WEBP"]], "angle (screenorientation attribute)": [[20, "nodriver.cdp.emulation.ScreenOrientation.angle"]], "architecture (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.architecture"]], "available (sensormetadata attribute)": [[20, "nodriver.cdp.emulation.SensorMetadata.available"]], "bitness (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.bitness"]], "brand (useragentbrandversion attribute)": [[20, "nodriver.cdp.emulation.UserAgentBrandVersion.brand"]], "brands (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.brands"]], "can_emulate() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.can_emulate"]], "clear_device_metrics_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.clear_device_metrics_override"]], "clear_geolocation_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.clear_geolocation_override"]], "clear_idle_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.clear_idle_override"]], "full_version (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.full_version"]], "full_version_list (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.full_version_list"]], "get_overridden_sensor_information() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.get_overridden_sensor_information"]], "mask_length (displayfeature attribute)": [[20, "nodriver.cdp.emulation.DisplayFeature.mask_length"]], "maximum_frequency (sensormetadata attribute)": [[20, "nodriver.cdp.emulation.SensorMetadata.maximum_frequency"]], "minimum_frequency (sensormetadata attribute)": [[20, "nodriver.cdp.emulation.SensorMetadata.minimum_frequency"]], "mobile (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.mobile"]], "model (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.model"]], "name (mediafeature attribute)": [[20, "nodriver.cdp.emulation.MediaFeature.name"]], "nodriver.cdp.emulation": [[20, "module-nodriver.cdp.emulation"]], "offset (displayfeature attribute)": [[20, "nodriver.cdp.emulation.DisplayFeature.offset"]], "orientation (displayfeature attribute)": [[20, "nodriver.cdp.emulation.DisplayFeature.orientation"]], "platform (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.platform"]], "platform_version (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.platform_version"]], "quaternion (sensorreading attribute)": [[20, "nodriver.cdp.emulation.SensorReading.quaternion"]], "reset_page_scale_factor() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.reset_page_scale_factor"]], "set_auto_dark_mode_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_auto_dark_mode_override"]], "set_automation_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_automation_override"]], "set_cpu_throttling_rate() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_cpu_throttling_rate"]], "set_default_background_color_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_default_background_color_override"]], "set_device_metrics_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_device_metrics_override"]], "set_disabled_image_types() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_disabled_image_types"]], "set_document_cookie_disabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_document_cookie_disabled"]], "set_emit_touch_events_for_mouse() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_emit_touch_events_for_mouse"]], "set_emulated_media() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_emulated_media"]], "set_emulated_vision_deficiency() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_emulated_vision_deficiency"]], "set_focus_emulation_enabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_focus_emulation_enabled"]], "set_geolocation_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_geolocation_override"]], "set_hardware_concurrency_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_hardware_concurrency_override"]], "set_idle_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_idle_override"]], "set_locale_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_locale_override"]], "set_navigator_overrides() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_navigator_overrides"]], "set_page_scale_factor() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_page_scale_factor"]], "set_script_execution_disabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_script_execution_disabled"]], "set_scrollbars_hidden() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_scrollbars_hidden"]], "set_sensor_override_enabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_sensor_override_enabled"]], "set_sensor_override_readings() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_sensor_override_readings"]], "set_timezone_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_timezone_override"]], "set_touch_emulation_enabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_touch_emulation_enabled"]], "set_user_agent_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_user_agent_override"]], "set_virtual_time_policy() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_virtual_time_policy"]], "set_visible_size() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_visible_size"]], "single (sensorreading attribute)": [[20, "nodriver.cdp.emulation.SensorReading.single"]], "type_ (deviceposture attribute)": [[20, "nodriver.cdp.emulation.DevicePosture.type_"]], "type_ (screenorientation attribute)": [[20, "nodriver.cdp.emulation.ScreenOrientation.type_"]], "value (mediafeature attribute)": [[20, "nodriver.cdp.emulation.MediaFeature.value"]], "value (sensorreadingsingle attribute)": [[20, "nodriver.cdp.emulation.SensorReadingSingle.value"]], "version (useragentbrandversion attribute)": [[20, "nodriver.cdp.emulation.UserAgentBrandVersion.version"]], "w (sensorreadingquaternion attribute)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion.w"]], "wow64 (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.wow64"]], "x (sensorreadingquaternion attribute)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion.x"]], "x (sensorreadingxyz attribute)": [[20, "nodriver.cdp.emulation.SensorReadingXYZ.x"]], "xyz (sensorreading attribute)": [[20, "nodriver.cdp.emulation.SensorReading.xyz"]], "y (sensorreadingquaternion attribute)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion.y"]], "y (sensorreadingxyz attribute)": [[20, "nodriver.cdp.emulation.SensorReadingXYZ.y"]], "z (sensorreadingquaternion attribute)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion.z"]], "z (sensorreadingxyz attribute)": [[20, "nodriver.cdp.emulation.SensorReadingXYZ.z"]], "disable() (in module nodriver.cdp.event_breakpoints)": [[21, "nodriver.cdp.event_breakpoints.disable"]], "nodriver.cdp.event_breakpoints": [[21, "module-nodriver.cdp.event_breakpoints"]], "remove_instrumentation_breakpoint() (in module nodriver.cdp.event_breakpoints)": [[21, "nodriver.cdp.event_breakpoints.remove_instrumentation_breakpoint"]], "set_instrumentation_breakpoint() (in module nodriver.cdp.event_breakpoints)": [[21, "nodriver.cdp.event_breakpoints.set_instrumentation_breakpoint"]], "account_chooser (dialogtype attribute)": [[22, "nodriver.cdp.fed_cm.DialogType.ACCOUNT_CHOOSER"]], "auto_reauthn (dialogtype attribute)": [[22, "nodriver.cdp.fed_cm.DialogType.AUTO_REAUTHN"]], "account (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.Account"]], "confirm_idp_login (dialogtype attribute)": [[22, "nodriver.cdp.fed_cm.DialogType.CONFIRM_IDP_LOGIN"]], "confirm_idp_login_continue (dialogbutton attribute)": [[22, "nodriver.cdp.fed_cm.DialogButton.CONFIRM_IDP_LOGIN_CONTINUE"]], "dialogbutton (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.DialogButton"]], "dialogclosed (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.DialogClosed"]], "dialogshown (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.DialogShown"]], "dialogtype (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.DialogType"]], "error (dialogtype attribute)": [[22, "nodriver.cdp.fed_cm.DialogType.ERROR"]], "error_got_it (dialogbutton attribute)": [[22, "nodriver.cdp.fed_cm.DialogButton.ERROR_GOT_IT"]], "error_more_details (dialogbutton attribute)": [[22, "nodriver.cdp.fed_cm.DialogButton.ERROR_MORE_DETAILS"]], "loginstate (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.LoginState"]], "sign_in (loginstate attribute)": [[22, "nodriver.cdp.fed_cm.LoginState.SIGN_IN"]], "sign_up (loginstate attribute)": [[22, "nodriver.cdp.fed_cm.LoginState.SIGN_UP"]], "account_id (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.account_id"]], "accounts (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.accounts"]], "click_dialog_button() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.click_dialog_button"]], "dialog_id (dialogclosed attribute)": [[22, "nodriver.cdp.fed_cm.DialogClosed.dialog_id"]], "dialog_id (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.dialog_id"]], "dialog_type (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.dialog_type"]], "disable() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.disable"]], "dismiss_dialog() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.dismiss_dialog"]], "email (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.email"]], "enable() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.enable"]], "given_name (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.given_name"]], "idp_config_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.idp_config_url"]], "idp_login_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.idp_login_url"]], "login_state (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.login_state"]], "name (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.name"]], "nodriver.cdp.fed_cm": [[22, "module-nodriver.cdp.fed_cm"]], "picture_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.picture_url"]], "privacy_policy_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.privacy_policy_url"]], "reset_cooldown() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.reset_cooldown"]], "select_account() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.select_account"]], "subtitle (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.subtitle"]], "terms_of_service_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.terms_of_service_url"]], "title (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.title"]], "authchallenge (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.AuthChallenge"]], "authchallengeresponse (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.AuthChallengeResponse"]], "authrequired (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.AuthRequired"]], "headerentry (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.HeaderEntry"]], "request (requeststage attribute)": [[23, "nodriver.cdp.fetch.RequestStage.REQUEST"]], "response (requeststage attribute)": [[23, "nodriver.cdp.fetch.RequestStage.RESPONSE"]], "requestid (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.RequestId"]], "requestpattern (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.RequestPattern"]], "requestpaused (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.RequestPaused"]], "requeststage (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.RequestStage"]], "auth_challenge (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.auth_challenge"]], "continue_request() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.continue_request"]], "continue_response() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.continue_response"]], "continue_with_auth() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.continue_with_auth"]], "disable() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.disable"]], "enable() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.enable"]], "fail_request() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.fail_request"]], "frame_id (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.frame_id"]], "frame_id (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.frame_id"]], "fulfill_request() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.fulfill_request"]], "get_response_body() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.get_response_body"]], "name (headerentry attribute)": [[23, "nodriver.cdp.fetch.HeaderEntry.name"]], "network_id (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.network_id"]], "nodriver.cdp.fetch": [[23, "module-nodriver.cdp.fetch"]], "origin (authchallenge attribute)": [[23, "nodriver.cdp.fetch.AuthChallenge.origin"], [34, "nodriver.cdp.network.AuthChallenge.origin"]], "password (authchallengeresponse attribute)": [[23, "nodriver.cdp.fetch.AuthChallengeResponse.password"], [34, "nodriver.cdp.network.AuthChallengeResponse.password"]], "realm (authchallenge attribute)": [[23, "nodriver.cdp.fetch.AuthChallenge.realm"], [34, "nodriver.cdp.network.AuthChallenge.realm"]], "redirected_request_id (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.redirected_request_id"]], "request (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.request"]], "request (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.request"]], "request_id (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.request_id"]], "request_id (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.request_id"]], "request_stage (requestpattern attribute)": [[23, "nodriver.cdp.fetch.RequestPattern.request_stage"]], "resource_type (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.resource_type"]], "resource_type (requestpattern attribute)": [[23, "nodriver.cdp.fetch.RequestPattern.resource_type"], [34, "nodriver.cdp.network.RequestPattern.resource_type"]], "resource_type (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.resource_type"]], "response (authchallengeresponse attribute)": [[23, "nodriver.cdp.fetch.AuthChallengeResponse.response"], [34, "nodriver.cdp.network.AuthChallengeResponse.response"]], "response_error_reason (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.response_error_reason"]], "response_headers (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.response_headers"]], "response_status_code (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.response_status_code"]], "response_status_text (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.response_status_text"]], "scheme (authchallenge attribute)": [[23, "nodriver.cdp.fetch.AuthChallenge.scheme"], [34, "nodriver.cdp.network.AuthChallenge.scheme"]], "source (authchallenge attribute)": [[23, "nodriver.cdp.fetch.AuthChallenge.source"], [34, "nodriver.cdp.network.AuthChallenge.source"]], "take_response_body_as_stream() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.take_response_body_as_stream"]], "url_pattern (requestpattern attribute)": [[23, "nodriver.cdp.fetch.RequestPattern.url_pattern"], [34, "nodriver.cdp.network.RequestPattern.url_pattern"]], "username (authchallengeresponse attribute)": [[23, "nodriver.cdp.fetch.AuthChallengeResponse.username"], [34, "nodriver.cdp.network.AuthChallengeResponse.username"]], "value (headerentry attribute)": [[23, "nodriver.cdp.fetch.HeaderEntry.value"]], "screenshotparams (class in nodriver.cdp.headless_experimental)": [[24, "nodriver.cdp.headless_experimental.ScreenshotParams"]], "begin_frame() (in module nodriver.cdp.headless_experimental)": [[24, "nodriver.cdp.headless_experimental.begin_frame"]], "disable() (in module nodriver.cdp.headless_experimental)": [[24, "nodriver.cdp.headless_experimental.disable"]], "enable() (in module nodriver.cdp.headless_experimental)": [[24, "nodriver.cdp.headless_experimental.enable"]], "format_ (screenshotparams attribute)": [[24, "nodriver.cdp.headless_experimental.ScreenshotParams.format_"]], "nodriver.cdp.headless_experimental": [[24, "module-nodriver.cdp.headless_experimental"]], "optimize_for_speed (screenshotparams attribute)": [[24, "nodriver.cdp.headless_experimental.ScreenshotParams.optimize_for_speed"]], "quality (screenshotparams attribute)": [[24, "nodriver.cdp.headless_experimental.ScreenshotParams.quality"]], "addheapsnapshotchunk (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.AddHeapSnapshotChunk"]], "heapsnapshotobjectid (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.HeapSnapshotObjectId"]], "heapstatsupdate (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.HeapStatsUpdate"]], "lastseenobjectid (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.LastSeenObjectId"]], "reportheapsnapshotprogress (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress"]], "resetprofiles (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.ResetProfiles"]], "samplingheapprofile (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfile"]], "samplingheapprofilenode (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode"]], "samplingheapprofilesample (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileSample"]], "add_inspected_heap_object() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.add_inspected_heap_object"]], "call_frame (samplingheapprofilenode attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode.call_frame"]], "children (samplingheapprofilenode attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode.children"]], "chunk (addheapsnapshotchunk attribute)": [[25, "nodriver.cdp.heap_profiler.AddHeapSnapshotChunk.chunk"]], "collect_garbage() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.collect_garbage"]], "disable() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.disable"]], "done (reportheapsnapshotprogress attribute)": [[25, "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress.done"]], "enable() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.enable"]], "finished (reportheapsnapshotprogress attribute)": [[25, "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress.finished"]], "get_heap_object_id() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.get_heap_object_id"]], "get_object_by_heap_object_id() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.get_object_by_heap_object_id"]], "get_sampling_profile() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.get_sampling_profile"]], "head (samplingheapprofile attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfile.head"]], "id_ (samplingheapprofilenode attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode.id_"]], "last_seen_object_id (lastseenobjectid attribute)": [[25, "nodriver.cdp.heap_profiler.LastSeenObjectId.last_seen_object_id"]], "node_id (samplingheapprofilesample attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileSample.node_id"]], "nodriver.cdp.heap_profiler": [[25, "module-nodriver.cdp.heap_profiler"]], "ordinal (samplingheapprofilesample attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileSample.ordinal"]], "samples (samplingheapprofile attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfile.samples"]], "self_size (samplingheapprofilenode attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode.self_size"]], "size (samplingheapprofilesample attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileSample.size"]], "start_sampling() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.start_sampling"]], "start_tracking_heap_objects() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.start_tracking_heap_objects"]], "stats_update (heapstatsupdate attribute)": [[25, "nodriver.cdp.heap_profiler.HeapStatsUpdate.stats_update"]], "stop_sampling() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.stop_sampling"]], "stop_tracking_heap_objects() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.stop_tracking_heap_objects"]], "take_heap_snapshot() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.take_heap_snapshot"]], "timestamp (lastseenobjectid attribute)": [[25, "nodriver.cdp.heap_profiler.LastSeenObjectId.timestamp"]], "total (reportheapsnapshotprogress attribute)": [[25, "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress.total"]], "dataentry (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.DataEntry"]], "databasewithobjectstores (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.DatabaseWithObjectStores"]], "key (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.Key"]], "keypath (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.KeyPath"]], "keyrange (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.KeyRange"]], "objectstore (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.ObjectStore"]], "objectstoreindex (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex"]], "array (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.array"]], "array (keypath attribute)": [[26, "nodriver.cdp.indexed_db.KeyPath.array"]], "auto_increment (objectstore attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStore.auto_increment"]], "clear_object_store() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.clear_object_store"]], "date (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.date"]], "delete_database() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.delete_database"]], "delete_object_store_entries() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.delete_object_store_entries"]], "disable() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.disable"]], "enable() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.enable"]], "get_metadata() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.get_metadata"]], "indexes (objectstore attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStore.indexes"]], "key (dataentry attribute)": [[26, "nodriver.cdp.indexed_db.DataEntry.key"]], "key_path (objectstore attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStore.key_path"]], "key_path (objectstoreindex attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex.key_path"]], "lower (keyrange attribute)": [[26, "nodriver.cdp.indexed_db.KeyRange.lower"]], "lower_open (keyrange attribute)": [[26, "nodriver.cdp.indexed_db.KeyRange.lower_open"]], "multi_entry (objectstoreindex attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex.multi_entry"]], "name (databasewithobjectstores attribute)": [[26, "nodriver.cdp.indexed_db.DatabaseWithObjectStores.name"]], "name (objectstore attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStore.name"]], "name (objectstoreindex attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex.name"]], "nodriver.cdp.indexed_db": [[26, "module-nodriver.cdp.indexed_db"]], "number (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.number"]], "object_stores (databasewithobjectstores attribute)": [[26, "nodriver.cdp.indexed_db.DatabaseWithObjectStores.object_stores"]], "primary_key (dataentry attribute)": [[26, "nodriver.cdp.indexed_db.DataEntry.primary_key"]], "request_data() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.request_data"]], "request_database() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.request_database"]], "request_database_names() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.request_database_names"]], "string (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.string"]], "string (keypath attribute)": [[26, "nodriver.cdp.indexed_db.KeyPath.string"]], "type_ (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.type_"]], "type_ (keypath attribute)": [[26, "nodriver.cdp.indexed_db.KeyPath.type_"]], "unique (objectstoreindex attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex.unique"]], "upper (keyrange attribute)": [[26, "nodriver.cdp.indexed_db.KeyRange.upper"]], "upper_open (keyrange attribute)": [[26, "nodriver.cdp.indexed_db.KeyRange.upper_open"]], "value (dataentry attribute)": [[26, "nodriver.cdp.indexed_db.DataEntry.value"]], "version (databasewithobjectstores attribute)": [[26, "nodriver.cdp.indexed_db.DatabaseWithObjectStores.version"]], "back (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.BACK"]], "default (gesturesourcetype attribute)": [[27, "nodriver.cdp.input_.GestureSourceType.DEFAULT"]], "dragdata (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.DragData"]], "dragdataitem (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.DragDataItem"]], "dragintercepted (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.DragIntercepted"]], "forward (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.FORWARD"]], "gesturesourcetype (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.GestureSourceType"]], "left (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.LEFT"]], "middle (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.MIDDLE"]], "mouse (gesturesourcetype attribute)": [[27, "nodriver.cdp.input_.GestureSourceType.MOUSE"]], "mousebutton (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.MouseButton"]], "none (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.NONE"]], "right (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.RIGHT"]], "touch (gesturesourcetype attribute)": [[27, "nodriver.cdp.input_.GestureSourceType.TOUCH"]], "timesinceepoch (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.TimeSinceEpoch"]], "touchpoint (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.TouchPoint"]], "base_url (dragdataitem attribute)": [[27, "nodriver.cdp.input_.DragDataItem.base_url"]], "cancel_dragging() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.cancel_dragging"]], "data (dragdataitem attribute)": [[27, "nodriver.cdp.input_.DragDataItem.data"]], "data (dragintercepted attribute)": [[27, "nodriver.cdp.input_.DragIntercepted.data"]], "dispatch_drag_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.dispatch_drag_event"]], "dispatch_key_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.dispatch_key_event"]], "dispatch_mouse_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.dispatch_mouse_event"]], "dispatch_touch_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.dispatch_touch_event"]], "drag_operations_mask (dragdata attribute)": [[27, "nodriver.cdp.input_.DragData.drag_operations_mask"]], "emulate_touch_from_mouse_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.emulate_touch_from_mouse_event"]], "files (dragdata attribute)": [[27, "nodriver.cdp.input_.DragData.files"]], "force (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.force"]], "id_ (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.id_"]], "ime_set_composition() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.ime_set_composition"]], "insert_text() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.insert_text"]], "items (dragdata attribute)": [[27, "nodriver.cdp.input_.DragData.items"]], "mime_type (dragdataitem attribute)": [[27, "nodriver.cdp.input_.DragDataItem.mime_type"]], "nodriver.cdp.input_": [[27, "module-nodriver.cdp.input_"]], "radius_x (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.radius_x"]], "radius_y (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.radius_y"]], "rotation_angle (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.rotation_angle"]], "set_ignore_input_events() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.set_ignore_input_events"]], "set_intercept_drags() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.set_intercept_drags"]], "synthesize_pinch_gesture() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.synthesize_pinch_gesture"]], "synthesize_scroll_gesture() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.synthesize_scroll_gesture"]], "synthesize_tap_gesture() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.synthesize_tap_gesture"]], "tangential_pressure (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.tangential_pressure"]], "tilt_x (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.tilt_x"]], "tilt_y (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.tilt_y"]], "title (dragdataitem attribute)": [[27, "nodriver.cdp.input_.DragDataItem.title"]], "twist (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.twist"]], "x (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.x"]], "y (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.y"]], "detached (class in nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.Detached"]], "targetcrashed (class in nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.TargetCrashed"]], "targetreloadedaftercrash (class in nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.TargetReloadedAfterCrash"]], "disable() (in module nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.disable"]], "enable() (in module nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.enable"]], "nodriver.cdp.inspector": [[28, "module-nodriver.cdp.inspector"]], "reason (detached attribute)": [[28, "nodriver.cdp.inspector.Detached.reason"]], "streamhandle (class in nodriver.cdp.io)": [[29, "nodriver.cdp.io.StreamHandle"]], "close() (in module nodriver.cdp.io)": [[29, "nodriver.cdp.io.close"]], "nodriver.cdp.io": [[29, "module-nodriver.cdp.io"]], "read() (in module nodriver.cdp.io)": [[29, "nodriver.cdp.io.read"]], "resolve_blob() (in module nodriver.cdp.io)": [[29, "nodriver.cdp.io.resolve_blob"]], "layer (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.Layer"]], "layerid (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.LayerId"]], "layerpainted (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.LayerPainted"]], "layertreedidchange (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.LayerTreeDidChange"]], "paintprofile (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.PaintProfile"]], "picturetile (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.PictureTile"]], "scrollrect (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.ScrollRect"]], "snapshotid (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.SnapshotId"]], "stickypositionconstraint (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint"]], "anchor_x (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.anchor_x"]], "anchor_y (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.anchor_y"]], "anchor_z (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.anchor_z"]], "backend_node_id (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.backend_node_id"]], "clip (layerpainted attribute)": [[30, "nodriver.cdp.layer_tree.LayerPainted.clip"]], "compositing_reasons() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.compositing_reasons"]], "containing_block_rect (stickypositionconstraint attribute)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint.containing_block_rect"]], "disable() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.disable"]], "draws_content (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.draws_content"]], "enable() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.enable"]], "height (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.height"]], "invisible (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.invisible"]], "layer_id (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.layer_id"]], "layer_id (layerpainted attribute)": [[30, "nodriver.cdp.layer_tree.LayerPainted.layer_id"]], "layers (layertreedidchange attribute)": [[30, "nodriver.cdp.layer_tree.LayerTreeDidChange.layers"]], "load_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.load_snapshot"]], "make_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.make_snapshot"]], "nearest_layer_shifting_containing_block (stickypositionconstraint attribute)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint.nearest_layer_shifting_containing_block"]], "nearest_layer_shifting_sticky_box (stickypositionconstraint attribute)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint.nearest_layer_shifting_sticky_box"]], "nodriver.cdp.layer_tree": [[30, "module-nodriver.cdp.layer_tree"]], "offset_x (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.offset_x"]], "offset_y (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.offset_y"]], "paint_count (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.paint_count"]], "parent_layer_id (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.parent_layer_id"]], "picture (picturetile attribute)": [[30, "nodriver.cdp.layer_tree.PictureTile.picture"]], "profile_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.profile_snapshot"]], "rect (scrollrect attribute)": [[30, "nodriver.cdp.layer_tree.ScrollRect.rect"]], "release_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.release_snapshot"]], "replay_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.replay_snapshot"]], "scroll_rects (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.scroll_rects"]], "snapshot_command_log() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.snapshot_command_log"]], "sticky_box_rect (stickypositionconstraint attribute)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint.sticky_box_rect"]], "sticky_position_constraint (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.sticky_position_constraint"]], "transform (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.transform"]], "type_ (scrollrect attribute)": [[30, "nodriver.cdp.layer_tree.ScrollRect.type_"]], "width (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.width"]], "x (picturetile attribute)": [[30, "nodriver.cdp.layer_tree.PictureTile.x"]], "y (picturetile attribute)": [[30, "nodriver.cdp.layer_tree.PictureTile.y"]], "entryadded (class in nodriver.cdp.log)": [[31, "nodriver.cdp.log.EntryAdded"]], "logentry (class in nodriver.cdp.log)": [[31, "nodriver.cdp.log.LogEntry"]], "violationsetting (class in nodriver.cdp.log)": [[31, "nodriver.cdp.log.ViolationSetting"]], "args (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.args"]], "category (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.category"]], "clear() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.clear"]], "disable() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.disable"]], "enable() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.enable"]], "entry (entryadded attribute)": [[31, "nodriver.cdp.log.EntryAdded.entry"]], "level (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.level"]], "line_number (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.line_number"]], "name (violationsetting attribute)": [[31, "nodriver.cdp.log.ViolationSetting.name"]], "network_request_id (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.network_request_id"]], "nodriver.cdp.log": [[31, "module-nodriver.cdp.log"]], "source (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.source"]], "stack_trace (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.stack_trace"]], "start_violations_report() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.start_violations_report"]], "stop_violations_report() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.stop_violations_report"]], "text (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.text"]], "threshold (violationsetting attribute)": [[31, "nodriver.cdp.log.ViolationSetting.threshold"]], "timestamp (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.timestamp"]], "url (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.url"]], "worker_id (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.worker_id"]], "playererror (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerError"]], "playererrorsourcelocation (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerErrorSourceLocation"]], "playererrorsraised (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerErrorsRaised"]], "playerevent (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerEvent"]], "playereventsadded (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerEventsAdded"]], "playerid (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerId"]], "playermessage (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerMessage"]], "playermessageslogged (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerMessagesLogged"]], "playerpropertieschanged (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerPropertiesChanged"]], "playerproperty (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerProperty"]], "playerscreated (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayersCreated"]], "timestamp (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.Timestamp"]], "cause (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.cause"]], "code (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.code"]], "data (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.data"]], "disable() (in module nodriver.cdp.media)": [[32, "nodriver.cdp.media.disable"]], "enable() (in module nodriver.cdp.media)": [[32, "nodriver.cdp.media.enable"]], "error_type (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.error_type"]], "errors (playererrorsraised attribute)": [[32, "nodriver.cdp.media.PlayerErrorsRaised.errors"]], "events (playereventsadded attribute)": [[32, "nodriver.cdp.media.PlayerEventsAdded.events"]], "file (playererrorsourcelocation attribute)": [[32, "nodriver.cdp.media.PlayerErrorSourceLocation.file"]], "level (playermessage attribute)": [[32, "nodriver.cdp.media.PlayerMessage.level"]], "line (playererrorsourcelocation attribute)": [[32, "nodriver.cdp.media.PlayerErrorSourceLocation.line"]], "message (playermessage attribute)": [[32, "nodriver.cdp.media.PlayerMessage.message"]], "messages (playermessageslogged attribute)": [[32, "nodriver.cdp.media.PlayerMessagesLogged.messages"]], "name (playerproperty attribute)": [[32, "nodriver.cdp.media.PlayerProperty.name"]], "nodriver.cdp.media": [[32, "module-nodriver.cdp.media"]], "player_id (playererrorsraised attribute)": [[32, "nodriver.cdp.media.PlayerErrorsRaised.player_id"]], "player_id (playereventsadded attribute)": [[32, "nodriver.cdp.media.PlayerEventsAdded.player_id"]], "player_id (playermessageslogged attribute)": [[32, "nodriver.cdp.media.PlayerMessagesLogged.player_id"]], "player_id (playerpropertieschanged attribute)": [[32, "nodriver.cdp.media.PlayerPropertiesChanged.player_id"]], "players (playerscreated attribute)": [[32, "nodriver.cdp.media.PlayersCreated.players"]], "properties (playerpropertieschanged attribute)": [[32, "nodriver.cdp.media.PlayerPropertiesChanged.properties"]], "stack (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.stack"]], "timestamp (playerevent attribute)": [[32, "nodriver.cdp.media.PlayerEvent.timestamp"]], "value (playerevent attribute)": [[32, "nodriver.cdp.media.PlayerEvent.value"]], "value (playerproperty attribute)": [[32, "nodriver.cdp.media.PlayerProperty.value"]], "critical (pressurelevel attribute)": [[33, "nodriver.cdp.memory.PressureLevel.CRITICAL"]], "moderate (pressurelevel attribute)": [[33, "nodriver.cdp.memory.PressureLevel.MODERATE"]], "module (class in nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.Module"]], "pressurelevel (class in nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.PressureLevel"]], "samplingprofile (class in nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.SamplingProfile"]], "samplingprofilenode (class in nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.SamplingProfileNode"]], "base_address (module attribute)": [[33, "nodriver.cdp.memory.Module.base_address"]], "forcibly_purge_java_script_memory() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.forcibly_purge_java_script_memory"]], "get_all_time_sampling_profile() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.get_all_time_sampling_profile"]], "get_browser_sampling_profile() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.get_browser_sampling_profile"]], "get_dom_counters() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.get_dom_counters"]], "get_sampling_profile() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.get_sampling_profile"]], "modules (samplingprofile attribute)": [[33, "nodriver.cdp.memory.SamplingProfile.modules"]], "name (module attribute)": [[33, "nodriver.cdp.memory.Module.name"]], "nodriver.cdp.memory": [[33, "module-nodriver.cdp.memory"]], "prepare_for_leak_detection() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.prepare_for_leak_detection"]], "samples (samplingprofile attribute)": [[33, "nodriver.cdp.memory.SamplingProfile.samples"]], "set_pressure_notifications_suppressed() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.set_pressure_notifications_suppressed"]], "simulate_pressure_notification() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.simulate_pressure_notification"]], "size (module attribute)": [[33, "nodriver.cdp.memory.Module.size"]], "size (samplingprofilenode attribute)": [[33, "nodriver.cdp.memory.SamplingProfileNode.size"]], "stack (samplingprofilenode attribute)": [[33, "nodriver.cdp.memory.SamplingProfileNode.stack"]], "start_sampling() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.start_sampling"]], "stop_sampling() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.stop_sampling"]], "total (samplingprofilenode attribute)": [[33, "nodriver.cdp.memory.SamplingProfileNode.total"]], "uuid (module attribute)": [[33, "nodriver.cdp.memory.Module.uuid"]], "aborted (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.ABORTED"]], "access_denied (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.ACCESS_DENIED"]], "address_unreachable (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.ADDRESS_UNREACHABLE"]], "allow (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.ALLOW"]], "allow_origin_mismatch (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.ALLOW_ORIGIN_MISMATCH"]], "alternative_job_won_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.ALTERNATIVE_JOB_WON_RACE"]], "alternative_job_won_without_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.ALTERNATIVE_JOB_WON_WITHOUT_RACE"]], "alternateprotocolusage (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.AlternateProtocolUsage"]], "authchallenge (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.AuthChallenge"]], "authchallengeresponse (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.AuthChallengeResponse"]], "blocked_by_client (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.BLOCKED_BY_CLIENT"]], "blocked_by_response (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.BLOCKED_BY_RESPONSE"]], "block_from_insecure_to_more_private (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.BLOCK_FROM_INSECURE_TO_MORE_PRIVATE"]], "bluetooth (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.BLUETOOTH"]], "br (contentencoding attribute)": [[34, "nodriver.cdp.network.ContentEncoding.BR"]], "broken (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.BROKEN"]], "blockedcookiewithreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.BlockedCookieWithReason"]], "blockedreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.BlockedReason"]], "blockedsetcookiewithreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.BlockedSetCookieWithReason"]], "cache_storage (serviceworkerresponsesource attribute)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource.CACHE_STORAGE"]], "cellular2g (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.CELLULAR2G"]], "cellular3g (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.CELLULAR3G"]], "cellular4g (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.CELLULAR4G"]], "coep_frame_resource_needs_coep_header (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.COEP_FRAME_RESOURCE_NEEDS_COEP_HEADER"]], "compliant (certificatetransparencycompliance attribute)": [[34, "nodriver.cdp.network.CertificateTransparencyCompliance.COMPLIANT"]], "connection_aborted (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_ABORTED"]], "connection_closed (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_CLOSED"]], "connection_failed (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_FAILED"]], "connection_refused (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_REFUSED"]], "connection_reset (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_RESET"]], "content_type (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CONTENT_TYPE"]], "coop_sandboxed_iframe_cannot_navigate_to_coop_page (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.COOP_SANDBOXED_IFRAME_CANNOT_NAVIGATE_TO_COOP_PAGE"]], "corp_not_same_origin (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CORP_NOT_SAME_ORIGIN"]], "corp_not_same_origin_after_defaulted_to_same_origin_by_coep (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CORP_NOT_SAME_ORIGIN_AFTER_DEFAULTED_TO_SAME_ORIGIN_BY_COEP"]], "corp_not_same_site (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CORP_NOT_SAME_SITE"]], "cors_disabled_scheme (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.CORS_DISABLED_SCHEME"]], "credentialless (crossoriginembedderpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyValue.CREDENTIALLESS"]], "csp (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CSP"]], "csp_violation_report (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.CSP_VIOLATION_REPORT"]], "cachedresource (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CachedResource"]], "certificatetransparencycompliance (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CertificateTransparencyCompliance"]], "clientsecuritystate (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ClientSecurityState"]], "connecttiming (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ConnectTiming"]], "connectiontype (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ConnectionType"]], "contentencoding (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ContentEncoding"]], "contentsecuritypolicysource (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ContentSecurityPolicySource"]], "contentsecuritypolicystatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ContentSecurityPolicyStatus"]], "cookie (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Cookie"]], "cookieblockedreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookieBlockedReason"]], "cookieparam (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookieParam"]], "cookiepriority (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookiePriority"]], "cookiesamesite (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookieSameSite"]], "cookiesourcescheme (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookieSourceScheme"]], "corserror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CorsError"]], "corserrorstatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CorsErrorStatus"]], "crossoriginembedderpolicystatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus"]], "crossoriginembedderpolicyvalue (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyValue"]], "crossoriginopenerpolicystatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus"]], "crossoriginopenerpolicyvalue (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue"]], "deflate (contentencoding attribute)": [[34, "nodriver.cdp.network.ContentEncoding.DEFLATE"]], "disallowed_by_mode (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.DISALLOWED_BY_MODE"]], "disallowed_character (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.DISALLOWED_CHARACTER"]], "dns_alpn_h3_job_won_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.DNS_ALPN_H3_JOB_WON_RACE"]], "dns_alpn_h3_job_won_without_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.DNS_ALPN_H3_JOB_WON_WITHOUT_RACE"]], "document (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.DOCUMENT"]], "domain_mismatch (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.DOMAIN_MISMATCH"]], "datareceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.DataReceived"]], "ethernet (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.ETHERNET"]], "event_source (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.EVENT_SOURCE"]], "errorreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ErrorReason"]], "eventsourcemessagereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.EventSourceMessageReceived"]], "failed (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.FAILED"]], "fallback_code (serviceworkerresponsesource attribute)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource.FALLBACK_CODE"]], "fetch (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.FETCH"]], "font (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.FONT"]], "gzip (contentencoding attribute)": [[34, "nodriver.cdp.network.ContentEncoding.GZIP"]], "headers_received (interceptionstage attribute)": [[34, "nodriver.cdp.network.InterceptionStage.HEADERS_RECEIVED"]], "header_disallowed_by_preflight_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.HEADER_DISALLOWED_BY_PREFLIGHT_RESPONSE"]], "high (cookiepriority attribute)": [[34, "nodriver.cdp.network.CookiePriority.HIGH"]], "high (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.HIGH"]], "http (contentsecuritypolicysource attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicySource.HTTP"]], "http_cache (serviceworkerresponsesource attribute)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource.HTTP_CACHE"]], "headers (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Headers"]], "image (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.IMAGE"]], "insecure_private_network (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INSECURE_PRIVATE_NETWORK"]], "inspector (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.INSPECTOR"]], "internet_disconnected (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.INTERNET_DISCONNECTED"]], "invalid_allow_credentials (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_ALLOW_CREDENTIALS"]], "invalid_allow_headers_preflight_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_ALLOW_HEADERS_PREFLIGHT_RESPONSE"]], "invalid_allow_methods_preflight_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_ALLOW_METHODS_PREFLIGHT_RESPONSE"]], "invalid_allow_origin_value (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_ALLOW_ORIGIN_VALUE"]], "invalid_domain (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.INVALID_DOMAIN"]], "invalid_prefix (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.INVALID_PREFIX"]], "invalid_private_network_access (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_PRIVATE_NETWORK_ACCESS"]], "invalid_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_RESPONSE"]], "ipaddressspace (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.IPAddressSpace"]], "issuance (trusttokenoperationtype attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationType.ISSUANCE"]], "initiator (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Initiator"]], "interceptionid (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.InterceptionId"]], "interceptionstage (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.InterceptionStage"]], "lax (cookiesamesite attribute)": [[34, "nodriver.cdp.network.CookieSameSite.LAX"]], "local (ipaddressspace attribute)": [[34, "nodriver.cdp.network.IPAddressSpace.LOCAL"]], "low (cookiepriority attribute)": [[34, "nodriver.cdp.network.CookiePriority.LOW"]], "low (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.LOW"]], "loadnetworkresourceoptions (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoadNetworkResourceOptions"]], "loadnetworkresourcepageresult (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult"]], "loaderid (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoaderId"]], "loadingfailed (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoadingFailed"]], "loadingfinished (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoadingFinished"]], "main_job_won_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.MAIN_JOB_WON_RACE"]], "manifest (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.MANIFEST"]], "mapping_missing (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.MAPPING_MISSING"]], "marked_for_removal (reportstatus attribute)": [[34, "nodriver.cdp.network.ReportStatus.MARKED_FOR_REMOVAL"]], "media (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.MEDIA"]], "medium (cookiepriority attribute)": [[34, "nodriver.cdp.network.CookiePriority.MEDIUM"]], "medium (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.MEDIUM"]], "meta (contentsecuritypolicysource attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicySource.META"]], "method_disallowed_by_preflight_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.METHOD_DISALLOWED_BY_PREFLIGHT_RESPONSE"]], "missing_allow_origin_header (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.MISSING_ALLOW_ORIGIN_HEADER"]], "mixed_content (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.MIXED_CONTENT"]], "multiple_allow_origin_values (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.MULTIPLE_ALLOW_ORIGIN_VALUES"]], "monotonictime (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.MonotonicTime"]], "name_not_resolved (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.NAME_NOT_RESOLVED"]], "name_value_pair_exceeds_max_size (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.NAME_VALUE_PAIR_EXCEEDS_MAX_SIZE"]], "name_value_pair_exceeds_max_size (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.NAME_VALUE_PAIR_EXCEEDS_MAX_SIZE"]], "network (serviceworkerresponsesource attribute)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource.NETWORK"]], "none (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.NONE"]], "none (cookiesamesite attribute)": [[34, "nodriver.cdp.network.CookieSameSite.NONE"]], "none (crossoriginembedderpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyValue.NONE"]], "non_secure (cookiesourcescheme attribute)": [[34, "nodriver.cdp.network.CookieSourceScheme.NON_SECURE"]], "not_compliant (certificatetransparencycompliance attribute)": [[34, "nodriver.cdp.network.CertificateTransparencyCompliance.NOT_COMPLIANT"]], "not_on_path (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.NOT_ON_PATH"]], "no_cookie_content (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.NO_COOKIE_CONTENT"]], "no_cors_redirect_mode_not_follow (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.NO_CORS_REDIRECT_MODE_NOT_FOLLOW"]], "origin (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.ORIGIN"]], "other (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.OTHER"]], "other (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.OTHER"]], "other (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.OTHER"]], "overwrite_secure (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.OVERWRITE_SECURE"]], "pending (reportstatus attribute)": [[34, "nodriver.cdp.network.ReportStatus.PENDING"]], "ping (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.PING"]], "prefetch (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.PREFETCH"]], "preflight (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.PREFLIGHT"]], "preflight_allow_origin_mismatch (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_ALLOW_ORIGIN_MISMATCH"]], "preflight_block (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.PREFLIGHT_BLOCK"]], "preflight_disallowed_redirect (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_DISALLOWED_REDIRECT"]], "preflight_invalid_allow_credentials (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_ALLOW_CREDENTIALS"]], "preflight_invalid_allow_external (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_ALLOW_EXTERNAL"]], "preflight_invalid_allow_origin_value (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_ALLOW_ORIGIN_VALUE"]], "preflight_invalid_allow_private_network (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_ALLOW_PRIVATE_NETWORK"]], "preflight_invalid_status (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_STATUS"]], "preflight_missing_allow_external (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_ALLOW_EXTERNAL"]], "preflight_missing_allow_origin_header (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_ALLOW_ORIGIN_HEADER"]], "preflight_missing_allow_private_network (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_ALLOW_PRIVATE_NETWORK"]], "preflight_missing_private_network_access_id (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_PRIVATE_NETWORK_ACCESS_ID"]], "preflight_missing_private_network_access_name (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_PRIVATE_NETWORK_ACCESS_NAME"]], "preflight_multiple_allow_origin_values (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MULTIPLE_ALLOW_ORIGIN_VALUES"]], "preflight_warn (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.PREFLIGHT_WARN"]], "preflight_wildcard_origin_not_allowed (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_WILDCARD_ORIGIN_NOT_ALLOWED"]], "private (ipaddressspace attribute)": [[34, "nodriver.cdp.network.IPAddressSpace.PRIVATE"]], "private_network_access_permission_denied (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PRIVATE_NETWORK_ACCESS_PERMISSION_DENIED"]], "private_network_access_permission_unavailable (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PRIVATE_NETWORK_ACCESS_PERMISSION_UNAVAILABLE"]], "public (ipaddressspace attribute)": [[34, "nodriver.cdp.network.IPAddressSpace.PUBLIC"]], "postdataentry (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.PostDataEntry"]], "privatenetworkrequestpolicy (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy"]], "queued (reportstatus attribute)": [[34, "nodriver.cdp.network.ReportStatus.QUEUED"]], "redemption (trusttokenoperationtype attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationType.REDEMPTION"]], "redirect_contains_credentials (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.REDIRECT_CONTAINS_CREDENTIALS"]], "request (interceptionstage attribute)": [[34, "nodriver.cdp.network.InterceptionStage.REQUEST"]], "require_corp (crossoriginembedderpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyValue.REQUIRE_CORP"]], "restrict_properties (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.RESTRICT_PROPERTIES"]], "restrict_properties_plus_coep (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.RESTRICT_PROPERTIES_PLUS_COEP"]], "reportid (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportId"]], "reportstatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportStatus"]], "reportingapiendpoint (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiEndpoint"]], "reportingapiendpointschangedfororigin (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiEndpointsChangedForOrigin"]], "reportingapireport (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiReport"]], "reportingapireportadded (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiReportAdded"]], "reportingapireportupdated (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiReportUpdated"]], "request (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Request"]], "requestid (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestId"]], "requestintercepted (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestIntercepted"]], "requestpattern (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestPattern"]], "requestservedfromcache (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestServedFromCache"]], "requestwillbesent (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestWillBeSent"]], "requestwillbesentextrainfo (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo"]], "resourcechangedpriority (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResourceChangedPriority"]], "resourcepriority (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResourcePriority"]], "resourcetiming (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResourceTiming"]], "resourcetype (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResourceType"]], "response (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Response"]], "responsereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResponseReceived"]], "responsereceivedextrainfo (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo"]], "same_origin (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.SAME_ORIGIN"]], "same_origin_allow_popups (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.SAME_ORIGIN_ALLOW_POPUPS"]], "same_origin_plus_coep (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.SAME_ORIGIN_PLUS_COEP"]], "same_party_conflicts_with_other_attributes (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_PARTY_CONFLICTS_WITH_OTHER_ATTRIBUTES"]], "same_party_from_cross_party_context (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_PARTY_FROM_CROSS_PARTY_CONTEXT"]], "same_party_from_cross_party_context (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_PARTY_FROM_CROSS_PARTY_CONTEXT"]], "same_site_lax (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_SITE_LAX"]], "same_site_lax (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_SITE_LAX"]], "same_site_none_insecure (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_SITE_NONE_INSECURE"]], "same_site_none_insecure (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_SITE_NONE_INSECURE"]], "same_site_strict (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_SITE_STRICT"]], "same_site_strict (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_SITE_STRICT"]], "same_site_unspecified_treated_as_lax (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "same_site_unspecified_treated_as_lax (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "schemeful_same_site_lax (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SCHEMEFUL_SAME_SITE_LAX"]], "schemeful_same_site_lax (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SCHEMEFUL_SAME_SITE_LAX"]], "schemeful_same_site_strict (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SCHEMEFUL_SAME_SITE_STRICT"]], "schemeful_same_site_strict (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SCHEMEFUL_SAME_SITE_STRICT"]], "schemeful_same_site_unspecified_treated_as_lax (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SCHEMEFUL_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "schemeful_same_site_unspecified_treated_as_lax (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SCHEMEFUL_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "scheme_not_supported (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SCHEME_NOT_SUPPORTED"]], "script (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.SCRIPT"]], "secure (cookiesourcescheme attribute)": [[34, "nodriver.cdp.network.CookieSourceScheme.SECURE"]], "secure_only (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SECURE_ONLY"]], "secure_only (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SECURE_ONLY"]], "signature_cert_sha256 (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_CERT_SHA256"]], "signature_cert_url (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_CERT_URL"]], "signature_integrity (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_INTEGRITY"]], "signature_sig (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_SIG"]], "signature_timestamps (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_TIMESTAMPS"]], "signature_validity_url (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_VALIDITY_URL"]], "signed_exchange (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.SIGNED_EXCHANGE"]], "signing (trusttokenoperationtype attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationType.SIGNING"]], "strict (cookiesamesite attribute)": [[34, "nodriver.cdp.network.CookieSameSite.STRICT"]], "stylesheet (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.STYLESHEET"]], "subresource_filter (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.SUBRESOURCE_FILTER"]], "success (reportstatus attribute)": [[34, "nodriver.cdp.network.ReportStatus.SUCCESS"]], "syntax_error (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SYNTAX_ERROR"]], "securitydetails (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SecurityDetails"]], "securityisolationstatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SecurityIsolationStatus"]], "serviceworkerresponsesource (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource"]], "serviceworkerrouterinfo (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ServiceWorkerRouterInfo"]], "setcookieblockedreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SetCookieBlockedReason"]], "signedcertificatetimestamp (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp"]], "signedexchangeerror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeError"]], "signedexchangeerrorfield (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeErrorField"]], "signedexchangeheader (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeHeader"]], "signedexchangeinfo (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeInfo"]], "signedexchangereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeReceived"]], "signedexchangesignature (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeSignature"]], "subresourcewebbundleinnerresponseerror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError"]], "subresourcewebbundleinnerresponseparsed (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed"]], "subresourcewebbundlemetadataerror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataError"]], "subresourcewebbundlemetadatareceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataReceived"]], "text_track (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.TEXT_TRACK"]], "third_party_blocked_in_first_party_set (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.THIRD_PARTY_BLOCKED_IN_FIRST_PARTY_SET"]], "third_party_blocked_in_first_party_set (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.THIRD_PARTY_BLOCKED_IN_FIRST_PARTY_SET"]], "third_party_phaseout (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.THIRD_PARTY_PHASEOUT"]], "third_party_phaseout (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.THIRD_PARTY_PHASEOUT"]], "timed_out (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.TIMED_OUT"]], "timesinceepoch (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.TimeSinceEpoch"]], "trusttokenoperationdone (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.TrustTokenOperationDone"]], "trusttokenoperationtype (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.TrustTokenOperationType"]], "trusttokenparams (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.TrustTokenParams"]], "unexpected_private_network_access (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.UNEXPECTED_PRIVATE_NETWORK_ACCESS"]], "unknown (certificatetransparencycompliance attribute)": [[34, "nodriver.cdp.network.CertificateTransparencyCompliance.UNKNOWN"]], "unknown (ipaddressspace attribute)": [[34, "nodriver.cdp.network.IPAddressSpace.UNKNOWN"]], "unknown_error (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.UNKNOWN_ERROR"]], "unknown_error (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.UNKNOWN_ERROR"]], "unsafe_none (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.UNSAFE_NONE"]], "unset (cookiesourcescheme attribute)": [[34, "nodriver.cdp.network.CookieSourceScheme.UNSET"]], "unspecified_reason (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.UNSPECIFIED_REASON"]], "user_preferences (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.USER_PREFERENCES"]], "user_preferences (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.USER_PREFERENCES"]], "very_high (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.VERY_HIGH"]], "very_low (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.VERY_LOW"]], "warn_from_insecure_to_more_private (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.WARN_FROM_INSECURE_TO_MORE_PRIVATE"]], "web_socket (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.WEB_SOCKET"]], "wifi (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.WIFI"]], "wildcard_origin_not_allowed (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.WILDCARD_ORIGIN_NOT_ALLOWED"]], "wimax (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.WIMAX"]], "websocketclosed (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketClosed"]], "websocketcreated (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketCreated"]], "websocketframe (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketFrame"]], "websocketframeerror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketFrameError"]], "websocketframereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketFrameReceived"]], "websocketframesent (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketFrameSent"]], "websockethandshakeresponsereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketHandshakeResponseReceived"]], "websocketrequest (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketRequest"]], "websocketresponse (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketResponse"]], "websocketwillsendhandshakerequest (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest"]], "webtransportclosed (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebTransportClosed"]], "webtransportconnectionestablished (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebTransportConnectionEstablished"]], "webtransportcreated (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebTransportCreated"]], "xhr (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.XHR"]], "zstd (contentencoding attribute)": [[34, "nodriver.cdp.network.ContentEncoding.ZSTD"]], "alternate_protocol_usage (response attribute)": [[34, "nodriver.cdp.network.Response.alternate_protocol_usage"]], "associated_cookies (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.associated_cookies"]], "auth_challenge (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.auth_challenge"]], "blocked_cookies (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.blocked_cookies"]], "blocked_reason (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.blocked_reason"]], "blocked_reasons (blockedcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedCookieWithReason.blocked_reasons"]], "blocked_reasons (blockedsetcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedSetCookieWithReason.blocked_reasons"]], "body (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.body"]], "body_size (cachedresource attribute)": [[34, "nodriver.cdp.network.CachedResource.body_size"]], "bundle_request_id (subresourcewebbundleinnerresponseerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError.bundle_request_id"]], "bundle_request_id (subresourcewebbundleinnerresponseparsed attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed.bundle_request_id"]], "bytes_ (postdataentry attribute)": [[34, "nodriver.cdp.network.PostDataEntry.bytes_"]], "cache_storage_cache_name (response attribute)": [[34, "nodriver.cdp.network.Response.cache_storage_cache_name"]], "can_clear_browser_cache() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.can_clear_browser_cache"]], "can_clear_browser_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.can_clear_browser_cookies"]], "can_emulate_network_conditions() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.can_emulate_network_conditions"]], "canceled (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.canceled"]], "cert_sha256 (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.cert_sha256"]], "cert_url (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.cert_url"]], "certificate_id (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.certificate_id"]], "certificate_transparency_compliance (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.certificate_transparency_compliance"]], "certificates (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.certificates"]], "charset (response attribute)": [[34, "nodriver.cdp.network.Response.charset"]], "cipher (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.cipher"]], "clear_accepted_encodings_override() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.clear_accepted_encodings_override"]], "clear_browser_cache() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.clear_browser_cache"]], "clear_browser_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.clear_browser_cookies"]], "client_security_state (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.client_security_state"]], "coep (securityisolationstatus attribute)": [[34, "nodriver.cdp.network.SecurityIsolationStatus.coep"]], "column_number (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.column_number"]], "completed_attempts (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.completed_attempts"]], "connect_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.connect_end"]], "connect_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.connect_start"]], "connect_timing (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.connect_timing"]], "connection_id (response attribute)": [[34, "nodriver.cdp.network.Response.connection_id"]], "connection_reused (response attribute)": [[34, "nodriver.cdp.network.Response.connection_reused"]], "continue_intercepted_request() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.continue_intercepted_request"]], "cookie (blockedcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedCookieWithReason.cookie"]], "cookie (blockedsetcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedSetCookieWithReason.cookie"]], "cookie_line (blockedsetcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedSetCookieWithReason.cookie_line"]], "cookie_partition_key (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.cookie_partition_key"]], "cookie_partition_key_opaque (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.cookie_partition_key_opaque"]], "coop (securityisolationstatus attribute)": [[34, "nodriver.cdp.network.SecurityIsolationStatus.coop"]], "cors_error (corserrorstatus attribute)": [[34, "nodriver.cdp.network.CorsErrorStatus.cors_error"]], "cors_error_status (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.cors_error_status"]], "csp (securityisolationstatus attribute)": [[34, "nodriver.cdp.network.SecurityIsolationStatus.csp"]], "data (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.data"]], "data (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.data"]], "data_length (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.data_length"]], "date (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.date"]], "delete_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.delete_cookies"]], "depth (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.depth"]], "destination (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.destination"]], "disable() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.disable"]], "disable_cache (loadnetworkresourceoptions attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourceOptions.disable_cache"]], "dns_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.dns_end"]], "dns_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.dns_start"]], "document_url (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.document_url"]], "domain (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.domain"]], "domain (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.domain"]], "effective_directives (contentsecuritypolicystatus attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicyStatus.effective_directives"]], "emulate_network_conditions() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.emulate_network_conditions"]], "enable() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.enable"]], "enable_reporting_api() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.enable_reporting_api"]], "encoded_data_length (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.encoded_data_length"]], "encoded_data_length (loadingfinished attribute)": [[34, "nodriver.cdp.network.LoadingFinished.encoded_data_length"]], "encoded_data_length (response attribute)": [[34, "nodriver.cdp.network.Response.encoded_data_length"]], "encrypted_client_hello (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.encrypted_client_hello"]], "endpoints (reportingapiendpointschangedfororigin attribute)": [[34, "nodriver.cdp.network.ReportingApiEndpointsChangedForOrigin.endpoints"]], "error_field (signedexchangeerror attribute)": [[34, "nodriver.cdp.network.SignedExchangeError.error_field"]], "error_message (subresourcewebbundleinnerresponseerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError.error_message"]], "error_message (subresourcewebbundlemetadataerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataError.error_message"]], "error_message (websocketframeerror attribute)": [[34, "nodriver.cdp.network.WebSocketFrameError.error_message"]], "error_text (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.error_text"]], "errors (signedexchangeinfo attribute)": [[34, "nodriver.cdp.network.SignedExchangeInfo.errors"]], "event_id (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.event_id"]], "event_name (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.event_name"]], "expires (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.expires"]], "expires (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.expires"]], "expires (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.expires"]], "failed_parameter (corserrorstatus attribute)": [[34, "nodriver.cdp.network.CorsErrorStatus.failed_parameter"]], "frame_id (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.frame_id"]], "frame_id (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.frame_id"]], "frame_id (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.frame_id"]], "from_disk_cache (response attribute)": [[34, "nodriver.cdp.network.Response.from_disk_cache"]], "from_prefetch_cache (response attribute)": [[34, "nodriver.cdp.network.Response.from_prefetch_cache"]], "from_service_worker (response attribute)": [[34, "nodriver.cdp.network.Response.from_service_worker"]], "get_all_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_all_cookies"]], "get_certificate() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_certificate"]], "get_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_cookies"]], "get_request_post_data() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_request_post_data"]], "get_response_body() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_response_body"]], "get_response_body_for_interception() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_response_body_for_interception"]], "get_security_isolation_status() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_security_isolation_status"]], "group_name (reportingapiendpoint attribute)": [[34, "nodriver.cdp.network.ReportingApiEndpoint.group_name"]], "has_extra_info (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.has_extra_info"]], "has_post_data (request attribute)": [[34, "nodriver.cdp.network.Request.has_post_data"]], "has_user_gesture (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.has_user_gesture"]], "hash_algorithm (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.hash_algorithm"]], "header (signedexchangeinfo attribute)": [[34, "nodriver.cdp.network.SignedExchangeInfo.header"]], "header_integrity (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.header_integrity"]], "headers (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.headers"]], "headers (request attribute)": [[34, "nodriver.cdp.network.Request.headers"]], "headers (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.headers"]], "headers (response attribute)": [[34, "nodriver.cdp.network.Response.headers"]], "headers (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.headers"]], "headers (websocketrequest attribute)": [[34, "nodriver.cdp.network.WebSocketRequest.headers"]], "headers (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.headers"]], "headers_text (response attribute)": [[34, "nodriver.cdp.network.Response.headers_text"]], "headers_text (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.headers_text"]], "headers_text (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.headers_text"]], "http_only (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.http_only"]], "http_only (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.http_only"]], "http_status_code (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.http_status_code"]], "id_ (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.id_"]], "include_credentials (loadnetworkresourceoptions attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourceOptions.include_credentials"]], "info (signedexchangereceived attribute)": [[34, "nodriver.cdp.network.SignedExchangeReceived.info"]], "initial_priority (request attribute)": [[34, "nodriver.cdp.network.Request.initial_priority"]], "initiator (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.initiator"]], "initiator (websocketcreated attribute)": [[34, "nodriver.cdp.network.WebSocketCreated.initiator"]], "initiator (webtransportcreated attribute)": [[34, "nodriver.cdp.network.WebTransportCreated.initiator"]], "initiator_ip_address_space (clientsecuritystate attribute)": [[34, "nodriver.cdp.network.ClientSecurityState.initiator_ip_address_space"]], "initiator_is_secure_context (clientsecuritystate attribute)": [[34, "nodriver.cdp.network.ClientSecurityState.initiator_is_secure_context"]], "initiator_url (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.initiator_url"]], "inner_request_id (subresourcewebbundleinnerresponseerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError.inner_request_id"]], "inner_request_id (subresourcewebbundleinnerresponseparsed attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed.inner_request_id"]], "inner_request_url (subresourcewebbundleinnerresponseerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError.inner_request_url"]], "inner_request_url (subresourcewebbundleinnerresponseparsed attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed.inner_request_url"]], "integrity (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.integrity"]], "interception_id (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.interception_id"]], "interception_stage (requestpattern attribute)": [[34, "nodriver.cdp.network.RequestPattern.interception_stage"]], "is_download (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.is_download"]], "is_enforced (contentsecuritypolicystatus attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicyStatus.is_enforced"]], "is_link_preload (request attribute)": [[34, "nodriver.cdp.network.Request.is_link_preload"]], "is_navigation_request (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.is_navigation_request"]], "is_same_site (request attribute)": [[34, "nodriver.cdp.network.Request.is_same_site"]], "issued_token_count (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.issued_token_count"]], "issuer (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.issuer"]], "issuer_origin (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.issuer_origin"]], "issuers (trusttokenparams attribute)": [[34, "nodriver.cdp.network.TrustTokenParams.issuers"]], "key_exchange (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.key_exchange"]], "key_exchange_group (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.key_exchange_group"]], "label (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.label"]], "line_number (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.line_number"]], "load_network_resource() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.load_network_resource"]], "loader_id (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.loader_id"]], "loader_id (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.loader_id"]], "log_description (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.log_description"]], "log_id (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.log_id"]], "mac (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.mac"]], "mask (websocketframe attribute)": [[34, "nodriver.cdp.network.WebSocketFrame.mask"]], "message (signedexchangeerror attribute)": [[34, "nodriver.cdp.network.SignedExchangeError.message"]], "method (request attribute)": [[34, "nodriver.cdp.network.Request.method"]], "mime_type (response attribute)": [[34, "nodriver.cdp.network.Response.mime_type"]], "mixed_content_type (request attribute)": [[34, "nodriver.cdp.network.Request.mixed_content_type"]], "name (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.name"]], "name (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.name"]], "net_error (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.net_error"]], "net_error_name (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.net_error_name"]], "new_priority (resourcechangedpriority attribute)": [[34, "nodriver.cdp.network.ResourceChangedPriority.new_priority"]], "nodriver.cdp.network": [[34, "module-nodriver.cdp.network"]], "opcode (websocketframe attribute)": [[34, "nodriver.cdp.network.WebSocketFrame.opcode"]], "operation (trusttokenparams attribute)": [[34, "nodriver.cdp.network.TrustTokenParams.operation"]], "origin (reportingapiendpointschangedfororigin attribute)": [[34, "nodriver.cdp.network.ReportingApiEndpointsChangedForOrigin.origin"]], "origin (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.origin"]], "outer_response (signedexchangeinfo attribute)": [[34, "nodriver.cdp.network.SignedExchangeInfo.outer_response"]], "partition_key (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.partition_key"]], "partition_key (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.partition_key"]], "partition_key_opaque (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.partition_key_opaque"]], "path (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.path"]], "path (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.path"]], "payload_data (websocketframe attribute)": [[34, "nodriver.cdp.network.WebSocketFrame.payload_data"]], "post_data (request attribute)": [[34, "nodriver.cdp.network.Request.post_data"]], "post_data_entries (request attribute)": [[34, "nodriver.cdp.network.Request.post_data_entries"]], "priority (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.priority"]], "priority (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.priority"]], "private_network_request_policy (clientsecuritystate attribute)": [[34, "nodriver.cdp.network.ClientSecurityState.private_network_request_policy"]], "protocol (response attribute)": [[34, "nodriver.cdp.network.Response.protocol"]], "protocol (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.protocol"]], "proxy_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.proxy_end"]], "proxy_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.proxy_start"]], "push_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.push_end"]], "push_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.push_start"]], "receive_headers_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.receive_headers_end"]], "receive_headers_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.receive_headers_start"]], "redirect_has_extra_info (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.redirect_has_extra_info"]], "redirect_response (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.redirect_response"]], "redirect_url (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.redirect_url"]], "referrer_policy (request attribute)": [[34, "nodriver.cdp.network.Request.referrer_policy"]], "refresh_policy (trusttokenparams attribute)": [[34, "nodriver.cdp.network.TrustTokenParams.refresh_policy"]], "remote_ip_address (response attribute)": [[34, "nodriver.cdp.network.Response.remote_ip_address"]], "remote_port (response attribute)": [[34, "nodriver.cdp.network.Response.remote_port"]], "replay_xhr() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.replay_xhr"]], "report (reportingapireportadded attribute)": [[34, "nodriver.cdp.network.ReportingApiReportAdded.report"]], "report (reportingapireportupdated attribute)": [[34, "nodriver.cdp.network.ReportingApiReportUpdated.report"]], "report_only_reporting_endpoint (crossoriginembedderpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus.report_only_reporting_endpoint"]], "report_only_reporting_endpoint (crossoriginopenerpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus.report_only_reporting_endpoint"]], "report_only_value (crossoriginembedderpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus.report_only_value"]], "report_only_value (crossoriginopenerpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus.report_only_value"]], "reporting_endpoint (crossoriginembedderpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus.reporting_endpoint"]], "reporting_endpoint (crossoriginopenerpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus.reporting_endpoint"]], "request (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.request"]], "request (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.request"]], "request (websocketwillsendhandshakerequest attribute)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest.request"]], "request_headers (response attribute)": [[34, "nodriver.cdp.network.Response.request_headers"]], "request_headers (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.request_headers"]], "request_headers_text (response attribute)": [[34, "nodriver.cdp.network.Response.request_headers_text"]], "request_headers_text (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.request_headers_text"]], "request_id (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.request_id"]], "request_id (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.request_id"]], "request_id (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.request_id"]], "request_id (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.request_id"]], "request_id (loadingfinished attribute)": [[34, "nodriver.cdp.network.LoadingFinished.request_id"]], "request_id (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.request_id"]], "request_id (requestservedfromcache attribute)": [[34, "nodriver.cdp.network.RequestServedFromCache.request_id"]], "request_id (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.request_id"]], "request_id (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.request_id"]], "request_id (resourcechangedpriority attribute)": [[34, "nodriver.cdp.network.ResourceChangedPriority.request_id"]], "request_id (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.request_id"]], "request_id (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.request_id"]], "request_id (signedexchangereceived attribute)": [[34, "nodriver.cdp.network.SignedExchangeReceived.request_id"]], "request_id (subresourcewebbundlemetadataerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataError.request_id"]], "request_id (subresourcewebbundlemetadatareceived attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataReceived.request_id"]], "request_id (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.request_id"]], "request_id (websocketclosed attribute)": [[34, "nodriver.cdp.network.WebSocketClosed.request_id"]], "request_id (websocketcreated attribute)": [[34, "nodriver.cdp.network.WebSocketCreated.request_id"]], "request_id (websocketframeerror attribute)": [[34, "nodriver.cdp.network.WebSocketFrameError.request_id"]], "request_id (websocketframereceived attribute)": [[34, "nodriver.cdp.network.WebSocketFrameReceived.request_id"]], "request_id (websocketframesent attribute)": [[34, "nodriver.cdp.network.WebSocketFrameSent.request_id"]], "request_id (websockethandshakeresponsereceived attribute)": [[34, "nodriver.cdp.network.WebSocketHandshakeResponseReceived.request_id"]], "request_id (websocketwillsendhandshakerequest attribute)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest.request_id"]], "request_time (connecttiming attribute)": [[34, "nodriver.cdp.network.ConnectTiming.request_time"]], "request_time (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.request_time"]], "request_url (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.request_url"]], "resource_ip_address_space (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.resource_ip_address_space"]], "resource_type (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.resource_type"]], "response (cachedresource attribute)": [[34, "nodriver.cdp.network.CachedResource.response"]], "response (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.response"]], "response (websocketframereceived attribute)": [[34, "nodriver.cdp.network.WebSocketFrameReceived.response"]], "response (websocketframesent attribute)": [[34, "nodriver.cdp.network.WebSocketFrameSent.response"]], "response (websockethandshakeresponsereceived attribute)": [[34, "nodriver.cdp.network.WebSocketHandshakeResponseReceived.response"]], "response_code (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.response_code"]], "response_error_reason (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.response_error_reason"]], "response_headers (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.response_headers"]], "response_headers (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.response_headers"]], "response_status_code (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.response_status_code"]], "response_time (response attribute)": [[34, "nodriver.cdp.network.Response.response_time"]], "rule_id_matched (serviceworkerrouterinfo attribute)": [[34, "nodriver.cdp.network.ServiceWorkerRouterInfo.rule_id_matched"]], "same_party (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.same_party"]], "same_party (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.same_party"]], "same_site (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.same_site"]], "same_site (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.same_site"]], "san_list (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.san_list"]], "search_in_response_body() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.search_in_response_body"]], "secure (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.secure"]], "secure (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.secure"]], "security_details (response attribute)": [[34, "nodriver.cdp.network.Response.security_details"]], "security_details (signedexchangeinfo attribute)": [[34, "nodriver.cdp.network.SignedExchangeInfo.security_details"]], "security_state (response attribute)": [[34, "nodriver.cdp.network.Response.security_state"]], "send_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.send_end"]], "send_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.send_start"]], "server_signature_algorithm (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.server_signature_algorithm"]], "service_worker_response_source (response attribute)": [[34, "nodriver.cdp.network.Response.service_worker_response_source"]], "service_worker_router_info (response attribute)": [[34, "nodriver.cdp.network.Response.service_worker_router_info"]], "session (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.session"]], "set_accepted_encodings() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_accepted_encodings"]], "set_attach_debug_stack() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_attach_debug_stack"]], "set_blocked_ur_ls() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_blocked_ur_ls"]], "set_bypass_service_worker() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_bypass_service_worker"]], "set_cache_disabled() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_cache_disabled"]], "set_cookie() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_cookie"]], "set_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_cookies"]], "set_extra_http_headers() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_extra_http_headers"]], "set_request_interception() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_request_interception"]], "set_user_agent_override() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_user_agent_override"]], "signature (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.signature"]], "signature_algorithm (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.signature_algorithm"]], "signature_data (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.signature_data"]], "signature_index (signedexchangeerror attribute)": [[34, "nodriver.cdp.network.SignedExchangeError.signature_index"]], "signatures (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.signatures"]], "signed_certificate_timestamp_list (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.signed_certificate_timestamp_list"]], "site_has_cookie_in_other_partition (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.site_has_cookie_in_other_partition"]], "size (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.size"]], "source (contentsecuritypolicystatus attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicyStatus.source"]], "source_port (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.source_port"]], "source_port (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.source_port"]], "source_scheme (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.source_scheme"]], "source_scheme (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.source_scheme"]], "ssl_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.ssl_end"]], "ssl_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.ssl_start"]], "stack (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.stack"]], "status (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.status"]], "status (response attribute)": [[34, "nodriver.cdp.network.Response.status"]], "status (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.status"]], "status (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.status"]], "status (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.status"]], "status_code (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.status_code"]], "status_text (response attribute)": [[34, "nodriver.cdp.network.Response.status_text"]], "status_text (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.status_text"]], "stream (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.stream"]], "stream_resource_content() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.stream_resource_content"]], "subject_name (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.subject_name"]], "success (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.success"]], "take_response_body_for_interception_as_stream() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.take_response_body_for_interception_as_stream"]], "timestamp (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.timestamp"]], "timestamp (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.timestamp"]], "timestamp (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.timestamp"]], "timestamp (loadingfinished attribute)": [[34, "nodriver.cdp.network.LoadingFinished.timestamp"]], "timestamp (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.timestamp"]], "timestamp (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.timestamp"]], "timestamp (resourcechangedpriority attribute)": [[34, "nodriver.cdp.network.ResourceChangedPriority.timestamp"]], "timestamp (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.timestamp"]], "timestamp (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.timestamp"]], "timestamp (websocketclosed attribute)": [[34, "nodriver.cdp.network.WebSocketClosed.timestamp"]], "timestamp (websocketframeerror attribute)": [[34, "nodriver.cdp.network.WebSocketFrameError.timestamp"]], "timestamp (websocketframereceived attribute)": [[34, "nodriver.cdp.network.WebSocketFrameReceived.timestamp"]], "timestamp (websocketframesent attribute)": [[34, "nodriver.cdp.network.WebSocketFrameSent.timestamp"]], "timestamp (websockethandshakeresponsereceived attribute)": [[34, "nodriver.cdp.network.WebSocketHandshakeResponseReceived.timestamp"]], "timestamp (websocketwillsendhandshakerequest attribute)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest.timestamp"]], "timestamp (webtransportclosed attribute)": [[34, "nodriver.cdp.network.WebTransportClosed.timestamp"]], "timestamp (webtransportconnectionestablished attribute)": [[34, "nodriver.cdp.network.WebTransportConnectionEstablished.timestamp"]], "timestamp (webtransportcreated attribute)": [[34, "nodriver.cdp.network.WebTransportCreated.timestamp"]], "timing (response attribute)": [[34, "nodriver.cdp.network.Response.timing"]], "top_level_origin (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.top_level_origin"]], "transport_id (webtransportclosed attribute)": [[34, "nodriver.cdp.network.WebTransportClosed.transport_id"]], "transport_id (webtransportconnectionestablished attribute)": [[34, "nodriver.cdp.network.WebTransportConnectionEstablished.transport_id"]], "transport_id (webtransportcreated attribute)": [[34, "nodriver.cdp.network.WebTransportCreated.transport_id"]], "trust_token_params (request attribute)": [[34, "nodriver.cdp.network.Request.trust_token_params"]], "type_ (cachedresource attribute)": [[34, "nodriver.cdp.network.CachedResource.type_"]], "type_ (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.type_"]], "type_ (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.type_"]], "type_ (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.type_"]], "type_ (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.type_"]], "type_ (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.type_"]], "type_ (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.type_"]], "url (cachedresource attribute)": [[34, "nodriver.cdp.network.CachedResource.url"]], "url (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.url"]], "url (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.url"]], "url (reportingapiendpoint attribute)": [[34, "nodriver.cdp.network.ReportingApiEndpoint.url"]], "url (request attribute)": [[34, "nodriver.cdp.network.Request.url"]], "url (response attribute)": [[34, "nodriver.cdp.network.Response.url"]], "url (websocketcreated attribute)": [[34, "nodriver.cdp.network.WebSocketCreated.url"]], "url (webtransportcreated attribute)": [[34, "nodriver.cdp.network.WebTransportCreated.url"]], "url_fragment (request attribute)": [[34, "nodriver.cdp.network.Request.url_fragment"]], "urls (subresourcewebbundlemetadatareceived attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataReceived.urls"]], "valid_from (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.valid_from"]], "valid_to (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.valid_to"]], "validity_url (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.validity_url"]], "value (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.value"]], "value (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.value"]], "value (crossoriginembedderpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus.value"]], "value (crossoriginopenerpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus.value"]], "wall_time (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.wall_time"]], "wall_time (websocketwillsendhandshakerequest attribute)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest.wall_time"]], "worker_fetch_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.worker_fetch_start"]], "worker_ready (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.worker_ready"]], "worker_respond_with_settled (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.worker_respond_with_settled"]], "worker_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.worker_start"]], "aa (contrastalgorithm attribute)": [[35, "nodriver.cdp.overlay.ContrastAlgorithm.AA"]], "aaa (contrastalgorithm attribute)": [[35, "nodriver.cdp.overlay.ContrastAlgorithm.AAA"]], "apca (contrastalgorithm attribute)": [[35, "nodriver.cdp.overlay.ContrastAlgorithm.APCA"]], "boxstyle (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.BoxStyle"]], "capture_area_screenshot (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.CAPTURE_AREA_SCREENSHOT"]], "colorformat (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ColorFormat"]], "containerquerycontainerhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ContainerQueryContainerHighlightConfig"]], "containerqueryhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ContainerQueryHighlightConfig"]], "contrastalgorithm (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ContrastAlgorithm"]], "flexcontainerhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig"]], "flexitemhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.FlexItemHighlightConfig"]], "flexnodehighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.FlexNodeHighlightConfig"]], "gridhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.GridHighlightConfig"]], "gridnodehighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.GridNodeHighlightConfig"]], "hex_ (colorformat attribute)": [[35, "nodriver.cdp.overlay.ColorFormat.HEX_"]], "hsl (colorformat attribute)": [[35, "nodriver.cdp.overlay.ColorFormat.HSL"]], "hwb (colorformat attribute)": [[35, "nodriver.cdp.overlay.ColorFormat.HWB"]], "highlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.HighlightConfig"]], "hingeconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.HingeConfig"]], "inspectmode (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.InspectMode"]], "inspectmodecanceled (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.InspectModeCanceled"]], "inspectnoderequested (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.InspectNodeRequested"]], "isolatedelementhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.IsolatedElementHighlightConfig"]], "isolationmodehighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.IsolationModeHighlightConfig"]], "linestyle (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.LineStyle"]], "none (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.NONE"]], "nodehighlightrequested (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.NodeHighlightRequested"]], "rgb (colorformat attribute)": [[35, "nodriver.cdp.overlay.ColorFormat.RGB"]], "search_for_node (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.SEARCH_FOR_NODE"]], "search_for_ua_shadow_dom (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.SEARCH_FOR_UA_SHADOW_DOM"]], "show_distances (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.SHOW_DISTANCES"]], "screenshotrequested (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ScreenshotRequested"]], "scrollsnapcontainerhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig"]], "scrollsnaphighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ScrollSnapHighlightConfig"]], "sourceorderconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.SourceOrderConfig"]], "windowcontrolsoverlayconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.WindowControlsOverlayConfig"]], "area_border_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.area_border_color"]], "backend_node_id (inspectnoderequested attribute)": [[35, "nodriver.cdp.overlay.InspectNodeRequested.backend_node_id"]], "base_size_border (flexitemhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexItemHighlightConfig.base_size_border"]], "base_size_box (flexitemhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexItemHighlightConfig.base_size_box"]], "border_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.border_color"]], "cell_border_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.cell_border_color"]], "cell_border_dash (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.cell_border_dash"]], "child_outline_color (sourceorderconfig attribute)": [[35, "nodriver.cdp.overlay.SourceOrderConfig.child_outline_color"]], "color (linestyle attribute)": [[35, "nodriver.cdp.overlay.LineStyle.color"]], "color_format (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.color_format"]], "column_gap_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.column_gap_color"]], "column_gap_space (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.column_gap_space"]], "column_hatch_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.column_hatch_color"]], "column_line_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.column_line_color"]], "column_line_dash (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.column_line_dash"]], "container_border (containerquerycontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ContainerQueryContainerHighlightConfig.container_border"]], "container_border (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.container_border"]], "container_query_container_highlight_config (containerqueryhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ContainerQueryHighlightConfig.container_query_container_highlight_config"]], "container_query_container_highlight_config (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.container_query_container_highlight_config"]], "content_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.content_color"]], "content_color (hingeconfig attribute)": [[35, "nodriver.cdp.overlay.HingeConfig.content_color"]], "contrast_algorithm (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.contrast_algorithm"]], "cross_alignment (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.cross_alignment"]], "cross_distributed_space (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.cross_distributed_space"]], "css_grid_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.css_grid_color"]], "descendant_border (containerquerycontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ContainerQueryContainerHighlightConfig.descendant_border"]], "disable() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.disable"]], "enable() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.enable"]], "event_target_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.event_target_color"]], "fill_color (boxstyle attribute)": [[35, "nodriver.cdp.overlay.BoxStyle.fill_color"]], "flex_container_highlight_config (flexnodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexNodeHighlightConfig.flex_container_highlight_config"]], "flex_container_highlight_config (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.flex_container_highlight_config"]], "flex_item_highlight_config (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.flex_item_highlight_config"]], "flexibility_arrow (flexitemhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexItemHighlightConfig.flexibility_arrow"]], "get_grid_highlight_objects_for_test() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.get_grid_highlight_objects_for_test"]], "get_highlight_object_for_test() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.get_highlight_object_for_test"]], "get_source_order_highlight_object_for_test() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.get_source_order_highlight_object_for_test"]], "grid_background_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.grid_background_color"]], "grid_border_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.grid_border_color"]], "grid_border_dash (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.grid_border_dash"]], "grid_highlight_config (gridnodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridNodeHighlightConfig.grid_highlight_config"]], "grid_highlight_config (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.grid_highlight_config"]], "hatch_color (boxstyle attribute)": [[35, "nodriver.cdp.overlay.BoxStyle.hatch_color"]], "hide_highlight() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.hide_highlight"]], "highlight_frame() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_frame"]], "highlight_node() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_node"]], "highlight_quad() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_quad"]], "highlight_rect() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_rect"]], "highlight_source_order() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_source_order"]], "isolation_mode_highlight_config (isolatedelementhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolatedElementHighlightConfig.isolation_mode_highlight_config"]], "item_separator (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.item_separator"]], "line_separator (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.line_separator"]], "main_distributed_space (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.main_distributed_space"]], "margin_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.margin_color"]], "mask_color (isolationmodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolationModeHighlightConfig.mask_color"]], "node_id (containerqueryhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ContainerQueryHighlightConfig.node_id"]], "node_id (flexnodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexNodeHighlightConfig.node_id"]], "node_id (gridnodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridNodeHighlightConfig.node_id"]], "node_id (isolatedelementhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolatedElementHighlightConfig.node_id"]], "node_id (nodehighlightrequested attribute)": [[35, "nodriver.cdp.overlay.NodeHighlightRequested.node_id"]], "node_id (scrollsnaphighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapHighlightConfig.node_id"]], "nodriver.cdp.overlay": [[35, "module-nodriver.cdp.overlay"]], "outline_color (hingeconfig attribute)": [[35, "nodriver.cdp.overlay.HingeConfig.outline_color"]], "padding_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.padding_color"]], "parent_outline_color (sourceorderconfig attribute)": [[35, "nodriver.cdp.overlay.SourceOrderConfig.parent_outline_color"]], "pattern (linestyle attribute)": [[35, "nodriver.cdp.overlay.LineStyle.pattern"]], "rect (hingeconfig attribute)": [[35, "nodriver.cdp.overlay.HingeConfig.rect"]], "resizer_color (isolationmodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolationModeHighlightConfig.resizer_color"]], "resizer_handle_color (isolationmodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolationModeHighlightConfig.resizer_handle_color"]], "row_gap_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.row_gap_color"]], "row_gap_space (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.row_gap_space"]], "row_hatch_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.row_hatch_color"]], "row_line_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.row_line_color"]], "row_line_dash (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.row_line_dash"]], "scroll_margin_color (scrollsnapcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig.scroll_margin_color"]], "scroll_padding_color (scrollsnapcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig.scroll_padding_color"]], "scroll_snap_container_highlight_config (scrollsnaphighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapHighlightConfig.scroll_snap_container_highlight_config"]], "selected_platform (windowcontrolsoverlayconfig attribute)": [[35, "nodriver.cdp.overlay.WindowControlsOverlayConfig.selected_platform"]], "set_inspect_mode() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_inspect_mode"]], "set_paused_in_debugger_message() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_paused_in_debugger_message"]], "set_show_ad_highlights() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_ad_highlights"]], "set_show_container_query_overlays() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_container_query_overlays"]], "set_show_debug_borders() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_debug_borders"]], "set_show_flex_overlays() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_flex_overlays"]], "set_show_fps_counter() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_fps_counter"]], "set_show_grid_overlays() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_grid_overlays"]], "set_show_hinge() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_hinge"]], "set_show_hit_test_borders() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_hit_test_borders"]], "set_show_isolated_elements() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_isolated_elements"]], "set_show_layout_shift_regions() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_layout_shift_regions"]], "set_show_paint_rects() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_paint_rects"]], "set_show_scroll_bottleneck_rects() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_scroll_bottleneck_rects"]], "set_show_scroll_snap_overlays() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_scroll_snap_overlays"]], "set_show_viewport_size_on_resize() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_viewport_size_on_resize"]], "set_show_web_vitals() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_web_vitals"]], "set_show_window_controls_overlay() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_window_controls_overlay"]], "shape_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.shape_color"]], "shape_margin_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.shape_margin_color"]], "show_accessibility_info (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_accessibility_info"]], "show_area_names (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_area_names"]], "show_css (windowcontrolsoverlayconfig attribute)": [[35, "nodriver.cdp.overlay.WindowControlsOverlayConfig.show_css"]], "show_extension_lines (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_extension_lines"]], "show_grid_extension_lines (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_grid_extension_lines"]], "show_info (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_info"]], "show_line_names (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_line_names"]], "show_negative_line_numbers (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_negative_line_numbers"]], "show_positive_line_numbers (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_positive_line_numbers"]], "show_rulers (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_rulers"]], "show_styles (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_styles"]], "show_track_sizes (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_track_sizes"]], "snap_area_border (scrollsnapcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig.snap_area_border"]], "snapport_border (scrollsnapcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig.snapport_border"]], "theme_color (windowcontrolsoverlayconfig attribute)": [[35, "nodriver.cdp.overlay.WindowControlsOverlayConfig.theme_color"]], "viewport (screenshotrequested attribute)": [[35, "nodriver.cdp.overlay.ScreenshotRequested.viewport"]], "accelerometer (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.ACCELEROMETER"]], "activation_navigations_disallowed_for_bug1234857 (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.ACTIVATION_NAVIGATIONS_DISALLOWED_FOR_BUG1234857"]], "address_bar (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.ADDRESS_BAR"]], "alert (dialogtype attribute)": [[36, "nodriver.cdp.page.DialogType.ALERT"]], "ambient_light_sensor (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.AMBIENT_LIGHT_SENSOR"]], "anchor_click (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.ANCHOR_CLICK"]], "app_banner (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.APP_BANNER"]], "attribution_reporting (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.ATTRIBUTION_REPORTING"]], "autoplay (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.AUTOPLAY"]], "auto_accept (autoresponsemode attribute)": [[36, "nodriver.cdp.page.AutoResponseMode.AUTO_ACCEPT"]], "auto_bookmark (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.AUTO_BOOKMARK"]], "auto_opt_out (autoresponsemode attribute)": [[36, "nodriver.cdp.page.AutoResponseMode.AUTO_OPT_OUT"]], "auto_reject (autoresponsemode attribute)": [[36, "nodriver.cdp.page.AutoResponseMode.AUTO_REJECT"]], "auto_subframe (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.AUTO_SUBFRAME"]], "auto_toplevel (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.AUTO_TOPLEVEL"]], "adframeexplanation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AdFrameExplanation"]], "adframestatus (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AdFrameStatus"]], "adframetype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AdFrameType"]], "adscriptid (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AdScriptId"]], "appmanifesterror (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AppManifestError"]], "appmanifestparsedproperties (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AppManifestParsedProperties"]], "autoresponsemode (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AutoResponseMode"]], "back_forward_cache_disabled (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED"]], "back_forward_cache_disabled_by_command_line (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED_BY_COMMAND_LINE"]], "back_forward_cache_disabled_by_low_memory (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED_BY_LOW_MEMORY"]], "back_forward_cache_disabled_for_delegate (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED_FOR_DELEGATE"]], "back_forward_cache_disabled_for_prerender (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED_FOR_PRERENDER"]], "back_forward_cache_restore (navigationtype attribute)": [[36, "nodriver.cdp.page.NavigationType.BACK_FORWARD_CACHE_RESTORE"]], "beforeunload (dialogtype attribute)": [[36, "nodriver.cdp.page.DialogType.BEFOREUNLOAD"]], "bluetooth (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.BLUETOOTH"]], "broadcast_channel (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BROADCAST_CHANNEL"]], "browsing_instance_not_swapped (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BROWSING_INSTANCE_NOT_SWAPPED"]], "browsing_topics (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.BROWSING_TOPICS"]], "backforwardcacheblockingdetails (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails"]], "backforwardcachenotrestoredexplanation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation"]], "backforwardcachenotrestoredexplanationtree (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree"]], "backforwardcachenotrestoredreason (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason"]], "backforwardcachenotrestoredreasontype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType"]], "backforwardcachenotused (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed"]], "cache_control_no_store (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_CONTROL_NO_STORE"]], "cache_control_no_store_cookie_modified (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_CONTROL_NO_STORE_COOKIE_MODIFIED"]], "cache_control_no_store_http_only_cookie_modified (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_CONTROL_NO_STORE_HTTP_ONLY_COOKIE_MODIFIED"]], "cache_flushed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_FLUSHED"]], "cache_limit (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_LIMIT"]], "camera (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CAMERA"]], "captured_surface_control (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CAPTURED_SURFACE_CONTROL"]], "child (adframetype attribute)": [[36, "nodriver.cdp.page.AdFrameType.CHILD"]], "ch_device_memory (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_DEVICE_MEMORY"]], "ch_downlink (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_DOWNLINK"]], "ch_dpr (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_DPR"]], "ch_ect (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_ECT"]], "ch_prefers_color_scheme (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_PREFERS_COLOR_SCHEME"]], "ch_prefers_reduced_motion (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_PREFERS_REDUCED_MOTION"]], "ch_prefers_reduced_transparency (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_PREFERS_REDUCED_TRANSPARENCY"]], "ch_rtt (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_RTT"]], "ch_save_data (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_SAVE_DATA"]], "ch_ua (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA"]], "ch_ua_arch (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_ARCH"]], "ch_ua_bitness (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_BITNESS"]], "ch_ua_form_factor (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_FORM_FACTOR"]], "ch_ua_full_version (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_FULL_VERSION"]], "ch_ua_full_version_list (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_FULL_VERSION_LIST"]], "ch_ua_mobile (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_MOBILE"]], "ch_ua_model (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_MODEL"]], "ch_ua_platform (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_PLATFORM"]], "ch_ua_platform_version (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_PLATFORM_VERSION"]], "ch_ua_wow64 (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_WOW64"]], "ch_viewport_height (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_VIEWPORT_HEIGHT"]], "ch_viewport_width (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_VIEWPORT_WIDTH"]], "ch_width (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_WIDTH"]], "circumstantial (backforwardcachenotrestoredreasontype attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType.CIRCUMSTANTIAL"]], "clipboard_read (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CLIPBOARD_READ"]], "clipboard_write (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CLIPBOARD_WRITE"]], "compute_pressure (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.COMPUTE_PRESSURE"]], "confirm (dialogtype attribute)": [[36, "nodriver.cdp.page.DialogType.CONFIRM"]], "conflicting_browsing_instance (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONFLICTING_BROWSING_INSTANCE"]], "contains_plugins (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTAINS_PLUGINS"]], "content_file_chooser (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_FILE_CHOOSER"]], "content_file_system_access (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_FILE_SYSTEM_ACCESS"]], "content_media_devices_dispatcher_host (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_MEDIA_DEVICES_DISPATCHER_HOST"]], "content_media_session_service (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_MEDIA_SESSION_SERVICE"]], "content_screen_reader (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_SCREEN_READER"]], "content_security_handler (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_SECURITY_HANDLER"]], "content_serial (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_SERIAL"]], "content_web_authentication_api (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_WEB_AUTHENTICATION_API"]], "content_web_bluetooth (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_WEB_BLUETOOTH"]], "content_web_usb (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_WEB_USB"]], "cookie_disabled (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.COOKIE_DISABLED"]], "cookie_flushed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.COOKIE_FLUSHED"]], "created_by_ad_script (adframeexplanation attribute)": [[36, "nodriver.cdp.page.AdFrameExplanation.CREATED_BY_AD_SCRIPT"]], "cross_origin_isolated (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CROSS_ORIGIN_ISOLATED"]], "current_tab (clientnavigationdisposition attribute)": [[36, "nodriver.cdp.page.ClientNavigationDisposition.CURRENT_TAB"]], "clientnavigationdisposition (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ClientNavigationDisposition"]], "clientnavigationreason (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ClientNavigationReason"]], "compilationcacheparams (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.CompilationCacheParams"]], "compilationcacheproduced (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.CompilationCacheProduced"]], "crossoriginisolatedcontexttype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.CrossOriginIsolatedContextType"]], "dedicated_worker_or_worklet (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DEDICATED_WORKER_OR_WORKLET"]], "direct_sockets (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.DIRECT_SOCKETS"]], "disable_for_render_frame_host_called (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DISABLE_FOR_RENDER_FRAME_HOST_CALLED"]], "display_capture (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.DISPLAY_CAPTURE"]], "document_domain (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.DOCUMENT_DOMAIN"]], "document_loaded (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DOCUMENT_LOADED"]], "domain_not_allowed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DOMAIN_NOT_ALLOWED"]], "download (clientnavigationdisposition attribute)": [[36, "nodriver.cdp.page.ClientNavigationDisposition.DOWNLOAD"]], "dummy (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DUMMY"]], "dialogtype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DialogType"]], "documentopened (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DocumentOpened"]], "domcontenteventfired (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DomContentEventFired"]], "downloadprogress (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DownloadProgress"]], "downloadwillbegin (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DownloadWillBegin"]], "embedder_app_banner_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_APP_BANNER_MANAGER"]], "embedder_chrome_password_manager_client_bind_credential_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_CHROME_PASSWORD_MANAGER_CLIENT_BIND_CREDENTIAL_MANAGER"]], "embedder_dom_distiller_self_deleting_request_delegate (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_DOM_DISTILLER_SELF_DELETING_REQUEST_DELEGATE"]], "embedder_dom_distiller_viewer_source (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_DOM_DISTILLER_VIEWER_SOURCE"]], "embedder_extensions (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_EXTENSIONS"]], "embedder_extension_messaging (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_EXTENSION_MESSAGING"]], "embedder_extension_messaging_for_open_port (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_EXTENSION_MESSAGING_FOR_OPEN_PORT"]], "embedder_extension_sent_message_to_cached_frame (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_EXTENSION_SENT_MESSAGE_TO_CACHED_FRAME"]], "embedder_modal_dialog (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_MODAL_DIALOG"]], "embedder_offline_page (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_OFFLINE_PAGE"]], "embedder_oom_intervention_tab_helper (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_OOM_INTERVENTION_TAB_HELPER"]], "embedder_permission_request_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_PERMISSION_REQUEST_MANAGER"]], "embedder_popup_blocker_tab_helper (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_POPUP_BLOCKER_TAB_HELPER"]], "embedder_safe_browsing_threat_details (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_SAFE_BROWSING_THREAT_DETAILS"]], "embedder_safe_browsing_triggered_popup_blocker (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_SAFE_BROWSING_TRIGGERED_POPUP_BLOCKER"]], "enabled (origintrialstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialStatus.ENABLED"]], "encrypted_media (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.ENCRYPTED_MEDIA"]], "entered_back_forward_cache_before_service_worker_host_added (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.ENTERED_BACK_FORWARD_CACHE_BEFORE_SERVICE_WORKER_HOST_ADDED"]], "error_document (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.ERROR_DOCUMENT"]], "execution_while_not_rendered (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.EXECUTION_WHILE_NOT_RENDERED"]], "execution_while_out_of_viewport (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.EXECUTION_WHILE_OUT_OF_VIEWPORT"]], "expired (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.EXPIRED"]], "feature_disabled (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.FEATURE_DISABLED"]], "feature_disabled_for_user (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.FEATURE_DISABLED_FOR_USER"]], "fenced_frames_embedder (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.FENCED_FRAMES_EMBEDDER"]], "focus_without_user_activation (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.FOCUS_WITHOUT_USER_ACTIVATION"]], "foreground_cache_limit (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.FOREGROUND_CACHE_LIMIT"]], "form_submission_get (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.FORM_SUBMISSION_GET"]], "form_submission_post (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.FORM_SUBMISSION_POST"]], "form_submit (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.FORM_SUBMIT"]], "frobulate (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.FROBULATE"]], "fullscreen (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.FULLSCREEN"]], "filechooseropened (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FileChooserOpened"]], "fontfamilies (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FontFamilies"]], "fontsizes (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FontSizes"]], "frame (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.Frame"]], "frameattached (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameAttached"]], "frameclearedschedulednavigation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameClearedScheduledNavigation"]], "framedetached (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameDetached"]], "frameid (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameId"]], "framenavigated (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameNavigated"]], "framerequestednavigation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameRequestedNavigation"]], "frameresized (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameResized"]], "frameresource (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameResource"]], "frameresourcetree (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameResourceTree"]], "frameschedulednavigation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameScheduledNavigation"]], "framestartedloading (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameStartedLoading"]], "framestoppedloading (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameStoppedLoading"]], "frametree (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameTree"]], "gamepad (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.GAMEPAD"]], "generated (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.GENERATED"]], "geolocation (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.GEOLOCATION"]], "gyroscope (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.GYROSCOPE"]], "gatedapifeatures (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.GatedAPIFeatures"]], "have_inner_contents (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.HAVE_INNER_CONTENTS"]], "header (permissionspolicyblockreason attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason.HEADER"]], "hid (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.HID"]], "http_auth_required (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.HTTP_AUTH_REQUIRED"]], "http_header_refresh (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.HTTP_HEADER_REFRESH"]], "http_method_not_get (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.HTTP_METHOD_NOT_GET"]], "http_status_not_ok (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.HTTP_STATUS_NOT_OK"]], "identity_credentials_get (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.IDENTITY_CREDENTIALS_GET"]], "idle_detection (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.IDLE_DETECTION"]], "idle_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.IDLE_MANAGER"]], "iframe_attribute (permissionspolicyblockreason attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason.IFRAME_ATTRIBUTE"]], "ignore_event_and_evict (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.IGNORE_EVENT_AND_EVICT"]], "indexed_db_event (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.INDEXED_DB_EVENT"]], "injected_javascript (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.INJECTED_JAVASCRIPT"]], "injected_style_sheet (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.INJECTED_STYLE_SHEET"]], "insecure (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.INSECURE"]], "insecure_ancestor (securecontexttype attribute)": [[36, "nodriver.cdp.page.SecureContextType.INSECURE_ANCESTOR"]], "insecure_scheme (securecontexttype attribute)": [[36, "nodriver.cdp.page.SecureContextType.INSECURE_SCHEME"]], "interest_cohort (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.INTEREST_COHORT"]], "invalid_signature (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.INVALID_SIGNATURE"]], "in_fenced_frame_tree (permissionspolicyblockreason attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason.IN_FENCED_FRAME_TREE"]], "in_isolated_app (permissionspolicyblockreason attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason.IN_ISOLATED_APP"]], "isolated (crossoriginisolatedcontexttype attribute)": [[36, "nodriver.cdp.page.CrossOriginIsolatedContextType.ISOLATED"]], "installabilityerror (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.InstallabilityError"]], "installabilityerrorargument (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.InstallabilityErrorArgument"]], "interstitialhidden (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.InterstitialHidden"]], "interstitialshown (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.InterstitialShown"]], "java_script_execution (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.JAVA_SCRIPT_EXECUTION"]], "join_ad_interest_group (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.JOIN_AD_INTEREST_GROUP"]], "js_network_request_received_cache_control_no_store_resource (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.JS_NETWORK_REQUEST_RECEIVED_CACHE_CONTROL_NO_STORE_RESOURCE"]], "javascriptdialogclosed (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.JavascriptDialogClosed"]], "javascriptdialogopening (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.JavascriptDialogOpening"]], "keepalive_request (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.KEEPALIVE_REQUEST"]], "keyboard_lock (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.KEYBOARD_LOCK"]], "keyboard_map (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.KEYBOARD_MAP"]], "keyword (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.KEYWORD"]], "keyword_generated (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.KEYWORD_GENERATED"]], "link (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.LINK"]], "live_media_stream_track (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.LIVE_MEDIA_STREAM_TRACK"]], "loading (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.LOADING"]], "local_fonts (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.LOCAL_FONTS"]], "layoutviewport (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.LayoutViewport"]], "lifecycleevent (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.LifecycleEvent"]], "loadeventfired (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.LoadEventFired"]], "magnetometer (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.MAGNETOMETER"]], "main_resource_has_cache_control_no_cache (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.MAIN_RESOURCE_HAS_CACHE_CONTROL_NO_CACHE"]], "main_resource_has_cache_control_no_store (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.MAIN_RESOURCE_HAS_CACHE_CONTROL_NO_STORE"]], "malformed (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.MALFORMED"]], "manual_subframe (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.MANUAL_SUBFRAME"]], "matched_blocking_rule (adframeexplanation attribute)": [[36, "nodriver.cdp.page.AdFrameExplanation.MATCHED_BLOCKING_RULE"]], "meta_tag_refresh (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.META_TAG_REFRESH"]], "microphone (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.MICROPHONE"]], "midi (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.MIDI"]], "navigation (navigationtype attribute)": [[36, "nodriver.cdp.page.NavigationType.NAVIGATION"]], "navigation_cancelled_while_restoring (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NAVIGATION_CANCELLED_WHILE_RESTORING"]], "network_exceeds_buffer_limit (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NETWORK_EXCEEDS_BUFFER_LIMIT"]], "network_request_datapipe_drained_as_bytes_consumer (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NETWORK_REQUEST_DATAPIPE_DRAINED_AS_BYTES_CONSUMER"]], "network_request_redirected (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NETWORK_REQUEST_REDIRECTED"]], "network_request_timeout (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NETWORK_REQUEST_TIMEOUT"]], "new_tab (clientnavigationdisposition attribute)": [[36, "nodriver.cdp.page.ClientNavigationDisposition.NEW_TAB"]], "new_window (clientnavigationdisposition attribute)": [[36, "nodriver.cdp.page.ClientNavigationDisposition.NEW_WINDOW"]], "none (adframetype attribute)": [[36, "nodriver.cdp.page.AdFrameType.NONE"]], "none (autoresponsemode attribute)": [[36, "nodriver.cdp.page.AutoResponseMode.NONE"]], "none (origintrialusagerestriction attribute)": [[36, "nodriver.cdp.page.OriginTrialUsageRestriction.NONE"]], "not_isolated (crossoriginisolatedcontexttype attribute)": [[36, "nodriver.cdp.page.CrossOriginIsolatedContextType.NOT_ISOLATED"]], "not_isolated_feature_disabled (crossoriginisolatedcontexttype attribute)": [[36, "nodriver.cdp.page.CrossOriginIsolatedContextType.NOT_ISOLATED_FEATURE_DISABLED"]], "not_most_recent_navigation_entry (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NOT_MOST_RECENT_NAVIGATION_ENTRY"]], "not_primary_main_frame (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NOT_PRIMARY_MAIN_FRAME"]], "not_supported (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.NOT_SUPPORTED"]], "no_referrer (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.NO_REFERRER"]], "no_referrer_when_downgrade (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.NO_REFERRER_WHEN_DOWNGRADE"]], "no_response_head (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NO_RESPONSE_HEAD"]], "navigatedwithindocument (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.NavigatedWithinDocument"]], "navigationentry (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.NavigationEntry"]], "navigationtype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.NavigationType"]], "origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.ORIGIN"]], "origin_when_cross_origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.ORIGIN_WHEN_CROSS_ORIGIN"]], "os_not_supported (origintrialstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialStatus.OS_NOT_SUPPORTED"]], "other (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.OTHER"]], "otp_credentials (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.OTP_CREDENTIALS"]], "outstanding_network_request_direct_socket (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.OUTSTANDING_NETWORK_REQUEST_DIRECT_SOCKET"]], "outstanding_network_request_fetch (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.OUTSTANDING_NETWORK_REQUEST_FETCH"]], "outstanding_network_request_others (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.OUTSTANDING_NETWORK_REQUEST_OTHERS"]], "outstanding_network_request_xhr (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.OUTSTANDING_NETWORK_REQUEST_XHR"]], "origintrial (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrial"]], "origintrialstatus (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialStatus"]], "origintrialtoken (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialToken"]], "origintrialtokenstatus (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus"]], "origintrialtokenwithstatus (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialTokenWithStatus"]], "origintrialusagerestriction (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialUsageRestriction"]], "page_block_interstitial (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.PAGE_BLOCK_INTERSTITIAL"]], "page_support_needed (backforwardcachenotrestoredreasontype attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType.PAGE_SUPPORT_NEEDED"]], "parent_is_ad (adframeexplanation attribute)": [[36, "nodriver.cdp.page.AdFrameExplanation.PARENT_IS_AD"]], "payment (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PAYMENT"]], "payment_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.PAYMENT_MANAGER"]], "performance_measure_memory (gatedapifeatures attribute)": [[36, "nodriver.cdp.page.GatedAPIFeatures.PERFORMANCE_MEASURE_MEMORY"]], "performance_profile (gatedapifeatures attribute)": [[36, "nodriver.cdp.page.GatedAPIFeatures.PERFORMANCE_PROFILE"]], "picture_in_picture (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.PICTURE_IN_PICTURE"]], "picture_in_picture (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PICTURE_IN_PICTURE"]], "portal (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.PORTAL"]], "printing (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.PRINTING"]], "private_aggregation (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PRIVATE_AGGREGATION"]], "private_state_token_issuance (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PRIVATE_STATE_TOKEN_ISSUANCE"]], "private_state_token_redemption (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PRIVATE_STATE_TOKEN_REDEMPTION"]], "prompt (dialogtype attribute)": [[36, "nodriver.cdp.page.DialogType.PROMPT"]], "publickey_credentials_create (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PUBLICKEY_CREDENTIALS_CREATE"]], "publickey_credentials_get (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PUBLICKEY_CREDENTIALS_GET"]], "permissionspolicyblocklocator (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockLocator"]], "permissionspolicyblockreason (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason"]], "permissionspolicyfeature (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature"]], "permissionspolicyfeaturestate (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.PermissionsPolicyFeatureState"]], "related_active_contents_exist (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RELATED_ACTIVE_CONTENTS_EXIST"]], "reload (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.RELOAD"]], "reload (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.RELOAD"]], "renderer_process_crashed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RENDERER_PROCESS_CRASHED"]], "renderer_process_killed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RENDERER_PROCESS_KILLED"]], "render_frame_host_reused_cross_site (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RENDER_FRAME_HOST_REUSED_CROSS_SITE"]], "render_frame_host_reused_same_site (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RENDER_FRAME_HOST_REUSED_SAME_SITE"]], "requested_audio_capture_permission (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_AUDIO_CAPTURE_PERMISSION"]], "requested_background_work_permission (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_BACKGROUND_WORK_PERMISSION"]], "requested_back_forward_cache_blocked_sensors (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_BACK_FORWARD_CACHE_BLOCKED_SENSORS"]], "requested_midi_permission (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_MIDI_PERMISSION"]], "requested_storage_access_grant (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_STORAGE_ACCESS_GRANT"]], "requested_video_capture_permission (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_VIDEO_CAPTURE_PERMISSION"]], "root (adframetype attribute)": [[36, "nodriver.cdp.page.AdFrameType.ROOT"]], "run_ad_auction (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.RUN_AD_AUCTION"]], "referrerpolicy (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ReferrerPolicy"]], "same_origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.SAME_ORIGIN"]], "scheduler_tracked_feature_used (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SCHEDULER_TRACKED_FEATURE_USED"]], "scheme_not_http_or_https (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SCHEME_NOT_HTTP_OR_HTTPS"]], "screen_wake_lock (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SCREEN_WAKE_LOCK"]], "script_initiated (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.SCRIPT_INITIATED"]], "secure (securecontexttype attribute)": [[36, "nodriver.cdp.page.SecureContextType.SECURE"]], "secure_localhost (securecontexttype attribute)": [[36, "nodriver.cdp.page.SecureContextType.SECURE_LOCALHOST"]], "serial (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SERIAL"]], "service_worker_claim (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SERVICE_WORKER_CLAIM"]], "service_worker_post_message (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SERVICE_WORKER_POST_MESSAGE"]], "service_worker_unregistration (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SERVICE_WORKER_UNREGISTRATION"]], "service_worker_version_activation (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SERVICE_WORKER_VERSION_ACTIVATION"]], "session_restored (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SESSION_RESTORED"]], "shared_array_buffers (gatedapifeatures attribute)": [[36, "nodriver.cdp.page.GatedAPIFeatures.SHARED_ARRAY_BUFFERS"]], "shared_array_buffers_transfer_allowed (gatedapifeatures attribute)": [[36, "nodriver.cdp.page.GatedAPIFeatures.SHARED_ARRAY_BUFFERS_TRANSFER_ALLOWED"]], "shared_autofill (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SHARED_AUTOFILL"]], "shared_storage (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SHARED_STORAGE"]], "shared_storage_select_url (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SHARED_STORAGE_SELECT_URL"]], "shared_worker (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SHARED_WORKER"]], "smart_card (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SMART_CARD"]], "smart_card (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SMART_CARD"]], "speech_recognizer (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SPEECH_RECOGNIZER"]], "speech_synthesis (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SPEECH_SYNTHESIS"]], "storage_access (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.STORAGE_ACCESS"]], "strict_origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.STRICT_ORIGIN"]], "strict_origin_when_cross_origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.STRICT_ORIGIN_WHEN_CROSS_ORIGIN"]], "subframe_is_navigating (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SUBFRAME_IS_NAVIGATING"]], "subresource_has_cache_control_no_cache (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SUBRESOURCE_HAS_CACHE_CONTROL_NO_CACHE"]], "subresource_has_cache_control_no_store (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SUBRESOURCE_HAS_CACHE_CONTROL_NO_STORE"]], "subset (origintrialusagerestriction attribute)": [[36, "nodriver.cdp.page.OriginTrialUsageRestriction.SUBSET"]], "sub_apps (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SUB_APPS"]], "success (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.SUCCESS"]], "support_pending (backforwardcachenotrestoredreasontype attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType.SUPPORT_PENDING"]], "sync_xhr (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SYNC_XHR"]], "screencastframe (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScreencastFrame"]], "screencastframemetadata (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata"]], "screencastvisibilitychanged (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScreencastVisibilityChanged"]], "scriptfontfamilies (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScriptFontFamilies"]], "scriptidentifier (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScriptIdentifier"]], "securecontexttype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.SecureContextType"]], "timeout (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.TIMEOUT"]], "timeout_putting_in_cache (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.TIMEOUT_PUTTING_IN_CACHE"]], "token_disabled (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.TOKEN_DISABLED"]], "trial_not_allowed (origintrialstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialStatus.TRIAL_NOT_ALLOWED"]], "typed (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.TYPED"]], "transitiontype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.TransitionType"]], "unknown (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.UNKNOWN"]], "unknown_trial (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.UNKNOWN_TRIAL"]], "unload (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.UNLOAD"]], "unload_handler (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.UNLOAD_HANDLER"]], "unload_handler_exists_in_main_frame (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.UNLOAD_HANDLER_EXISTS_IN_MAIN_FRAME"]], "unload_handler_exists_in_sub_frame (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.UNLOAD_HANDLER_EXISTS_IN_SUB_FRAME"]], "unsafe_url (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.UNSAFE_URL"]], "usb (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.USB"]], "usb_unrestricted (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.USB_UNRESTRICTED"]], "user_agent_override_differs (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.USER_AGENT_OVERRIDE_DIFFERS"]], "valid_token_not_provided (origintrialstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialStatus.VALID_TOKEN_NOT_PROVIDED"]], "vertical_scroll (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.VERTICAL_SCROLL"]], "viewport (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.Viewport"]], "visualviewport (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.VisualViewport"]], "was_granted_media_access (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WAS_GRANTED_MEDIA_ACCESS"]], "web_database (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_DATABASE"]], "web_hid (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_HID"]], "web_locks (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_LOCKS"]], "web_nfc (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_NFC"]], "web_otp_service (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_OTP_SERVICE"]], "web_printing (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.WEB_PRINTING"]], "web_rtc (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_RTC"]], "web_rtc_sticky (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_RTC_STICKY"]], "web_share (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_SHARE"]], "web_share (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.WEB_SHARE"]], "web_socket (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_SOCKET"]], "web_socket_sticky (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_SOCKET_STICKY"]], "web_transport (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_TRANSPORT"]], "web_transport_sticky (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_TRANSPORT_STICKY"]], "web_xr (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_XR"]], "window_management (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.WINDOW_MANAGEMENT"]], "window_placement (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.WINDOW_PLACEMENT"]], "wrong_origin (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.WRONG_ORIGIN"]], "wrong_version (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.WRONG_VERSION"]], "windowopen (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.WindowOpen"]], "xr_spatial_tracking (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.XR_SPATIAL_TRACKING"]], "ad_frame_status (frame attribute)": [[36, "nodriver.cdp.page.Frame.ad_frame_status"]], "ad_frame_type (adframestatus attribute)": [[36, "nodriver.cdp.page.AdFrameStatus.ad_frame_type"]], "add_compilation_cache() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.add_compilation_cache"]], "add_script_to_evaluate_on_load() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.add_script_to_evaluate_on_load"]], "add_script_to_evaluate_on_new_document() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.add_script_to_evaluate_on_new_document"]], "allowed (permissionspolicyfeaturestate attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeatureState.allowed"]], "backend_node_id (filechooseropened attribute)": [[36, "nodriver.cdp.page.FileChooserOpened.backend_node_id"]], "block_reason (permissionspolicyblocklocator attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockLocator.block_reason"]], "bring_to_front() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.bring_to_front"]], "canceled (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.canceled"]], "capture_screenshot() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.capture_screenshot"]], "capture_snapshot() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.capture_snapshot"]], "child_frames (frameresourcetree attribute)": [[36, "nodriver.cdp.page.FrameResourceTree.child_frames"]], "child_frames (frametree attribute)": [[36, "nodriver.cdp.page.FrameTree.child_frames"]], "children (backforwardcachenotrestoredexplanationtree attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree.children"]], "clear_compilation_cache() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.clear_compilation_cache"]], "clear_device_metrics_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.clear_device_metrics_override"]], "clear_device_orientation_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.clear_device_orientation_override"]], "clear_geolocation_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.clear_geolocation_override"]], "client_height (layoutviewport attribute)": [[36, "nodriver.cdp.page.LayoutViewport.client_height"]], "client_height (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.client_height"]], "client_width (layoutviewport attribute)": [[36, "nodriver.cdp.page.LayoutViewport.client_width"]], "client_width (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.client_width"]], "close() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.close"]], "column (appmanifesterror attribute)": [[36, "nodriver.cdp.page.AppManifestError.column"]], "column_number (backforwardcacheblockingdetails attribute)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails.column_number"]], "content_size (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.content_size"]], "context (backforwardcachenotrestoredexplanation attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation.context"]], "crash() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.crash"]], "create_isolated_world() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.create_isolated_world"]], "critical (appmanifesterror attribute)": [[36, "nodriver.cdp.page.AppManifestError.critical"]], "cross_origin_isolated_context_type (frame attribute)": [[36, "nodriver.cdp.page.Frame.cross_origin_isolated_context_type"]], "cursive (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.cursive"]], "data (compilationcacheproduced attribute)": [[36, "nodriver.cdp.page.CompilationCacheProduced.data"]], "data (screencastframe attribute)": [[36, "nodriver.cdp.page.ScreencastFrame.data"]], "debugger_id (adscriptid attribute)": [[36, "nodriver.cdp.page.AdScriptId.debugger_id"]], "default_prompt (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.default_prompt"]], "delay (frameschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameScheduledNavigation.delay"]], "delete_cookie() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.delete_cookie"]], "details (backforwardcachenotrestoredexplanation attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation.details"]], "device_height (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.device_height"]], "device_width (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.device_width"]], "disable() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.disable"]], "disposition (framerequestednavigation attribute)": [[36, "nodriver.cdp.page.FrameRequestedNavigation.disposition"]], "domain_and_registry (frame attribute)": [[36, "nodriver.cdp.page.Frame.domain_and_registry"]], "eager (compilationcacheparams attribute)": [[36, "nodriver.cdp.page.CompilationCacheParams.eager"]], "enable() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.enable"]], "error_arguments (installabilityerror attribute)": [[36, "nodriver.cdp.page.InstallabilityError.error_arguments"]], "error_id (installabilityerror attribute)": [[36, "nodriver.cdp.page.InstallabilityError.error_id"]], "expiry_time (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.expiry_time"]], "explanations (adframestatus attribute)": [[36, "nodriver.cdp.page.AdFrameStatus.explanations"]], "explanations (backforwardcachenotrestoredexplanationtree attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree.explanations"]], "failed (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.failed"]], "fantasy (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.fantasy"]], "feature (permissionspolicyfeaturestate attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeatureState.feature"]], "fixed (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.fixed"]], "fixed (fontsizes attribute)": [[36, "nodriver.cdp.page.FontSizes.fixed"]], "font_families (scriptfontfamilies attribute)": [[36, "nodriver.cdp.page.ScriptFontFamilies.font_families"]], "frame (documentopened attribute)": [[36, "nodriver.cdp.page.DocumentOpened.frame"]], "frame (framenavigated attribute)": [[36, "nodriver.cdp.page.FrameNavigated.frame"]], "frame (frameresourcetree attribute)": [[36, "nodriver.cdp.page.FrameResourceTree.frame"]], "frame (frametree attribute)": [[36, "nodriver.cdp.page.FrameTree.frame"]], "frame_id (backforwardcachenotused attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed.frame_id"]], "frame_id (filechooseropened attribute)": [[36, "nodriver.cdp.page.FileChooserOpened.frame_id"]], "frame_id (frameattached attribute)": [[36, "nodriver.cdp.page.FrameAttached.frame_id"]], "frame_id (frameclearedschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameClearedScheduledNavigation.frame_id"]], "frame_id (framedetached attribute)": [[36, "nodriver.cdp.page.FrameDetached.frame_id"]], "frame_id (framerequestednavigation attribute)": [[36, "nodriver.cdp.page.FrameRequestedNavigation.frame_id"]], "frame_id (frameschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameScheduledNavigation.frame_id"]], "frame_id (framestartedloading attribute)": [[36, "nodriver.cdp.page.FrameStartedLoading.frame_id"]], "frame_id (framestoppedloading attribute)": [[36, "nodriver.cdp.page.FrameStoppedLoading.frame_id"]], "frame_id (lifecycleevent attribute)": [[36, "nodriver.cdp.page.LifecycleEvent.frame_id"]], "frame_id (navigatedwithindocument attribute)": [[36, "nodriver.cdp.page.NavigatedWithinDocument.frame_id"]], "frame_id (permissionspolicyblocklocator attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockLocator.frame_id"]], "function (backforwardcacheblockingdetails attribute)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails.function"]], "gated_api_features (frame attribute)": [[36, "nodriver.cdp.page.Frame.gated_api_features"]], "generate_test_report() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.generate_test_report"]], "get_ad_script_id() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_ad_script_id"]], "get_app_id() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_app_id"]], "get_app_manifest() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_app_manifest"]], "get_frame_tree() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_frame_tree"]], "get_installability_errors() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_installability_errors"]], "get_layout_metrics() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_layout_metrics"]], "get_manifest_icons() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_manifest_icons"]], "get_navigation_history() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_navigation_history"]], "get_origin_trials() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_origin_trials"]], "get_permissions_policy_state() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_permissions_policy_state"]], "get_resource_content() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_resource_content"]], "get_resource_tree() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_resource_tree"]], "handle_java_script_dialog() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.handle_java_script_dialog"]], "has_browser_handler (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.has_browser_handler"]], "height (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.height"]], "id_ (frame attribute)": [[36, "nodriver.cdp.page.Frame.id_"]], "id_ (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.id_"]], "is_third_party (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.is_third_party"]], "last_modified (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.last_modified"]], "line (appmanifesterror attribute)": [[36, "nodriver.cdp.page.AppManifestError.line"]], "line_number (backforwardcacheblockingdetails attribute)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails.line_number"]], "loader_id (backforwardcachenotused attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed.loader_id"]], "loader_id (frame attribute)": [[36, "nodriver.cdp.page.Frame.loader_id"]], "loader_id (lifecycleevent attribute)": [[36, "nodriver.cdp.page.LifecycleEvent.loader_id"]], "locator (permissionspolicyfeaturestate attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeatureState.locator"]], "match_sub_domains (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.match_sub_domains"]], "math (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.math"]], "message (appmanifesterror attribute)": [[36, "nodriver.cdp.page.AppManifestError.message"]], "message (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.message"]], "metadata (screencastframe attribute)": [[36, "nodriver.cdp.page.ScreencastFrame.metadata"]], "mime_type (frame attribute)": [[36, "nodriver.cdp.page.Frame.mime_type"]], "mime_type (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.mime_type"]], "mode (filechooseropened attribute)": [[36, "nodriver.cdp.page.FileChooserOpened.mode"]], "name (frame attribute)": [[36, "nodriver.cdp.page.Frame.name"]], "name (installabilityerrorargument attribute)": [[36, "nodriver.cdp.page.InstallabilityErrorArgument.name"]], "name (lifecycleevent attribute)": [[36, "nodriver.cdp.page.LifecycleEvent.name"]], "navigate() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.navigate"]], "navigate_to_history_entry() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.navigate_to_history_entry"]], "nodriver.cdp.page": [[36, "module-nodriver.cdp.page"]], "not_restored_explanations (backforwardcachenotused attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed.not_restored_explanations"]], "not_restored_explanations_tree (backforwardcachenotused attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed.not_restored_explanations_tree"]], "offset_top (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.offset_top"]], "offset_x (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.offset_x"]], "offset_y (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.offset_y"]], "origin (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.origin"]], "page_scale_factor (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.page_scale_factor"]], "page_x (layoutviewport attribute)": [[36, "nodriver.cdp.page.LayoutViewport.page_x"]], "page_x (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.page_x"]], "page_y (layoutviewport attribute)": [[36, "nodriver.cdp.page.LayoutViewport.page_y"]], "page_y (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.page_y"]], "parent_frame_id (frameattached attribute)": [[36, "nodriver.cdp.page.FrameAttached.parent_frame_id"]], "parent_id (frame attribute)": [[36, "nodriver.cdp.page.Frame.parent_id"]], "parsed_token (origintrialtokenwithstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenWithStatus.parsed_token"]], "print_to_pdf() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.print_to_pdf"]], "produce_compilation_cache() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.produce_compilation_cache"]], "raw_token_text (origintrialtokenwithstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenWithStatus.raw_token_text"]], "reason (backforwardcachenotrestoredexplanation attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation.reason"]], "reason (framedetached attribute)": [[36, "nodriver.cdp.page.FrameDetached.reason"]], "reason (framerequestednavigation attribute)": [[36, "nodriver.cdp.page.FrameRequestedNavigation.reason"]], "reason (frameschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameScheduledNavigation.reason"]], "reload() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.reload"]], "remove_script_to_evaluate_on_load() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.remove_script_to_evaluate_on_load"]], "remove_script_to_evaluate_on_new_document() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.remove_script_to_evaluate_on_new_document"]], "reset_navigation_history() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.reset_navigation_history"]], "resources (frameresourcetree attribute)": [[36, "nodriver.cdp.page.FrameResourceTree.resources"]], "result (javascriptdialogclosed attribute)": [[36, "nodriver.cdp.page.JavascriptDialogClosed.result"]], "sans_serif (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.sans_serif"]], "scale (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.scale"]], "scale (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.scale"]], "scope (appmanifestparsedproperties attribute)": [[36, "nodriver.cdp.page.AppManifestParsedProperties.scope"]], "screencast_frame_ack() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.screencast_frame_ack"]], "script (scriptfontfamilies attribute)": [[36, "nodriver.cdp.page.ScriptFontFamilies.script"]], "script_id (adscriptid attribute)": [[36, "nodriver.cdp.page.AdScriptId.script_id"]], "scroll_offset_x (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.scroll_offset_x"]], "scroll_offset_y (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.scroll_offset_y"]], "search_in_resource() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.search_in_resource"]], "secure_context_type (frame attribute)": [[36, "nodriver.cdp.page.Frame.secure_context_type"]], "security_origin (frame attribute)": [[36, "nodriver.cdp.page.Frame.security_origin"]], "serif (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.serif"]], "session_id (screencastframe attribute)": [[36, "nodriver.cdp.page.ScreencastFrame.session_id"]], "set_ad_blocking_enabled() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_ad_blocking_enabled"]], "set_bypass_csp() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_bypass_csp"]], "set_device_metrics_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_device_metrics_override"]], "set_device_orientation_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_device_orientation_override"]], "set_document_content() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_document_content"]], "set_download_behavior() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_download_behavior"]], "set_font_families() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_font_families"]], "set_font_sizes() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_font_sizes"]], "set_geolocation_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_geolocation_override"]], "set_intercept_file_chooser_dialog() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_intercept_file_chooser_dialog"]], "set_lifecycle_events_enabled() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_lifecycle_events_enabled"]], "set_prerendering_allowed() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_prerendering_allowed"]], "set_rph_registration_mode() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_rph_registration_mode"]], "set_spc_transaction_mode() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_spc_transaction_mode"]], "set_touch_emulation_enabled() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_touch_emulation_enabled"]], "set_web_lifecycle_state() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_web_lifecycle_state"]], "stack (frameattached attribute)": [[36, "nodriver.cdp.page.FrameAttached.stack"]], "standard (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.standard"]], "standard (fontsizes attribute)": [[36, "nodriver.cdp.page.FontSizes.standard"]], "start_screencast() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.start_screencast"]], "status (origintrial attribute)": [[36, "nodriver.cdp.page.OriginTrial.status"]], "status (origintrialtokenwithstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenWithStatus.status"]], "stop_loading() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.stop_loading"]], "stop_screencast() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.stop_screencast"]], "timestamp (domcontenteventfired attribute)": [[36, "nodriver.cdp.page.DomContentEventFired.timestamp"]], "timestamp (lifecycleevent attribute)": [[36, "nodriver.cdp.page.LifecycleEvent.timestamp"]], "timestamp (loadeventfired attribute)": [[36, "nodriver.cdp.page.LoadEventFired.timestamp"]], "timestamp (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.timestamp"]], "title (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.title"]], "tokens_with_status (origintrial attribute)": [[36, "nodriver.cdp.page.OriginTrial.tokens_with_status"]], "transition_type (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.transition_type"]], "trial_name (origintrial attribute)": [[36, "nodriver.cdp.page.OriginTrial.trial_name"]], "trial_name (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.trial_name"]], "type_ (backforwardcachenotrestoredexplanation attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation.type_"]], "type_ (framenavigated attribute)": [[36, "nodriver.cdp.page.FrameNavigated.type_"]], "type_ (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.type_"]], "type_ (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.type_"]], "unreachable_url (frame attribute)": [[36, "nodriver.cdp.page.Frame.unreachable_url"]], "url (backforwardcacheblockingdetails attribute)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails.url"]], "url (backforwardcachenotrestoredexplanationtree attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree.url"]], "url (compilationcacheparams attribute)": [[36, "nodriver.cdp.page.CompilationCacheParams.url"]], "url (compilationcacheproduced attribute)": [[36, "nodriver.cdp.page.CompilationCacheProduced.url"]], "url (frame attribute)": [[36, "nodriver.cdp.page.Frame.url"]], "url (framerequestednavigation attribute)": [[36, "nodriver.cdp.page.FrameRequestedNavigation.url"]], "url (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.url"]], "url (frameschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameScheduledNavigation.url"]], "url (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.url"]], "url (navigatedwithindocument attribute)": [[36, "nodriver.cdp.page.NavigatedWithinDocument.url"]], "url (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.url"]], "url (windowopen attribute)": [[36, "nodriver.cdp.page.WindowOpen.url"]], "url_fragment (frame attribute)": [[36, "nodriver.cdp.page.Frame.url_fragment"]], "usage_restriction (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.usage_restriction"]], "user_gesture (windowopen attribute)": [[36, "nodriver.cdp.page.WindowOpen.user_gesture"]], "user_input (javascriptdialogclosed attribute)": [[36, "nodriver.cdp.page.JavascriptDialogClosed.user_input"]], "user_typed_url (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.user_typed_url"]], "value (installabilityerrorargument attribute)": [[36, "nodriver.cdp.page.InstallabilityErrorArgument.value"]], "visible (screencastvisibilitychanged attribute)": [[36, "nodriver.cdp.page.ScreencastVisibilityChanged.visible"]], "wait_for_debugger() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.wait_for_debugger"]], "width (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.width"]], "window_features (windowopen attribute)": [[36, "nodriver.cdp.page.WindowOpen.window_features"]], "window_name (windowopen attribute)": [[36, "nodriver.cdp.page.WindowOpen.window_name"]], "x (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.x"]], "y (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.y"]], "zoom (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.zoom"]], "metric (class in nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.Metric"]], "metrics (class in nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.Metrics"]], "disable() (in module nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.disable"]], "enable() (in module nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.enable"]], "get_metrics() (in module nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.get_metrics"]], "metrics (metrics attribute)": [[37, "nodriver.cdp.performance.Metrics.metrics"]], "name (metric attribute)": [[37, "nodriver.cdp.performance.Metric.name"]], "nodriver.cdp.performance": [[37, "module-nodriver.cdp.performance"]], "set_time_domain() (in module nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.set_time_domain"]], "title (metrics attribute)": [[37, "nodriver.cdp.performance.Metrics.title"]], "value (metric attribute)": [[37, "nodriver.cdp.performance.Metric.value"]], "largestcontentfulpaint (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint"]], "layoutshift (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.LayoutShift"]], "layoutshiftattribution (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.LayoutShiftAttribution"]], "timelineevent (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent"]], "timelineeventadded (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.TimelineEventAdded"]], "current_rect (layoutshiftattribution attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShiftAttribution.current_rect"]], "duration (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.duration"]], "element_id (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.element_id"]], "enable() (in module nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.enable"]], "event (timelineeventadded attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEventAdded.event"]], "frame_id (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.frame_id"]], "had_recent_input (layoutshift attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShift.had_recent_input"]], "last_input_time (layoutshift attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShift.last_input_time"]], "layout_shift_details (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.layout_shift_details"]], "lcp_details (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.lcp_details"]], "load_time (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.load_time"]], "name (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.name"]], "node_id (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.node_id"]], "node_id (layoutshiftattribution attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShiftAttribution.node_id"]], "nodriver.cdp.performance_timeline": [[38, "module-nodriver.cdp.performance_timeline"]], "previous_rect (layoutshiftattribution attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShiftAttribution.previous_rect"]], "render_time (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.render_time"]], "size (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.size"]], "sources (layoutshift attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShift.sources"]], "time (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.time"]], "type_ (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.type_"]], "url (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.url"]], "value (layoutshift attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShift.value"]], "activated (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED"]], "activated_before_started (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED_BEFORE_STARTED"]], "activated_during_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED_DURING_MAIN_FRAME_NAVIGATION"]], "activated_in_background (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED_IN_BACKGROUND"]], "activated_with_auxiliary_browsing_contexts (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED_WITH_AUXILIARY_BROWSING_CONTEXTS"]], "activation_frame_policy_not_compatible (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATION_FRAME_POLICY_NOT_COMPATIBLE"]], "activation_navigation_destroyed_before_success (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATION_NAVIGATION_DESTROYED_BEFORE_SUCCESS"]], "activation_navigation_parameter_mismatch (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATION_NAVIGATION_PARAMETER_MISMATCH"]], "activation_url_has_effective_url (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATION_URL_HAS_EFFECTIVE_URL"]], "audio_output_device_requested (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.AUDIO_OUTPUT_DEVICE_REQUESTED"]], "battery_saver_enabled (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.BATTERY_SAVER_ENABLED"]], "blank (speculationtargethint attribute)": [[39, "nodriver.cdp.preload.SpeculationTargetHint.BLANK"]], "blocked_by_client (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.BLOCKED_BY_CLIENT"]], "cancel_all_hosts_for_testing (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CANCEL_ALL_HOSTS_FOR_TESTING"]], "client_cert_requested (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CLIENT_CERT_REQUESTED"]], "cross_site_navigation_in_initial_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CROSS_SITE_NAVIGATION_IN_INITIAL_NAVIGATION"]], "cross_site_navigation_in_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CROSS_SITE_NAVIGATION_IN_MAIN_FRAME_NAVIGATION"]], "cross_site_redirect_in_initial_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CROSS_SITE_REDIRECT_IN_INITIAL_NAVIGATION"]], "cross_site_redirect_in_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CROSS_SITE_REDIRECT_IN_MAIN_FRAME_NAVIGATION"]], "data_saver_enabled (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.DATA_SAVER_ENABLED"]], "destroyed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.DESTROYED"]], "did_fail_load (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.DID_FAIL_LOAD"]], "download (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.DOWNLOAD"]], "embedder_host_disallowed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.EMBEDDER_HOST_DISALLOWED"]], "failure (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.FAILURE"]], "inactive_page_restriction (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.INACTIVE_PAGE_RESTRICTION"]], "invalid_rules_skipped (ruleseterrortype attribute)": [[39, "nodriver.cdp.preload.RuleSetErrorType.INVALID_RULES_SKIPPED"]], "invalid_scheme_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.INVALID_SCHEME_NAVIGATION"]], "invalid_scheme_redirect (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.INVALID_SCHEME_REDIRECT"]], "login_auth_requested (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.LOGIN_AUTH_REQUESTED"]], "low_end_device (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.LOW_END_DEVICE"]], "main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MAIN_FRAME_NAVIGATION"]], "max_num_of_running_eager_prerenders_exceeded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MAX_NUM_OF_RUNNING_EAGER_PRERENDERS_EXCEEDED"]], "max_num_of_running_embedder_prerenders_exceeded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MAX_NUM_OF_RUNNING_EMBEDDER_PRERENDERS_EXCEEDED"]], "max_num_of_running_non_eager_prerenders_exceeded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MAX_NUM_OF_RUNNING_NON_EAGER_PRERENDERS_EXCEEDED"]], "memory_limit_exceeded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MEMORY_LIMIT_EXCEEDED"]], "memory_pressure_after_triggered (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MEMORY_PRESSURE_AFTER_TRIGGERED"]], "memory_pressure_on_trigger (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MEMORY_PRESSURE_ON_TRIGGER"]], "mixed_content (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MIXED_CONTENT"]], "mojo_binder_policy (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MOJO_BINDER_POLICY"]], "navigation_bad_http_status (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.NAVIGATION_BAD_HTTP_STATUS"]], "navigation_not_committed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.NAVIGATION_NOT_COMMITTED"]], "navigation_request_blocked_by_csp (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.NAVIGATION_REQUEST_BLOCKED_BY_CSP"]], "navigation_request_network_error (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.NAVIGATION_REQUEST_NETWORK_ERROR"]], "not_supported (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.NOT_SUPPORTED"]], "pending (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.PENDING"]], "prefetch (speculationaction attribute)": [[39, "nodriver.cdp.preload.SpeculationAction.PREFETCH"]], "prefetch_allowed (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_ALLOWED"]], "prefetch_evicted_after_candidate_removed (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_EVICTED_AFTER_CANDIDATE_REMOVED"]], "prefetch_evicted_for_newer_prefetch (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_EVICTED_FOR_NEWER_PREFETCH"]], "prefetch_failed_ineligible_redirect (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_INELIGIBLE_REDIRECT"]], "prefetch_failed_invalid_redirect (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_INVALID_REDIRECT"]], "prefetch_failed_mime_not_supported (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_MIME_NOT_SUPPORTED"]], "prefetch_failed_net_error (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_NET_ERROR"]], "prefetch_failed_non2_xx (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_NON2_XX"]], "prefetch_failed_per_page_limit_exceeded (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_PER_PAGE_LIMIT_EXCEEDED"]], "prefetch_heldback (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_HELDBACK"]], "prefetch_ineligible_retry_after (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_INELIGIBLE_RETRY_AFTER"]], "prefetch_is_privacy_decoy (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_IS_PRIVACY_DECOY"]], "prefetch_is_stale (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_IS_STALE"]], "prefetch_not_eligible_battery_saver_enabled (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_BATTERY_SAVER_ENABLED"]], "prefetch_not_eligible_browser_context_off_the_record (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_BROWSER_CONTEXT_OFF_THE_RECORD"]], "prefetch_not_eligible_data_saver_enabled (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_DATA_SAVER_ENABLED"]], "prefetch_not_eligible_existing_proxy (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_EXISTING_PROXY"]], "prefetch_not_eligible_host_is_non_unique (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_HOST_IS_NON_UNIQUE"]], "prefetch_not_eligible_non_default_storage_partition (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_NON_DEFAULT_STORAGE_PARTITION"]], "prefetch_not_eligible_preloading_disabled (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_PRELOADING_DISABLED"]], "prefetch_not_eligible_same_site_cross_origin_prefetch_required_proxy (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_SAME_SITE_CROSS_ORIGIN_PREFETCH_REQUIRED_PROXY"]], "prefetch_not_eligible_scheme_is_not_https (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_SCHEME_IS_NOT_HTTPS"]], "prefetch_not_eligible_user_has_cookies (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_USER_HAS_COOKIES"]], "prefetch_not_eligible_user_has_service_worker (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_USER_HAS_SERVICE_WORKER"]], "prefetch_not_finished_in_time (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_FINISHED_IN_TIME"]], "prefetch_not_started (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_STARTED"]], "prefetch_not_used_cookies_changed (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_USED_COOKIES_CHANGED"]], "prefetch_not_used_probe_failed (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_USED_PROBE_FAILED"]], "prefetch_proxy_not_available (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_PROXY_NOT_AVAILABLE"]], "prefetch_response_used (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_RESPONSE_USED"]], "prefetch_successful_but_not_used (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_SUCCESSFUL_BUT_NOT_USED"]], "preloading_disabled (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRELOADING_DISABLED"]], "preloading_unsupported_by_web_contents (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRELOADING_UNSUPPORTED_BY_WEB_CONTENTS"]], "prerender (speculationaction attribute)": [[39, "nodriver.cdp.preload.SpeculationAction.PRERENDER"]], "prerendering_disabled_by_dev_tools (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRERENDERING_DISABLED_BY_DEV_TOOLS"]], "prerendering_url_has_effective_url (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRERENDERING_URL_HAS_EFFECTIVE_URL"]], "primary_main_frame_renderer_process_crashed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRIMARY_MAIN_FRAME_RENDERER_PROCESS_CRASHED"]], "primary_main_frame_renderer_process_killed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRIMARY_MAIN_FRAME_RENDERER_PROCESS_KILLED"]], "prefetchstatus (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrefetchStatus"]], "prefetchstatusupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated"]], "preloadenabledstateupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated"]], "preloadingattemptkey (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey"]], "preloadingattemptsource (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadingAttemptSource"]], "preloadingattemptsourcesupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadingAttemptSourcesUpdated"]], "preloadingstatus (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadingStatus"]], "prerenderfinalstatus (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus"]], "prerendermismatchedheaders (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrerenderMismatchedHeaders"]], "prerenderstatusupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated"]], "ready (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.READY"]], "redirected_prerendering_url_has_effective_url (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.REDIRECTED_PRERENDERING_URL_HAS_EFFECTIVE_URL"]], "renderer_process_crashed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.RENDERER_PROCESS_CRASHED"]], "renderer_process_killed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.RENDERER_PROCESS_KILLED"]], "running (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.RUNNING"]], "ruleset (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSet"]], "ruleseterrortype (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSetErrorType"]], "rulesetid (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSetId"]], "rulesetremoved (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSetRemoved"]], "rulesetupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSetUpdated"]], "same_site_cross_origin_navigation_not_opt_in_in_initial_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SAME_SITE_CROSS_ORIGIN_NAVIGATION_NOT_OPT_IN_IN_INITIAL_NAVIGATION"]], "same_site_cross_origin_navigation_not_opt_in_in_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SAME_SITE_CROSS_ORIGIN_NAVIGATION_NOT_OPT_IN_IN_MAIN_FRAME_NAVIGATION"]], "same_site_cross_origin_redirect_not_opt_in_in_initial_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SAME_SITE_CROSS_ORIGIN_REDIRECT_NOT_OPT_IN_IN_INITIAL_NAVIGATION"]], "same_site_cross_origin_redirect_not_opt_in_in_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SAME_SITE_CROSS_ORIGIN_REDIRECT_NOT_OPT_IN_IN_MAIN_FRAME_NAVIGATION"]], "self (speculationtargethint attribute)": [[39, "nodriver.cdp.preload.SpeculationTargetHint.SELF"]], "source_is_not_json_object (ruleseterrortype attribute)": [[39, "nodriver.cdp.preload.RuleSetErrorType.SOURCE_IS_NOT_JSON_OBJECT"]], "speculation_rule_removed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SPECULATION_RULE_REMOVED"]], "ssl_certificate_error (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SSL_CERTIFICATE_ERROR"]], "start_failed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.START_FAILED"]], "stop (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.STOP"]], "success (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.SUCCESS"]], "speculationaction (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.SpeculationAction"]], "speculationtargethint (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.SpeculationTargetHint"]], "tab_closed_by_user_gesture (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TAB_CLOSED_BY_USER_GESTURE"]], "tab_closed_without_user_gesture (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TAB_CLOSED_WITHOUT_USER_GESTURE"]], "timeout_backgrounded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TIMEOUT_BACKGROUNDED"]], "trigger_backgrounded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TRIGGER_BACKGROUNDED"]], "trigger_destroyed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TRIGGER_DESTROYED"]], "trigger_url_has_effective_url (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TRIGGER_URL_HAS_EFFECTIVE_URL"]], "ua_change_requires_reload (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.UA_CHANGE_REQUIRES_RELOAD"]], "action (preloadingattemptkey attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey.action"]], "activation_value (prerendermismatchedheaders attribute)": [[39, "nodriver.cdp.preload.PrerenderMismatchedHeaders.activation_value"]], "backend_node_id (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.backend_node_id"]], "disable() (in module nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.disable"]], "disabled_by_battery_saver (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_battery_saver"]], "disabled_by_data_saver (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_data_saver"]], "disabled_by_holdback_prefetch_speculation_rules (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_holdback_prefetch_speculation_rules"]], "disabled_by_holdback_prerender_speculation_rules (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_holdback_prerender_speculation_rules"]], "disabled_by_preference (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_preference"]], "disallowed_mojo_interface (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.disallowed_mojo_interface"]], "enable() (in module nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.enable"]], "error_message (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.error_message"]], "error_type (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.error_type"]], "header_name (prerendermismatchedheaders attribute)": [[39, "nodriver.cdp.preload.PrerenderMismatchedHeaders.header_name"]], "id_ (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.id_"]], "id_ (rulesetremoved attribute)": [[39, "nodriver.cdp.preload.RuleSetRemoved.id_"]], "initial_value (prerendermismatchedheaders attribute)": [[39, "nodriver.cdp.preload.PrerenderMismatchedHeaders.initial_value"]], "initiating_frame_id (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.initiating_frame_id"]], "key (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.key"]], "key (preloadingattemptsource attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSource.key"]], "key (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.key"]], "loader_id (preloadingattemptkey attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey.loader_id"]], "loader_id (preloadingattemptsourcesupdated attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSourcesUpdated.loader_id"]], "loader_id (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.loader_id"]], "mismatched_headers (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.mismatched_headers"]], "node_ids (preloadingattemptsource attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSource.node_ids"]], "nodriver.cdp.preload": [[39, "module-nodriver.cdp.preload"]], "prefetch_status (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.prefetch_status"]], "prefetch_url (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.prefetch_url"]], "preloading_attempt_sources (preloadingattemptsourcesupdated attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSourcesUpdated.preloading_attempt_sources"]], "prerender_status (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.prerender_status"]], "request_id (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.request_id"]], "request_id (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.request_id"]], "rule_set (rulesetupdated attribute)": [[39, "nodriver.cdp.preload.RuleSetUpdated.rule_set"]], "rule_set_ids (preloadingattemptsource attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSource.rule_set_ids"]], "source_text (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.source_text"]], "status (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.status"]], "status (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.status"]], "target_hint (preloadingattemptkey attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey.target_hint"]], "url (preloadingattemptkey attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey.url"]], "url (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.url"]], "consoleprofilefinished (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished"]], "consoleprofilestarted (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.ConsoleProfileStarted"]], "coveragerange (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.CoverageRange"]], "functioncoverage (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.FunctionCoverage"]], "positiontickinfo (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.PositionTickInfo"]], "precisecoveragedeltaupdate (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate"]], "profile (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.Profile"]], "profilenode (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.ProfileNode"]], "scriptcoverage (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.ScriptCoverage"]], "call_frame (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.call_frame"]], "children (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.children"]], "count (coveragerange attribute)": [[40, "nodriver.cdp.profiler.CoverageRange.count"]], "deopt_reason (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.deopt_reason"]], "disable() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.disable"]], "enable() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.enable"]], "end_offset (coveragerange attribute)": [[40, "nodriver.cdp.profiler.CoverageRange.end_offset"]], "end_time (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.end_time"]], "function_name (functioncoverage attribute)": [[40, "nodriver.cdp.profiler.FunctionCoverage.function_name"]], "functions (scriptcoverage attribute)": [[40, "nodriver.cdp.profiler.ScriptCoverage.functions"]], "get_best_effort_coverage() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.get_best_effort_coverage"]], "hit_count (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.hit_count"]], "id_ (consoleprofilefinished attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished.id_"]], "id_ (consoleprofilestarted attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileStarted.id_"]], "id_ (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.id_"]], "is_block_coverage (functioncoverage attribute)": [[40, "nodriver.cdp.profiler.FunctionCoverage.is_block_coverage"]], "line (positiontickinfo attribute)": [[40, "nodriver.cdp.profiler.PositionTickInfo.line"]], "location (consoleprofilefinished attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished.location"]], "location (consoleprofilestarted attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileStarted.location"]], "nodes (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.nodes"]], "nodriver.cdp.profiler": [[40, "module-nodriver.cdp.profiler"]], "occasion (precisecoveragedeltaupdate attribute)": [[40, "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate.occasion"]], "position_ticks (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.position_ticks"]], "profile (consoleprofilefinished attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished.profile"]], "ranges (functioncoverage attribute)": [[40, "nodriver.cdp.profiler.FunctionCoverage.ranges"]], "result (precisecoveragedeltaupdate attribute)": [[40, "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate.result"]], "samples (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.samples"]], "script_id (scriptcoverage attribute)": [[40, "nodriver.cdp.profiler.ScriptCoverage.script_id"]], "set_sampling_interval() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.set_sampling_interval"]], "start() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.start"]], "start_offset (coveragerange attribute)": [[40, "nodriver.cdp.profiler.CoverageRange.start_offset"]], "start_precise_coverage() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.start_precise_coverage"]], "start_time (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.start_time"]], "stop() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.stop"]], "stop_precise_coverage() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.stop_precise_coverage"]], "take_precise_coverage() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.take_precise_coverage"]], "ticks (positiontickinfo attribute)": [[40, "nodriver.cdp.profiler.PositionTickInfo.ticks"]], "time_deltas (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.time_deltas"]], "timestamp (precisecoveragedeltaupdate attribute)": [[40, "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate.timestamp"]], "title (consoleprofilefinished attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished.title"]], "title (consoleprofilestarted attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileStarted.title"]], "url (scriptcoverage attribute)": [[40, "nodriver.cdp.profiler.ScriptCoverage.url"]], "bindingcalled (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.BindingCalled"]], "callargument (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.CallArgument"]], "callframe (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.CallFrame"]], "consoleapicalled (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled"]], "custompreview (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.CustomPreview"]], "deepserializedvalue (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.DeepSerializedValue"]], "entrypreview (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.EntryPreview"]], "exceptiondetails (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExceptionDetails"]], "exceptionrevoked (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExceptionRevoked"]], "exceptionthrown (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExceptionThrown"]], "executioncontextcreated (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextCreated"]], "executioncontextdescription (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription"]], "executioncontextdestroyed (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextDestroyed"]], "executioncontextid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextId"]], "executioncontextscleared (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextsCleared"]], "inspectrequested (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.InspectRequested"]], "internalpropertydescriptor (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.InternalPropertyDescriptor"]], "objectpreview (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ObjectPreview"]], "privatepropertydescriptor (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor"]], "propertydescriptor (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.PropertyDescriptor"]], "propertypreview (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.PropertyPreview"]], "remoteobject (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.RemoteObject"]], "remoteobjectid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.RemoteObjectId"]], "scriptid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ScriptId"]], "serializationoptions (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.SerializationOptions"]], "stacktrace (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.StackTrace"]], "stacktraceid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.StackTraceId"]], "timedelta (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.TimeDelta"]], "timestamp (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.Timestamp"]], "uniquedebuggerid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.UniqueDebuggerId"]], "unserializablevalue (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.UnserializableValue"]], "add_binding() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.add_binding"]], "additional_parameters (serializationoptions attribute)": [[41, "nodriver.cdp.runtime.SerializationOptions.additional_parameters"]], "args (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.args"]], "aux_data (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.aux_data"]], "await_promise() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.await_promise"]], "body_getter_id (custompreview attribute)": [[41, "nodriver.cdp.runtime.CustomPreview.body_getter_id"]], "call_frames (stacktrace attribute)": [[41, "nodriver.cdp.runtime.StackTrace.call_frames"]], "call_function_on() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.call_function_on"]], "class_name (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.class_name"]], "column_number (callframe attribute)": [[41, "nodriver.cdp.runtime.CallFrame.column_number"]], "column_number (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.column_number"]], "compile_script() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.compile_script"]], "configurable (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.configurable"]], "context (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.context"]], "context (executioncontextcreated attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextCreated.context"]], "custom_preview (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.custom_preview"]], "debugger_id (stacktraceid attribute)": [[41, "nodriver.cdp.runtime.StackTraceId.debugger_id"]], "deep_serialized_value (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.deep_serialized_value"]], "description (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.description"]], "description (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.description"]], "description (stacktrace attribute)": [[41, "nodriver.cdp.runtime.StackTrace.description"]], "disable() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.disable"]], "discard_console_entries() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.discard_console_entries"]], "enable() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.enable"]], "entries (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.entries"]], "enumerable (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.enumerable"]], "evaluate() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.evaluate"]], "exception (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.exception"]], "exception_details (exceptionthrown attribute)": [[41, "nodriver.cdp.runtime.ExceptionThrown.exception_details"]], "exception_id (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.exception_id"]], "exception_id (exceptionrevoked attribute)": [[41, "nodriver.cdp.runtime.ExceptionRevoked.exception_id"]], "exception_meta_data (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.exception_meta_data"]], "execution_context_id (bindingcalled attribute)": [[41, "nodriver.cdp.runtime.BindingCalled.execution_context_id"]], "execution_context_id (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.execution_context_id"]], "execution_context_id (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.execution_context_id"]], "execution_context_id (executioncontextdestroyed attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDestroyed.execution_context_id"]], "execution_context_id (inspectrequested attribute)": [[41, "nodriver.cdp.runtime.InspectRequested.execution_context_id"]], "execution_context_unique_id (executioncontextdestroyed attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDestroyed.execution_context_unique_id"]], "get (privatepropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor.get"]], "get (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.get"]], "get_exception_details() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.get_exception_details"]], "get_heap_usage() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.get_heap_usage"]], "get_isolate_id() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.get_isolate_id"]], "get_properties() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.get_properties"]], "global_lexical_scope_names() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.global_lexical_scope_names"]], "header (custompreview attribute)": [[41, "nodriver.cdp.runtime.CustomPreview.header"]], "hints (inspectrequested attribute)": [[41, "nodriver.cdp.runtime.InspectRequested.hints"]], "id_ (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.id_"]], "id_ (stacktraceid attribute)": [[41, "nodriver.cdp.runtime.StackTraceId.id_"]], "is_own (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.is_own"]], "key (entrypreview attribute)": [[41, "nodriver.cdp.runtime.EntryPreview.key"]], "line_number (callframe attribute)": [[41, "nodriver.cdp.runtime.CallFrame.line_number"]], "line_number (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.line_number"]], "max_depth (serializationoptions attribute)": [[41, "nodriver.cdp.runtime.SerializationOptions.max_depth"]], "name (bindingcalled attribute)": [[41, "nodriver.cdp.runtime.BindingCalled.name"]], "name (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.name"]], "name (internalpropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.InternalPropertyDescriptor.name"]], "name (privatepropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor.name"]], "name (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.name"]], "name (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.name"]], "nodriver.cdp.runtime": [[41, "module-nodriver.cdp.runtime"]], "object_ (inspectrequested attribute)": [[41, "nodriver.cdp.runtime.InspectRequested.object_"]], "object_id (callargument attribute)": [[41, "nodriver.cdp.runtime.CallArgument.object_id"]], "object_id (deepserializedvalue attribute)": [[41, "nodriver.cdp.runtime.DeepSerializedValue.object_id"]], "object_id (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.object_id"]], "origin (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.origin"]], "overflow (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.overflow"]], "parent (stacktrace attribute)": [[41, "nodriver.cdp.runtime.StackTrace.parent"]], "parent_id (stacktrace attribute)": [[41, "nodriver.cdp.runtime.StackTrace.parent_id"]], "payload (bindingcalled attribute)": [[41, "nodriver.cdp.runtime.BindingCalled.payload"]], "preview (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.preview"]], "properties (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.properties"]], "query_objects() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.query_objects"]], "reason (exceptionrevoked attribute)": [[41, "nodriver.cdp.runtime.ExceptionRevoked.reason"]], "release_object() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.release_object"]], "release_object_group() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.release_object_group"]], "remove_binding() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.remove_binding"]], "run_if_waiting_for_debugger() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.run_if_waiting_for_debugger"]], "run_script() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.run_script"]], "script_id (callframe attribute)": [[41, "nodriver.cdp.runtime.CallFrame.script_id"]], "script_id (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.script_id"]], "serialization (serializationoptions attribute)": [[41, "nodriver.cdp.runtime.SerializationOptions.serialization"]], "set_ (privatepropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor.set_"]], "set_ (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.set_"]], "set_async_call_stack_depth() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.set_async_call_stack_depth"]], "set_custom_object_formatter_enabled() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.set_custom_object_formatter_enabled"]], "set_max_call_stack_size_to_capture() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.set_max_call_stack_size_to_capture"]], "stack_trace (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.stack_trace"]], "stack_trace (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.stack_trace"]], "subtype (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.subtype"]], "subtype (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.subtype"]], "subtype (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.subtype"]], "symbol (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.symbol"]], "terminate_execution() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.terminate_execution"]], "text (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.text"]], "timestamp (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.timestamp"]], "timestamp (exceptionthrown attribute)": [[41, "nodriver.cdp.runtime.ExceptionThrown.timestamp"]], "type_ (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.type_"]], "type_ (deepserializedvalue attribute)": [[41, "nodriver.cdp.runtime.DeepSerializedValue.type_"]], "type_ (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.type_"]], "type_ (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.type_"]], "type_ (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.type_"]], "unique_id (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.unique_id"]], "unserializable_value (callargument attribute)": [[41, "nodriver.cdp.runtime.CallArgument.unserializable_value"]], "unserializable_value (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.unserializable_value"]], "url (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.url"]], "value (callargument attribute)": [[41, "nodriver.cdp.runtime.CallArgument.value"]], "value (deepserializedvalue attribute)": [[41, "nodriver.cdp.runtime.DeepSerializedValue.value"]], "value (entrypreview attribute)": [[41, "nodriver.cdp.runtime.EntryPreview.value"]], "value (internalpropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.InternalPropertyDescriptor.value"]], "value (privatepropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor.value"]], "value (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.value"]], "value (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.value"]], "value (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.value"]], "value_preview (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.value_preview"]], "was_thrown (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.was_thrown"]], "weak_local_object_reference (deepserializedvalue attribute)": [[41, "nodriver.cdp.runtime.DeepSerializedValue.weak_local_object_reference"]], "writable (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.writable"]], "domain (class in nodriver.cdp.schema)": [[42, "nodriver.cdp.schema.Domain"]], "get_domains() (in module nodriver.cdp.schema)": [[42, "nodriver.cdp.schema.get_domains"]], "name (domain attribute)": [[42, "nodriver.cdp.schema.Domain.name"]], "nodriver.cdp.schema": [[42, "module-nodriver.cdp.schema"]], "version (domain attribute)": [[42, "nodriver.cdp.schema.Domain.version"]], "bad_reputation (safetytipstatus attribute)": [[43, "nodriver.cdp.security.SafetyTipStatus.BAD_REPUTATION"]], "blockable (mixedcontenttype attribute)": [[43, "nodriver.cdp.security.MixedContentType.BLOCKABLE"]], "cancel (certificateerroraction attribute)": [[43, "nodriver.cdp.security.CertificateErrorAction.CANCEL"]], "continue (certificateerroraction attribute)": [[43, "nodriver.cdp.security.CertificateErrorAction.CONTINUE"]], "certificateerror (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.CertificateError"]], "certificateerroraction (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.CertificateErrorAction"]], "certificateid (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.CertificateId"]], "certificatesecuritystate (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.CertificateSecurityState"]], "info (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.INFO"]], "insecure (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.INSECURE"]], "insecure_broken (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.INSECURE_BROKEN"]], "insecurecontentstatus (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.InsecureContentStatus"]], "lookalike (safetytipstatus attribute)": [[43, "nodriver.cdp.security.SafetyTipStatus.LOOKALIKE"]], "mixedcontenttype (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.MixedContentType"]], "neutral (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.NEUTRAL"]], "none (mixedcontenttype attribute)": [[43, "nodriver.cdp.security.MixedContentType.NONE"]], "optionally_blockable (mixedcontenttype attribute)": [[43, "nodriver.cdp.security.MixedContentType.OPTIONALLY_BLOCKABLE"]], "secure (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.SECURE"]], "safetytipinfo (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SafetyTipInfo"]], "safetytipstatus (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SafetyTipStatus"]], "securitystate (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SecurityState"]], "securitystatechanged (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SecurityStateChanged"]], "securitystateexplanation (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SecurityStateExplanation"]], "unknown (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.UNKNOWN"]], "visiblesecuritystate (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.VisibleSecurityState"]], "visiblesecuritystatechanged (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.VisibleSecurityStateChanged"]], "certificate (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.certificate"]], "certificate (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.certificate"]], "certificate_has_sha1_signature (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.certificate_has_sha1_signature"]], "certificate_has_weak_signature (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.certificate_has_weak_signature"]], "certificate_network_error (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.certificate_network_error"]], "certificate_security_state (visiblesecuritystate attribute)": [[43, "nodriver.cdp.security.VisibleSecurityState.certificate_security_state"]], "cipher (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.cipher"]], "contained_mixed_form (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.contained_mixed_form"]], "description (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.description"]], "disable() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.disable"]], "displayed_content_with_cert_errors (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.displayed_content_with_cert_errors"]], "displayed_insecure_content_style (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.displayed_insecure_content_style"]], "displayed_mixed_content (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.displayed_mixed_content"]], "enable() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.enable"]], "error_type (certificateerror attribute)": [[43, "nodriver.cdp.security.CertificateError.error_type"]], "event_id (certificateerror attribute)": [[43, "nodriver.cdp.security.CertificateError.event_id"]], "explanations (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.explanations"]], "handle_certificate_error() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.handle_certificate_error"]], "insecure_content_status (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.insecure_content_status"]], "issuer (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.issuer"]], "key_exchange (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.key_exchange"]], "key_exchange_group (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.key_exchange_group"]], "mac (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.mac"]], "mixed_content_type (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.mixed_content_type"]], "modern_ssl (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.modern_ssl"]], "nodriver.cdp.security": [[43, "module-nodriver.cdp.security"]], "obsolete_ssl_cipher (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.obsolete_ssl_cipher"]], "obsolete_ssl_key_exchange (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.obsolete_ssl_key_exchange"]], "obsolete_ssl_protocol (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.obsolete_ssl_protocol"]], "obsolete_ssl_signature (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.obsolete_ssl_signature"]], "protocol (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.protocol"]], "ran_content_with_cert_errors (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.ran_content_with_cert_errors"]], "ran_insecure_content_style (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.ran_insecure_content_style"]], "ran_mixed_content (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.ran_mixed_content"]], "recommendations (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.recommendations"]], "request_url (certificateerror attribute)": [[43, "nodriver.cdp.security.CertificateError.request_url"]], "safe_url (safetytipinfo attribute)": [[43, "nodriver.cdp.security.SafetyTipInfo.safe_url"]], "safety_tip_info (visiblesecuritystate attribute)": [[43, "nodriver.cdp.security.VisibleSecurityState.safety_tip_info"]], "safety_tip_status (safetytipinfo attribute)": [[43, "nodriver.cdp.security.SafetyTipInfo.safety_tip_status"]], "scheme_is_cryptographic (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.scheme_is_cryptographic"]], "security_state (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.security_state"]], "security_state (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.security_state"]], "security_state (visiblesecuritystate attribute)": [[43, "nodriver.cdp.security.VisibleSecurityState.security_state"]], "security_state_issue_ids (visiblesecuritystate attribute)": [[43, "nodriver.cdp.security.VisibleSecurityState.security_state_issue_ids"]], "set_ignore_certificate_errors() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.set_ignore_certificate_errors"]], "set_override_certificate_errors() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.set_override_certificate_errors"]], "subject_name (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.subject_name"]], "summary (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.summary"]], "summary (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.summary"]], "title (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.title"]], "valid_from (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.valid_from"]], "valid_to (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.valid_to"]], "visible_security_state (visiblesecuritystatechanged attribute)": [[43, "nodriver.cdp.security.VisibleSecurityStateChanged.visible_security_state"]], "activated (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.ACTIVATED"]], "activating (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.ACTIVATING"]], "installed (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.INSTALLED"]], "installing (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.INSTALLING"]], "new (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.NEW"]], "redundant (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.REDUNDANT"]], "running (serviceworkerversionrunningstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus.RUNNING"]], "registrationid (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.RegistrationID"]], "starting (serviceworkerversionrunningstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus.STARTING"]], "stopped (serviceworkerversionrunningstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus.STOPPED"]], "stopping (serviceworkerversionrunningstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus.STOPPING"]], "serviceworkererrormessage (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage"]], "serviceworkerregistration (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerRegistration"]], "serviceworkerversion (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion"]], "serviceworkerversionrunningstatus (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus"]], "serviceworkerversionstatus (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus"]], "workererrorreported (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.WorkerErrorReported"]], "workerregistrationupdated (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.WorkerRegistrationUpdated"]], "workerversionupdated (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.WorkerVersionUpdated"]], "column_number (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.column_number"]], "controlled_clients (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.controlled_clients"]], "deliver_push_message() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.deliver_push_message"]], "disable() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.disable"]], "dispatch_periodic_sync_event() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.dispatch_periodic_sync_event"]], "dispatch_sync_event() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.dispatch_sync_event"]], "enable() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.enable"]], "error_message (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.error_message"]], "error_message (workererrorreported attribute)": [[44, "nodriver.cdp.service_worker.WorkerErrorReported.error_message"]], "inspect_worker() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.inspect_worker"]], "is_deleted (serviceworkerregistration attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerRegistration.is_deleted"]], "line_number (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.line_number"]], "nodriver.cdp.service_worker": [[44, "module-nodriver.cdp.service_worker"]], "registration_id (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.registration_id"]], "registration_id (serviceworkerregistration attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerRegistration.registration_id"]], "registration_id (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.registration_id"]], "registrations (workerregistrationupdated attribute)": [[44, "nodriver.cdp.service_worker.WorkerRegistrationUpdated.registrations"]], "router_rules (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.router_rules"]], "running_status (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.running_status"]], "scope_url (serviceworkerregistration attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerRegistration.scope_url"]], "script_last_modified (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.script_last_modified"]], "script_response_time (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.script_response_time"]], "script_url (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.script_url"]], "set_force_update_on_page_load() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.set_force_update_on_page_load"]], "skip_waiting() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.skip_waiting"]], "source_url (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.source_url"]], "start_worker() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.start_worker"]], "status (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.status"]], "stop_all_workers() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.stop_all_workers"]], "stop_worker() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.stop_worker"]], "target_id (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.target_id"]], "unregister() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.unregister"]], "update_registration() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.update_registration"]], "version_id (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.version_id"]], "version_id (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.version_id"]], "versions (workerversionupdated attribute)": [[44, "nodriver.cdp.service_worker.WorkerVersionUpdated.versions"]], "additional_bid (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.ADDITIONAL_BID"]], "additional_bid_win (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.ADDITIONAL_BID_WIN"]], "all_ (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.ALL_"]], "appcache (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.APPCACHE"]], "attributionreportingaggregatablededupkey (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableDedupKey"]], "attributionreportingaggregatableresult (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult"]], "attributionreportingaggregatabletriggerdata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData"]], "attributionreportingaggregatablevalueentry (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableValueEntry"]], "attributionreportingaggregationkeysentry (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregationKeysEntry"]], "attributionreportingeventlevelresult (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult"]], "attributionreportingeventreportwindows (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingEventReportWindows"]], "attributionreportingeventtriggerdata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData"]], "attributionreportingfilterconfig (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingFilterConfig"]], "attributionreportingfilterdataentry (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingFilterDataEntry"]], "attributionreportingfilterpair (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingFilterPair"]], "attributionreportingsourceregistered (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistered"]], "attributionreportingsourceregistration (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration"]], "attributionreportingsourceregistrationresult (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult"]], "attributionreportingsourceregistrationtimeconfig (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig"]], "attributionreportingsourcetype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceType"]], "attributionreportingtriggerdatamatching (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerDataMatching"]], "attributionreportingtriggerregistered (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistered"]], "attributionreportingtriggerregistration (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration"]], "attributionreportingtriggerspec (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerSpec"]], "bid (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.BID"]], "cache_storage (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.CACHE_STORAGE"]], "clear (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.CLEAR"]], "cookies (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.COOKIES"]], "cachestoragecontentupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated"]], "cachestoragelistupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.CacheStorageListUpdated"]], "deduplicated (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.DEDUPLICATED"]], "deduplicated (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.DEDUPLICATED"]], "destination_both_limits_reached (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.DESTINATION_BOTH_LIMITS_REACHED"]], "destination_global_limit_reached (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.DESTINATION_GLOBAL_LIMIT_REACHED"]], "destination_reporting_limit_reached (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.DESTINATION_REPORTING_LIMIT_REACHED"]], "document_add_module (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_ADD_MODULE"]], "document_append (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_APPEND"]], "document_clear (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_CLEAR"]], "document_delete (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_DELETE"]], "document_run (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_RUN"]], "document_select_url (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_SELECT_URL"]], "document_set (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_SET"]], "event (attributionreportingsourcetype attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceType.EVENT"]], "exact (attributionreportingtriggerdatamatching attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerDataMatching.EXACT"]], "exceeds_max_channel_capacity (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.EXCEEDS_MAX_CHANNEL_CAPACITY"]], "excessive_attributions (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.EXCESSIVE_ATTRIBUTIONS"]], "excessive_attributions (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.EXCESSIVE_ATTRIBUTIONS"]], "excessive_reporting_origins (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.EXCESSIVE_REPORTING_ORIGINS"]], "excessive_reporting_origins (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.EXCESSIVE_REPORTING_ORIGINS"]], "excessive_reporting_origins (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.EXCESSIVE_REPORTING_ORIGINS"]], "excessive_reports (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.EXCESSIVE_REPORTS"]], "excessive_reports (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.EXCESSIVE_REPORTS"]], "exclude (attributionreportingsourceregistrationtimeconfig attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig.EXCLUDE"]], "falsely_attributed_source (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.FALSELY_ATTRIBUTED_SOURCE"]], "file_systems (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.FILE_SYSTEMS"]], "include (attributionreportingsourceregistrationtimeconfig attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig.INCLUDE"]], "indexeddb (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.INDEXEDDB"]], "insufficient_budget (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.INSUFFICIENT_BUDGET"]], "insufficient_source_capacity (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.INSUFFICIENT_SOURCE_CAPACITY"]], "insufficient_unique_destination_capacity (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.INSUFFICIENT_UNIQUE_DESTINATION_CAPACITY"]], "interest_groups (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.INTEREST_GROUPS"]], "internal_error (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.INTERNAL_ERROR"]], "internal_error (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.INTERNAL_ERROR"]], "internal_error (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.INTERNAL_ERROR"]], "indexeddbcontentupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated"]], "indexeddblistupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.IndexedDBListUpdated"]], "interestgroupaccesstype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.InterestGroupAccessType"]], "interestgroupaccessed (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.InterestGroupAccessed"]], "interestgroupad (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.InterestGroupAd"]], "interestgroupdetails (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.InterestGroupDetails"]], "join (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.JOIN"]], "leave (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.LEAVE"]], "loaded (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.LOADED"]], "local_storage (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.LOCAL_STORAGE"]], "modulus (attributionreportingtriggerdatamatching attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerDataMatching.MODULUS"]], "navigation (attributionreportingsourcetype attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceType.NAVIGATION"]], "never_attributed_source (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NEVER_ATTRIBUTED_SOURCE"]], "not_registered (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NOT_REGISTERED"]], "not_registered (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NOT_REGISTERED"]], "no_capacity_for_attribution_destination (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NO_CAPACITY_FOR_ATTRIBUTION_DESTINATION"]], "no_capacity_for_attribution_destination (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_CAPACITY_FOR_ATTRIBUTION_DESTINATION"]], "no_histograms (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NO_HISTOGRAMS"]], "no_matching_configurations (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_MATCHING_CONFIGURATIONS"]], "no_matching_sources (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NO_MATCHING_SOURCES"]], "no_matching_sources (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_MATCHING_SOURCES"]], "no_matching_source_filter_data (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NO_MATCHING_SOURCE_FILTER_DATA"]], "no_matching_source_filter_data (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_MATCHING_SOURCE_FILTER_DATA"]], "no_matching_trigger_data (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_MATCHING_TRIGGER_DATA"]], "other (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.OTHER"]], "priority_too_low (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.PRIORITY_TOO_LOW"]], "prohibited_by_browser_policy (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.PROHIBITED_BY_BROWSER_POLICY"]], "prohibited_by_browser_policy (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.PROHIBITED_BY_BROWSER_POLICY"]], "prohibited_by_browser_policy (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.PROHIBITED_BY_BROWSER_POLICY"]], "relaxed (storagebucketsdurability attribute)": [[45, "nodriver.cdp.storage.StorageBucketsDurability.RELAXED"]], "reporting_origins_per_site_limit_reached (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.REPORTING_ORIGINS_PER_SITE_LIMIT_REACHED"]], "report_window_not_started (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.REPORT_WINDOW_NOT_STARTED"]], "report_window_passed (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.REPORT_WINDOW_PASSED"]], "report_window_passed (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.REPORT_WINDOW_PASSED"]], "service_workers (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.SERVICE_WORKERS"]], "shader_cache (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.SHADER_CACHE"]], "shared_storage (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.SHARED_STORAGE"]], "storage_buckets (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.STORAGE_BUCKETS"]], "strict (storagebucketsdurability attribute)": [[45, "nodriver.cdp.storage.StorageBucketsDurability.STRICT"]], "success (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.SUCCESS"]], "success (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.SUCCESS"]], "success (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.SUCCESS"]], "success_dropped_lower_priority (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.SUCCESS_DROPPED_LOWER_PRIORITY"]], "success_noised (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.SUCCESS_NOISED"]], "serializedstoragekey (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SerializedStorageKey"]], "sharedstorageaccessparams (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams"]], "sharedstorageaccesstype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageAccessType"]], "sharedstorageaccessed (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageAccessed"]], "sharedstorageentry (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageEntry"]], "sharedstoragemetadata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageMetadata"]], "sharedstoragereportingmetadata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageReportingMetadata"]], "sharedstorageurlwithmetadata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageUrlWithMetadata"]], "signedint64asbase10 (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SignedInt64AsBase10"]], "storagebucket (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucket"]], "storagebucketcreatedorupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucketCreatedOrUpdated"]], "storagebucketdeleted (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucketDeleted"]], "storagebucketinfo (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucketInfo"]], "storagebucketsdurability (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucketsDurability"]], "storagetype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageType"]], "trusttokens (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.TrustTokens"]], "update (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.UPDATE"]], "unsignedint128asbase16 (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.UnsignedInt128AsBase16"]], "unsignedint64asbase10 (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.UnsignedInt64AsBase10"]], "usagefortype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.UsageForType"]], "websql (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.WEBSQL"]], "win (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.WIN"]], "worklet_append (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_APPEND"]], "worklet_clear (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_CLEAR"]], "worklet_delete (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_DELETE"]], "worklet_entries (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_ENTRIES"]], "worklet_get (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_GET"]], "worklet_keys (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_KEYS"]], "worklet_length (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_LENGTH"]], "worklet_remaining_budget (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_REMAINING_BUDGET"]], "worklet_set (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_SET"]], "access_time (interestgroupaccessed attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessed.access_time"]], "access_time (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.access_time"]], "ad_components (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.ad_components"]], "ads (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.ads"]], "aggregatable (attributionreportingtriggerregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistered.aggregatable"]], "aggregatable_dedup_keys (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.aggregatable_dedup_keys"]], "aggregatable_report_window (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.aggregatable_report_window"]], "aggregatable_trigger_data (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.aggregatable_trigger_data"]], "aggregatable_values (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.aggregatable_values"]], "aggregation_coordinator_origin (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.aggregation_coordinator_origin"]], "aggregation_keys (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.aggregation_keys"]], "bidding_logic_url (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.bidding_logic_url"]], "bidding_wasm_helper_url (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.bidding_wasm_helper_url"]], "bucket (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.bucket"]], "bucket_id (cachestoragecontentupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated.bucket_id"]], "bucket_id (cachestoragelistupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageListUpdated.bucket_id"]], "bucket_id (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.bucket_id"]], "bucket_id (indexeddblistupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBListUpdated.bucket_id"]], "bucket_id (storagebucketdeleted attribute)": [[45, "nodriver.cdp.storage.StorageBucketDeleted.bucket_id"]], "bucket_info (storagebucketcreatedorupdated attribute)": [[45, "nodriver.cdp.storage.StorageBucketCreatedOrUpdated.bucket_info"]], "cache_name (cachestoragecontentupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated.cache_name"]], "clear_cookies() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_cookies"]], "clear_data_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_data_for_origin"]], "clear_data_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_data_for_storage_key"]], "clear_shared_storage_entries() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_shared_storage_entries"]], "clear_trust_tokens() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_trust_tokens"]], "count (trusttokens attribute)": [[45, "nodriver.cdp.storage.TrustTokens.count"]], "creation_time (sharedstoragemetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageMetadata.creation_time"]], "data (attributionreportingeventtriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData.data"]], "database_name (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.database_name"]], "debug_key (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.debug_key"]], "debug_key (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.debug_key"]], "debug_reporting (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.debug_reporting"]], "dedup_key (attributionreportingaggregatablededupkey attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableDedupKey.dedup_key"]], "dedup_key (attributionreportingeventtriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData.dedup_key"]], "delete_shared_storage_entry() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.delete_shared_storage_entry"]], "delete_storage_bucket() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.delete_storage_bucket"]], "destination_sites (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.destination_sites"]], "durability (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.durability"]], "ends (attributionreportingeventreportwindows attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventReportWindows.ends"]], "event_id (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.event_id"]], "event_level (attributionreportingtriggerregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistered.event_level"]], "event_report_windows (attributionreportingtriggerspec attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerSpec.event_report_windows"]], "event_trigger_data (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.event_trigger_data"]], "event_type (sharedstoragereportingmetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageReportingMetadata.event_type"]], "expiration (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.expiration"]], "expiration_time (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.expiration_time"]], "expiry (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.expiry"]], "filter_data (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.filter_data"]], "filter_values (attributionreportingfilterconfig attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterConfig.filter_values"]], "filters (attributionreportingaggregatablededupkey attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableDedupKey.filters"]], "filters (attributionreportingaggregatabletriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData.filters"]], "filters (attributionreportingeventtriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData.filters"]], "filters (attributionreportingfilterpair attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterPair.filters"]], "filters (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.filters"]], "get_cookies() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_cookies"]], "get_interest_group_details() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_interest_group_details"]], "get_shared_storage_entries() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_shared_storage_entries"]], "get_shared_storage_metadata() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_shared_storage_metadata"]], "get_storage_key_for_frame() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_storage_key_for_frame"]], "get_trust_tokens() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_trust_tokens"]], "get_usage_and_quota() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_usage_and_quota"]], "id_ (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.id_"]], "ignore_if_present (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.ignore_if_present"]], "issuer_origin (trusttokens attribute)": [[45, "nodriver.cdp.storage.TrustTokens.issuer_origin"]], "joining_origin (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.joining_origin"]], "key (attributionreportingaggregatablevalueentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableValueEntry.key"]], "key (attributionreportingaggregationkeysentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregationKeysEntry.key"]], "key (attributionreportingfilterdataentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterDataEntry.key"]], "key (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.key"]], "key (sharedstorageentry attribute)": [[45, "nodriver.cdp.storage.SharedStorageEntry.key"]], "key_piece (attributionreportingaggregatabletriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData.key_piece"]], "length (sharedstoragemetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageMetadata.length"]], "lookback_window (attributionreportingfilterconfig attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterConfig.lookback_window"]], "main_frame_id (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.main_frame_id"]], "metadata (interestgroupad attribute)": [[45, "nodriver.cdp.storage.InterestGroupAd.metadata"]], "name (interestgroupaccessed attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessed.name"]], "name (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.name"]], "name (storagebucket attribute)": [[45, "nodriver.cdp.storage.StorageBucket.name"]], "nodriver.cdp.storage": [[45, "module-nodriver.cdp.storage"]], "not_filters (attributionreportingfilterpair attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterPair.not_filters"]], "object_store_name (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.object_store_name"]], "operation_name (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.operation_name"]], "origin (cachestoragecontentupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated.origin"]], "origin (cachestoragelistupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageListUpdated.origin"]], "origin (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.origin"]], "origin (indexeddblistupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBListUpdated.origin"]], "override_quota_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.override_quota_for_origin"]], "owner_origin (interestgroupaccessed attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessed.owner_origin"]], "owner_origin (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.owner_origin"]], "owner_origin (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.owner_origin"]], "params (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.params"]], "persistent (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.persistent"]], "priority (attributionreportingeventtriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData.priority"]], "priority (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.priority"]], "quota (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.quota"]], "registration (attributionreportingsourceregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistered.registration"]], "registration (attributionreportingtriggerregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistered.registration"]], "remaining_budget (sharedstoragemetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageMetadata.remaining_budget"]], "render_url (interestgroupad attribute)": [[45, "nodriver.cdp.storage.InterestGroupAd.render_url"]], "reporting_metadata (sharedstorageurlwithmetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageUrlWithMetadata.reporting_metadata"]], "reporting_origin (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.reporting_origin"]], "reporting_url (sharedstoragereportingmetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageReportingMetadata.reporting_url"]], "reset_shared_storage_budget() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.reset_shared_storage_budget"]], "result (attributionreportingsourceregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistered.result"]], "run_bounce_tracking_mitigations() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.run_bounce_tracking_mitigations"]], "script_source_url (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.script_source_url"]], "serialized_data (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.serialized_data"]], "set_attribution_reporting_local_testing_mode() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_attribution_reporting_local_testing_mode"]], "set_attribution_reporting_tracking() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_attribution_reporting_tracking"]], "set_cookies() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_cookies"]], "set_interest_group_tracking() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_interest_group_tracking"]], "set_shared_storage_entry() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_shared_storage_entry"]], "set_shared_storage_tracking() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_shared_storage_tracking"]], "set_storage_bucket_tracking() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_storage_bucket_tracking"]], "source_keys (attributionreportingaggregatabletriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData.source_keys"]], "source_origin (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.source_origin"]], "source_registration_time_config (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.source_registration_time_config"]], "start (attributionreportingeventreportwindows attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventReportWindows.start"]], "storage_key (cachestoragecontentupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated.storage_key"]], "storage_key (cachestoragelistupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageListUpdated.storage_key"]], "storage_key (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.storage_key"]], "storage_key (indexeddblistupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBListUpdated.storage_key"]], "storage_key (storagebucket attribute)": [[45, "nodriver.cdp.storage.StorageBucket.storage_key"]], "storage_type (usagefortype attribute)": [[45, "nodriver.cdp.storage.UsageForType.storage_type"]], "time (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.time"]], "track_cache_storage_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.track_cache_storage_for_origin"]], "track_cache_storage_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.track_cache_storage_for_storage_key"]], "track_indexed_db_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.track_indexed_db_for_origin"]], "track_indexed_db_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.track_indexed_db_for_storage_key"]], "trigger_context_id (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.trigger_context_id"]], "trigger_data (attributionreportingtriggerspec attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerSpec.trigger_data"]], "trigger_data_matching (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.trigger_data_matching"]], "trigger_specs (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.trigger_specs"]], "trusted_bidding_signals_keys (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.trusted_bidding_signals_keys"]], "trusted_bidding_signals_url (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.trusted_bidding_signals_url"]], "type_ (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.type_"]], "type_ (interestgroupaccessed attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessed.type_"]], "type_ (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.type_"]], "untrack_cache_storage_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.untrack_cache_storage_for_origin"]], "untrack_cache_storage_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.untrack_cache_storage_for_storage_key"]], "untrack_indexed_db_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.untrack_indexed_db_for_origin"]], "untrack_indexed_db_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.untrack_indexed_db_for_storage_key"]], "update_url (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.update_url"]], "url (sharedstorageurlwithmetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageUrlWithMetadata.url"]], "urls_with_metadata (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.urls_with_metadata"]], "usage (usagefortype attribute)": [[45, "nodriver.cdp.storage.UsageForType.usage"]], "user_bidding_signals (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.user_bidding_signals"]], "value (attributionreportingaggregatablevalueentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableValueEntry.value"]], "value (attributionreportingaggregationkeysentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregationKeysEntry.value"]], "value (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.value"]], "value (sharedstorageentry attribute)": [[45, "nodriver.cdp.storage.SharedStorageEntry.value"]], "values (attributionreportingfilterdataentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterDataEntry.values"]], "gpudevice (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.GPUDevice"]], "gpuinfo (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.GPUInfo"]], "imagedecodeacceleratorcapability (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability"]], "imagetype (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.ImageType"]], "jpeg (imagetype attribute)": [[46, "nodriver.cdp.system_info.ImageType.JPEG"]], "processinfo (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.ProcessInfo"]], "size (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.Size"]], "subsamplingformat (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.SubsamplingFormat"]], "unknown (imagetype attribute)": [[46, "nodriver.cdp.system_info.ImageType.UNKNOWN"]], "videodecodeacceleratorcapability (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability"]], "videoencodeacceleratorcapability (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability"]], "webp (imagetype attribute)": [[46, "nodriver.cdp.system_info.ImageType.WEBP"]], "yuv420 (subsamplingformat attribute)": [[46, "nodriver.cdp.system_info.SubsamplingFormat.YUV420"]], "yuv422 (subsamplingformat attribute)": [[46, "nodriver.cdp.system_info.SubsamplingFormat.YUV422"]], "yuv444 (subsamplingformat attribute)": [[46, "nodriver.cdp.system_info.SubsamplingFormat.YUV444"]], "aux_attributes (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.aux_attributes"]], "cpu_time (processinfo attribute)": [[46, "nodriver.cdp.system_info.ProcessInfo.cpu_time"]], "device_id (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.device_id"]], "device_string (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.device_string"]], "devices (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.devices"]], "driver_bug_workarounds (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.driver_bug_workarounds"]], "driver_vendor (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.driver_vendor"]], "driver_version (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.driver_version"]], "feature_status (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.feature_status"]], "get_feature_state() (in module nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.get_feature_state"]], "get_info() (in module nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.get_info"]], "get_process_info() (in module nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.get_process_info"]], "height (size attribute)": [[46, "nodriver.cdp.system_info.Size.height"]], "id_ (processinfo attribute)": [[46, "nodriver.cdp.system_info.ProcessInfo.id_"]], "image_decoding (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.image_decoding"]], "image_type (imagedecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability.image_type"]], "max_dimensions (imagedecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability.max_dimensions"]], "max_framerate_denominator (videoencodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability.max_framerate_denominator"]], "max_framerate_numerator (videoencodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability.max_framerate_numerator"]], "max_resolution (videodecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability.max_resolution"]], "max_resolution (videoencodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability.max_resolution"]], "min_dimensions (imagedecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability.min_dimensions"]], "min_resolution (videodecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability.min_resolution"]], "nodriver.cdp.system_info": [[46, "module-nodriver.cdp.system_info"]], "profile (videodecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability.profile"]], "profile (videoencodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability.profile"]], "revision (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.revision"]], "sub_sys_id (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.sub_sys_id"]], "subsamplings (imagedecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability.subsamplings"]], "type_ (processinfo attribute)": [[46, "nodriver.cdp.system_info.ProcessInfo.type_"]], "vendor_id (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.vendor_id"]], "vendor_string (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.vendor_string"]], "video_decoding (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.video_decoding"]], "video_encoding (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.video_encoding"]], "width (size attribute)": [[46, "nodriver.cdp.system_info.Size.width"]], "attachedtotarget (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.AttachedToTarget"]], "detachedfromtarget (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.DetachedFromTarget"]], "filterentry (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.FilterEntry"]], "receivedmessagefromtarget (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.ReceivedMessageFromTarget"]], "remotelocation (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.RemoteLocation"]], "sessionid (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.SessionID"]], "targetcrashed (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetCrashed"]], "targetcreated (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetCreated"]], "targetdestroyed (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetDestroyed"]], "targetfilter (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetFilter"]], "targetid (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetID"]], "targetinfo (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetInfo"]], "targetinfochanged (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetInfoChanged"]], "activate_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.activate_target"]], "attach_to_browser_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.attach_to_browser_target"]], "attach_to_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.attach_to_target"]], "attached (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.attached"]], "auto_attach_related() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.auto_attach_related"]], "browser_context_id (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.browser_context_id"]], "can_access_opener (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.can_access_opener"]], "close_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.close_target"]], "create_browser_context() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.create_browser_context"]], "create_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.create_target"]], "detach_from_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.detach_from_target"]], "dispose_browser_context() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.dispose_browser_context"]], "error_code (targetcrashed attribute)": [[47, "nodriver.cdp.target.TargetCrashed.error_code"]], "exclude (filterentry attribute)": [[47, "nodriver.cdp.target.FilterEntry.exclude"]], "expose_dev_tools_protocol() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.expose_dev_tools_protocol"]], "get_browser_contexts() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.get_browser_contexts"]], "get_target_info() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.get_target_info"]], "get_targets() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.get_targets"]], "host (remotelocation attribute)": [[47, "nodriver.cdp.target.RemoteLocation.host"]], "message (receivedmessagefromtarget attribute)": [[47, "nodriver.cdp.target.ReceivedMessageFromTarget.message"]], "nodriver.cdp.target": [[47, "module-nodriver.cdp.target"]], "opener_frame_id (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.opener_frame_id"]], "opener_id (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.opener_id"]], "port (remotelocation attribute)": [[47, "nodriver.cdp.target.RemoteLocation.port"]], "send_message_to_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.send_message_to_target"]], "session_id (attachedtotarget attribute)": [[47, "nodriver.cdp.target.AttachedToTarget.session_id"]], "session_id (detachedfromtarget attribute)": [[47, "nodriver.cdp.target.DetachedFromTarget.session_id"]], "session_id (receivedmessagefromtarget attribute)": [[47, "nodriver.cdp.target.ReceivedMessageFromTarget.session_id"]], "set_auto_attach() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.set_auto_attach"]], "set_discover_targets() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.set_discover_targets"]], "set_remote_locations() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.set_remote_locations"]], "status (targetcrashed attribute)": [[47, "nodriver.cdp.target.TargetCrashed.status"]], "subtype (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.subtype"]], "target_id (detachedfromtarget attribute)": [[47, "nodriver.cdp.target.DetachedFromTarget.target_id"]], "target_id (receivedmessagefromtarget attribute)": [[47, "nodriver.cdp.target.ReceivedMessageFromTarget.target_id"]], "target_id (targetcrashed attribute)": [[47, "nodriver.cdp.target.TargetCrashed.target_id"]], "target_id (targetdestroyed attribute)": [[47, "nodriver.cdp.target.TargetDestroyed.target_id"]], "target_id (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.target_id"]], "target_info (attachedtotarget attribute)": [[47, "nodriver.cdp.target.AttachedToTarget.target_info"]], "target_info (targetcreated attribute)": [[47, "nodriver.cdp.target.TargetCreated.target_info"]], "target_info (targetinfochanged attribute)": [[47, "nodriver.cdp.target.TargetInfoChanged.target_info"]], "title (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.title"]], "type_ (filterentry attribute)": [[47, "nodriver.cdp.target.FilterEntry.type_"]], "type_ (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.type_"]], "url (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.url"]], "waiting_for_debugger (attachedtotarget attribute)": [[47, "nodriver.cdp.target.AttachedToTarget.waiting_for_debugger"]], "accepted (class in nodriver.cdp.tethering)": [[48, "nodriver.cdp.tethering.Accepted"]], "bind() (in module nodriver.cdp.tethering)": [[48, "nodriver.cdp.tethering.bind"]], "connection_id (accepted attribute)": [[48, "nodriver.cdp.tethering.Accepted.connection_id"]], "nodriver.cdp.tethering": [[48, "module-nodriver.cdp.tethering"]], "port (accepted attribute)": [[48, "nodriver.cdp.tethering.Accepted.port"]], "unbind() (in module nodriver.cdp.tethering)": [[48, "nodriver.cdp.tethering.unbind"]], "auto (tracingbackend attribute)": [[49, "nodriver.cdp.tracing.TracingBackend.AUTO"]], "background (memorydumplevelofdetail attribute)": [[49, "nodriver.cdp.tracing.MemoryDumpLevelOfDetail.BACKGROUND"]], "bufferusage (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.BufferUsage"]], "chrome (tracingbackend attribute)": [[49, "nodriver.cdp.tracing.TracingBackend.CHROME"]], "detailed (memorydumplevelofdetail attribute)": [[49, "nodriver.cdp.tracing.MemoryDumpLevelOfDetail.DETAILED"]], "datacollected (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.DataCollected"]], "gzip (streamcompression attribute)": [[49, "nodriver.cdp.tracing.StreamCompression.GZIP"]], "json (streamformat attribute)": [[49, "nodriver.cdp.tracing.StreamFormat.JSON"]], "light (memorydumplevelofdetail attribute)": [[49, "nodriver.cdp.tracing.MemoryDumpLevelOfDetail.LIGHT"]], "memorydumpconfig (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.MemoryDumpConfig"]], "memorydumplevelofdetail (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.MemoryDumpLevelOfDetail"]], "none (streamcompression attribute)": [[49, "nodriver.cdp.tracing.StreamCompression.NONE"]], "proto (streamformat attribute)": [[49, "nodriver.cdp.tracing.StreamFormat.PROTO"]], "system (tracingbackend attribute)": [[49, "nodriver.cdp.tracing.TracingBackend.SYSTEM"]], "streamcompression (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.StreamCompression"]], "streamformat (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.StreamFormat"]], "traceconfig (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.TraceConfig"]], "tracingbackend (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.TracingBackend"]], "tracingcomplete (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.TracingComplete"]], "data_loss_occurred (tracingcomplete attribute)": [[49, "nodriver.cdp.tracing.TracingComplete.data_loss_occurred"]], "enable_argument_filter (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.enable_argument_filter"]], "enable_sampling (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.enable_sampling"]], "enable_systrace (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.enable_systrace"]], "end() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.end"]], "event_count (bufferusage attribute)": [[49, "nodriver.cdp.tracing.BufferUsage.event_count"]], "excluded_categories (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.excluded_categories"]], "get_categories() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.get_categories"]], "included_categories (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.included_categories"]], "memory_dump_config (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.memory_dump_config"]], "nodriver.cdp.tracing": [[49, "module-nodriver.cdp.tracing"]], "percent_full (bufferusage attribute)": [[49, "nodriver.cdp.tracing.BufferUsage.percent_full"]], "record_clock_sync_marker() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.record_clock_sync_marker"]], "record_mode (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.record_mode"]], "request_memory_dump() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.request_memory_dump"]], "start() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.start"]], "stream (tracingcomplete attribute)": [[49, "nodriver.cdp.tracing.TracingComplete.stream"]], "stream_compression (tracingcomplete attribute)": [[49, "nodriver.cdp.tracing.TracingComplete.stream_compression"]], "synthetic_delays (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.synthetic_delays"]], "trace_buffer_size_in_kb (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.trace_buffer_size_in_kb"]], "trace_format (tracingcomplete attribute)": [[49, "nodriver.cdp.tracing.TracingComplete.trace_format"]], "value (bufferusage attribute)": [[49, "nodriver.cdp.tracing.BufferUsage.value"]], "value (datacollected attribute)": [[49, "nodriver.cdp.tracing.DataCollected.value"]], "a_rate (automationrate attribute)": [[50, "nodriver.cdp.web_audio.AutomationRate.A_RATE"]], "audiolistener (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioListener"]], "audiolistenercreated (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioListenerCreated"]], "audiolistenerwillbedestroyed (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioListenerWillBeDestroyed"]], "audionode (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioNode"]], "audionodecreated (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioNodeCreated"]], "audionodewillbedestroyed (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioNodeWillBeDestroyed"]], "audioparam (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioParam"]], "audioparamcreated (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioParamCreated"]], "audioparamwillbedestroyed (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioParamWillBeDestroyed"]], "automationrate (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AutomationRate"]], "baseaudiocontext (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.BaseAudioContext"]], "clamped_max (channelcountmode attribute)": [[50, "nodriver.cdp.web_audio.ChannelCountMode.CLAMPED_MAX"]], "closed (contextstate attribute)": [[50, "nodriver.cdp.web_audio.ContextState.CLOSED"]], "channelcountmode (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ChannelCountMode"]], "channelinterpretation (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ChannelInterpretation"]], "contextchanged (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextChanged"]], "contextcreated (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextCreated"]], "contextrealtimedata (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData"]], "contextstate (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextState"]], "contexttype (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextType"]], "contextwillbedestroyed (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextWillBeDestroyed"]], "discrete (channelinterpretation attribute)": [[50, "nodriver.cdp.web_audio.ChannelInterpretation.DISCRETE"]], "explicit (channelcountmode attribute)": [[50, "nodriver.cdp.web_audio.ChannelCountMode.EXPLICIT"]], "graphobjectid (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.GraphObjectId"]], "k_rate (automationrate attribute)": [[50, "nodriver.cdp.web_audio.AutomationRate.K_RATE"]], "max_ (channelcountmode attribute)": [[50, "nodriver.cdp.web_audio.ChannelCountMode.MAX_"]], "nodeparamconnected (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodeParamConnected"]], "nodeparamdisconnected (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected"]], "nodetype (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodeType"]], "nodesconnected (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodesConnected"]], "nodesdisconnected (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodesDisconnected"]], "offline (contexttype attribute)": [[50, "nodriver.cdp.web_audio.ContextType.OFFLINE"]], "paramtype (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ParamType"]], "realtime (contexttype attribute)": [[50, "nodriver.cdp.web_audio.ContextType.REALTIME"]], "running (contextstate attribute)": [[50, "nodriver.cdp.web_audio.ContextState.RUNNING"]], "speakers (channelinterpretation attribute)": [[50, "nodriver.cdp.web_audio.ChannelInterpretation.SPEAKERS"]], "suspended (contextstate attribute)": [[50, "nodriver.cdp.web_audio.ContextState.SUSPENDED"]], "callback_buffer_size (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.callback_buffer_size"]], "callback_interval_mean (contextrealtimedata attribute)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData.callback_interval_mean"]], "callback_interval_variance (contextrealtimedata attribute)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData.callback_interval_variance"]], "channel_count (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.channel_count"]], "channel_count_mode (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.channel_count_mode"]], "channel_interpretation (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.channel_interpretation"]], "context (contextchanged attribute)": [[50, "nodriver.cdp.web_audio.ContextChanged.context"]], "context (contextcreated attribute)": [[50, "nodriver.cdp.web_audio.ContextCreated.context"]], "context_id (audiolistener attribute)": [[50, "nodriver.cdp.web_audio.AudioListener.context_id"]], "context_id (audiolistenerwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioListenerWillBeDestroyed.context_id"]], "context_id (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.context_id"]], "context_id (audionodewillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioNodeWillBeDestroyed.context_id"]], "context_id (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.context_id"]], "context_id (audioparamwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioParamWillBeDestroyed.context_id"]], "context_id (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.context_id"]], "context_id (contextwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.ContextWillBeDestroyed.context_id"]], "context_id (nodeparamconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamConnected.context_id"]], "context_id (nodeparamdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected.context_id"]], "context_id (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.context_id"]], "context_id (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.context_id"]], "context_state (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.context_state"]], "context_type (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.context_type"]], "current_time (contextrealtimedata attribute)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData.current_time"]], "default_value (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.default_value"]], "destination_id (nodeparamconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamConnected.destination_id"]], "destination_id (nodeparamdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected.destination_id"]], "destination_id (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.destination_id"]], "destination_id (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.destination_id"]], "destination_input_index (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.destination_input_index"]], "destination_input_index (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.destination_input_index"]], "disable() (in module nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.disable"]], "enable() (in module nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.enable"]], "get_realtime_data() (in module nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.get_realtime_data"]], "listener (audiolistenercreated attribute)": [[50, "nodriver.cdp.web_audio.AudioListenerCreated.listener"]], "listener_id (audiolistener attribute)": [[50, "nodriver.cdp.web_audio.AudioListener.listener_id"]], "listener_id (audiolistenerwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioListenerWillBeDestroyed.listener_id"]], "max_output_channel_count (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.max_output_channel_count"]], "max_value (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.max_value"]], "min_value (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.min_value"]], "node (audionodecreated attribute)": [[50, "nodriver.cdp.web_audio.AudioNodeCreated.node"]], "node_id (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.node_id"]], "node_id (audionodewillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioNodeWillBeDestroyed.node_id"]], "node_id (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.node_id"]], "node_id (audioparamwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioParamWillBeDestroyed.node_id"]], "node_type (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.node_type"]], "nodriver.cdp.web_audio": [[50, "module-nodriver.cdp.web_audio"]], "number_of_inputs (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.number_of_inputs"]], "number_of_outputs (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.number_of_outputs"]], "param (audioparamcreated attribute)": [[50, "nodriver.cdp.web_audio.AudioParamCreated.param"]], "param_id (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.param_id"]], "param_id (audioparamwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioParamWillBeDestroyed.param_id"]], "param_type (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.param_type"]], "rate (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.rate"]], "realtime_data (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.realtime_data"]], "render_capacity (contextrealtimedata attribute)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData.render_capacity"]], "sample_rate (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.sample_rate"]], "source_id (nodeparamconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamConnected.source_id"]], "source_id (nodeparamdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected.source_id"]], "source_id (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.source_id"]], "source_id (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.source_id"]], "source_output_index (nodeparamconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamConnected.source_output_index"]], "source_output_index (nodeparamdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected.source_output_index"]], "source_output_index (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.source_output_index"]], "source_output_index (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.source_output_index"]], "authenticatorid (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.AuthenticatorId"]], "authenticatorprotocol (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.AuthenticatorProtocol"]], "authenticatortransport (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport"]], "ble (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.BLE"]], "cable (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.CABLE"]], "ctap2 (authenticatorprotocol attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorProtocol.CTAP2"]], "ctap2_0 (ctap2version attribute)": [[51, "nodriver.cdp.web_authn.Ctap2Version.CTAP2_0"]], "ctap2_1 (ctap2version attribute)": [[51, "nodriver.cdp.web_authn.Ctap2Version.CTAP2_1"]], "credential (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.Credential"]], "credentialadded (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.CredentialAdded"]], "credentialasserted (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.CredentialAsserted"]], "ctap2version (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.Ctap2Version"]], "internal (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.INTERNAL"]], "nfc (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.NFC"]], "u2f (authenticatorprotocol attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorProtocol.U2F"]], "usb (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.USB"]], "virtualauthenticatoroptions (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions"]], "add_credential() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.add_credential"]], "add_virtual_authenticator() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.add_virtual_authenticator"]], "authenticator_id (credentialadded attribute)": [[51, "nodriver.cdp.web_authn.CredentialAdded.authenticator_id"]], "authenticator_id (credentialasserted attribute)": [[51, "nodriver.cdp.web_authn.CredentialAsserted.authenticator_id"]], "automatic_presence_simulation (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.automatic_presence_simulation"]], "clear_credentials() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.clear_credentials"]], "credential (credentialadded attribute)": [[51, "nodriver.cdp.web_authn.CredentialAdded.credential"]], "credential (credentialasserted attribute)": [[51, "nodriver.cdp.web_authn.CredentialAsserted.credential"]], "credential_id (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.credential_id"]], "ctap2_version (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.ctap2_version"]], "default_backup_eligibility (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.default_backup_eligibility"]], "default_backup_state (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.default_backup_state"]], "disable() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.disable"]], "enable() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.enable"]], "get_credential() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.get_credential"]], "get_credentials() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.get_credentials"]], "has_cred_blob (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_cred_blob"]], "has_large_blob (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_large_blob"]], "has_min_pin_length (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_min_pin_length"]], "has_prf (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_prf"]], "has_resident_key (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_resident_key"]], "has_user_verification (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_user_verification"]], "is_resident_credential (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.is_resident_credential"]], "is_user_verified (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.is_user_verified"]], "large_blob (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.large_blob"]], "nodriver.cdp.web_authn": [[51, "module-nodriver.cdp.web_authn"]], "private_key (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.private_key"]], "protocol (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.protocol"]], "remove_credential() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.remove_credential"]], "remove_virtual_authenticator() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.remove_virtual_authenticator"]], "rp_id (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.rp_id"]], "set_automatic_presence_simulation() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.set_automatic_presence_simulation"]], "set_response_override_bits() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.set_response_override_bits"]], "set_user_verified() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.set_user_verified"]], "sign_count (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.sign_count"]], "transport (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.transport"]], "user_handle (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.user_handle"]], "browser (class in nodriver)": [[52, "nodriver.Browser"]], "config (browser attribute)": [[52, "nodriver.Browser.config"]], "connection (browser attribute)": [[52, "nodriver.Browser.connection"]], "cookies (browser property)": [[52, "nodriver.Browser.cookies"]], "create() (browser class method)": [[52, "nodriver.Browser.create"]], "get() (browser method)": [[52, "nodriver.Browser.get"]], "grant_all_permissions() (browser method)": [[52, "nodriver.Browser.grant_all_permissions"]], "main_tab (browser property)": [[52, "nodriver.Browser.main_tab"]], "sleep() (browser method)": [[52, "nodriver.Browser.sleep"]], "start() (browser method)": [[52, "nodriver.Browser.start"]], "stop() (browser method)": [[52, "nodriver.Browser.stop"]], "stopped (browser property)": [[52, "nodriver.Browser.stopped"]], "tabs (browser property)": [[52, "nodriver.Browser.tabs"]], "targets (browser attribute)": [[52, "nodriver.Browser.targets"]], "tile_windows() (browser method)": [[52, "nodriver.Browser.tile_windows"]], "update_targets() (browser method)": [[52, "nodriver.Browser.update_targets"]], "wait() (browser method)": [[52, "nodriver.Browser.wait"]], "websocket_url (browser property)": [[52, "nodriver.Browser.websocket_url"]], "element (class in nodriver)": [[53, "nodriver.Element"]], "apply() (element method)": [[53, "nodriver.Element.apply"]], "assigned_slot (element property)": [[53, "nodriver.Element.assigned_slot"]], "attributes (element property)": [[53, "nodriver.Element.attributes"]], "attrs (element property)": [[53, "nodriver.Element.attrs"]], "backend_node_id (element property)": [[53, "nodriver.Element.backend_node_id"]], "base_url (element property)": [[53, "nodriver.Element.base_url"]], "child_node_count (element property)": [[53, "nodriver.Element.child_node_count"]], "children (element property)": [[53, "nodriver.Element.children"]], "clear_input() (element method)": [[53, "nodriver.Element.clear_input"]], "click() (element method)": [[53, "nodriver.Element.click"]], "compatibility_mode (element property)": [[53, "nodriver.Element.compatibility_mode"]], "content_document (element property)": [[53, "nodriver.Element.content_document"]], "distributed_nodes (element property)": [[53, "nodriver.Element.distributed_nodes"]], "document_url (element property)": [[53, "nodriver.Element.document_url"]], "flash() (element method)": [[53, "nodriver.Element.flash"]], "focus() (element method)": [[53, "nodriver.Element.focus"]], "frame_id (element property)": [[53, "nodriver.Element.frame_id"]], "get_html() (element method)": [[53, "nodriver.Element.get_html"]], "get_js_attributes() (element method)": [[53, "nodriver.Element.get_js_attributes"]], "get_position() (element method)": [[53, "nodriver.Element.get_position"]], "highlight_overlay() (element method)": [[53, "nodriver.Element.highlight_overlay"]], "imported_document (element property)": [[53, "nodriver.Element.imported_document"]], "internal_subset (element property)": [[53, "nodriver.Element.internal_subset"]], "is_recording() (element method)": [[53, "nodriver.Element.is_recording"]], "is_svg (element property)": [[53, "nodriver.Element.is_svg"]], "local_name (element property)": [[53, "nodriver.Element.local_name"]], "mouse_click() (element method)": [[53, "nodriver.Element.mouse_click"]], "mouse_move() (element method)": [[53, "nodriver.Element.mouse_move"]], "node (element property)": [[53, "nodriver.Element.node"]], "node_id (element property)": [[53, "nodriver.Element.node_id"]], "node_name (element property)": [[53, "nodriver.Element.node_name"]], "node_type (element property)": [[53, "nodriver.Element.node_type"]], "node_value (element property)": [[53, "nodriver.Element.node_value"]], "object_id (element property)": [[53, "nodriver.Element.object_id"]], "parent (element property)": [[53, "nodriver.Element.parent"]], "parent_id (element property)": [[53, "nodriver.Element.parent_id"]], "pseudo_elements (element property)": [[53, "nodriver.Element.pseudo_elements"]], "pseudo_identifier (element property)": [[53, "nodriver.Element.pseudo_identifier"]], "pseudo_type (element property)": [[53, "nodriver.Element.pseudo_type"]], "public_id (element property)": [[53, "nodriver.Element.public_id"]], "query_selector() (element method)": [[53, "nodriver.Element.query_selector"]], "query_selector_all() (element method)": [[53, "nodriver.Element.query_selector_all"]], "record_video() (element method)": [[53, "nodriver.Element.record_video"]], "remote_object (element property)": [[53, "nodriver.Element.remote_object"]], "remove_from_dom() (element method)": [[53, "nodriver.Element.remove_from_dom"]], "save_screenshot() (element method)": [[53, "nodriver.Element.save_screenshot"]], "save_to_dom() (element method)": [[53, "nodriver.Element.save_to_dom"]], "scroll_into_view() (element method)": [[53, "nodriver.Element.scroll_into_view"]], "select_option() (element method)": [[53, "nodriver.Element.select_option"]], "send_file() (element method)": [[53, "nodriver.Element.send_file"]], "send_keys() (element method)": [[53, "nodriver.Element.send_keys"]], "set_text() (element method)": [[53, "nodriver.Element.set_text"]], "set_value() (element method)": [[53, "nodriver.Element.set_value"]], "shadow_root_type (element property)": [[53, "nodriver.Element.shadow_root_type"]], "shadow_roots (element property)": [[53, "nodriver.Element.shadow_roots"]], "system_id (element property)": [[53, "nodriver.Element.system_id"]], "tab (element property)": [[53, "nodriver.Element.tab"]], "tag (element property)": [[53, "nodriver.Element.tag"]], "tag_name (element property)": [[53, "nodriver.Element.tag_name"]], "template_content (element property)": [[53, "nodriver.Element.template_content"]], "text (element property)": [[53, "nodriver.Element.text"]], "text_all (element property)": [[53, "nodriver.Element.text_all"]], "tree (element property)": [[53, "nodriver.Element.tree"]], "update() (element method)": [[53, "nodriver.Element.update"]], "value (element property)": [[53, "nodriver.Element.value"]], "xml_version (element property)": [[53, "nodriver.Element.xml_version"]], "config (class in nodriver)": [[54, "nodriver.Config"]], "contradict (class in nodriver.core._contradict)": [[54, "nodriver.core._contradict.ContraDict"]], "add_argument() (config method)": [[54, "nodriver.Config.add_argument"]], "add_extension() (config method)": [[54, "nodriver.Config.add_extension"]], "browser_args (config property)": [[54, "nodriver.Config.browser_args"]], "clear() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.clear"]], "copy() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.copy"]], "fromkeys() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.fromkeys"]], "get() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.get"]], "items() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.items"]], "keys() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.keys"]], "nodriver.core._contradict": [[54, "module-nodriver.core._contradict"]], "pop() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.pop"]], "popitem() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.popitem"]], "setdefault() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.setdefault"]], "update() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.update"]], "user_data_dir (config property)": [[54, "nodriver.Config.user_data_dir"]], "uses_custom_data_dir (config property)": [[54, "nodriver.Config.uses_custom_data_dir"]], "values() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.values"]], "tab (class in nodriver)": [[55, "nodriver.Tab"]], "aclose() (tab method)": [[55, "nodriver.Tab.aclose"]], "activate() (tab method)": [[55, "nodriver.Tab.activate"]], "add_handler() (tab method)": [[55, "nodriver.Tab.add_handler"]], "aopen() (tab method)": [[55, "nodriver.Tab.aopen"]], "attached (tab attribute)": [[55, "nodriver.Tab.attached"]], "back() (tab method)": [[55, "nodriver.Tab.back"]], "bring_to_front() (tab method)": [[55, "nodriver.Tab.bring_to_front"]], "browser (tab attribute)": [[55, "nodriver.Tab.browser"]], "close() (tab method)": [[55, "nodriver.Tab.close"]], "closed (tab property)": [[55, "nodriver.Tab.closed"]], "download_file() (tab method)": [[55, "nodriver.Tab.download_file"]], "evaluate() (tab method)": [[55, "nodriver.Tab.evaluate"]], "find() (tab method)": [[55, "nodriver.Tab.find"]], "find_all() (tab method)": [[55, "nodriver.Tab.find_all"]], "find_element_by_text() (tab method)": [[55, "nodriver.Tab.find_element_by_text"]], "find_elements_by_text() (tab method)": [[55, "nodriver.Tab.find_elements_by_text"]], "forward() (tab method)": [[55, "nodriver.Tab.forward"]], "fullscreen() (tab method)": [[55, "nodriver.Tab.fullscreen"]], "get() (tab method)": [[55, "nodriver.Tab.get"]], "get_all_linked_sources() (tab method)": [[55, "nodriver.Tab.get_all_linked_sources"]], "get_all_urls() (tab method)": [[55, "nodriver.Tab.get_all_urls"]], "get_content() (tab method)": [[55, "nodriver.Tab.get_content"]], "get_window() (tab method)": [[55, "nodriver.Tab.get_window"]], "inspector_open() (tab method)": [[55, "nodriver.Tab.inspector_open"]], "inspector_url (tab property)": [[55, "nodriver.Tab.inspector_url"]], "js_dumps() (tab method)": [[55, "nodriver.Tab.js_dumps"]], "maximize() (tab method)": [[55, "nodriver.Tab.maximize"]], "medimize() (tab method)": [[55, "nodriver.Tab.medimize"]], "minimize() (tab method)": [[55, "nodriver.Tab.minimize"]], "open_external_inspector() (tab method)": [[55, "nodriver.Tab.open_external_inspector"]], "query_selector() (tab method)": [[55, "nodriver.Tab.query_selector"]], "query_selector_all() (tab method)": [[55, "nodriver.Tab.query_selector_all"]], "reload() (tab method)": [[55, "nodriver.Tab.reload"]], "save_screenshot() (tab method)": [[55, "nodriver.Tab.save_screenshot"]], "scroll_down() (tab method)": [[55, "nodriver.Tab.scroll_down"]], "scroll_up() (tab method)": [[55, "nodriver.Tab.scroll_up"]], "select() (tab method)": [[55, "nodriver.Tab.select"]], "select_all() (tab method)": [[55, "nodriver.Tab.select_all"]], "send() (tab method)": [[55, "nodriver.Tab.send"]], "set_download_path() (tab method)": [[55, "nodriver.Tab.set_download_path"]], "set_window_size() (tab method)": [[55, "nodriver.Tab.set_window_size"]], "set_window_state() (tab method)": [[55, "nodriver.Tab.set_window_state"]], "sleep() (tab method)": [[55, "nodriver.Tab.sleep"]], "target (tab property)": [[55, "nodriver.Tab.target"]], "update_target() (tab method)": [[55, "nodriver.Tab.update_target"]], "verify_cf() (tab method)": [[55, "nodriver.Tab.verify_cf"]], "wait() (tab method)": [[55, "nodriver.Tab.wait"]], "wait_for() (tab method)": [[55, "nodriver.Tab.wait_for"]], "websocket (tab attribute)": [[55, "nodriver.Tab.websocket"]]}})
\ No newline at end of file
+Search.setIndex({"docnames": ["index", "nodriver/cdp", "nodriver/cdp/accessibility", "nodriver/cdp/animation", "nodriver/cdp/audits", "nodriver/cdp/autofill", "nodriver/cdp/background_service", "nodriver/cdp/browser", "nodriver/cdp/cache_storage", "nodriver/cdp/cast", "nodriver/cdp/console", "nodriver/cdp/css", "nodriver/cdp/database", "nodriver/cdp/debugger", "nodriver/cdp/device_access", "nodriver/cdp/device_orientation", "nodriver/cdp/dom", "nodriver/cdp/dom_debugger", "nodriver/cdp/dom_snapshot", "nodriver/cdp/dom_storage", "nodriver/cdp/emulation", "nodriver/cdp/event_breakpoints", "nodriver/cdp/fed_cm", "nodriver/cdp/fetch", "nodriver/cdp/headless_experimental", "nodriver/cdp/heap_profiler", "nodriver/cdp/indexed_db", "nodriver/cdp/input_", "nodriver/cdp/inspector", "nodriver/cdp/io", "nodriver/cdp/layer_tree", "nodriver/cdp/log", "nodriver/cdp/media", "nodriver/cdp/memory", "nodriver/cdp/network", "nodriver/cdp/overlay", "nodriver/cdp/page", "nodriver/cdp/performance", "nodriver/cdp/performance_timeline", "nodriver/cdp/preload", "nodriver/cdp/profiler", "nodriver/cdp/runtime", "nodriver/cdp/schema", "nodriver/cdp/security", "nodriver/cdp/service_worker", "nodriver/cdp/storage", "nodriver/cdp/system_info", "nodriver/cdp/target", "nodriver/cdp/tethering", "nodriver/cdp/tracing", "nodriver/cdp/web_audio", "nodriver/cdp/web_authn", "nodriver/classes/browser", "nodriver/classes/element", "nodriver/classes/others_and_helpers", "nodriver/classes/tab", "nodriver/quickstart", "readme", "style"], "filenames": ["index.rst", "nodriver/cdp.rst", "nodriver/cdp/accessibility.rst", "nodriver/cdp/animation.rst", "nodriver/cdp/audits.rst", "nodriver/cdp/autofill.rst", "nodriver/cdp/background_service.rst", "nodriver/cdp/browser.rst", "nodriver/cdp/cache_storage.rst", "nodriver/cdp/cast.rst", "nodriver/cdp/console.rst", "nodriver/cdp/css.rst", "nodriver/cdp/database.rst", "nodriver/cdp/debugger.rst", "nodriver/cdp/device_access.rst", "nodriver/cdp/device_orientation.rst", "nodriver/cdp/dom.rst", "nodriver/cdp/dom_debugger.rst", "nodriver/cdp/dom_snapshot.rst", "nodriver/cdp/dom_storage.rst", "nodriver/cdp/emulation.rst", "nodriver/cdp/event_breakpoints.rst", "nodriver/cdp/fed_cm.rst", "nodriver/cdp/fetch.rst", "nodriver/cdp/headless_experimental.rst", "nodriver/cdp/heap_profiler.rst", "nodriver/cdp/indexed_db.rst", "nodriver/cdp/input_.rst", "nodriver/cdp/inspector.rst", "nodriver/cdp/io.rst", "nodriver/cdp/layer_tree.rst", "nodriver/cdp/log.rst", "nodriver/cdp/media.rst", "nodriver/cdp/memory.rst", "nodriver/cdp/network.rst", "nodriver/cdp/overlay.rst", "nodriver/cdp/page.rst", "nodriver/cdp/performance.rst", "nodriver/cdp/performance_timeline.rst", "nodriver/cdp/preload.rst", "nodriver/cdp/profiler.rst", "nodriver/cdp/runtime.rst", "nodriver/cdp/schema.rst", "nodriver/cdp/security.rst", "nodriver/cdp/service_worker.rst", "nodriver/cdp/storage.rst", "nodriver/cdp/system_info.rst", "nodriver/cdp/target.rst", "nodriver/cdp/tethering.rst", "nodriver/cdp/tracing.rst", "nodriver/cdp/web_audio.rst", "nodriver/cdp/web_authn.rst", "nodriver/classes/browser.rst", "nodriver/classes/element.rst", "nodriver/classes/others_and_helpers.rst", "nodriver/classes/tab.rst", "nodriver/quickstart.rst", "readme.rst", "style.rst"], "titles": ["NODRIVER", "CDP object", "Accessibility", "Animation", "Audits", "Autofill", "BackgroundService", "Browser", "CacheStorage", "Cast", "Console", "CSS", "Database", "Debugger", "DeviceAccess", "DeviceOrientation", "DOM", "DOMDebugger", "DOMSnapshot", "DOMStorage", "Emulation", "EventBreakpoints", "FedCm", "Fetch", "HeadlessExperimental", "HeapProfiler", "IndexedDB", "Input", "Inspector", "IO", "LayerTree", "Log", "Media", "Memory", "Network", "Overlay", "Page", "Performance", "PerformanceTimeline", "Preload", "Profiler", "Runtime", "Schema", "Security", "ServiceWorker", "Storage", "SystemInfo", "Target", "Tethering", "Tracing", "WebAudio", "WebAuthn", "Browser class", "Element class", "Other classes and Helper classes", "Tab class", "Quickstart guide", "NODRIVER", "TITLE"], "terms": {"A": [0, 2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 16, 18, 20, 23, 24, 25, 26, 27, 29, 30, 32, 33, 34, 35, 36, 39, 40, 41, 43, 45, 46, 47, 49, 50, 56, 57, 58], "blaze": [0, 57], "fast": [0, 20, 57], "undetect": [0, 56, 57], "chrome": [0, 2, 5, 7, 24, 34, 36, 41, 47, 49, 52, 55, 57], "ish": [0, 57], "autom": [0, 7, 16, 20, 36, 51, 57], "tool": 34, "without": [4, 7, 13, 25, 34, 36, 45, 47], "us": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 56, 57], "an": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "webdriv": [0, 57], "binari": [0, 34, 57], "No": [0, 43, 57], "chromedriv": [0, 56, 57], "selenium": [0, 52, 55, 57], "depend": [0, 4, 11, 16, 27, 34, 36, 38, 45, 46, 47, 50, 57], "thi": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "equal": [0, 17, 18, 27, 45, 57], "bizarr": [0, 57], "perform": [0, 1, 2, 7, 13, 16, 27, 38, 41, 55, 57], "increas": [0, 11, 27, 34, 38, 40, 57], "less": [0, 32, 34, 57], "detect": [0, 35, 36, 52, 55, 57], "those": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 53, 55], "who": [], "land": [], "here": [13, 34, 41, 53, 56], "never": [13, 16, 56, 57], "whatev": [], "might": [16, 18, 32, 34, 35, 41, 53, 55], "confus": [], "driver": [46, 56, 57], "all": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "around": [4, 27, 35, 49], "while": [0, 13, 25, 27, 29, 30, 34, 36, 37, 41, 57], "i": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "don": [4, 40, 52, 56, 57], "t": [4, 13, 23, 27, 34, 35, 36, 39, 40, 41, 45, 52, 55, 56, 57], "worri": [], "The": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 56, 57], "term": [16, 36], "can": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 55, 56, 57], "replac": [4, 11, 13, 16, 20, 27, 34, 39], "browser": [0, 1, 2, 9, 11, 20, 22, 23, 32, 33, 34, 36, 41, 45, 46, 47, 48, 53, 55, 56, 57], "sinc": [0, 7, 8, 11, 13, 16, 17, 18, 20, 24, 25, 33, 34, 35, 36, 37, 38, 40, 41, 43, 46, 47, 55, 56, 57], "most": [0, 8, 13, 16, 25, 26, 36, 41, 55, 57], "user": [4, 7, 11, 14, 16, 20, 22, 27, 34, 35, 36, 39, 41, 43, 51, 53, 55], "ar": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "accustom": [], "abbrevi": 41, "uc": [56, 57], "": [0, 2, 3, 4, 5, 6, 7, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 25, 27, 28, 30, 31, 32, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "conveni": [0, 52, 55, 57], "keep": [11, 16, 32, 49, 52, 55, 56, 57], "although": [39, 55], "prevent": [4, 10, 12, 19, 20, 27, 31, 34, 40, 41, 55], "ll": [55, 56], "nd": [], "abbr": [], "packag": [0, 54, 55, 56, 57], "provid": [0, 2, 4, 16, 17, 18, 23, 24, 30, 31, 34, 35, 41, 45, 46, 47, 49, 53, 54, 55, 57], "next": [0, 11, 13, 20, 22, 26, 41, 55, 56, 57], "level": [0, 2, 4, 10, 31, 32, 33, 34, 36, 41, 43, 46, 49, 52, 55, 56, 57], "webscrap": [0, 57], "rel": [0, 16, 20, 27, 34, 36, 40, 53, 55, 57], "simpl": [0, 11, 40, 56, 57], "interfac": [0, 17, 39, 51, 55, 57], "offici": [0, 57], "follow": [4, 5, 7, 8, 11, 12, 13, 16, 18, 20, 23, 24, 26, 29, 30, 33, 34, 36, 40, 41, 45, 46, 49, 53, 54, 55], "up": [0, 2, 11, 20, 22, 27, 34, 41, 51, 55, 56, 57], "python": [0, 55, 57], "It": [0, 4, 13, 16, 25, 34, 36, 39, 41, 54, 55, 57], "step": [0, 13, 22, 30, 35, 53, 57], "awai": 32, "from": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 54, 55, 56, 57], "which": [0, 2, 4, 7, 11, 13, 16, 17, 18, 19, 20, 23, 25, 27, 30, 32, 34, 36, 38, 39, 41, 44, 47, 52, 53, 54, 55, 56, 57], "have": [0, 2, 4, 7, 11, 13, 16, 17, 18, 20, 23, 27, 32, 34, 40, 41, 43, 45, 47, 49, 51, 53, 55, 57], "had": [11, 18, 23, 34, 39], "best": [0, 20, 55, 57], "time": [0, 2, 3, 4, 11, 13, 20, 22, 24, 25, 27, 30, 31, 32, 34, 37, 38, 40, 41, 43, 44, 45, 47, 50, 52, 53, 55], "now": [12, 13, 16, 19, 20, 32, 34, 36, 43, 56, 57], "direct": [0, 3, 4, 11, 16, 20, 36, 57], "commun": [0, 47, 57], "even": [0, 22, 41, 43, 52, 57], "better": [0, 34, 57], "resist": [0, 57], "against": [0, 16, 47, 57], "web": [0, 2, 6, 9, 11, 20, 34, 35, 36, 38, 50, 57], "applicatinon": [0, 57], "firewal": [0, 57], "waf": [0, 57], "massiv": [0, 57], "boost": [0, 57], "modul": [0, 2, 4, 5, 6, 7, 8, 11, 13, 15, 16, 17, 18, 20, 21, 22, 23, 24, 26, 27, 28, 29, 33, 34, 35, 36, 39, 42, 43, 44, 45, 46, 48, 49, 50, 51, 55, 57], "contrari": [0, 57], "fulli": [0, 52, 57], "asynchron": [0, 41, 52, 57], "what": [0, 2, 20, 22, 23, 25, 32, 34, 55, 56, 57], "make": [0, 7, 13, 23, 34, 36, 41, 47, 52, 53, 55, 57], "differ": [0, 4, 7, 11, 20, 23, 32, 34, 35, 36, 41, 45, 57], "other": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 56, 57], "known": [0, 13, 16, 31, 34, 46, 49, 52, 55, 57], "optim": [0, 24, 36, 40, 57], "stai": [0, 13, 50, 57], "anti": [0, 57], "bot": [0, 57], "solut": [0, 36, 57], "anoth": [0, 11, 13, 23, 29, 34, 41, 53, 55, 57], "focu": [0, 16, 20, 36, 53, 56, 57], "point": [0, 13, 16, 18, 20, 27, 30, 33, 34, 40, 52, 53, 54, 57], "usabl": [0, 57], "quick": 57, "prototyp": [0, 41, 57], "so": [0, 4, 5, 10, 13, 22, 31, 34, 41, 52, 53, 55, 56, 57], "expect": [0, 7, 13, 23, 36, 41, 56, 57], "batteri": [], "includ": [0, 2, 4, 11, 16, 18, 20, 25, 27, 34, 35, 36, 39, 41, 45, 47, 49, 53, 55, 57], "1": [0, 2, 4, 5, 6, 7, 8, 10, 11, 13, 16, 17, 18, 20, 22, 23, 24, 27, 30, 33, 34, 35, 36, 37, 39, 40, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 55, 56, 57], "2": [0, 5, 18, 20, 27, 34, 43, 46, 53, 54, 56, 57], "line": [0, 4, 5, 7, 10, 11, 13, 16, 17, 25, 31, 32, 34, 35, 36, 40, 41, 46, 56, 57], "run": [0, 4, 13, 20, 24, 30, 34, 36, 37, 39, 40, 41, 44, 45, 46, 47, 50, 52, 55, 56, 57], "practic": [0, 57], "config": [0, 31, 35, 41, 52, 56, 57], "default": [0, 2, 4, 7, 8, 11, 13, 16, 17, 18, 20, 23, 24, 25, 26, 27, 30, 34, 35, 36, 41, 43, 45, 47, 49, 51, 53, 54, 55, 57], "instal": [0, 36, 44], "usag": [0, 4, 11, 25, 36, 41, 45, 46, 53], "exampl": [0, 4, 5, 11, 24, 27, 36, 39, 40, 41, 46, 47, 53, 55], "compon": [11, 16, 54], "interact": [4, 9, 16, 22, 27, 55, 56, 57], "class": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "element": [0, 2, 11, 16, 18, 20, 30, 32, 34, 35, 36, 38, 39, 41, 45, 46, 55, 57], "helper": [0, 57], "page": [0, 1, 2, 3, 4, 7, 9, 11, 13, 16, 18, 20, 23, 27, 34, 35, 41, 43, 45, 47, 52, 55, 56, 57], "access": [0, 1, 4, 16, 25, 31, 35, 36, 45, 47, 54], "anim": [0, 1, 11, 24], "audit": [0, 1, 27], "autofil": [0, 1, 36], "backgroundservic": [0, 1], "cachestorag": [0, 1], "cast": [0, 1], "consol": [0, 1, 4, 16, 25, 40, 41, 55], "css": [0, 1, 3, 4, 16, 20, 27, 35, 36, 55], "databas": [0, 1, 26, 45], "debugg": [0, 1, 21, 36, 41], "deviceaccess": [0, 1], "deviceorient": [0, 1], "dom": [0, 1, 2, 5, 7, 11, 13, 17, 18, 19, 27, 35, 36, 38, 41, 52, 53, 55], "domdebugg": [0, 1], "domsnapshot": [0, 1, 16], "domstorag": [0, 1], "emul": [0, 1, 27, 34, 35, 36], "eventbreakpoint": [0, 1], "fedcm": [0, 1], "fetch": [0, 1, 2, 8, 20, 26, 34, 36, 50], "headlessexperiment": [0, 1], "heapprofil": [0, 1], "indexeddb": [0, 1, 45], "input": [0, 1, 16, 18, 20, 29, 36, 41, 53, 56, 57, 58], "inspector": [0, 1, 4, 11, 34, 55], "io": [0, 1, 7, 20, 22, 23, 34, 36, 38, 39, 45, 50, 51], "layertre": [0, 1], "log": [0, 1, 10, 30, 32, 34, 49, 56, 57], "media": [0, 1, 11, 20, 34, 36], "memori": [0, 1, 25, 36, 41, 49], "network": [0, 1, 4, 11, 23, 31, 39, 41, 43, 55], "overlai": [0, 1, 20, 36], "performancetimelin": [0, 1], "preload": [0, 1, 34], "profil": [0, 1, 5, 25, 30, 33, 46, 47, 56, 57], "runtim": [0, 1, 10, 13, 36, 47], "schema": [0, 1], "secur": [0, 1, 8, 19, 26, 34, 36, 41, 45], "servicework": [0, 1, 4, 34, 55], "storag": [0, 1, 6, 8, 19, 26, 29, 34, 36, 51], "systeminfo": [0, 1], "target": [0, 1, 3, 4, 7, 11, 16, 20, 24, 28, 34, 35, 36, 38, 39, 41, 43, 52, 53, 55], "tether": [0, 1], "trace": [0, 1, 13, 16, 31, 32, 34, 36, 41], "webaudio": [0, 1], "webauthn": [0, 1], "cdp": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 57], "domain": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 18, 19, 20, 21, 22, 23, 24, 25, 26, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 41, 42, 44, 45, 46, 48, 49, 50, 51, 55, 57], "experiment": [2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 30, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53], "gener": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55], "you": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "do": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55], "need": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 56, 57], "instanti": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52], "yourself": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "instead": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55, 56, 57], "api": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55], "creat": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 54, 55, 56, 57], "object": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 52, 53, 54, 55], "return": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 57], "valu": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 53, 54, 55], "argument": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "axnodeid": [0, 2], "sourc": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55], "uniqu": [0, 2, 3, 4, 7, 8, 12, 13, 16, 23, 25, 26, 27, 30, 32, 34, 36, 39, 40, 41, 47, 50], "node": [0, 2, 3, 5, 11, 16, 17, 18, 25, 30, 33, 35, 36, 39, 40, 50, 53, 55], "identifi": [2, 4, 5, 6, 7, 8, 11, 12, 13, 16, 17, 18, 19, 20, 23, 25, 27, 30, 31, 34, 35, 36, 38, 39, 40, 41, 45, 47], "axvaluetyp": [0, 2], "name": [0, 2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 16, 17, 18, 20, 21, 22, 23, 25, 26, 27, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 50, 51, 55, 56, 57], "none": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55], "qualnam": [2, 4, 5, 6, 7, 8, 11, 13, 16, 17, 20, 22, 23, 27, 33, 34, 35, 36, 39, 43, 44, 45, 46, 49, 50, 51], "start": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 57], "boundari": [2, 4, 5, 6, 7, 8, 11, 13, 16, 17, 20, 22, 23, 27, 30, 33, 34, 35, 36, 39, 41, 43, 44, 45, 46, 49, 50, 51], "enum": [2, 4, 11, 13, 18, 20, 32, 36, 45, 50], "possibl": [2, 4, 13, 36, 39, 45, 47, 55], "properti": [0, 2, 4, 11, 13, 16, 18, 32, 36, 39, 41, 50, 52, 53, 54, 55], "boolean": [0, 2, 13, 41], "boolean_or_undefin": [0, 2], "booleanorundefin": 2, "computed_str": [0, 2], "computedstr": 2, "dom_rel": [0, 2], "domrel": 2, "idref": [0, 2], "idref_list": [0, 2], "idreflist": 2, "integ": [0, 2, 16, 17, 25, 26, 41, 45], "internal_rol": [0, 2], "internalrol": 2, "node_list": [0, 2], "nodelist": 2, "number": [0, 2, 5, 7, 8, 10, 11, 13, 16, 17, 18, 20, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 38, 40, 41, 45, 48, 49, 50, 55, 56, 57], "role": [0, 2, 56, 57], "string": [0, 2, 4, 7, 8, 11, 13, 16, 18, 20, 23, 24, 26, 27, 30, 33, 34, 36, 41, 43, 45, 46, 47, 49, 51, 53, 55, 56, 57], "token": [0, 2, 34, 36, 45], "token_list": [0, 2], "tokenlist": 2, "tristat": [0, 2], "value_undefin": [0, 2], "valueundefin": 2, "axvaluesourcetyp": [0, 2], "attribut": [0, 2, 3, 4, 5, 6, 7, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 25, 27, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 54], "content": [0, 2, 4, 8, 11, 13, 16, 18, 20, 23, 30, 34, 35, 36, 41, 43, 45, 53, 55, 57], "implicit": [0, 2, 11], "placehold": [0, 2], "related_el": [0, 2], "relatedel": 2, "style": [0, 2, 3, 11, 16, 18, 20, 32, 35, 36, 53], "axvaluenativesourcetyp": [0, 2], "nativ": [2, 17, 21, 27, 33, 36, 53], "subtyp": [0, 2, 41, 47], "particular": [2, 3, 13, 17, 21, 41], "descript": [0, 2, 6, 11, 13, 16, 34, 41, 42, 43, 46, 57], "figcapt": [0, 2], "label": [0, 2, 34, 35, 36, 41], "labelfor": [0, 2], "labelwrap": [0, 2], "legend": [0, 2], "rubyannot": [0, 2], "tablecapt": [0, 2], "titl": [0, 2, 11, 18, 22, 27, 35, 36, 37, 40, 43, 47, 56, 57], "axvaluesourc": [0, 2], "type_": [0, 2, 3, 4, 13, 17, 20, 26, 27, 30, 34, 36, 38, 41, 45, 46, 47], "attribute_valu": [0, 2], "supersed": [0, 2, 20], "native_sourc": [0, 2], "native_source_valu": [0, 2], "invalid": [0, 2, 13, 16, 34], "invalid_reason": [0, 2], "singl": [0, 2, 11, 13, 20, 23, 25, 39, 45, 46, 51, 55, 57], "comput": [2, 11, 16, 18, 36], "ax": [2, 11, 16], "paramet": [0, 2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 29, 30, 31, 33, 34, 35, 36, 37, 38, 40, 41, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 57], "axvalu": [0, 2], "str": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 54, 55, 56, 57], "bool": [2, 3, 4, 6, 7, 11, 13, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 33, 34, 35, 36, 38, 39, 40, 41, 43, 44, 45, 46, 47, 49, 51, 52, 53, 54, 55], "option": [0, 2, 3, 4, 5, 7, 8, 9, 10, 11, 12, 13, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 46, 47, 49, 50, 51, 53, 55], "relev": [0, 2, 17, 35, 39], "ani": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55], "whether": [2, 4, 5, 7, 11, 13, 16, 17, 18, 19, 20, 22, 24, 27, 30, 34, 35, 36, 40, 41, 43, 45, 47, 49, 51, 55], "reason": [0, 2, 4, 13, 23, 28, 30, 34, 36, 39, 40, 41, 47, 53], "being": [2, 4, 7, 10, 12, 13, 19, 21, 22, 25, 30, 31, 32, 34, 36, 38, 39, 40, 43, 56, 57], "markup": [2, 16, 27, 36], "e": [2, 4, 5, 11, 13, 20, 22, 24, 27, 34, 36, 39, 41, 43, 46, 47, 49, 54], "g": [0, 2, 4, 5, 11, 16, 20, 27, 34, 36, 41, 43, 46, 49], "list": [2, 3, 4, 5, 6, 7, 8, 9, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 25, 26, 27, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 49, 51, 52, 53, 55], "higher": [2, 11], "prioriti": [0, 2, 11, 34, 43, 45], "axrelatednod": [0, 2], "backend_dom_node_id": [0, 2], "text": [0, 2, 5, 8, 9, 10, 11, 13, 16, 18, 20, 23, 27, 31, 34, 36, 39, 41, 43, 53, 56, 57], "backendnodeid": [0, 2, 3, 4, 5, 11, 16, 17, 18, 30, 35, 36, 38, 39], "relat": [2, 4, 5, 6, 11, 18, 20, 27, 34, 35, 36, 38, 46, 47], "altern": [0, 2, 23, 34, 41], "current": [2, 3, 4, 7, 9, 11, 13, 16, 18, 20, 24, 25, 26, 27, 32, 34, 36, 37, 38, 39, 40, 41, 45, 47, 50, 52, 53, 55], "context": [0, 2, 4, 7, 11, 13, 16, 17, 18, 22, 27, 32, 34, 36, 41, 45, 47, 50], "axproperti": [0, 2], "axpropertynam": [0, 2], "related_nod": [0, 2], "One": [2, 4, 27, 45], "more": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 54, 55, 57], "applic": [2, 11, 25, 34, 38, 43], "contribut": [2, 25, 43], "busi": [0, 2], "roledescript": [0, 2], "state": [0, 2, 3, 4, 6, 7, 11, 13, 16, 20, 23, 25, 34, 36, 39, 41, 43, 45, 46, 51, 55], "appli": [0, 2, 4, 7, 11, 13, 20, 23, 30, 36, 49, 53], "everi": [2, 4, 6, 11, 34, 36, 41], "live": [0, 2, 13], "root": [0, 2, 11, 16, 17, 18, 25, 30, 32, 36, 40, 45, 52], "region": [2, 35, 36], "autocomplet": [0, 2, 5], "valuetext": [0, 2], "widget": 2, "check": [0, 2, 4, 13, 18, 55], "select": [0, 2, 14, 16, 18, 27, 32, 35, 36, 53, 56, 57], "activedescend": [0, 2], "own": [0, 2, 16, 18, 27, 30, 40, 41], "relationship": 2, "between": [2, 11, 16, 18, 24, 25, 27, 33, 35, 40, 47, 52], "than": [2, 16, 17, 20, 30, 34, 36, 41, 47, 54, 55], "parent": [0, 2, 11, 16, 18, 30, 36, 41, 52, 53], "child": [0, 2, 5, 11, 16, 18, 25, 35, 36, 40, 47], "sibl": [2, 16], "atom": [0, 2], "control": [0, 2, 7, 27, 35, 36, 41, 47, 49, 52, 55], "describedbi": [0, 2], "detail": [0, 2, 4, 7, 13, 16, 18, 23, 25, 32, 34, 36, 38, 40, 41, 43, 45, 47, 49, 55], "disabl": [0, 2, 3, 4, 5, 6, 9, 10, 11, 12, 13, 14, 16, 18, 19, 20, 21, 22, 23, 24, 25, 26, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 50, 51], "edit": [0, 2, 11, 13, 16, 27], "errormessag": [0, 2, 39], "expand": [0, 2], "flowto": [0, 2], "focus": [0, 2, 16, 20, 47], "has_popup": [0, 2], "haspopup": 2, "hidden": [0, 2, 20, 36, 53], "hidden_root": [0, 2], "hiddenroot": 2, "keyshortcut": [0, 2], "labelledbi": [0, 2], "modal": [0, 2], "multilin": [0, 2], "multiselect": [0, 2], "orient": [0, 2, 15, 20, 36], "press": [0, 2, 27, 36, 53], "readonli": [0, 2], "requir": [0, 2, 7, 11, 16, 24, 26, 36, 53], "settabl": [0, 2], "valuemax": [0, 2], "valuemin": [0, 2], "axnod": [0, 2], "node_id": [0, 2, 11, 16, 17, 25, 35, 38, 39, 50, 53], "ignor": [0, 2, 4, 11, 16, 18, 27, 34, 36, 43, 47, 49, 51, 55], "ignored_reason": [0, 2], "chrome_rol": [0, 2], "parent_id": [0, 2, 16, 36, 41, 53], "child_id": [0, 2], "frame_id": [0, 2, 4, 5, 7, 11, 16, 18, 23, 34, 35, 36, 38, 45, 53], "tree": [0, 2, 11, 16, 18, 25, 30, 36, 45, 53], "frameid": [0, 2, 4, 5, 7, 11, 13, 16, 18, 23, 34, 35, 36, 38, 39, 41, 45, 47], "backend": [2, 11, 13, 16, 20, 25, 26, 30, 34, 35, 36, 40, 41, 49], "id": [2, 3, 4, 5, 6, 7, 8, 11, 12, 13, 14, 16, 17, 18, 23, 25, 29, 30, 32, 34, 35, 36, 38, 39, 40, 41, 43, 45, 46, 47, 48, 49, 50, 51], "associ": [2, 6, 7, 11, 13, 16, 18, 27, 30, 31, 34, 36, 39, 41, 45, 46, 51], "each": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55, 56, 57], "raw": [2, 4, 25, 34], "frame": [0, 2, 4, 5, 7, 11, 13, 16, 18, 20, 23, 24, 26, 27, 34, 35, 36, 38, 39, 41, 45, 46, 47], "document": [0, 2, 3, 4, 11, 16, 18, 20, 27, 33, 34, 36, 38, 39, 55], "collect": [2, 4, 10, 11, 13, 16, 18, 25, 31, 33, 36, 37, 40, 41, 49], "why": [2, 4, 13, 28, 30, 34, 36, 41], "explicit": [0, 2, 20, 36, 50], "function": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 55, 57], "x": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55], "y": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53], "z": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "indic": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "yield": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "must": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "resum": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "In": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 54, 57], "librari": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 57], "same": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 53, 55], "should": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 55], "pai": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "attent": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "For": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55], "inform": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "see": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55, 56, 57], "get": [0, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57], "dict": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 54, 55], "enabl": [0, 2, 3, 4, 5, 6, 7, 9, 10, 11, 12, 13, 14, 16, 17, 18, 19, 20, 22, 23, 24, 25, 26, 27, 28, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 43, 44, 45, 47, 49, 50, 51, 53], "caus": [0, 2, 4, 7, 13, 23, 25, 32, 34, 35, 36, 39, 47, 52], "remain": 2, "consist": [2, 5, 11, 47, 49], "method": [0, 2, 7, 8, 11, 16, 23, 27, 29, 34, 37, 38, 41, 45, 46, 47, 48, 52, 53, 54, 57], "call": [2, 4, 6, 7, 11, 13, 16, 20, 22, 23, 30, 31, 32, 33, 34, 35, 36, 37, 40, 41, 45, 47, 53, 55], "turn": [2, 20, 47, 49], "impact": 2, "until": [0, 2, 11, 13, 23, 34, 36, 45, 55, 57], "get_ax_node_and_ancestor": [0, 2], "backend_node_id": [0, 2, 3, 16, 17, 18, 30, 35, 36, 39, 53], "object_id": [0, 2, 13, 16, 17, 25, 29, 35, 41, 53], "ancestor": [2, 11, 16], "been": [2, 3, 4, 6, 10, 11, 13, 16, 18, 22, 25, 27, 28, 34, 36, 40, 43, 45, 47, 49, 50], "previous": [2, 11, 13, 20, 36, 38, 43], "nodeid": [0, 2, 11, 16, 17, 35], "remoteobjectid": [0, 2, 13, 16, 17, 25, 29, 35, 41, 53], "javascript": [2, 13, 16, 17, 18, 20, 21, 31, 34, 35, 36, 40, 41, 49, 53, 55], "wrapper": [2, 13, 16, 29, 35], "get_child_ax_nod": [0, 2], "id_": [0, 2, 3, 5, 9, 12, 14, 25, 27, 34, 36, 39, 40, 41, 45, 46], "whose": [2, 11, 45], "resid": 2, "If": [2, 4, 5, 7, 8, 11, 13, 16, 17, 20, 23, 24, 25, 26, 32, 33, 34, 36, 39, 41, 43, 45, 47, 49, 51, 54], "omit": [2, 4, 7, 11, 13, 16, 20, 23, 34, 35, 36, 39, 41, 43, 47], "get_full_ax_tre": [0, 2], "depth": [0, 2, 13, 16, 17, 34, 41], "entir": [0, 2, 11, 16, 17, 34, 36, 53, 55, 57], "int": [2, 4, 7, 8, 10, 11, 12, 13, 16, 17, 18, 20, 22, 23, 24, 25, 26, 27, 29, 30, 31, 32, 33, 34, 35, 36, 40, 41, 43, 44, 45, 46, 47, 48, 51, 52, 53, 55], "maximum": [2, 7, 11, 13, 16, 17, 20, 29, 30, 36, 41, 46, 51, 55], "descend": [2, 16, 35], "retriev": [2, 7, 11, 16, 17, 18, 25, 33, 37, 41, 47, 51, 52, 53, 55], "full": [2, 11, 18, 20, 32, 36, 41, 43, 45, 50, 53, 55], "get_partial_ax_tre": [0, 2], "fetch_rel": 2, "partial": 2, "exist": [2, 4, 6, 11, 13, 16, 20, 22, 34, 36, 41, 45, 47, 50, 56], "children": [0, 2, 16, 17, 25, 35, 36, 40, 53], "true": [2, 4, 7, 11, 13, 16, 18, 20, 23, 24, 25, 26, 27, 33, 34, 35, 36, 41, 43, 45, 47, 49, 51, 52, 53, 54, 56, 57, 58], "plu": 2, "its": [2, 11, 13, 16, 19, 23, 27, 30, 34, 36, 40, 41, 45, 46, 49, 55], "request": [0, 2, 4, 7, 8, 9, 11, 14, 16, 18, 20, 23, 24, 26, 31, 34, 35, 36, 41, 43, 48, 49, 52, 55], "get_root_ax_nod": [0, 2], "query_ax_tre": [0, 2], "accessible_nam": 2, "queri": [2, 7, 11, 12, 13, 16, 19, 20, 27, 34, 35, 36, 46, 47, 53], "subtre": [2, 16, 17], "mactch": 2, "specifi": [2, 4, 5, 7, 8, 11, 13, 16, 18, 20, 23, 26, 29, 30, 34, 35, 36, 38, 39, 40, 41, 45, 46, 47, 48, 49, 51, 54, 55, 56], "doe": [2, 4, 5, 10, 11, 13, 16, 20, 36, 41, 43, 53, 54, 56, 57], "error": [0, 2, 4, 5, 8, 9, 12, 13, 16, 20, 22, 23, 32, 34, 36, 37, 39, 41, 43, 44, 47, 55], "neither": [2, 41], "accessiblenam": 2, "find": [0, 2, 4, 11, 16, 56, 57], "match": [0, 2, 11, 13, 16, 23, 34, 36, 41, 43, 47, 51, 55, 57], "loadcomplet": [0, 2], "mirror": [2, 9, 16, 41], "load": [0, 2, 4, 11, 23, 33, 34, 36, 39, 43, 45, 52, 54, 55, 57], "complet": [0, 2, 13, 16, 18, 24, 34, 36], "sent": [2, 12, 13, 16, 19, 20, 23, 25, 34, 36, 38, 40, 41, 43, 45, 49, 55], "assist": 2, "technologi": [2, 34], "when": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 13, 16, 17, 18, 22, 23, 24, 25, 27, 28, 30, 31, 32, 34, 35, 36, 38, 39, 40, 41, 43, 45, 47, 49, 51, 52, 53, 55, 56, 57], "ha": [2, 3, 4, 6, 7, 10, 11, 13, 16, 18, 20, 22, 23, 25, 26, 27, 28, 30, 34, 35, 36, 39, 40, 43, 45, 47, 50, 53, 54, 55], "finish": [0, 2, 4, 25, 34, 50, 56], "new": [0, 2, 4, 6, 7, 10, 11, 13, 16, 18, 20, 24, 25, 31, 32, 34, 36, 40, 41, 44, 47, 50, 52, 54, 55], "nodesupd": [0, 2], "chang": [2, 9, 11, 13, 16, 18, 20, 25, 27, 34, 36, 40, 41, 43, 47, 50, 56], "updat": [0, 2, 4, 6, 11, 16, 20, 24, 25, 36, 39, 40, 41, 45, 53, 54, 55], "data": [0, 2, 5, 6, 8, 11, 13, 16, 18, 20, 23, 24, 26, 27, 29, 30, 32, 34, 35, 36, 40, 41, 44, 45, 49, 50], "paused_st": [0, 3], "play_stat": [0, 3], "playback_r": [0, 3], "start_tim": [0, 3, 40], "current_tim": [0, 3, 50], "css_id": [0, 3], "instanc": [0, 3, 5, 41, 52, 57], "float": [3, 4, 7, 8, 11, 13, 15, 16, 18, 20, 24, 25, 26, 27, 30, 31, 33, 34, 36, 37, 38, 40, 41, 44, 45, 46, 49, 50, 52, 53, 55], "animationeffect": [0, 3], "repres": [0, 3, 4, 5, 11, 13, 16, 18, 19, 23, 27, 32, 34, 35, 39, 41, 43, 45, 46, 52, 53, 57], "trigger": [0, 3, 5, 13, 22, 27, 31, 34, 35, 36, 39, 40, 43, 49, 51, 53], "transit": [3, 16, 36], "intern": [0, 3, 25, 36, 41, 43, 51, 53, 55], "paus": [0, 3, 13, 20, 23, 25, 36, 41, 47, 53], "plai": [3, 53], "playback": [3, 9], "rate": [0, 3, 20, 50], "delai": [0, 3, 20, 22, 27, 36, 49], "end_delai": [0, 3], "iteration_start": [0, 3], "iter": [0, 3, 16, 18, 19, 30, 47, 54], "durat": [0, 3, 27, 30, 37, 38, 45, 50, 53, 57], "fill": [0, 3, 5, 20, 35, 43, 56, 57], "eas": [0, 3], "keyframes_rul": [0, 3], "keyframesrul": [0, 3], "end": [0, 3, 4, 11, 13, 16, 27, 29, 30, 34, 36, 40, 41, 45, 49, 53], "mode": [0, 3, 4, 13, 16, 20, 24, 30, 35, 36, 41, 47, 49, 55], "keyfram": [0, 3, 11], "rule": [0, 3, 4, 11, 13, 39, 41], "keyframestyl": [0, 3], "offset": [0, 3, 7, 11, 13, 18, 20, 29, 30, 36, 40, 55], "notif": [0, 3, 5, 6, 7, 10, 16, 20, 28, 31, 33, 34, 35, 36, 41, 45, 47, 52], "get_current_tim": [0, 3], "get_playback_r": [0, 3], "timelin": [3, 38], "release_anim": [0, 3], "releas": [3, 13, 16, 25, 27, 30, 40, 41], "set": [3, 4, 5, 6, 7, 9, 11, 13, 16, 17, 18, 20, 21, 22, 23, 24, 26, 27, 29, 30, 31, 32, 34, 35, 36, 37, 39, 41, 43, 45, 47, 49, 51, 53, 54, 55, 56], "longer": [3, 16, 35, 36, 43], "manipul": [3, 13], "seek": [3, 29], "resolve_anim": [0, 3], "animation_id": 3, "remot": [3, 9, 25, 28, 29, 34, 41, 47], "remoteobject": [0, 3, 13, 16, 17, 25, 26, 31, 41, 53, 55], "correspond": [3, 13, 16, 18, 22, 23, 25, 32, 34, 36, 39, 41, 54], "seek_anim": [0, 3], "within": [3, 11, 13, 16, 27, 30, 32, 34, 38], "set_paus": [0, 3], "set_playback_r": [0, 3], "set_tim": [0, 3], "animationcancel": [0, 3], "cancel": [0, 3, 4, 7, 14, 23, 27, 34, 35, 36, 39, 41, 43, 47], "wa": [3, 4, 5, 11, 13, 17, 18, 20, 22, 23, 24, 27, 30, 31, 32, 34, 36, 39, 40, 41, 43, 44, 45, 47, 48, 52], "animationcr": [0, 3], "animationstart": [0, 3], "allow": [0, 4, 5, 7, 13, 17, 20, 22, 23, 26, 27, 32, 34, 36, 39, 40, 41, 43, 47, 50, 51, 55], "investig": 4, "violat": [4, 17, 31], "improv": 4, "affectedcooki": [0, 4], "path": [0, 4, 7, 8, 16, 26, 34, 36, 53, 54, 55, 56], "about": [4, 5, 7, 11, 16, 24, 25, 28, 30, 34, 36, 39, 41, 43, 46, 47, 53], "cooki": [0, 4, 34, 36, 45, 56, 57], "affect": [4, 18, 20, 23, 34], "issu": [0, 4, 9, 10, 11, 13, 23, 27, 31, 34, 36, 41, 43, 45, 47, 49], "three": 4, "affectedrequest": [0, 4], "request_id": [0, 4, 23, 34, 39], "url": [0, 4, 7, 8, 10, 11, 13, 16, 17, 18, 23, 27, 30, 31, 34, 36, 38, 39, 40, 41, 43, 45, 47, 52, 55], "requestid": [0, 4, 14, 23, 31, 34, 39], "affectedfram": [0, 4], "cookieexclusionreason": [0, 4], "exclude_domain_non_ascii": [0, 4], "excludedomainnonascii": 4, "exclude_invalid_same_parti": [0, 4], "excludeinvalidsameparti": 4, "exclude_same_party_cross_party_context": [0, 4], "excludesamepartycrosspartycontext": 4, "exclude_same_site_lax": [0, 4], "excludesamesitelax": 4, "exclude_same_site_none_insecur": [0, 4], "excludesamesitenoneinsecur": 4, "exclude_same_site_strict": [0, 4], "excludesamesitestrict": 4, "exclude_same_site_unspecified_treated_as_lax": [0, 4], "excludesamesiteunspecifiedtreatedaslax": 4, "exclude_third_party_cookie_blocked_in_first_party_set": [0, 4], "excludethirdpartycookieblockedinfirstpartyset": 4, "exclude_third_party_phaseout": [0, 4], "excludethirdpartyphaseout": 4, "cookiewarningreason": [0, 4], "warn_attribute_value_exceeds_max_s": [0, 4], "warnattributevalueexceedsmaxs": 4, "warn_cross_site_redirect_downgrade_changes_inclus": [0, 4], "warncrosssiteredirectdowngradechangesinclus": 4, "warn_domain_non_ascii": [0, 4], "warndomainnonascii": 4, "warn_same_site_lax_cross_downgrade_lax": [0, 4], "warnsamesitelaxcrossdowngradelax": 4, "warn_same_site_lax_cross_downgrade_strict": [0, 4], "warnsamesitelaxcrossdowngradestrict": 4, "warn_same_site_none_insecur": [0, 4], "warnsamesitenoneinsecur": 4, "warn_same_site_strict_cross_downgrade_lax": [0, 4], "warnsamesitestrictcrossdowngradelax": 4, "warn_same_site_strict_cross_downgrade_strict": [0, 4], "warnsamesitestrictcrossdowngradestrict": 4, "warn_same_site_strict_lax_downgrade_strict": [0, 4], "warnsamesitestrictlaxdowngradestrict": 4, "warn_same_site_unspecified_cross_site_context": [0, 4], "warnsamesiteunspecifiedcrosssitecontext": 4, "warn_same_site_unspecified_lax_allow_unsaf": [0, 4], "warnsamesiteunspecifiedlaxallowunsaf": 4, "warn_third_party_phaseout": [0, 4], "warnthirdpartyphaseout": 4, "cookieoper": [0, 4], "read_cooki": [0, 4], "readcooki": 4, "set_cooki": [0, 4, 34, 45, 52], "setcooki": 4, "cookieissuedetail": [0, 4], "cookie_warning_reason": [0, 4], "cookie_exclusion_reason": [0, 4], "oper": [0, 4, 6, 11, 13, 16, 17, 21, 27, 29, 34, 45, 47, 55, 57], "raw_cookie_lin": [0, 4], "site_for_cooki": [0, 4], "cookie_url": [0, 4], "necessari": [4, 39], "front": [4, 11, 16, 36], "difficult": 4, "specif": [0, 4, 6, 7, 11, 13, 29, 32, 34, 39, 41, 45, 47, 51], "With": 4, "we": [4, 11, 13, 30, 32, 34, 39, 47, 55, 56, 57], "convei": 4, "rawcookielin": 4, "contain": [4, 5, 7, 8, 11, 13, 16, 18, 20, 23, 27, 28, 30, 34, 35, 36, 40, 41, 49, 52, 54, 55], "header": [0, 4, 8, 11, 20, 23, 34, 36, 39, 41, 44], "hint": [0, 4, 20, 36, 39, 41, 53], "problem": [4, 13], "where": [4, 5, 8, 11, 13, 16, 29, 30, 32, 33, 34, 36, 39, 40, 41, 53], "syntact": 4, "semant": [4, 34], "malform": [0, 4, 36], "wai": [4, 23, 34, 41, 52, 55], "valid": [4, 7, 11, 13, 16, 18, 26, 27, 34, 36, 39, 43, 44], "could": [0, 4, 13, 34, 36, 53, 54, 55, 56, 57], "site": [4, 7, 34, 36, 45, 53], "mai": [4, 7, 11, 13, 16, 18, 20, 23, 24, 25, 29, 34, 35, 36, 38, 40, 41, 47, 50, 55, 56, 57], "addit": [4, 6, 11, 13, 16, 27, 34, 46, 47, 52], "mixedcontentresolutionstatu": [0, 4], "mixed_content_automatically_upgrad": [0, 4], "mixedcontentautomaticallyupgrad": 4, "mixed_content_block": [0, 4], "mixedcontentblock": 4, "mixed_content_warn": [0, 4], "mixedcontentwarn": 4, "mixedcontentresourcetyp": [0, 4], "attribution_src": [0, 4], "attributionsrc": 4, "audio": [0, 4, 50, 55], "beacon": [0, 4], "csp_report": [0, 4], "cspreport": 4, "download": [0, 4, 7, 11, 34, 36, 39, 53, 55], "event_sourc": [0, 4, 34], "eventsourc": [4, 34], "favicon": [0, 4], "font": [0, 4, 11, 34, 36], "form": [0, 4, 5, 13, 16, 34, 36, 53, 55], "imag": [0, 4, 7, 11, 16, 20, 24, 30, 34, 36, 38, 46, 53], "import": [0, 4, 11, 16, 18, 34, 52, 55, 56, 57], "manifest": [0, 4, 34, 35, 36, 54], "ping": [0, 4, 34], "plugin_data": [0, 4], "plugindata": 4, "plugin_resourc": [0, 4], "pluginresourc": 4, "prefetch": [0, 4, 34, 39], "resourc": [0, 4, 7, 10, 11, 13, 17, 20, 23, 31, 34, 36, 39, 43, 52], "script": [0, 4, 11, 13, 17, 18, 20, 34, 36, 39, 40, 41, 44, 45, 53, 55, 56, 57], "service_work": [0, 4, 45], "shared_work": [0, 4, 36], "sharedwork": [4, 36], "speculation_rul": [0, 4], "speculationrul": 4, "stylesheet": [0, 4, 11, 34], "track": [0, 4, 11, 12, 13, 16, 19, 25, 27, 34, 35, 36, 41, 43, 45], "video": [0, 4, 32, 46, 53, 55], "worker": [0, 4, 6, 13, 31, 34, 36, 41, 47], "xml_http_request": [0, 4], "xmlhttprequest": [4, 17, 34], "xslt": [0, 4], "mixedcontentissuedetail": [0, 4], "resolution_statu": [0, 4], "insecure_url": [0, 4], "main_resource_url": [0, 4], "resource_typ": [0, 4, 23, 34], "becaus": [4, 32, 34, 36, 45, 47, 49, 53, 56, 57], "mix": [4, 34, 43], "necessarili": 4, "link": [0, 4, 11, 16, 27, 34, 36, 39, 55], "unsaf": [4, 41], "http": [0, 4, 7, 8, 11, 20, 22, 23, 24, 27, 34, 36, 38, 39, 43, 45, 50, 51, 55, 56, 57], "respons": [0, 4, 8, 14, 16, 23, 24, 34, 44, 47, 51], "alwai": [4, 13, 16, 20, 32, 34, 43, 47, 55, 56, 57], "submiss": [4, 36], "resolv": [4, 11, 13, 16, 34, 41, 51, 53], "j": [4, 22, 32, 53, 55], "ifram": [0, 4, 16, 17, 18, 34, 36, 52, 55, 57], "mark": [4, 16, 34, 40], "map": [4, 11, 13, 34, 36, 41, 51], "blink": [4, 7, 27, 34, 36], "mojom": [4, 39, 49], "requestcontexttyp": 4, "requestdestin": 4, "blockedbyresponsereason": [0, 4], "block": [0, 4, 16, 30, 34, 36, 40, 41, 46, 53, 55], "These": [4, 22, 27], "refin": [4, 34], "net": [4, 23, 34], "blocked_by_respons": [0, 4, 34], "coep_frame_resource_needs_coep_head": [0, 4, 34], "coepframeresourceneedscoephead": 4, "coop_sandboxed_i_frame_cannot_navigate_to_coop_pag": [0, 4], "coopsandboxediframecannotnavigatetocooppag": 4, "corp_not_same_origin": [0, 4, 34], "corpnotsameorigin": 4, "corp_not_same_origin_after_defaulted_to_same_origin_by_coep": [0, 4, 34], "corpnotsameoriginafterdefaultedtosameoriginbycoep": 4, "corp_not_same_sit": [0, 4, 34], "corpnotsamesit": 4, "blockedbyresponseissuedetail": [0, 4], "parent_fram": [0, 4], "blocked_fram": [0, 4], "code": [0, 4, 5, 8, 12, 13, 17, 21, 23, 27, 32, 34, 40, 41, 43, 46, 47, 56, 57], "onli": [4, 7, 8, 9, 11, 13, 16, 18, 20, 22, 23, 24, 25, 27, 29, 30, 34, 36, 39, 40, 41, 43, 45, 46, 47, 49, 52, 53, 55], "coep": [0, 4, 34], "coop": [0, 4, 34], "extend": [4, 23, 34], "some": [4, 11, 16, 23, 29, 34, 35, 41, 47, 49, 50, 53, 56], "csp": [0, 4, 17, 34, 36, 41], "futur": [4, 24, 34, 41], "heavyadresolutionstatu": [0, 4], "heavy_ad_block": [0, 4], "heavyadblock": 4, "heavy_ad_warn": [0, 4], "heavyadwarn": 4, "heavyadreason": [0, 4], "cpu_peak_limit": [0, 4], "cpupeaklimit": 4, "cpu_total_limit": [0, 4], "cputotallimit": 4, "network_total_limit": [0, 4], "networktotallimit": 4, "heavyadissuedetail": [0, 4], "resolut": [0, 4, 46], "ad": [0, 4, 9, 10, 11, 16, 17, 31, 34, 35, 36, 38, 39, 41, 45, 47, 51, 55], "total": [0, 4, 7, 13, 16, 25, 33, 34, 36, 41, 49, 55], "cpu": [4, 20, 40, 46], "peak": 4, "statu": [0, 4, 7, 8, 13, 23, 34, 36, 39, 44, 46, 47], "either": [4, 13, 16, 20, 22, 23, 29, 34, 35, 36, 39, 40, 41, 49, 54, 55], "warn": [4, 41, 43], "contentsecuritypolicyviolationtyp": [0, 4], "k_eval_viol": [0, 4], "kevalviol": 4, "k_inline_viol": [0, 4], "kinlineviol": 4, "k_trusted_types_policy_viol": [0, 4], "ktrustedtypespolicyviol": 4, "k_trusted_types_sink_viol": [0, 4], "ktrustedtypessinkviol": 4, "k_url_viol": [0, 4], "kurlviol": 4, "k_wasm_eval_viol": [0, 4], "kwasmevalviol": 4, "sourcecodeloc": [0, 4], "line_numb": [0, 4, 13, 17, 31, 34, 36, 41, 44], "column_numb": [0, 4, 13, 17, 34, 36, 41, 44], "script_id": [0, 4, 13, 17, 36, 40, 41], "scriptid": [0, 4, 13, 17, 36, 40, 41], "contentsecuritypolicyissuedetail": [0, 4], "violated_direct": [0, 4], "is_report_onli": [0, 4], "content_security_policy_violation_typ": [0, 4], "blocked_url": [0, 4], "frame_ancestor": [0, 4], "source_code_loc": [0, 4], "violating_node_id": [0, 4], "sharedarraybufferissuetyp": [0, 4], "creation_issu": [0, 4], "creationissu": 4, "transfer_issu": [0, 4], "transferissu": 4, "sharedarraybufferissuedetail": [0, 4], "is_warn": [0, 4], "aris": 4, "sab": 4, "transfer": [4, 36, 49], "cross": [4, 35, 36, 41, 47], "origin": [0, 4, 6, 7, 8, 10, 11, 17, 19, 20, 23, 26, 34, 36, 39, 41, 44, 45, 47], "isol": [0, 4, 13, 34, 35, 36, 40, 41], "lowtextcontrastissuedetail": [0, 4], "violating_node_selector": [0, 4], "contrast_ratio": [0, 4], "threshold_aa": [0, 4], "threshold_aaa": [0, 4], "font_siz": [0, 4, 36], "font_weight": [0, 4, 11], "corsissuedetail": [0, 4], "cors_error_statu": [0, 4, 34], "locat": [0, 4, 11, 13, 16, 23, 25, 27, 34, 36, 40, 41, 47], "initiator_origin": [0, 4], "resource_ip_address_spac": [0, 4, 34], "client_security_st": [0, 4, 34], "cor": [0, 4, 8, 34], "rfc1918": 4, "enforc": 4, "corserrorstatu": [0, 4, 34], "ipaddressspac": [0, 4, 34], "clientsecurityst": [0, 4, 34], "attributionreportingissuetyp": [0, 4], "insecure_context": [0, 4], "insecurecontext": 4, "invalid_head": [0, 4], "invalidhead": 4, "invalid_register_os_source_head": [0, 4], "invalidregisterossourcehead": 4, "invalid_register_os_trigger_head": [0, 4], "invalidregisterostriggerhead": 4, "invalid_register_trigger_head": [0, 4], "invalidregistertriggerhead": 4, "navigation_registration_without_transient_user_activ": [0, 4], "navigationregistrationwithouttransientuseractiv": 4, "no_web_or_os_support": [0, 4], "noweborossupport": 4, "os_source_ignor": [0, 4], "ossourceignor": 4, "os_trigger_ignor": [0, 4], "ostriggerignor": 4, "permission_policy_dis": [0, 4], "permissionpolicydis": 4, "source_and_trigger_head": [0, 4], "sourceandtriggerhead": 4, "source_ignor": [0, 4], "sourceignor": 4, "trigger_ignor": [0, 4], "triggerignor": 4, "untrustworthy_reporting_origin": [0, 4], "untrustworthyreportingorigin": 4, "web_and_os_head": [0, 4], "webandoshead": 4, "attributionreportingissuedetail": [0, 4], "violation_typ": [0, 4, 17], "invalid_paramet": [0, 4], "report": [0, 4, 10, 11, 13, 17, 20, 21, 23, 24, 25, 31, 32, 34, 36, 37, 38, 40, 41, 45, 47, 49, 55], "explain": [4, 36, 43], "github": [4, 7, 20, 22, 34, 36, 38, 39, 45, 50, 51, 56, 57], "com": [4, 16, 36, 38, 39, 41, 47, 55, 56, 57], "wicg": [4, 20, 34, 36, 38, 39, 45], "quirksmodeissuedetail": [0, 4], "is_limited_quirks_mod": [0, 4], "document_node_id": [0, 4], "loader_id": [0, 4, 34, 36, 39], "quirk": 4, "limit": [4, 13], "layout": [0, 4, 16, 18, 24, 27, 30, 35, 36, 38], "loaderid": [0, 4, 34, 36, 39], "fals": [4, 7, 11, 13, 16, 17, 18, 24, 27, 34, 35, 36, 43, 45, 47, 51, 52, 53, 54, 55, 56, 58], "mean": [4, 10, 16, 23, 25, 27, 31, 34, 35, 36, 41, 43, 50], "navigatoruseragentissuedetail": [0, 4], "genericissueerrortyp": [0, 4], "cross_origin_portal_post_message_error": [0, 4], "crossoriginportalpostmessageerror": 4, "form_aria_labelled_by_to_non_existing_id": [0, 4], "formarialabelledbytononexistingid": 4, "form_autocomplete_attribute_empty_error": [0, 4], "formautocompleteattributeemptyerror": 4, "form_duplicate_id_for_input_error": [0, 4], "formduplicateidforinputerror": 4, "form_empty_id_and_name_attributes_for_input_error": [0, 4], "formemptyidandnameattributesforinputerror": 4, "form_input_assigned_autocomplete_value_to_id_or_name_attribute_error": [0, 4], "forminputassignedautocompletevaluetoidornameattributeerror": 4, "form_input_has_wrong_but_well_intended_autocomplete_value_error": [0, 4], "forminputhaswrongbutwellintendedautocompletevalueerror": 4, "form_input_with_no_label_error": [0, 4], "forminputwithnolabelerror": 4, "form_label_for_matches_non_existing_id_error": [0, 4], "formlabelformatchesnonexistingiderror": 4, "form_label_for_name_error": [0, 4], "formlabelfornameerror": 4, "form_label_has_neither_for_nor_nested_input": [0, 4], "formlabelhasneitherfornornestedinput": 4, "response_was_blocked_by_orb": [0, 4], "responsewasblockedbyorb": 4, "genericissuedetail": [0, 4], "error_typ": [0, 4, 32, 39, 43], "violating_node_attribut": [0, 4], "concret": [4, 56, 57], "errortyp": [4, 39], "aggreg": [4, 34, 36], "frontend": [4, 36], "deprecationissuedetail": [0, 4], "affected_fram": [0, 4], "print": [0, 4, 32, 36, 55, 56, 57], "deprec": [4, 10, 13, 16, 17, 18, 20, 24, 25, 34, 35, 36, 37, 41, 42, 43, 47, 49], "messag": [0, 4, 9, 10, 12, 16, 31, 32, 34, 35, 36, 41, 44, 47, 49], "chromium": [4, 7, 27, 32, 36, 52], "org": [4, 7, 11, 27, 34, 36, 43, 51], "src": [0, 4, 7, 11, 27, 55, 56, 57], "main": [4, 7, 27, 30, 34, 35, 36, 39, 44, 46, 47, 55, 56, 57], "third_parti": [4, 7, 27, 34, 36], "render": [4, 5, 7, 11, 16, 18, 20, 24, 27, 33, 34, 36, 50], "core": [4, 27, 34, 36, 54, 55], "readm": 4, "md": [4, 39], "json5": [4, 36], "bouncetrackingissuedetail": [0, 4], "tracking_sit": [0, 4], "redirect": [4, 23, 34], "chain": [4, 11, 13, 41, 43], "navig": [0, 4, 18, 20, 34, 36, 39, 41, 45, 47, 52, 55, 56], "flag": [0, 4, 11, 17, 20, 25, 26, 34, 36, 41, 51, 55, 57], "tracker": [4, 45], "clear": [0, 4, 6, 15, 19, 20, 26, 31, 34, 36, 41, 45, 47, 51, 53, 54], "thei": [4, 6, 11, 32, 34, 41, 51, 55], "receiv": [4, 5, 7, 11, 13, 16, 23, 32, 34, 36, 44, 45, 47, 53, 55], "note": [4, 7, 13, 16, 18, 20, 23, 24, 32, 34, 36, 37, 38, 39, 41, 43, 49, 52, 53, 55], "etld": 4, "test": [4, 16, 22, 35, 36, 51], "80": 4, "bounc": [4, 45], "would": [4, 18, 20, 22, 27, 34, 36, 38, 41, 49, 53, 55], "cookiedeprecationmetadataissuedetail": [0, 4], "allowed_sit": [0, 4], "third": [4, 25], "parti": [4, 34, 51], "permit": [4, 21], "due": [4, 23, 34, 35, 36, 40, 41, 56, 57], "global": [4, 7, 13, 18, 36, 41, 49], "metadata": [0, 4, 20, 26, 36, 45], "grant": [0, 4, 7, 36, 47, 52], "web_pag": 4, "clienthintissuereason": [0, 4], "meta_tag_allow_list_invalid_origin": [0, 4], "metatagallowlistinvalidorigin": 4, "meta_tag_modified_html": [0, 4], "metatagmodifiedhtml": 4, "federatedauthrequestissuedetail": [0, 4], "federated_auth_request_issue_reason": [0, 4], "federatedauthrequestissuereason": [0, 4], "failur": [0, 4, 34, 39], "feder": 4, "authent": [4, 23, 34, 51], "fail": [0, 4, 11, 13, 23, 24, 34, 36, 51], "alongsid": 4, "requestidtokenstatu": 4, "public": [0, 4, 34, 36], "devtool": [4, 7, 11, 29, 43, 45, 47, 53, 55], "inspector_issu": 4, "case": [4, 11, 13, 16, 24, 34, 36, 39, 41, 53, 54, 55, 57], "except": [0, 4, 13, 27, 41, 55], "success": [0, 4, 13, 34, 36, 39, 45, 49, 51], "accounts_http_not_found": [0, 4], "accountshttpnotfound": 4, "accounts_invalid_content_typ": [0, 4], "accountsinvalidcontenttyp": 4, "accounts_invalid_respons": [0, 4], "accountsinvalidrespons": 4, "accounts_list_empti": [0, 4], "accountslistempti": 4, "accounts_no_respons": [0, 4], "accountsnorespons": 4, "client_metadata_http_not_found": [0, 4], "clientmetadatahttpnotfound": 4, "client_metadata_invalid_content_typ": [0, 4], "clientmetadatainvalidcontenttyp": 4, "client_metadata_invalid_respons": [0, 4], "clientmetadatainvalidrespons": 4, "client_metadata_no_respons": [0, 4], "clientmetadatanorespons": 4, "config_http_not_found": [0, 4], "confighttpnotfound": 4, "config_invalid_content_typ": [0, 4], "configinvalidcontenttyp": 4, "config_invalid_respons": [0, 4], "configinvalidrespons": 4, "config_not_in_well_known": [0, 4], "confignotinwellknown": 4, "config_no_respons": [0, 4], "confignorespons": 4, "disabled_in_set": [0, 4], "disabledinset": 4, "error_fetching_signin": [0, 4], "errorfetchingsignin": 4, "error_id_token": [0, 4], "erroridtoken": 4, "id_token_cross_site_idp_error_respons": [0, 4], "idtokencrosssiteidperrorrespons": 4, "id_token_http_not_found": [0, 4], "idtokenhttpnotfound": 4, "id_token_idp_error_respons": [0, 4], "idtokenidperrorrespons": 4, "id_token_invalid_content_typ": [0, 4], "idtokeninvalidcontenttyp": 4, "id_token_invalid_request": [0, 4], "idtokeninvalidrequest": 4, "id_token_invalid_respons": [0, 4], "idtokeninvalidrespons": 4, "id_token_no_respons": [0, 4], "idtokennorespons": 4, "invalid_signin_respons": [0, 4], "invalidsigninrespons": 4, "not_signed_in_with_idp": [0, 4], "notsignedinwithidp": 4, "rp_page_not_vis": [0, 4], "rppagenotvis": 4, "should_embargo": [0, 4], "shouldembargo": 4, "silent_mediation_failur": [0, 4], "silentmediationfailur": 4, "third_party_cookies_block": [0, 4], "thirdpartycookiesblock": 4, "too_many_request": [0, 4], "toomanyrequest": 4, "well_known_http_not_found": [0, 4], "wellknownhttpnotfound": 4, "well_known_invalid_content_typ": [0, 4], "wellknowninvalidcontenttyp": 4, "well_known_invalid_respons": [0, 4], "wellknowninvalidrespons": 4, "well_known_list_empti": [0, 4], "wellknownlistempti": 4, "well_known_no_respons": [0, 4], "wellknownnorespons": 4, "well_known_too_big": [0, 4], "wellknowntoobig": 4, "federatedauthuserinforequestissuedetail": [0, 4], "federated_auth_user_info_request_issue_reason": [0, 4], "federatedauthuserinforequestissuereason": [0, 4], "getuserinfo": 4, "federatedauthuserinforequestresult": 4, "invalid_accounts_respons": [0, 4], "invalidaccountsrespons": 4, "invalid_config_or_well_known": [0, 4], "invalidconfigorwellknown": 4, "not_ifram": [0, 4], "notifram": 4, "not_potentially_trustworthi": [0, 4], "notpotentiallytrustworthi": 4, "not_same_origin": [0, 4], "notsameorigin": 4, "no_account_sharing_permiss": [0, 4], "noaccountsharingpermiss": 4, "no_api_permiss": [0, 4], "noapipermiss": 4, "no_returning_user_from_fetched_account": [0, 4], "noreturninguserfromfetchedaccount": 4, "clienthintissuedetail": [0, 4], "client_hint_issue_reason": [0, 4], "client": [4, 10, 11, 12, 13, 16, 18, 19, 20, 23, 31, 34, 35, 36, 39, 41, 43, 47, 51], "old": [4, 13, 16], "featur": [4, 6, 7, 11, 20, 36, 46], "encourag": 4, "ones": [4, 13, 34, 39], "guidanc": 4, "failedrequestinfo": [0, 4], "failure_messag": [0, 4], "stylesheetloadingissuereason": [0, 4], "late_import_rul": [0, 4], "lateimportrul": 4, "request_fail": [0, 4], "requestfail": 4, "stylesheetloadingissuedetail": [0, 4], "style_sheet_loading_issue_reason": [0, 4], "failed_request_info": [0, 4], "referenc": [4, 13, 41], "couldn": 4, "info": [0, 4, 34, 35, 43, 46], "posit": [4, 7, 11, 13, 16, 18, 20, 23, 27, 30, 34, 35, 36, 40, 53, 55], "propertyruleissuereason": [0, 4], "invalid_inherit": [0, 4], "invalidinherit": 4, "invalid_initial_valu": [0, 4], "invalidinitialvalu": 4, "invalid_nam": [0, 4], "invalidnam": 4, "invalid_syntax": [0, 4], "invalidsyntax": 4, "propertyruleissuedetail": [0, 4], "property_rule_issue_reason": [0, 4], "property_valu": [0, 4], "lead": [4, 55], "registr": [0, 4, 11, 44, 45], "discard": [4, 16, 25, 29, 41], "pars": [4, 11, 13, 16, 34, 36], "inspectorissuecod": [0, 4], "one": [4, 8, 11, 13, 16, 20, 22, 23, 24, 25, 26, 27, 30, 32, 34, 36, 41, 43, 47, 49, 51, 55, 56, 57], "field": [0, 4, 5, 7, 11, 23, 27, 34, 41, 43, 47, 50, 53, 56, 57], "inspectorissuedetail": [0, 4], "kind": [4, 11], "attribution_reporting_issu": [0, 4], "attributionreportingissu": 4, "blocked_by_response_issu": [0, 4], "blockedbyresponseissu": 4, "bounce_tracking_issu": [0, 4], "bouncetrackingissu": 4, "client_hint_issu": [0, 4], "clienthintissu": 4, "content_security_policy_issu": [0, 4], "contentsecuritypolicyissu": 4, "cookie_deprecation_metadata_issu": [0, 4], "cookiedeprecationmetadataissu": 4, "cookie_issu": [0, 4], "cookieissu": 4, "cors_issu": [0, 4], "corsissu": 4, "deprecation_issu": [0, 4], "deprecationissu": 4, "federated_auth_request_issu": [0, 4], "federatedauthrequestissu": 4, "federated_auth_user_info_request_issu": [0, 4], "federatedauthuserinforequestissu": 4, "generic_issu": [0, 4], "genericissu": 4, "heavy_ad_issu": [0, 4], "heavyadissu": 4, "low_text_contrast_issu": [0, 4], "lowtextcontrastissu": 4, "mixed_content_issu": [0, 4], "mixedcontentissu": 4, "navigator_user_agent_issu": [0, 4], "navigatoruseragentissu": 4, "property_rule_issu": [0, 4], "propertyruleissu": 4, "quirks_mode_issu": [0, 4], "quirksmodeissu": 4, "shared_array_buffer_issu": [0, 4], "sharedarraybufferissu": 4, "stylesheet_loading_issu": [0, 4], "stylesheetloadingissu": 4, "cookie_issue_detail": [0, 4], "mixed_content_issue_detail": [0, 4], "blocked_by_response_issue_detail": [0, 4], "heavy_ad_issue_detail": [0, 4], "content_security_policy_issue_detail": [0, 4], "shared_array_buffer_issue_detail": [0, 4], "low_text_contrast_issue_detail": [0, 4], "cors_issue_detail": [0, 4], "attribution_reporting_issue_detail": [0, 4], "quirks_mode_issue_detail": [0, 4], "navigator_user_agent_issue_detail": [0, 4], "generic_issue_detail": [0, 4], "deprecation_issue_detail": [0, 4], "client_hint_issue_detail": [0, 4], "federated_auth_request_issue_detail": [0, 4], "bounce_tracking_issue_detail": [0, 4], "cookie_deprecation_metadata_issue_detail": [0, 4], "stylesheet_loading_issue_detail": [0, 4], "property_rule_issue_detail": [0, 4], "federated_auth_user_info_request_issue_detail": [0, 4], "struct": [4, 45], "hold": [4, 11, 13, 16, 25, 34, 36, 40, 49, 53], "pleas": [4, 34, 35, 36, 55], "also": [0, 4, 7, 9, 11, 13, 16, 18, 24, 25, 34, 35, 36, 38, 39, 41, 47, 53, 55, 57], "add": [4, 35, 41, 47, 51, 54, 55], "issueid": [0, 4], "entiti": [4, 46], "etc": [4, 5, 13, 16, 20, 27, 32, 34, 36, 41, 46], "refer": [4, 13, 16, 18, 25, 27, 36, 41, 52, 55], "inspectorissu": [0, 4], "issue_id": [0, 4], "back": [0, 4, 13, 27, 29, 30, 36, 55], "check_contrast": [0, 4], "report_aaa": 4, "contrast": [4, 13, 35], "found": [0, 4, 9, 11, 16, 54, 55, 56, 57], "issuead": [0, 4], "wcag": 4, "aaa": [0, 4, 35], "check_forms_issu": [0, 4], "further": [4, 10, 13, 31, 41, 56, 57], "send": [0, 4, 10, 16, 24, 25, 27, 31, 32, 34, 36, 39, 40, 47, 50, 53, 56, 57], "far": [4, 10, 31, 34], "get_encoded_respons": [0, 4], "encod": [4, 7, 8, 13, 18, 23, 24, 29, 30, 33, 34, 36, 46, 49, 51], "qualiti": [0, 4, 24, 36], "size_onli": 4, "bodi": [0, 4, 8, 11, 13, 23, 34, 41], "size": [0, 4, 7, 11, 13, 20, 24, 25, 29, 33, 34, 35, 36, 38, 41, 45, 46, 49, 50, 51, 53, 55], "were": [4, 5, 11, 16, 25, 27, 29, 34, 41, 44, 45, 49], "re": [4, 16, 32, 41, 55, 56, 57], "0": [4, 11, 13, 16, 17, 18, 20, 23, 24, 27, 32, 34, 36, 41, 46, 49, 52, 53, 55, 56, 57], "tupl": [4, 7, 8, 11, 12, 13, 16, 18, 23, 24, 26, 29, 30, 33, 34, 36, 40, 41, 45, 46, 49, 53, 54, 55], "item": [0, 4, 7, 8, 11, 12, 13, 16, 18, 19, 23, 24, 26, 27, 29, 30, 33, 34, 35, 36, 40, 41, 45, 46, 49, 54, 55], "base64": [4, 7, 8, 13, 23, 24, 29, 30, 34, 36, 49, 51], "sizeonli": 4, "pass": [4, 6, 7, 8, 11, 13, 16, 18, 23, 24, 25, 30, 32, 34, 36, 38, 40, 47, 49, 51], "over": [4, 7, 8, 13, 23, 24, 27, 30, 34, 35, 36, 43, 47, 49, 51], "json": [0, 4, 7, 8, 13, 23, 24, 30, 34, 36, 39, 41, 47, 49, 51, 53, 54], "originals": 4, "befor": [0, 4, 13, 16, 20, 22, 23, 24, 25, 29, 30, 34, 36, 37, 38, 40, 53, 56, 57], "encodeds": 4, "after": [0, 4, 11, 13, 16, 20, 23, 27, 28, 34, 35, 36, 41, 52, 55], "defin": [5, 6, 7, 11, 13, 18, 27, 34, 35, 36, 43, 46, 48], "creditcard": [0, 5], "expiry_month": [0, 5], "expiry_year": [0, 5], "cvc": [0, 5], "3": [5, 13, 16, 17, 18, 20, 24, 34, 35, 36, 37, 43, 47, 56, 57], "digit": 5, "card": [5, 36], "verif": [5, 51, 56, 57], "expiri": [0, 5, 45], "month": [5, 56, 57], "4": [5, 22, 27, 36, 46, 53], "year": [5, 56, 57], "credit": 5, "owner": [5, 11, 16, 18, 35], "16": [5, 18, 24, 27], "addressfield": [0, 5], "address": [0, 5, 33, 34], "given_nam": [0, 5, 22], "jon": 5, "addressui": [0, 5], "address_field": [0, 5], "how": [5, 23, 30, 34, 49, 55], "displai": [5, 11, 14, 20, 23, 24, 34, 35, 36, 39, 53], "like": [5, 13, 23, 34, 40, 41, 53, 54, 55, 56, 57], "ui": [5, 32, 41, 43, 51], "two": [5, 22, 34, 50], "dimension": 5, "arrai": [0, 5, 8, 11, 13, 16, 17, 18, 25, 26, 30, 33, 34, 35, 36, 40, 41, 43, 45, 46, 47, 57], "inner": 5, "surfac": [5, 9, 36], "give_nam": 5, "family_nam": [0, 5, 11], "citi": 5, "munich": 5, "zip": 5, "81456": 5, "dimens": [5, 20, 36, 46], "repesent": 5, "fillingstrategi": [0, 5], "done": [0, 5, 7, 25, 36, 55], "html": [0, 5, 11, 16, 27, 34, 36, 39, 51, 53, 55, 57], "heurist": [5, 36], "autocomplete_attribut": [0, 5], "autocompleteattribut": 5, "autofill_inf": [0, 5], "autofillinf": 5, "filledfield": [0, 5], "html_type": [0, 5], "autofill_typ": [0, 5], "filling_strategi": [0, 5], "field_id": [0, 5], "actual": [5, 7, 11, 13, 16, 34, 36, 43, 52, 55, 56, 57], "strategi": 5, "password": [0, 5, 23, 34], "set_address": [0, 5], "develop": [5, 34, 39], "verifi": [5, 22], "implement": [5, 11, 16, 32, 41, 56, 57], "fieldid": 5, "cannot": [5, 7, 13, 34, 35, 41], "serv": [5, 34, 36, 41], "anchor": [5, 16, 18, 30, 36], "belong": [5, 6, 11, 16, 36, 41, 47], "out": [5, 13, 20, 27, 36, 39, 41, 54, 56, 57], "save": [0, 5, 7, 36, 49, 52, 53, 55, 57], "addressformfil": [0, 5], "filled_field": [0, 5], "address_ui": [0, 5], "emit": [5, 7, 27, 34, 36, 39], "represent": [5, 11, 23, 32, 34, 41], "2d": 5, "background": [0, 6, 11, 18, 20, 24, 35, 36, 47, 49, 52, 55], "platform": [0, 6, 7, 11, 20, 27, 34, 35, 36, 38, 46, 49, 50], "servicenam": [0, 6], "servic": [0, 6, 34, 47, 49], "independ": [6, 35, 36], "share": [6, 18, 36, 39, 45], "background_fetch": [0, 6, 7], "backgroundfetch": [6, 7, 52], "background_sync": [0, 6, 7], "backgroundsync": [6, 7, 52], "payment_handl": [0, 6, 7], "paymenthandl": [6, 7, 52], "periodic_background_sync": [0, 6, 7], "periodicbackgroundsync": [6, 7, 52], "push_messag": [0, 6], "pushmessag": 6, "eventmetadata": [0, 6], "kei": [0, 6, 8, 11, 19, 26, 27, 34, 39, 41, 43, 45, 51, 53, 54, 56, 57], "pair": [6, 16, 18, 23, 34, 45, 54], "along": [6, 20, 23, 27, 30, 34, 36, 41, 45], "backgroundserviceev": [0, 6], "timestamp": [0, 6, 11, 20, 24, 25, 27, 31, 32, 34, 36, 37, 40, 41], "service_worker_registration_id": [0, 6], "event_nam": [0, 6, 17, 21, 34], "instance_id": [0, 6], "event_metadata": [0, 6], "storage_kei": [0, 6, 8, 19, 26, 45], "timesinceepoch": [0, 6, 20, 27, 34, 36, 38, 43, 45], "registrationid": [0, 6, 44], "group": [6, 13, 16, 25, 34, 36, 41, 43, 45], "togeth": [6, 18, 41], "initi": [0, 6, 13, 20, 23, 24, 34, 36, 39, 40, 41, 47, 53], "second": [6, 8, 11, 24, 25, 27, 30, 34, 36, 38, 39, 40, 45, 46, 50, 52, 53, 55, 56, 57], "clear_ev": [0, 6], "store": [6, 8, 26, 27, 34, 45, 49, 51, 53], "set_record": [0, 6], "should_record": 6, "record": [6, 8, 11, 25, 26, 34, 38, 40, 45, 49, 53], "start_observ": [0, 6], "stop_observ": [0, 6], "recordingstatechang": [0, 6], "is_record": [0, 6, 53], "backgroundserviceeventreceiv": [0, 6], "background_service_ev": [0, 6], "afterward": 6, "manag": [7, 36], "browsercontextid": [0, 7, 45, 47], "windowid": [0, 7], "windowst": [0, 7], "window": [7, 11, 20, 27, 35, 36, 39, 46, 47, 52, 55], "fullscreen": [0, 7, 36, 55], "maxim": [0, 7, 34, 55], "minim": [0, 7, 25, 55], "normal": [0, 7, 11, 20, 22, 27, 41, 52, 55], "bound": [0, 7, 16, 18, 26, 36, 48, 55], "left": [0, 7, 27, 29, 30, 36, 53, 55], "top": [0, 7, 13, 16, 27, 30, 34, 36, 40, 41, 52, 55], "width": [0, 7, 11, 16, 18, 20, 30, 35, 36, 46, 47, 55], "height": [0, 7, 11, 16, 18, 20, 30, 35, 36, 46, 47, 55], "window_st": [0, 7], "pixel": [7, 16, 20, 27, 35, 36, 38, 46, 55], "edg": 7, "screen": [7, 20, 35, 36, 52, 55], "permissiontyp": [0, 7], "accessibility_ev": [0, 7], "accessibilityev": [7, 52], "audio_captur": [0, 7], "audiocaptur": [7, 52], "captured_surface_control": [0, 7, 36], "capturedsurfacecontrol": 7, "clipboard_read_writ": [0, 7], "clipboardreadwrit": [7, 52], "clipboard_sanitized_writ": [0, 7], "clipboardsanitizedwrit": [7, 52], "display_captur": [0, 7, 36], "displaycaptur": [7, 52], "durable_storag": [0, 7], "durablestorag": [7, 52], "flash": [0, 7, 53, 56, 57], "geoloc": [0, 7, 20, 36, 52], "idle_detect": [0, 7, 36], "idledetect": [7, 52], "local_font": [0, 7, 36], "localfont": [7, 52], "midi": [0, 7, 36, 52], "midi_sysex": [0, 7], "midisysex": [7, 52], "nfc": [0, 7, 51, 52], "protected_media_identifi": [0, 7], "protectedmediaidentifi": [7, 52], "sensor": [0, 7, 20, 36, 52], "storage_access": [0, 7, 36], "storageaccess": [7, 52], "top_level_storage_access": [0, 7], "toplevelstorageaccess": [7, 52], "video_captur": [0, 7], "videocaptur": [7, 52], "video_capture_pan_tilt_zoom": [0, 7], "videocapturepantiltzoom": [7, 52], "wake_lock_screen": [0, 7], "wakelockscreen": [7, 52], "wake_lock_system": [0, 7], "wakelocksystem": [7, 52], "window_manag": [0, 7, 36], "windowmanag": [7, 52], "permissionset": [0, 7], "deni": [0, 7, 36], "prompt": [0, 7, 14, 36], "permissiondescriptor": [0, 7], "sysex": [0, 7], "user_visible_onli": [0, 7], "allow_without_sanit": [0, 7], "pan_tilt_zoom": [0, 7], "definit": [7, 53], "permiss": [7, 36, 52], "w3c": [7, 20, 36, 38, 51], "clipboard": [7, 36], "allowwithoutsanit": 7, "c": [0, 7, 11, 20, 32, 53], "permission_descriptor": 7, "idl": [7, 20, 34, 36, 38, 55], "camera": [0, 7, 36], "pantiltzoom": 7, "push": [7, 11, 16, 34], "uservisibleonli": 7, "support": [0, 7, 11, 13, 20, 23, 24, 27, 29, 34, 36, 38, 42, 46, 47, 49, 50, 51, 53], "browsercommandid": [0, 7], "executebrowsercommand": 7, "close_tab_search": [0, 7], "closetabsearch": 7, "open_tab_search": [0, 7], "opentabsearch": 7, "bucket": [0, 7, 8, 26, 45, 49], "low": [0, 7, 34, 46], "high": [0, 7, 34], "count": [0, 7, 8, 16, 25, 26, 27, 34, 36, 40, 45], "histogram": [0, 7], "sampl": [0, 7, 25, 33, 40, 49, 50], "exclus": [7, 11, 13, 23, 41, 47], "minimum": [7, 11, 20, 30, 34, 36, 46], "inclus": [7, 11], "sum_": [0, 7], "sum": 7, "add_privacy_sandbox_enrollment_overrid": [0, 7], "privaci": 7, "sandbox": [7, 34, 52, 54], "enrol": 7, "cancel_download": [0, 7], "guid": [0, 7, 36, 49], "browser_context_id": [0, 7, 45, 47], "progress": [7, 36], "browsercontext": [7, 47], "action": [0, 7, 16, 22, 36, 39, 43, 53, 55], "close": [0, 7, 16, 22, 29, 34, 36, 47, 50, 52, 55, 56, 57], "gracefulli": 7, "crash": [0, 7, 28, 36, 47, 53, 55], "thread": [7, 30, 36, 46], "crash_gpu_process": [0, 7], "gpu": [7, 46], "process": [7, 27, 33, 34, 35, 36, 41, 43, 46, 52, 56, 57], "execute_browser_command": [0, 7], "command_id": 7, "invok": [7, 21, 45], "custom": [0, 7, 11, 36], "telemetri": 7, "get_browser_command_lin": [0, 7], "switch": [7, 20], "commandlin": [7, 46], "get_histogram": [0, 7], "delta": [7, 27, 40], "last": [7, 11, 13, 16, 25, 29, 30, 33, 36, 40, 44, 54], "substr": [7, 8, 17, 18], "extract": [7, 36], "empti": [7, 8, 9, 11, 13, 20, 23, 26, 27, 34, 35, 36, 38, 41, 43, 46, 47, 54], "absent": [7, 11, 16, 23, 30, 34], "get_vers": [0, 7], "version": [0, 7, 12, 13, 16, 17, 18, 20, 24, 26, 34, 35, 36, 37, 42, 43, 44, 46, 47], "protocolvers": 7, "protocol": [0, 7, 23, 34, 36, 42, 43, 47, 49, 50, 51, 55], "product": 7, "revis": [0, 7, 46], "userag": 7, "agent": [7, 11, 16, 18, 20, 29, 32, 34, 41, 49], "jsversion": 7, "v8": [7, 13, 33, 41], "get_window_bound": [0, 7], "window_id": 7, "restor": [7, 20, 27, 32, 36], "get_window_for_target": [0, 7], "target_id": [0, 7, 44, 47], "targetid": [0, 7, 44, 47], "host": [0, 7, 16, 20, 30, 34, 47], "part": [7, 47, 56, 57], "session": [0, 7, 9, 16, 19, 34, 47, 52, 56, 57], "grant_permiss": [0, 7], "given": [7, 11, 13, 16, 17, 18, 20, 23, 25, 26, 27, 30, 34, 35, 36, 41, 45, 46, 47, 51, 52, 53, 54, 55], "reject": [7, 22, 41], "overrid": [7, 13, 15, 20, 23, 32, 34, 36, 38, 41, 43, 45, 51], "reset_permiss": [0, 7], "reset": [7, 20, 22, 36, 40, 45, 51], "set_dock_til": [0, 7], "badge_label": 7, "dock": 7, "tile": [7, 30], "png": [7, 24, 36, 53, 55], "set_download_behavior": [0, 7, 36], "behavior": [7, 13, 23, 27, 34, 36], "download_path": [7, 36], "events_en": 7, "file": [0, 7, 16, 27, 29, 32, 34, 36, 53, 54, 55, 57], "avail": [0, 7, 9, 11, 13, 16, 18, 20, 23, 34, 36, 38, 41, 45, 46, 47, 51, 55, 57], "otherwis": [7, 13, 20, 23, 24, 34, 36, 45, 46, 49, 51, 53, 54], "allowandnam": 7, "accord": [7, 18, 36, 45], "dowmload": 7, "set_permiss": [0, 7], "descriptor": [7, 11, 35, 41], "set_window_bound": [0, 7], "combin": 7, "leav": [0, 7, 13, 45, 56], "unspecifi": [7, 34], "unchang": 7, "downloadwillbegin": [0, 7, 36], "suggested_filenam": [0, 7, 36], "fire": [7, 9, 11, 13, 16, 20, 23, 28, 34, 35, 36, 39, 43, 52, 55], "begin": [7, 11, 13, 18, 23, 34, 36], "suggest": [7, 34, 36, 43], "disk": [7, 34, 36], "downloadprogress": [0, 7, 36], "total_byt": [0, 7, 36], "received_byt": [0, 7, 36], "byte": [7, 13, 25, 29, 33, 34, 36, 41, 45, 51], "cacheid": [0, 8], "cach": [0, 8, 34, 36, 44, 45, 55], "cachedresponsetyp": [0, 8], "basic": [0, 8, 23, 34], "opaque_redirect": [0, 8], "opaqueredirect": 8, "opaque_respons": [0, 8], "opaquerespons": 8, "dataentri": [0, 8, 26], "request_url": [0, 8, 34, 43], "request_method": [0, 8], "request_head": [0, 8, 34], "response_tim": [0, 8, 34], "response_statu": [0, 8], "response_status_text": [0, 8, 23], "response_typ": [0, 8], "response_head": [0, 8, 23, 34], "entri": [0, 8, 23, 26, 31, 32, 34, 36, 41, 44, 45, 47, 52], "epoch": [8, 34, 38, 41], "cache_id": [0, 8], "security_origin": [0, 8, 19, 26, 36], "cache_nam": [0, 8, 45], "storage_bucket": [0, 8, 26, 45], "storagebucket": [0, 8, 26, 45], "opaqu": [8, 34, 51], "cachedrespons": [0, 8], "delete_cach": [0, 8], "delet": [8, 26, 34, 36, 41, 45, 47], "delete_entri": [0, 8], "spec": [8, 36, 45, 50, 51], "request_cache_nam": [0, 8], "At": [8, 26], "least": [8, 26, 27, 49], "securityorigin": [8, 26], "storagekei": [8, 26, 45], "request_cached_respons": [0, 8], "read": [0, 8, 11, 13, 16, 20, 23, 29, 34, 36, 55], "request_entri": [0, 8], "skip_count": [8, 26], "page_s": [8, 26], "path_filt": 8, "skip": [8, 13, 16, 26, 55], "present": [8, 9, 11, 13, 16, 18, 23, 30, 34, 36, 38, 45, 47, 51, 54], "cachedataentri": 8, "returncount": 8, "pathfilt": 8, "There": [8, 15, 17, 18, 21, 24, 26, 28, 29, 33, 42, 43, 46, 48], "sink": [0, 9, 17], "describ": [9, 13, 16, 20, 25, 27, 41, 43, 46], "activ": [0, 9, 11, 13, 20, 25, 27, 32, 34, 36, 39, 44, 45, 47, 52, 55], "stop": [0, 9, 11, 13, 17, 21, 25, 31, 33, 36, 39, 40, 44, 49, 52, 53, 56, 57], "observ": [9, 20, 23, 34], "presentation_url": 9, "tab": [0, 9, 36, 47, 52, 53, 56, 57], "compat": [9, 13, 16], "presentationurl": 9, "well": [9, 16, 18, 47, 53, 55, 56, 57], "sinksupd": [0, 9], "remov": [9, 11, 13, 16, 17, 21, 24, 32, 34, 36, 41, 45, 51, 53, 54], "issueupd": [0, 9], "set_sink_to_us": [0, 9], "sink_nam": 9, "choos": [9, 49], "via": [9, 11, 13, 16, 18, 25, 27, 34, 36, 39, 41, 47, 49, 56, 57], "sdk": 9, "start_desktop_mirror": [0, 9], "desktop": 9, "start_tab_mirror": [0, 9], "stop_cast": [0, 9], "whenev": [9, 11, 32, 34, 55], "devic": [0, 9, 14, 15, 20, 27, 35, 36, 46, 51], "softwar": 9, "issue_messag": [0, 9], "outstand": 9, "issuemessag": 9, "consolemessag": [0, 10], "column": [0, 10, 11, 13, 17, 34, 35, 36, 41], "base": [10, 11, 13, 16, 17, 18, 20, 27, 32, 33, 34, 35, 36, 40, 41, 52, 54, 55], "sever": [10, 13, 16, 31, 43], "clear_messag": [0, 10], "noth": [10, 54, 55], "messagead": [0, 10], "expos": [11, 13, 16, 25, 34, 38, 41, 49], "write": [11, 16, 36], "subsequ": [11, 13, 23, 47], "structur": [11, 16, 36, 39], "interchang": 11, "fornod": 11, "accept": [0, 11, 34, 36, 48, 53, 55, 56, 57], "stylesheetad": [0, 11], "stylesheetremov": [0, 11], "getstylesheet": 11, "stylesheetid": [0, 11], "stylesheetorigin": [0, 11], "inject": [0, 11, 36, 47], "extens": [11, 35, 36, 51, 54], "regular": [0, 11, 17, 21, 23, 53, 55], "user_ag": [0, 11, 16, 20, 34], "pseudoelementmatch": [0, 11], "pseudo_typ": [0, 11, 16, 18, 53], "pseudo_identifi": [0, 11, 16, 18, 53], "pseudo": [11, 16, 18], "pseudotyp": [0, 11, 16, 18], "rulematch": [0, 11], "ident": [11, 30, 34, 36], "inheritedstyleentri": [0, 11], "matched_css_rul": [0, 11], "inline_styl": [0, 11], "inherit": [0, 11, 16, 41], "cssstyle": [0, 11], "inlin": [0, 11, 16, 18, 36, 39, 55], "inheritedpseudoelementmatch": [0, 11], "pseudo_el": [0, 11, 16, 53], "matching_selector": [0, 11], "cssrule": [0, 11], "selector": [0, 11, 16, 35, 53, 57], "selectorlist": [0, 11], "range_": [0, 11], "delimit": 11, "comma": [11, 45], "sourcerang": [0, 11], "rang": [0, 11, 13, 16, 24, 26, 27, 36, 40, 49], "underli": [11, 34], "b": [0, 11, 16, 36, 51, 58], "draft": [11, 34], "csswg": 11, "cssstylesheethead": [0, 11], "style_sheet_id": [0, 11], "source_url": [0, 11, 41, 44], "is_inlin": [0, 11], "is_mut": [0, 11], "is_construct": [0, 11], "start_lin": [0, 11, 13], "start_column": [0, 11, 13], "length": [0, 11, 13, 18, 20, 34, 45, 55, 56, 57], "end_lin": [0, 11, 13], "end_column": [0, 11, 13], "source_map_url": [0, 11, 13], "owner_nod": [0, 11], "has_source_url": [0, 11, 13], "loading_fail": [0, 11], "metainform": 11, "denot": [11, 13], "zero": [11, 23, 34, 49, 51], "sourceurl": [11, 13], "come": [11, 20, 27, 39, 41], "comment": [11, 23], "through": [11, 13, 21, 32, 39, 47, 53], "cssstylesheet": 11, "tag": [0, 11, 13, 18, 20, 36, 39, 44, 49, 53, 55], "parser": [11, 16, 34], "written": 11, "mutabl": 11, "becom": [11, 16, 26, 30, 34, 53], "modifi": [11, 13, 16, 17, 19, 23, 27, 34, 36, 44, 45, 53], "cssom": 11, "them": [11, 16, 20, 23, 32, 36, 41, 47, 52, 53], "construct": [11, 50], "immedi": [11, 16, 20, 36, 40, 41, 45, 51], "creation": [11, 13, 16, 34, 36, 41, 47], "charact": [11, 18, 23, 34], "sheet": 11, "non": [11, 13, 16, 23, 35, 36, 38, 41, 47, 49], "sylesheet": 11, "selector_list": [0, 11], "nesting_selector": [0, 11], "container_queri": [0, 11], "layer": [0, 11, 16, 23, 30, 35], "scope": [0, 11, 13, 34, 36, 41, 51, 56, 57], "rule_typ": [0, 11], "cssmedia": [0, 11], "csscontainerqueri": [0, 11], "csssupport": [0, 11], "csslayer": [0, 11], "cssscope": [0, 11], "cssruletyp": [0, 11], "involv": 11, "enumer": [0, 11, 13, 41], "innermost": 11, "go": [11, 32, 36, 55, 56, 57], "outward": 11, "cascad": 11, "hierarchi": [11, 36, 52], "sort": [11, 13], "distanc": [11, 27, 35], "declar": [11, 41, 49, 53], "came": 11, "order": [0, 11, 18, 20, 25, 32, 35, 36, 54], "dure": [11, 13, 24, 34, 36, 39, 41], "container_rul": [0, 11], "containerrul": 11, "layer_rul": [0, 11], "layerrul": 11, "media_rul": [0, 11], "mediarul": 11, "scope_rul": [0, 11], "scoperul": 11, "style_rul": [0, 11], "stylerul": 11, "supports_rul": [0, 11], "supportsrul": 11, "ruleusag": [0, 11], "start_offset": [0, 11, 40], "end_offset": [0, 11, 40], "coverag": [11, 40], "shorthandentri": [0, 11], "annot": 11, "impli": [11, 36, 41], "shorthand": 11, "csscomputedstyleproperti": [0, 11, 16], "css_properti": [0, 11], "shorthand_entri": [0, 11], "css_text": [0, 11], "cssproperti": [0, 11], "enclos": 11, "parsed_ok": [0, 11], "longhand_properti": [0, 11], "longhand": 11, "understood": [11, 34], "media_list": [0, 11], "mediaqueri": [0, 11], "importrul": 11, "linkedsheet": 11, "inlinesheet": 11, "express": [0, 11, 13, 41, 55], "mediaqueryexpress": [0, 11], "condit": [0, 11, 13, 16, 29, 34, 52, 55, 57], "satisfi": 11, "unit": [0, 11], "value_rang": [0, 11], "computed_length": [0, 11], "physical_ax": [0, 11, 16], "logical_ax": [0, 11, 16], "physicalax": [0, 11, 16], "logicalax": [0, 11, 16], "logic": [11, 13, 16], "physic": [11, 16, 20, 27, 34], "csslayerdata": [0, 11], "sub_lay": [0, 11], "determin": [11, 18, 23, 25, 34, 35, 36, 38, 41, 47], "sub": [11, 16, 36, 45, 46], "platformfontusag": [0, 11], "post_script_nam": [0, 11], "is_custom_font": [0, 11], "glyph_count": [0, 11], "amount": [11, 55], "glyph": 11, "famili": [11, 36], "local": [0, 11, 13, 19, 20, 34, 36], "postscript": 11, "fontvariationaxi": [0, 11], "min_valu": [0, 11, 50], "max_valu": [0, 11, 50], "default_valu": [0, 11, 50], "variat": 11, "variabl": [11, 13, 41], "human": [11, 41], "readabl": [11, 41], "languag": [11, 13, 18, 20, 34, 56], "en": [11, 54, 56], "k": [11, 50, 54, 56, 57], "axi": [11, 27, 35], "fontfac": [0, 11], "font_famili": [0, 11, 36], "font_styl": [0, 11], "font_vari": [0, 11], "font_stretch": [0, 11], "font_displai": [0, 11], "unicode_rang": [0, 11], "platform_font_famili": [0, 11], "font_variation_ax": [0, 11], "www": [11, 34, 36, 43, 55, 56, 57], "w3": [11, 34, 43], "tr": [11, 34, 43], "2008": 11, "rec": 11, "css2": 11, "20080411": 11, "platformfontfamili": 11, "fontvariationax": 11, "stretch": 11, "variant": [11, 13, 55], "weight": 11, "unicod": 11, "csstryrul": [0, 11], "try": [11, 13, 55], "csspositionfallbackrul": [0, 11], "try_rul": [0, 11], "fallback": [11, 34], "csskeyframesrul": [0, 11], "animation_nam": [0, 11], "csskeyframerul": [0, 11], "csspropertyregistr": [0, 11], "property_nam": [0, 11], "syntax": [0, 11, 34], "initial_valu": [0, 11, 39], "registerproperti": 11, "cssfontpalettevaluesrul": [0, 11], "font_palette_nam": [0, 11], "palett": 11, "csspropertyrul": [0, 11], "key_text": [0, 11], "styledeclarationedit": [0, 11], "mutat": [11, 13], "add_rul": [0, 11], "rule_text": 11, "node_for_property_syntax_valid": 11, "insert": [11, 16, 26, 27, 54], "ruletext": 11, "regist": [11, 36, 45, 50], "static": [11, 34, 56, 57], "produc": [11, 20, 23, 29, 36, 38, 41], "incorrect": 11, "result": [0, 11, 13, 16, 20, 23, 24, 25, 30, 34, 35, 36, 40, 41, 45, 49], "var": 11, "newli": [11, 41], "collect_class_nam": [0, 11], "create_style_sheet": [0, 11], "special": 11, "assum": [11, 13, 34, 36, 47], "force_pseudo_st": [0, 11], "forced_pseudo_class": 11, "ensur": [11, 55], "forc": [0, 11, 13, 20, 27, 30, 36, 49], "get_background_color": [0, 11], "color": [0, 11, 16, 18, 20, 35, 36], "backgroundcolor": 11, "behind": 11, "visibl": [0, 11, 16, 20, 24, 30, 36, 41, 43, 52, 53], "undefin": [11, 16, 23, 41], "flat": [11, 16, 47], "simpli": 11, "gradient": 11, "anyth": [11, 41], "complic": 11, "computedfonts": 11, "12px": 11, "computedfontweight": 11, "100": [11, 24, 36, 50, 53], "get_computed_style_for_nod": [0, 11], "get_inline_styles_for_nod": [0, 11], "explicitli": [11, 41, 49], "implicitli": [11, 16], "inlinestyl": 11, "attributesstyl": 11, "20": 11, "get_layers_for_nod": [0, 11], "engin": [11, 34], "getlayersfornod": 11, "nearest": [11, 16, 30], "shadow": [11, 16, 17, 18, 36], "get_matched_styles_for_nod": [0, 11], "matchedcssrul": 11, "pseudoel": 11, "inheritedpseudoel": 11, "parentlayoutnodeid": 11, "first": [0, 11, 13, 16, 20, 25, 30, 34, 39, 40, 47, 52, 54, 55, 57], "get_media_queri": [0, 11], "get_platform_fonts_for_nod": [0, 11], "textnod": 11, "statist": [11, 25, 40], "emploi": 11, "get_style_sheet_text": [0, 11], "textual": [11, 23], "set_container_query_text": [0, 11], "modif": [11, 16, 34], "set_effective_property_value_for_nod": [0, 11], "set_keyframe_kei": [0, 11], "set_local_fonts_en": [0, 11], "set_media_text": [0, 11], "set_property_rule_property_nam": [0, 11], "set_rule_selector": [0, 11], "set_scope_text": [0, 11], "set_style_sheet_text": [0, 11], "set_style_text": [0, 11], "set_supports_text": [0, 11], "start_rule_usage_track": [0, 11], "stop_rule_usage_track": [0, 11], "takecoveragedelta": 11, "instrument": [11, 13, 17, 21, 34], "take_computed_style_upd": [0, 11], "poll": [11, 40], "batch": [11, 16, 32], "take_coverage_delta": [0, 11], "obtain": [11, 18, 29, 34], "becam": 11, "monoton": [11, 34, 38, 40], "track_computed_style_upd": [0, 11], "properties_to_track": 11, "takecomputedstyleupd": 11, "occur": [11, 21, 27, 29, 34, 39, 43, 45, 47, 50, 56, 57], "fontsupd": [0, 11], "successfulli": [11, 16, 24, 48], "mediaqueryresultchang": [0, 11], "resiz": [0, 11, 16, 20, 35], "consid": [11, 13, 34, 47, 55], "viewport": [0, 11, 16, 20, 27, 35, 36, 55], "metainfo": 11, "stylesheetchang": [0, 11], "databaseid": [0, 12], "deliv": [12, 19, 32, 34, 36, 49], "execute_sql": [0, 12], "database_id": 12, "columnnam": 12, "sqlerror": 12, "get_database_table_nam": [0, 12], "adddatabas": [0, 12], "debug": [13, 17, 28, 34, 35, 47, 51, 55], "capabl": [13, 36, 46], "breakpoint": [13, 17, 21, 41], "execut": [13, 16, 17, 20, 33, 34, 36, 37, 40, 41], "explor": 13, "stack": [0, 13, 16, 18, 23, 31, 32, 33, 34, 36, 40, 41, 49], "breakpointid": [0, 13], "callframeid": [0, 13], "scriptpars": [0, 13], "scriptposit": [0, 13], "locationrang": [0, 13], "callfram": [0, 13, 25, 40, 41], "call_frame_id": [0, 13], "function_nam": [0, 13, 40, 41], "scope_chain": [0, 13], "function_loc": [0, 13], "return_valu": [0, 13], "can_be_restart": [0, 13], "virtual": [13, 20, 27, 51], "machin": [13, 46], "vm": 13, "restart": 13, "guarante": [13, 34, 36, 41, 55], "restartfram": 13, "veri": [13, 30, 53, 55], "favor": [13, 25, 41], "object_": [0, 13, 41], "start_loc": [0, 13], "end_loc": [0, 13], "rest": [13, 16, 56, 57], "artifici": [13, 25], "transient": 13, "searchmatch": [0, 13, 34, 36], "line_cont": [0, 13], "search": [13, 16, 34, 36, 55], "breakloc": [0, 13], "wasmdisassemblychunk": [0, 13], "bytecode_offset": [0, 13], "bytecod": 13, "chunk": [0, 13, 25, 29, 34], "disassembl": 13, "scriptlanguag": [0, 13], "java_script": [0, 13], "web_assembli": [0, 13], "webassembli": 13, "debugsymbol": [0, 13], "external_url": [0, 13], "symbol": [0, 13, 16, 25, 41], "wasm": 13, "extern": [13, 36, 39], "continue_to_loc": [0, 13], "target_call_fram": 13, "continu": [0, 13, 20, 23, 34, 43, 56, 57], "reach": [13, 50], "disassemble_wasm_modul": [0, 13], "streamid": 13, "larg": [13, 25, 51], "stream": [0, 13, 23, 29, 34, 36, 49], "disassembli": 13, "totalnumberoflin": 13, "functionbodyoffset": 13, "format": [13, 16, 24, 35, 36, 46, 49, 51, 53, 55], "start1": 13, "end1": 13, "start2": 13, "end2": 13, "max_scripts_cache_s": 13, "heap": [13, 25, 33, 41], "put": 13, "uniquedebuggerid": [0, 13, 36, 41], "evaluate_on_call_fram": [0, 13], "object_group": [13, 16, 25, 41], "include_command_line_api": [13, 36, 41], "silent": [13, 41], "return_by_valu": [13, 41, 53, 55], "generate_preview": [13, 41], "throw_on_side_effect": [13, 41], "timeout": [0, 13, 36, 41, 55, 57], "evalu": [0, 13, 25, 36, 41, 55], "rapid": 13, "handl": [13, 23, 27, 29, 34, 35, 36, 41, 43, 49, 52, 55, 56, 57], "releaseobjectgroup": 13, "thrown": [13, 41], "setpauseonexcept": [13, 41], "preview": [0, 13, 41], "throw": [13, 41], "side": [13, 24, 27, 41], "effect": [13, 24, 35, 41, 47, 53], "timedelta": [0, 13, 41], "termin": [13, 28, 41, 47], "millisecond": [13, 20, 24, 27, 34, 41, 49], "exceptiondetail": [0, 13, 41, 55], "get_possible_breakpoint": [0, 13], "restrict_to_funct": 13, "exclud": [0, 13, 25, 36, 45, 47, 49], "nest": [13, 41], "get_script_sourc": [0, 13], "scriptsourc": 13, "get_stack_trac": [0, 13], "stack_trace_id": 13, "stacktraceid": [0, 13, 41], "stacktrac": [0, 13, 16, 31, 34, 36, 41], "get_wasm_bytecod": [0, 13], "getscriptsourc": 13, "next_wasm_disassembly_chunk": [0, 13], "stream_id": 13, "statement": 13, "pause_on_async_cal": [0, 13], "parent_stack_trace_id": 13, "async": [13, 34, 41, 52, 53, 55, 56, 57], "remove_breakpoint": [0, 13], "breakpoint_id": [0, 13], "restart_fram": [0, 13], "schedul": [13, 20, 36], "immediatli": 13, "To": [13, 20, 34, 53], "ward": 13, "miss": [13, 16, 20, 36], "variou": [13, 35], "onc": [0, 13, 16, 17, 21, 34, 36, 41], "stepinto": 13, "asyncstacktrac": 13, "asyncstacktraceid": 13, "terminate_on_resum": 13, "upon": [13, 16, 17, 20, 29, 31, 34, 35, 36, 55], "terminateexecut": 13, "search_in_cont": [0, 13], "case_sensit": [13, 34, 36], "is_regex": [13, 34, 36], "sensit": [13, 25, 34, 36], "treat": [13, 34, 36, 41, 53], "regex": [13, 34, 36], "set_async_call_stack_depth": [0, 13, 41], "max_depth": [0, 13, 41], "set_blackbox_pattern": [0, 13], "pattern": [0, 13, 23, 34, 35], "previou": [13, 16, 20, 27, 38, 47], "blackbox": 13, "final": [13, 18, 27, 39, 45], "resort": 13, "unsuccess": 13, "regexp": 13, "set_blackboxed_rang": [0, 13], "blacklist": 13, "interv": [13, 24, 25, 33, 40, 49, 50], "isn": [13, 34, 39, 41, 55], "set_breakpoint": [0, 13], "actualloc": 13, "set_breakpoint_by_url": [0, 13], "url_regex": 13, "script_hash": 13, "breakpointresolv": [0, 13], "surviv": [13, 36, 41], "reload": [0, 13, 28, 36, 41, 55, 56, 57], "urlregex": 13, "hash": [13, 34], "set_breakpoint_on_function_cal": [0, 13], "set_breakpoints_act": [0, 13], "deactiv": 13, "set_instrumentation_breakpoint": [0, 13, 17, 21], "set_pause_on_except": [0, 13], "uncaught": 13, "caught": 13, "set_return_valu": [0, 13], "new_valu": [0, 13, 19], "break": 13, "callargu": [0, 13, 41], "set_script_sourc": [0, 13], "script_sourc": [13, 36], "dry_run": 13, "allow_top_frame_edit": 13, "automat": [13, 20, 41, 47, 56], "dry": 13, "long": [13, 25, 26, 34, 56, 57], "happen": [13, 16, 22, 23, 30, 35, 36, 41, 47, 53, 55], "stackchang": 13, "ok": 13, "compileerror": 13, "set_skip_all_paus": [0, 13], "interrupt": 13, "set_variable_valu": [0, 13], "scope_numb": 13, "variable_nam": 13, "manual": [13, 35, 36, 55], "closur": 13, "catch": 13, "step_into": [0, 13], "break_on_async_cal": 13, "skip_list": 13, "task": [13, 20, 55], "skiplist": 13, "step_out": [0, 13], "step_ov": [0, 13], "call_fram": [0, 13, 25, 40, 41], "hit_breakpoint": [0, 13], "async_stack_trac": [0, 13], "async_stack_trace_id": [0, 13], "async_call_stack_trace_id": [0, 13], "criteria": 13, "auxiliari": [13, 41], "hit": [13, 16, 21, 34, 35], "scriptfailedtopars": [0, 13], "execution_context_id": [0, 13, 16, 41], "hash_": [0, 13], "execution_context_aux_data": [0, 13], "is_modul": [0, 13], "stack_trac": [0, 13, 31, 41], "code_offset": [0, 13], "script_languag": [0, 13], "embedder_nam": [0, 13], "executioncontextid": [0, 13, 16, 36, 41], "section": [13, 34, 55], "embedd": [13, 36, 40, 41, 51], "suppli": [13, 23], "isdefault": [13, 41], "sha": 13, "256": [13, 51], "es6": 13, "is_live_edit": [0, 13], "debug_symbol": [0, 13], "uncollect": 13, "deviceid": [0, 14], "promptdevic": [0, 14], "appear": [0, 14, 16, 20, 34, 35, 55, 56, 57], "cancel_prompt": [0, 14], "devicerequestprompt": [0, 14], "select_prompt": [0, 14], "device_id": [0, 14, 46], "open": [14, 16, 26, 36, 41, 47, 52, 55, 56, 57], "respond": [14, 18, 23], "selectprompt": 14, "cancelprompt": 14, "clear_device_orientation_overrid": [0, 15, 36], "overridden": [15, 20, 23, 34, 36, 43, 45], "set_device_orientation_overrid": [0, 15, 36], "alpha": [15, 16, 36], "beta": [15, 36], "gamma": [15, 36], "mock": [15, 20, 34, 36], "twice": 16, "backendnod": [0, 16], "node_typ": [0, 16, 18, 50, 53], "node_nam": [0, 16, 18, 53], "friendli": [16, 34, 36, 41], "nodenam": [16, 18], "nodetyp": [0, 16, 18, 50], "backdrop": [0, 16], "first_lett": [0, 16], "letter": 16, "first_lin": [0, 16], "first_line_inherit": [0, 16], "grammar_error": [0, 16], "grammar": 16, "highlight": [0, 16, 35, 53], "input_list_button": [0, 16], "button": [16, 22, 27, 53, 55, 56, 57], "marker": [0, 16, 27, 49], "scrollbar": [0, 16, 20, 36], "scrollbar_button": [0, 16], "scrollbar_corn": [0, 16], "corner": [16, 55], "scrollbar_thumb": [0, 16], "thumb": 16, "scrollbar_track": [0, 16], "scrollbar_track_piec": [0, 16], "piec": 16, "spelling_error": [0, 16], "spell": 16, "target_text": [0, 16], "view_transit": [0, 16], "view": [16, 20, 36, 53, 54, 55], "view_transition_group": [0, 16], "view_transition_image_pair": [0, 16], "view_transition_new": [0, 16], "view_transition_old": [0, 16], "shadowroottyp": [0, 16, 18], "open_": [0, 16], "compatibilitymod": [0, 16], "limited_quirks_mod": [0, 16], "limitedquirksmod": 16, "no_quirks_mod": [0, 16], "noquirksmod": 16, "quirks_mod": [0, 16], "quirksmod": 16, "containerselector": 16, "both": [0, 16, 27, 34], "horizont": [0, 16, 18, 20, 36], "vertic": [0, 16, 18, 20, 36], "local_nam": [0, 16, 53], "node_valu": [0, 16, 18, 53], "child_node_count": [0, 16, 53], "document_url": [0, 16, 18, 34, 53], "base_url": [0, 16, 18, 27, 53], "public_id": [0, 16, 18, 53], "system_id": [0, 16, 18, 53], "internal_subset": [0, 16, 53], "xml_version": [0, 16, 53], "shadow_root_typ": [0, 16, 18, 53], "content_docu": [0, 16, 53], "shadow_root": [0, 16, 53], "template_cont": [0, 16, 53], "imported_docu": [0, 16, 53], "distributed_nod": [0, 16, 53], "is_svg": [0, 16, 53], "compatibility_mod": [0, 16, 53], "assigned_slot": [0, 16, 53], "domnod": [0, 16, 18], "name1": 16, "value1": 16, "name2": 16, "value2": 16, "frameown": [16, 18], "distribut": [16, 25, 35], "crbug": [16, 36, 39, 41, 47], "937746": 16, "htmlimport": 16, "documenttyp": [16, 18], "internalsubset": 16, "svg": 16, "localnam": 16, "attr": [0, 16, 53], "awar": 16, "nodevalu": [16, 18], "publicid": [16, 18], "systemid": [16, 18], "fragment": [16, 25, 30, 34, 36], "templat": [16, 18, 36], "xml": 16, "rgba": [0, 16, 20, 35], "r": [0, 16], "blue": 16, "255": 16, "green": 16, "red": [16, 53], "quad": [0, 16, 35], "clock": [16, 49], "wise": 16, "boxmodel": [0, 16], "pad": [0, 16, 35], "border": [0, 16, 35], "margin": [0, 16, 35, 36], "shape_outsid": [0, 16], "box": [16, 18, 23, 30, 34, 35], "model": [0, 16, 20, 36, 46], "shapeoutsideinfo": [0, 16], "shape": [0, 16, 35], "outsid": [16, 35, 56, 57], "coordin": [16, 18, 27, 30, 35, 53], "margin_shap": [0, 16], "rect": [0, 16, 18, 30, 35, 36, 38], "rectangl": [0, 16, 18, 30, 35, 36], "collect_class_names_from_subtre": [0, 16], "copy_to": [0, 16], "target_node_id": 16, "insert_before_node_id": 16, "deep": [16, 34, 41], "copi": [0, 16, 27, 54], "place": 16, "drop": [16, 27], "targetnodeid": 16, "clone": 16, "describe_nod": [0, 16], "pierc": [16, 17], "larger": [16, 17], "travers": [16, 17], "discard_search_result": [0, 16], "search_id": 16, "getsearchresult": 16, "include_whitespac": 16, "whitespac": 16, "get_attribut": [0, 16], "attibut": 16, "interleav": 16, "get_box_model": [0, 16], "get_container_for_nod": [0, 16], "container_nam": 16, "containernam": 16, "closest": [0, 16, 55, 57], "null": [16, 32, 35, 39, 50], "get_content_quad": [0, 16], "multipl": [16, 25, 26, 32, 34, 35, 41, 45, 47, 53, 55], "get_docu": [0, 16], "caller": [16, 22], "get_file_info": [0, 16], "get_flattened_docu": [0, 16], "design": [16, 24], "work": [0, 16, 20, 35, 53, 55, 56, 57], "capturesnapshot": [16, 18], "get_frame_own": [0, 16], "get_node_for_loc": [0, 16], "include_user_agent_shadow_dom": 16, "ignore_pointer_events_non": 16, "ua": [16, 18, 20, 34, 36], "pointer": [16, 27], "get_node_stack_trac": [0, 16], "As": 16, "get_nodes_for_subtree_by_styl": [0, 16], "computed_styl": [16, 18], "filter": [0, 16, 18, 23, 34, 36, 38, 39, 45, 47, 49], "get_outer_html": [0, 16], "outer": [16, 34, 41], "get_querying_descendants_for_contain": [0, 16], "get_relayout_boundari": [0, 16], "relayout": 16, "get_search_result": [0, 16], "from_index": 16, "to_index": 16, "fromindex": 16, "toindex": 16, "index": [0, 16, 18, 25, 26, 34, 36, 41], "get_top_layer_el": [0, 16], "therefor": [16, 53, 55], "hide_highlight": [0, 16, 35], "hide": [16, 35], "highlight_nod": [0, 16, 35], "highlight_rect": [0, 16, 35], "mark_undoable_st": [0, 16], "undoabl": 16, "move_to": [0, 16], "move": [16, 27, 32, 53], "perform_search": [0, 16], "cancelsearch": 16, "plain": 16, "xpath": 16, "searchid": 16, "resultcount": 16, "push_node_by_path_to_frontend": [0, 16], "fixm": 16, "proprietari": 16, "push_nodes_by_backend_ids_to_frontend": [0, 16], "query_selector": [0, 16, 53, 55], "queryselector": [16, 53], "query_selector_al": [0, 16, 53, 55], "queryselectoral": [16, 53, 55], "redo": [0, 16], "undon": 16, "remove_attribut": [0, 16], "remove_nod": [0, 16], "request_child_nod": [0, 16], "setchildnod": [0, 16], "down": [16, 53, 55], "request_nod": [0, 16], "seri": [16, 23, 49], "convert": [0, 16, 34, 45, 57], "resolve_nod": [0, 16], "scroll_into_view_if_need": [0, 16], "scroll": [16, 18, 27, 30, 35, 36, 53, 55], "alreadi": [16, 34, 45, 53], "exactli": [16, 23, 34, 41], "objectid": [16, 35, 41], "center": 16, "similar": [16, 47, 55], "scrollintoview": 16, "set_attribute_valu": [0, 16], "set_attributes_as_text": [0, 16], "Will": [16, 41, 46], "deriv": 16, "set_file_input_fil": [0, 16], "set_inspected_nod": [0, 16], "set_node_nam": [0, 16], "set_node_stack_traces_en": [0, 16], "captur": [16, 24, 30, 35, 36, 41, 53, 55], "getnodestacktrac": 16, "set_node_valu": [0, 16], "set_outer_html": [0, 16], "outer_html": 16, "undo": [0, 16], "attributemodifi": [0, 16], "attributeremov": [0, 16], "ttribut": 16, "characterdatamodifi": [0, 16], "character_data": [0, 16], "domcharacterdatamodifi": 16, "childnodecountupd": [0, 16], "childnodeinsert": [0, 16], "parent_node_id": [0, 16], "previous_node_id": [0, 16], "domnodeinsert": 16, "childnoderemov": [0, 16], "domnoderemov": 16, "distributednodesupd": [0, 16], "insertion_point_id": [0, 16], "documentupd": [0, 16], "inlinestyleinvalid": [0, 16], "pseudoelementad": [0, 16], "toplayerelementsupd": [0, 16], "pseudoelementremov": [0, 16], "pseudo_element_id": [0, 16], "want": [16, 30, 53, 55, 56, 57], "popul": [16, 34, 41], "shadowrootpop": [0, 16], "host_id": [0, 16], "root_id": [0, 16], "pop": [0, 16, 54], "shadowrootpush": [0, 16], "dombreakpointtyp": [0, 17], "attribute_modifi": [0, 17], "node_remov": [0, 17], "subtree_modifi": [0, 17], "cspviolationtyp": [0, 17], "trustedtype_policy_viol": [0, 17], "trustedtyp": [17, 55], "polici": [17, 20, 34, 36, 41], "trustedtype_sink_viol": [0, 17], "eventlisten": [0, 17, 18], "use_captur": [0, 17], "passiv": [0, 17], "handler": [0, 17, 36, 41, 55], "original_handl": [0, 17], "listen": [0, 17, 18, 50, 55], "usecaptur": 17, "get_event_listen": [0, 17], "remove_dom_breakpoint": [0, 17], "setdombreakpoint": 17, "remove_event_listener_breakpoint": [0, 17], "target_nam": 17, "eventtarget": 17, "remove_instrumentation_breakpoint": [0, 17, 21], "remove_xhr_breakpoint": [0, 17], "set_break_on_csp_viol": [0, 17], "set_dom_breakpoint": [0, 17], "set_event_listener_breakpoint": [0, 17], "set_xhr_breakpoint": [0, 17], "xhr": [0, 17, 34, 36], "facilit": 18, "snapshot": [18, 25, 30, 36], "text_valu": [0, 18], "input_valu": [0, 18], "input_check": [0, 18], "option_select": [0, 18], "child_node_index": [0, 18], "pseudo_element_index": [0, 18], "layout_node_index": [0, 18], "content_languag": [0, 18], "document_encod": [0, 18], "content_document_index": [0, 18], "is_click": [0, 18], "event_listen": [0, 18], "current_source_url": [0, 18], "origin_url": [0, 18], "scroll_offset_x": [0, 18, 36], "scroll_offset_i": [0, 18, 36], "namevalu": [0, 18], "getsnapshot": 18, "srcset": 18, "radio": 18, "checkbox": 18, "mous": [0, 18, 20, 27, 36, 53], "click": [0, 18, 27, 36, 53, 56, 57], "attach": [0, 18, 32, 34, 36, 41, 47, 55], "natur": [18, 53], "layouttreenod": [0, 18], "textarea": 18, "inlinetextbox": [0, 18], "bounding_box": [0, 18], "start_character_index": [0, 18], "num_charact": [0, 18], "post": [18, 23, 34], "exact": [0, 18, 34, 45], "regard": 18, "stabl": 18, "textbox": 18, "surrog": 18, "utf": [18, 34], "dom_node_index": [0, 18], "layout_text": [0, 18], "inline_text_nod": [0, 18], "style_index": [0, 18], "paint_ord": [0, 18], "is_stacking_context": [0, 18], "layoutobject": 18, "layouttext": 18, "paint": [18, 30, 35, 36, 38], "includepaintord": 18, "computedstyl": [0, 18], "subset": [0, 18, 36], "whitelist": 18, "stringindex": [0, 18], "tabl": 18, "arrayofstr": [0, 18], "rarestringdata": [0, 18], "rare": 18, "rarebooleandata": [0, 18], "rareintegerdata": [0, 18], "documentsnapshot": [0, 18], "encoding_nam": [0, 18], "text_box": [0, 18], "content_width": [0, 18], "content_height": [0, 18], "nodetreesnapshot": [0, 18], "layouttreesnapshot": [0, 18], "textboxsnapshot": [0, 18], "parent_index": [0, 18], "flatten": [18, 47], "node_index": [0, 18], "stacking_context": [0, 18], "offset_rect": [0, 18], "scroll_rect": [0, 18, 30], "client_rect": [0, 18], "blended_background_color": [0, 18], "text_color_opac": [0, 18], "blend": 18, "overlap": 18, "absolut": [18, 20, 35, 55], "includedomrect": 18, "opac": 18, "layout_index": [0, 18], "capture_snapshot": [0, 18, 36], "include_paint_ord": 18, "include_dom_rect": 18, "include_blended_background_color": 18, "include_text_color_opac": 18, "white": 18, "offsetrect": 18, "clientrect": 18, "scrollrect": [0, 18, 30], "achiev": 18, "get_snapshot": [0, 18], "computed_style_whitelist": 18, "include_event_listen": 18, "include_user_agent_shadow_tre": 18, "serializedstoragekei": [0, 19, 45], "storageid": [0, 19], "is_local_storag": [0, 19], "cachedstoragearea": 19, "storage_id": [0, 19], "get_dom_storage_item": [0, 19], "remove_dom_storage_item": [0, 19], "set_dom_storage_item": [0, 19], "domstorageitemad": [0, 19], "domstorageitemremov": [0, 19], "domstorageitemupd": [0, 19], "old_valu": [0, 19], "domstorageitemsclear": [0, 19], "environ": [20, 41], "screenorient": [0, 20, 36], "angl": [0, 20, 27], "displayfeatur": [0, 20], "mask_length": [0, 20], "mask": [0, 20, 34, 35], "area": [20, 27, 35, 36, 39], "split": 20, "devicepostur": [0, 20], "postur": 20, "mediafeatur": [0, 20], "virtualtimepolici": [0, 20], "advanc": [0, 20], "forward": [0, 20, 27, 34, 36, 55], "pauseifnetworkfetchespend": 20, "pend": [0, 20, 34, 36, 39, 49], "pause_if_network_fetches_pend": [0, 20], "useragentbrandvers": [0, 20], "brand": [0, 20], "cient": 20, "useragentmetadata": [0, 20, 34], "platform_vers": [0, 20], "architectur": [0, 20], "mobil": [0, 20, 36], "full_version_list": [0, 20], "full_vers": [0, 20], "bit": [0, 20, 27, 36, 51, 53], "wow64": [0, 20, 36], "sec": [20, 34, 38], "ch": [20, 34, 36], "sensortyp": [0, 20], "absolute_orient": [0, 20], "acceleromet": [0, 20, 36], "ambient_light": [0, 20], "ambient": [20, 36], "light": [0, 20, 36, 49], "graviti": [0, 20], "gyroscop": [0, 20, 36], "linear_acceler": [0, 20], "linear": 20, "acceler": [20, 27, 46], "magnetomet": [0, 20, 36], "proxim": [0, 20], "relative_orient": [0, 20], "sensormetadata": [0, 20], "minimum_frequ": [0, 20], "maximum_frequ": [0, 20], "sensorreadingsingl": [0, 20], "sensorreadingxyz": [0, 20], "sensorreadingquaternion": [0, 20], "w": [0, 20], "sensorread": [0, 20], "xyz": [0, 20], "quaternion": [0, 20], "disabledimagetyp": [0, 20], "avif": [0, 20], "webp": [0, 20, 24, 46], "can_emul": [0, 20], "tell": [20, 34, 41], "clear_device_metrics_overrid": [0, 20, 36], "metric": [0, 20, 35, 36, 37], "clear_geolocation_overrid": [0, 20, 36], "clear_idle_overrid": [0, 20], "get_overridden_sensor_inform": [0, 20], "reset_page_scale_factor": [0, 20], "scale": [0, 20, 27, 30, 36, 53], "factor": [20, 27, 36, 43], "set_auto_dark_mode_overrid": [0, 20], "dark": [20, 35], "theme": [20, 35], "set_automation_overrid": [0, 20], "set_cpu_throttling_r": [0, 20], "throttl": [20, 34], "slow": 20, "slowdown": 20, "2x": 20, "set_default_background_color_overrid": [0, 20], "set_device_metrics_overrid": [0, 20, 36], "device_scale_factor": [20, 36], "screen_width": [20, 36], "screen_height": [20, 36], "position_x": [20, 36], "position_i": [20, 36], "dont_set_visible_s": [20, 36], "screen_orient": [20, 36], "display_featur": 20, "device_postur": 20, "innerwidth": [20, 36], "innerheight": [20, 36], "10000000": [20, 36], "meta": [0, 20, 27, 34, 36, 41, 53, 55], "autos": [20, 36], "reli": [20, 36, 51], "setvisibles": [20, 36], "multi": [20, 41], "segment": 20, "off": [20, 47, 56, 57], "foldabl": 20, "set_disabled_image_typ": [0, 20], "image_typ": [0, 20, 46], "set_document_cookie_dis": [0, 20], "coooki": 20, "set_emit_touch_events_for_mous": [0, 20], "configur": [0, 20, 31, 34, 35, 36, 41, 49, 51], "touch": [0, 20, 27, 36], "gestur": [20, 27, 34, 36], "set_emulated_media": [0, 20], "set_emulated_vision_defici": [0, 20], "vision": 20, "defici": 20, "effort": 20, "physiolog": 20, "accur": [20, 40], "medic": 20, "recogn": 20, "set_focus_emulation_en": [0, 20], "simul": [20, 33], "set_geolocation_overrid": [0, 20, 36], "latitud": [20, 36], "longitud": [20, 36], "accuraci": [20, 36], "unavail": [20, 36], "set_hardware_concurrency_overrid": [0, 20], "hardware_concurr": 20, "hardwar": [20, 50], "concurr": 20, "set_idle_overrid": [0, 20], "is_user_act": 20, "is_screen_unlock": 20, "isuseract": 20, "isscreenunlock": 20, "set_locale_overrid": [0, 20], "system": [0, 20, 27, 36, 41, 46, 49, 55], "icu": 20, "en_u": 20, "set_navigator_overrid": [0, 20], "set_page_scale_factor": [0, 20], "page_scale_factor": [0, 20, 36], "set_script_execution_dis": [0, 20], "set_scrollbars_hidden": [0, 20], "set_sensor_override_en": [0, 20], "rather": [20, 30, 36, 52], "real": [20, 50, 51], "attempt": [20, 34, 39, 55], "set_sensor_override_read": [0, 20], "overriden": [20, 41], "setsensoroverrideen": 20, "set_timezone_overrid": [0, 20], "timezone_id": 20, "timezon": 20, "set_touch_emulation_en": [0, 20, 36], "max_touch_point": 20, "set_user_agent_overrid": [0, 20, 34], "accept_languag": [20, 34], "user_agent_metadata": [20, 34], "useragentdata": [20, 34], "set_virtual_time_polici": [0, 20], "budget": [20, 45], "max_virtual_time_task_starvation_count": 20, "initial_virtual_tim": 20, "synthet": 20, "mani": [20, 30, 34, 53, 54, 55], "elaps": 20, "virtualtimebudgetexpir": [0, 20], "deadlock": 20, "set_visible_s": [0, 20], "screenshot": [20, 24, 35, 36, 53, 55], "Not": [20, 27, 34, 36], "android": 20, "dip": [20, 27, 35, 36, 47], "similarli": [21, 23], "dialog": [22, 23, 34, 36], "loginst": [0, 22], "sign": [0, 22, 34, 45, 56, 57], "account": [0, 22, 36, 56, 57], "ever": [22, 53, 55], "rp": 22, "sign_in": [0, 22], "signin": 22, "sign_up": [0, 22], "signup": 22, "dialogtyp": [0, 22, 36], "account_choos": [0, 22], "accountchoos": 22, "auto_reauthn": [0, 22], "autoreauthn": 22, "confirm_idp_login": [0, 22], "confirmidplogin": 22, "dialogbutton": [0, 22], "confirm_idp_login_continu": [0, 22], "confirmidplogincontinu": 22, "error_got_it": [0, 22], "errorgotit": 22, "error_more_detail": [0, 22], "errormoredetail": 22, "account_id": [0, 22], "email": [0, 22, 56, 57], "picture_url": [0, 22], "idp_config_url": [0, 22], "idp_login_url": [0, 22], "login_st": [0, 22], "terms_of_service_url": [0, 22], "privacy_policy_url": [0, 22], "identityrequestaccount": 22, "click_dialog_button": [0, 22], "dialog_id": [0, 22], "dialog_button": 22, "dismiss_dialog": [0, 22], "trigger_cooldown": 22, "disable_rejection_delai": 22, "promis": [22, 34, 41], "unimport": 22, "fedidcg": 22, "reset_cooldown": [0, 22], "cooldown": 22, "show": [22, 25, 35, 36, 41, 55, 56, 57], "recent": [22, 55], "dismiss": [22, 36], "select_account": [0, 22], "account_index": 22, "dialogshown": [0, 22], "dialog_typ": [0, 22], "subtitl": [0, 22], "primarili": 22, "appropri": [22, 27], "dialogclos": [0, 22], "abort": [0, 22, 34], "below": [22, 41], "let": [23, 32, 41, 55, 56, 57], "substitut": 23, "requeststag": [0, 23], "stage": [23, 24, 34], "intercept": [23, 34, 36, 51], "requestpattern": [0, 23, 34], "url_pattern": [0, 23, 34], "request_stag": [0, 23], "resourcetyp": [0, 23, 34, 36], "wildcard": [23, 34], "escap": [23, 34], "backslash": [23, 34], "equival": [23, 34, 55], "headerentri": [0, 23], "authchalleng": [0, 23, 34], "scheme": [0, 23, 34, 36], "realm": [0, 23, 34], "author": [23, 34], "challeng": [23, 34], "401": [23, 34], "407": [23, 34], "digest": [23, 34], "authchallengerespons": [0, 23, 34], "usernam": [0, 23, 34], "possibli": [23, 34], "providecredenti": [23, 34], "decis": [23, 34], "defer": [23, 34], "popup": [23, 34], "continue_request": [0, 23], "post_data": [0, 23, 34], "intercept_respons": 23, "requestpaus": [0, 23, 34], "hop": 23, "continue_respons": [0, 23], "response_cod": [0, 23, 34], "response_phras": 23, "binary_response_head": 23, "responsecod": 23, "standard": [0, 23, 26, 36], "phrase": [23, 43], "separ": [23, 32, 34, 35, 43, 45], "prefer": [23, 27, 36, 55], "abov": [23, 36, 55], "unless": [23, 41, 55], "utf8": 23, "transmit": [23, 34], "continue_with_auth": [0, 23], "auth_challenge_respons": [23, 34], "authrequir": [0, 23], "handle_auth_request": 23, "failrequest": [23, 34], "fulfillrequest": [23, 34], "continuerequest": [23, 34], "continuewithauth": 23, "fetchrequest": 23, "fail_request": [0, 23], "error_reason": [23, 34], "errorreason": [0, 23, 34], "fulfill_request": [0, 23], "get_response_bodi": [0, 23, 34], "server": [23, 34, 36, 44, 47], "mutual": [23, 41], "takeresponsebodyforinterceptionasstream": 23, "_redirect": 23, "received_": 23, "differenti": 23, "presenc": [23, 45, 51], "base64encod": [23, 29, 34, 36], "take_response_body_as_stream": [0, 23], "headersreceiv": [23, 34], "sequenti": [23, 29, 34, 47], "getresponsebodi": 23, "streamhandl": [0, 23, 29, 34, 36, 49], "response_error_reason": [0, 23, 34], "response_status_cod": [0, 23, 34], "network_id": [0, 23], "redirected_request_id": [0, 23], "responseerrorreason": 23, "responsestatuscod": 23, "distinguish": [23, 34, 40], "301": 23, "302": 23, "303": 23, "307": 23, "308": 23, "redirectedrequestid": 23, "requestwillbes": [0, 23, 34, 55], "networkid": 23, "auth_challeng": [0, 23, 34], "handleauthrequest": 23, "encount": [23, 34, 36], "headless": [24, 47, 52, 54, 55, 56], "screenshotparam": [0, 24], "format_": [0, 24, 36], "optimize_for_spe": [0, 24, 36], "compress": [24, 34, 36, 49], "speed": [24, 27, 36, 56, 57], "jpeg": [0, 24, 36, 46, 53, 55], "begin_fram": [0, 24], "frame_time_tick": 24, "no_display_upd": 24, "beginfram": [24, 47], "beginframecontrol": 24, "compositor": 24, "draw": [24, 35], "goo": 24, "gle": 24, "timetick": 24, "uptim": 24, "60": 24, "666": 24, "commit": [24, 27, 36], "drawn": 24, "onto": 24, "visual": [24, 36, 56, 57], "hasdamag": 24, "damag": 24, "thu": [24, 34, 55], "diagnost": 24, "screenshotdata": 24, "taken": [24, 25, 40], "rtype": [24, 36, 53, 55], "heapsnapshotobjectid": [0, 25], "samplingheapprofilenod": [0, 25], "self_siz": [0, 25], "callsit": [25, 40], "alloc": [25, 33, 41], "across": [25, 41, 46], "startsampl": [25, 33], "stopsampl": 25, "samplingheapprofilesampl": [0, 25], "ordin": [0, 25], "samplingheapprofil": [0, 25], "head": [0, 25, 55], "add_inspected_heap_object": [0, 25], "heap_object_id": 25, "collect_garbag": [0, 25], "get_heap_object_id": [0, 25], "get_object_by_heap_object_id": [0, 25], "get_sampling_profil": [0, 25, 33], "start_sampl": [0, 25, 33], "sampling_interv": [25, 33], "include_objects_collected_by_major_gc": 25, "include_objects_collected_by_minor_gc": 25, "averag": [25, 33], "poisson": 25, "32768": 25, "By": 25, "still": [25, 34, 36, 39, 55], "aliv": 25, "getsamplingprofil": 25, "steadi": 25, "instruct": 25, "major": [25, 27], "gc": 25, "temporari": [25, 29, 34], "minor": 25, "tune": 25, "latenc": [25, 34], "start_tracking_heap_object": [0, 25], "track_alloc": 25, "stop_sampl": [0, 25, 33], "stop_tracking_heap_object": [0, 25], "report_progress": 25, "treat_global_objects_as_root": 25, "capture_numeric_valu": 25, "expose_intern": 25, "reportheapsnapshotprogress": [0, 25], "exposeintern": 25, "numer": [25, 32, 46], "take_heap_snapshot": [0, 25], "addheapsnapshotchunk": [0, 25], "heapstatsupd": [0, 25], "stats_upd": [0, 25], "triplet": 25, "lastseenobjectid": [0, 25], "last_seen_object_id": [0, 25], "regularli": 25, "seen": 25, "resetprofil": [0, 25], "databasewithobjectstor": [0, 26], "object_stor": [0, 26], "objectstor": [0, 26, 45], "unsign": 26, "key_path": [0, 26], "auto_incr": [0, 26], "keypath": [0, 26], "objectstoreindex": [0, 26], "auto": [0, 26, 27, 36, 47, 49, 53, 55], "increment": [26, 38, 51], "multi_entri": [0, 26], "date": [0, 26, 34, 36, 43, 55], "keyrang": [0, 26], "lower_open": [0, 26], "upper_open": [0, 26], "lower": [0, 26], "upper": [0, 26], "primary_kei": [0, 26], "primari": [26, 45, 46], "clear_object_stor": [0, 26], "database_nam": [0, 26, 45], "object_store_nam": [0, 26, 45], "delete_databas": [0, 26], "delete_object_store_entri": [0, 26], "key_rang": 26, "get_metadata": [0, 26], "entriescount": 26, "keygeneratorvalu": 26, "autoincr": 26, "request_data": [0, 26], "index_nam": 26, "objectstoredataentri": 26, "hasmor": 26, "request_databas": [0, 26], "request_database_nam": [0, 26], "touchpoint": [0, 27], "radius_x": [0, 27], "radius_i": [0, 27], "rotation_angl": [0, 27], "tangential_pressur": [0, 27], "tilt_x": [0, 27], "tilt_i": [0, 27], "twist": [0, 27], "radiu": 27, "rotat": 27, "tangenti": 27, "pressur": [27, 33, 36], "plane": 27, "stylu": 27, "degre": 27, "90": 27, "tiltx": 27, "right": [0, 27, 32, 36], "tilti": 27, "toward": 27, "clockwis": 27, "pen": 27, "359": 27, "proce": [27, 29], "bottom": [27, 36], "gesturesourcetyp": [0, 27], "mousebutton": [0, 27], "middl": [0, 27], "utc": [27, 34], "januari": [27, 34, 56, 57], "1970": [27, 34], "dragdataitem": [0, 27], "mime_typ": [0, 27, 34, 36], "mimetyp": [27, 34, 36], "drag": [27, 53], "mime": 27, "uri": [27, 34], "dragdata": [0, 27], "drag_operations_mask": [0, 27], "filenam": [27, 53, 55], "cancel_drag": [0, 27], "dispatch_drag_ev": [0, 27], "dispatch": 27, "alt": [27, 53], "ctrl": [27, 53], "shift": [27, 30, 35, 36, 38, 53], "8": [27, 34, 36, 51, 53, 56, 57], "dispatch_key_ev": [0, 27], "unmodified_text": 27, "key_identifi": 27, "windows_virtual_key_cod": 27, "native_virtual_key_cod": 27, "auto_repeat": 27, "is_keypad": 27, "is_system_kei": 27, "keyboard": [27, 36], "keyup": 27, "rawkeydown": 27, "shortcut": 27, "u": [27, 32, 35, 54, 55, 56], "0041": 27, "keya": 27, "altgr": 27, "repeat": [0, 27, 57], "keypad": 27, "selectal": 27, "execcommand": 27, "nsstandardkeybindingrespond": 27, "editor_command_nam": 27, "h": [27, 32, 49], "dispatch_mouse_ev": [0, 27], "click_count": 27, "delta_x": 27, "delta_i": 27, "pointer_typ": 27, "wheel": 27, "dispatch_touch_ev": [0, 27], "touch_point": 27, "touchend": 27, "touchcancel": 27, "touchstart": 27, "touchmov": 27, "per": [27, 30, 32, 34, 36, 41, 43, 45, 46, 47, 56, 57], "compar": [27, 41, 55], "sequenc": [27, 49, 51], "emulate_touch_from_mouse_ev": [0, 27], "ime_set_composit": [0, 27], "selection_start": 27, "selection_end": 27, "replacement_start": 27, "replacement_end": 27, "candid": [0, 27, 45, 57], "im": 27, "imecommitcomposit": 27, "imesetcomposit": 27, "composit": [27, 30], "insert_text": [0, 27], "doesn": [27, 35, 45], "emoji": 27, "set_ignore_input_ev": [0, 27], "set_intercept_drag": [0, 27], "dragintercept": [0, 27], "directli": [27, 53], "dispatchdragev": 27, "synthesize_pinch_gestur": [0, 27], "scale_factor": 27, "relative_spe": 27, "gesture_source_typ": 27, "synthes": [27, 49], "pinch": 27, "period": 27, "zoom": [0, 27, 36], "800": 27, "synthesize_scroll_gestur": [0, 27], "x_distanc": 27, "y_distanc": 27, "x_overscrol": 27, "y_overscrol": 27, "prevent_fl": 27, "repeat_count": 27, "repeat_delay_m": 27, "interaction_marker_nam": 27, "fling": 27, "swipe": 27, "250": 27, "synthesize_tap_gestur": [0, 27], "tap_count": 27, "tap": 27, "touchdown": 27, "touchup": 27, "m": [27, 34], "50": [27, 53, 55], "doubl": [27, 53], "setinterceptdrag": 27, "detach": [0, 28, 36, 47], "connect": [0, 28, 34, 41, 43, 48, 50, 52, 55], "targetcrash": [0, 28, 47], "targetreloadedaftercrash": [0, 28], "output": [29, 50, 58], "blob": [29, 39, 51], "uuid": [0, 29, 33], "discret": [0, 29, 36, 50, 51], "eof": 29, "resolve_blob": [0, 29], "layerid": [0, 30], "snapshotid": [0, 30], "itself": [30, 41, 53], "stickypositionconstraint": [0, 30], "sticky_box_rect": [0, 30], "containing_block_rect": [0, 30], "nearest_layer_shifting_sticky_box": [0, 30], "nearest_layer_shifting_containing_block": [0, 30], "sticki": 30, "constraint": 30, "picturetil": [0, 30], "pictur": [0, 30, 36], "serial": [0, 30, 36, 41, 45, 49], "layer_id": [0, 30], "offset_x": [0, 30, 36], "offset_i": [0, 30, 36], "paint_count": [0, 30], "draws_cont": [0, 30], "parent_layer_id": [0, 30], "transform": [0, 30], "anchor_x": [0, 30], "anchor_i": [0, 30], "anchor_z": [0, 30], "invis": [0, 30], "sticky_position_constraint": [0, 30], "purpos": [30, 34, 51], "matrix": 30, "paintprofil": [0, 30], "compositing_reason": [0, 30], "compositingreason": 30, "compositingreasonid": 30, "inspect": [30, 32, 35, 36, 41, 47, 50], "load_snapshot": [0, 30], "compos": [30, 55], "make_snapshot": [0, 30], "profile_snapshot": [0, 30], "snapshot_id": 30, "min_repeat_count": 30, "min_dur": 30, "clip_rect": 30, "replai": [30, 34], "clip": [0, 30, 36], "release_snapshot": [0, 30], "replay_snapshot": [0, 30], "from_step": 30, "to_step": 30, "bitmap": 30, "till": 30, "snapshot_command_log": [0, 30], "canva": 30, "layerpaint": [0, 30], "layertreedidchang": [0, 30], "comsposit": 30, "logentri": [0, 31], "categori": [0, 31, 43, 49], "network_request_id": [0, 31], "worker_id": [0, 31], "arg": [0, 31, 41, 54, 56], "violationset": [0, 31], "threshold": [0, 31], "entryad": [0, 31], "start_violations_report": [0, 31], "stop_violations_report": [0, 31], "playerid": [0, 32], "player": [0, 32], "playermessag": [0, 32], "medialogrecord": 32, "kmessag": 32, "sync": [32, 36, 49], "medialogmessagelevel": 32, "playererror": [0, 32], "thing": [32, 55], "dvlog": 32, "pipelinestatu": 32, "soon": [32, 49], "howev": [32, 34, 53, 55], "introduc": 32, "hopefulli": 32, "integr": [0, 32, 34, 49], "playerproperti": [0, 32], "kmediapropertychang": 32, "playerev": [0, 32], "kmediaeventtrigg": 32, "playererrorsourceloc": [0, 32], "kmediaerror": 32, "potenti": [32, 34, 36, 45], "ie": [32, 55], "decodererror": 32, "windowserror": 32, "pipelinestatuscod": 32, "pipeline_statu": 32, "extra": [32, 34, 52], "hresult": 32, "codec": [32, 46], "playerpropertieschang": [0, 32], "player_id": [0, 32], "propvalu": 32, "playereventsad": [0, 32], "congest": 32, "chronolog": 32, "playermessageslog": [0, 32], "playererrorsrais": [0, 32], "playerscr": [0, 32], "join": [0, 32, 36, 45, 56, 57], "again": [32, 53, 55, 56, 57], "pressurelevel": [0, 33], "critic": [0, 33, 36], "moder": [0, 33], "samplingprofilenod": [0, 33], "samplingprofil": [0, 33], "base_address": [0, 33], "decim": 33, "hexadecim": 33, "0x": 33, "prefix": 33, "forcibly_purge_java_script_memori": [0, 33], "oomintervent": 33, "purg": 33, "get_all_time_sampling_profil": [0, 33], "startup": 33, "get_browser_sampling_profil": [0, 33], "get_dom_count": [0, 33], "jseventlisten": 33, "prepare_for_leak_detect": [0, 33], "set_pressure_notifications_suppress": [0, 33], "suppress": [33, 45], "simulate_pressure_notif": [0, 33], "suppress_random": 33, "random": [33, 56, 57], "perceiv": 34, "csp_violation_report": [0, 34], "cspviolationreport": 34, "preflight": [0, 34], "signed_exchang": [0, 34], "signedexchang": 34, "text_track": [0, 34], "texttrack": 34, "web_socket": [0, 34, 36], "websocket": [0, 34, 36, 55], "loader": [34, 36], "interceptionid": [0, 34], "access_deni": [0, 34], "accessdeni": 34, "address_unreach": [0, 34], "addressunreach": 34, "blocked_by_cli": [0, 34, 39], "blockedbycli": [34, 39], "blockedbyrespons": 34, "connection_abort": [0, 34], "connectionabort": 34, "connection_clos": [0, 34], "connectionclos": 34, "connection_fail": [0, 34], "connectionfail": 34, "connection_refus": [0, 34], "connectionrefus": 34, "connection_reset": [0, 34], "connectionreset": 34, "internet_disconnect": [0, 34], "internetdisconnect": 34, "name_not_resolv": [0, 34], "namenotresolv": 34, "timed_out": [0, 34], "timedout": 34, "monotonictim": [0, 34, 36], "arbitrari": 34, "past": [34, 56, 57], "connectiontyp": [0, 34], "supposedli": 34, "bluetooth": [0, 34, 36], "cellular2g": [0, 34], "cellular3g": [0, 34], "cellular4g": [0, 34], "ethernet": [0, 34], "wifi": [0, 34], "wimax": [0, 34], "cookiesamesit": [0, 34], "samesit": 34, "ietf": 34, "west": 34, "lax": [0, 34], "strict": [0, 34, 45], "cookieprior": [0, 34], "00": 34, "medium": [0, 34], "cookiesourceschem": [0, 34], "unset": [0, 34, 55], "legaci": [34, 49], "abil": 34, "non_secur": [0, 34], "nonsecur": 34, "resourcetim": [0, 34], "request_tim": [0, 34], "proxy_start": [0, 34], "proxy_end": [0, 34], "dns_start": [0, 34], "dns_end": [0, 34], "connect_start": [0, 34], "connect_end": [0, 34], "ssl_start": [0, 34], "ssl_end": [0, 34], "worker_start": [0, 34], "worker_readi": [0, 34], "worker_fetch_start": [0, 34], "worker_respond_with_settl": [0, 34], "send_start": [0, 34], "send_end": [0, 34], "push_start": [0, 34], "push_end": [0, 34], "receive_headers_start": [0, 34], "receive_headers_end": [0, 34], "dn": 34, "proxi": [34, 47], "requesttim": 34, "baselin": 34, "tick": [0, 34, 40], "ssl": [34, 43], "handshak": 34, "settl": 34, "respondwith": 34, "resourceprior": [0, 34], "very_high": [0, 34], "veryhigh": 34, "very_low": [0, 34], "verylow": 34, "postdataentri": [0, 34], "bytes_": [0, 34], "initial_prior": [0, 34], "referrer_polici": [0, 34, 36], "url_frag": [0, 34, 36], "has_post_data": [0, 34], "post_data_entri": [0, 34], "mixed_content_typ": [0, 34, 43], "is_link_preload": [0, 34], "trust_token_param": [0, 34], "is_same_sit": [0, 34], "mixedcontenttyp": [0, 34, 43], "trusttokenparam": [0, 34], "postdata": 34, "too": [34, 47], "correspondinfg": 34, "referr": [34, 36], "trusttoken": [0, 34, 45], "signedcertificatetimestamp": [0, 34], "log_descript": [0, 34], "log_id": [0, 34], "hash_algorithm": [0, 34], "signature_algorithm": [0, 34], "signature_data": [0, 34], "certif": [0, 34, 43], "sct": 34, "algorithm": [34, 35], "signatur": [0, 34, 43, 51], "issuanc": [0, 34, 36], "unlik": [34, 36, 41], "securitydetail": [0, 34], "key_exchang": [0, 34, 43], "cipher": [0, 34, 43], "certificate_id": [0, 34], "subject_nam": [0, 34, 43], "san_list": [0, 34], "issuer": [0, 34, 43, 45], "valid_from": [0, 34, 43], "valid_to": [0, 34, 43], "signed_certificate_timestamp_list": [0, 34], "certificate_transparency_compli": [0, 34], "encrypted_client_hello": [0, 34], "key_exchange_group": [0, 34, 43], "mac": [0, 34, 43, 46], "server_signature_algorithm": [0, 34], "certificateid": [0, 34, 43], "certificatetransparencycompli": [0, 34], "compli": 34, "transpar": [34, 35, 36], "encrypt": [34, 36], "clienthello": 34, "ca": [34, 43], "exchang": [34, 43], "ec": [34, 43], "dh": [34, 43], "tl": [34, 43], "aead": [34, 43], "quic": [34, 43], "subject": [34, 43], "san": 34, "ip": 34, "signatureschem": 34, "expir": [0, 34, 36, 43, 45], "compliant": [0, 34], "not_compli": [0, 34], "unknown": [0, 34, 36, 43, 46], "blockedreason": [0, 34], "content_typ": [0, 34], "coop_sandboxed_iframe_cannot_navigate_to_coop_pag": [0, 34], "corp": 34, "mixed_cont": [0, 34, 39], "subresource_filt": [0, 34], "subresourc": 34, "corserror": [0, 34], "allow_origin_mismatch": [0, 34], "alloworiginmismatch": 34, "cors_disabled_schem": [0, 34], "corsdisabledschem": 34, "disallowed_by_mod": [0, 34], "disallowedbymod": 34, "header_disallowed_by_preflight_respons": [0, 34], "headerdisallowedbypreflightrespons": 34, "insecure_private_network": [0, 34], "insecureprivatenetwork": 34, "invalid_allow_credenti": [0, 34], "invalidallowcredenti": 34, "invalid_allow_headers_preflight_respons": [0, 34], "invalidallowheaderspreflightrespons": 34, "invalid_allow_methods_preflight_respons": [0, 34], "invalidallowmethodspreflightrespons": 34, "invalid_allow_origin_valu": [0, 34], "invalidalloworiginvalu": 34, "invalid_private_network_access": [0, 34], "invalidprivatenetworkaccess": 34, "invalid_respons": [0, 34], "invalidrespons": 34, "method_disallowed_by_preflight_respons": [0, 34], "methoddisallowedbypreflightrespons": 34, "missing_allow_origin_head": [0, 34], "missingalloworiginhead": 34, "multiple_allow_origin_valu": [0, 34], "multiplealloworiginvalu": 34, "no_cors_redirect_mode_not_follow": [0, 34], "nocorsredirectmodenotfollow": 34, "preflight_allow_origin_mismatch": [0, 34], "preflightalloworiginmismatch": 34, "preflight_disallowed_redirect": [0, 34], "preflightdisallowedredirect": 34, "preflight_invalid_allow_credenti": [0, 34], "preflightinvalidallowcredenti": 34, "preflight_invalid_allow_extern": [0, 34], "preflightinvalidallowextern": 34, "preflight_invalid_allow_origin_valu": [0, 34], "preflightinvalidalloworiginvalu": 34, "preflight_invalid_allow_private_network": [0, 34], "preflightinvalidallowprivatenetwork": 34, "preflight_invalid_statu": [0, 34], "preflightinvalidstatu": 34, "preflight_missing_allow_extern": [0, 34], "preflightmissingallowextern": 34, "preflight_missing_allow_origin_head": [0, 34], "preflightmissingalloworiginhead": 34, "preflight_missing_allow_private_network": [0, 34], "preflightmissingallowprivatenetwork": 34, "preflight_missing_private_network_access_id": [0, 34], "preflightmissingprivatenetworkaccessid": 34, "preflight_missing_private_network_access_nam": [0, 34], "preflightmissingprivatenetworkaccessnam": 34, "preflight_multiple_allow_origin_valu": [0, 34], "preflightmultiplealloworiginvalu": 34, "preflight_wildcard_origin_not_allow": [0, 34], "preflightwildcardoriginnotallow": 34, "private_network_access_permission_deni": [0, 34], "privatenetworkaccesspermissiondeni": 34, "private_network_access_permission_unavail": [0, 34], "privatenetworkaccesspermissionunavail": 34, "redirect_contains_credenti": [0, 34], "redirectcontainscredenti": 34, "unexpected_private_network_access": [0, 34], "unexpectedprivatenetworkaccess": 34, "wildcard_origin_not_allow": [0, 34], "wildcardoriginnotallow": 34, "cors_error": [0, 34], "failed_paramet": [0, 34], "serviceworkerresponsesourc": [0, 34], "cache_storag": [0, 34, 45], "fallback_cod": [0, 34], "http_cach": [0, 34], "refresh_polici": [0, 34], "trust": [34, 45], "trust_token": 34, "trusttokenoperationtyp": [0, 34], "whom": 34, "redempt": [0, 34, 36, 45], "fresh": [0, 34, 57], "srr": 34, "alternateprotocolusag": [0, 34], "transport": [0, 34, 43, 51], "alternative_job_won_rac": [0, 34], "alternativejobwonrac": 34, "alternative_job_won_without_rac": [0, 34], "alternativejobwonwithoutrac": 34, "broken": [0, 34, 43], "dns_alpn_h3_job_won_rac": [0, 34], "dnsalpnh3jobwonrac": 34, "dns_alpn_h3_job_won_without_rac": [0, 34], "dnsalpnh3jobwonwithoutrac": 34, "main_job_won_rac": [0, 34], "mainjobwonrac": 34, "mapping_miss": [0, 34], "mappingmiss": 34, "unspecified_reason": [0, 34], "unspecifiedreason": 34, "serviceworkerrouterinfo": [0, 34], "rule_id_match": [0, 34], "status_text": [0, 34], "charset": [0, 34], "connection_reus": [0, 34], "connection_id": [0, 34, 48], "encoded_data_length": [0, 34], "security_st": [0, 34, 43], "headers_text": [0, 34], "request_headers_text": [0, 34], "remote_ip_address": [0, 34], "remote_port": [0, 34], "from_disk_cach": [0, 34], "from_service_work": [0, 34], "from_prefetch_cach": [0, 34], "service_worker_router_info": [0, 34], "service_worker_response_sourc": [0, 34], "cache_storage_cache_nam": [0, 34], "alternate_protocol_usag": [0, 34], "security_detail": [0, 34], "securityst": [0, 34, 43], "reus": [34, 41], "responsereceivedextrainfo": [0, 34], "port": [0, 34, 47, 48], "requestwillbesentextrainfo": [0, 34], "infom": 34, "router": 34, "cachedresourc": [0, 34], "websocketrequest": [0, 34], "websocketrespons": [0, 34], "websocketfram": [0, 34], "opcod": [0, 34], "payload_data": [0, 34], "just": [34, 53, 55, 56, 57], "payload": [0, 34, 41], "payloaddata": 34, "body_s": [0, 34], "http_onli": [0, 34], "same_parti": [0, 34], "source_schem": [0, 34], "source_port": [0, 34], "same_sit": [0, 34], "partition_kei": [0, 34], "partition_key_opaqu": [0, 34], "unix": 34, "partit": 34, "visit": 34, "endpoint": [0, 34, 36, 45], "sameparti": 34, "65535": 34, "setcookieblockedreason": [0, 34], "disallowed_charact": [0, 34], "disallowedcharact": 34, "invalid_domain": [0, 34], "invaliddomain": 34, "invalid_prefix": [0, 34], "invalidprefix": 34, "name_value_pair_exceeds_max_s": [0, 34], "namevaluepairexceedsmaxs": 34, "no_cookie_cont": [0, 34], "nocookiecont": 34, "overwrite_secur": [0, 34], "overwritesecur": 34, "same_party_conflicts_with_other_attribut": [0, 34], "samepartyconflictswithotherattribut": 34, "same_party_from_cross_party_context": [0, 34], "samepartyfromcrosspartycontext": 34, "same_site_lax": [0, 34], "samesitelax": 34, "same_site_none_insecur": [0, 34], "samesitenoneinsecur": 34, "same_site_strict": [0, 34], "samesitestrict": 34, "same_site_unspecified_treated_as_lax": [0, 34], "samesiteunspecifiedtreatedaslax": 34, "schemeful_same_site_lax": [0, 34], "schemefulsamesitelax": 34, "schemeful_same_site_strict": [0, 34], "schemefulsamesitestrict": 34, "schemeful_same_site_unspecified_treated_as_lax": [0, 34], "schemefulsamesiteunspecifiedtreatedaslax": 34, "scheme_not_support": [0, 34], "schemenotsupport": 34, "secure_onli": [0, 34], "secureonli": 34, "syntax_error": [0, 34], "syntaxerror": 34, "third_party_blocked_in_first_party_set": [0, 34], "thirdpartyblockedinfirstpartyset": 34, "third_party_phaseout": [0, 34], "thirdpartyphaseout": 34, "unknown_error": [0, 34], "unknownerror": 34, "user_prefer": [0, 34], "userprefer": 34, "cookieblockedreason": [0, 34], "domain_mismatch": [0, 34], "domainmismatch": 34, "not_on_path": [0, 34], "notonpath": 34, "blockedsetcookiewithreason": [0, 34], "blocked_reason": [0, 34], "cookie_lin": [0, 34], "sometim": [34, 52, 56, 57], "individu": [34, 36], "blockedcookiewithreason": [0, 34], "cookieparam": [0, 34, 45], "interceptionstag": [0, 34], "headers_receiv": [0, 34], "interception_stag": [0, 34], "signedexchangesignatur": [0, 34], "validity_url": [0, 34], "cert_url": [0, 34], "cert_sha256": [0, 34], "webpackag": 34, "yasskin": 34, "httpbi": 34, "impl": 34, "rfc": 34, "hex": [34, 35], "cert": 34, "sha256": 34, "signedexchangehead": [0, 34], "header_integr": [0, 34], "cbor": 34, "signedexchangeerrorfield": [0, 34], "signature_cert_sha256": [0, 34], "signaturecertsha256": 34, "signature_cert_url": [0, 34], "signaturecerturl": 34, "signature_integr": [0, 34], "signatureintegr": 34, "signature_sig": [0, 34], "signaturesig": 34, "signature_timestamp": [0, 34], "signaturetimestamp": 34, "signature_validity_url": [0, 34], "signaturevalidityurl": 34, "signedexchangeerror": [0, 34], "signature_index": [0, 34], "error_field": [0, 34], "signedexchangeinfo": [0, 34], "outer_respons": [0, 34], "exchagn": 34, "contentencod": [0, 34], "br": [0, 34], "deflat": [0, 34], "gzip": [0, 34, 49], "zstd": [0, 34], "privatenetworkrequestpolici": [0, 34], "block_from_insecure_to_more_priv": [0, 34], "blockfrominsecuretomorepriv": 34, "preflight_block": [0, 34], "preflightblock": 34, "preflight_warn": [0, 34], "preflightwarn": 34, "warn_from_insecure_to_more_priv": [0, 34], "warnfrominsecuretomorepriv": 34, "privat": [0, 34, 36, 41, 51], "connecttim": [0, 34], "initiator_is_secure_context": [0, 34], "initiator_ip_address_spac": [0, 34], "private_network_request_polici": [0, 34], "crossoriginopenerpolicyvalu": [0, 34], "restrict_properti": [0, 34], "restrictproperti": 34, "restrict_properties_plus_coep": [0, 34], "restrictpropertiespluscoep": 34, "same_origin": [0, 34, 36], "sameorigin": [34, 36], "same_origin_allow_popup": [0, 34], "sameoriginallowpopup": 34, "same_origin_plus_coep": [0, 34], "sameoriginpluscoep": 34, "unsafe_non": [0, 34], "unsafenon": 34, "crossoriginopenerpolicystatu": [0, 34], "report_only_valu": [0, 34], "reporting_endpoint": [0, 34], "report_only_reporting_endpoint": [0, 34], "crossoriginembedderpolicyvalu": [0, 34], "credentialless": [0, 34], "require_corp": [0, 34], "requirecorp": 34, "crossoriginembedderpolicystatu": [0, 34], "contentsecuritypolicysourc": [0, 34], "contentsecuritypolicystatu": [0, 34], "effective_direct": [0, 34], "is_enforc": [0, 34], "securityisolationstatu": [0, 34], "reportstatu": [0, 34], "marked_for_remov": [0, 34], "markedforremov": 34, "queu": [0, 34], "reportid": [0, 34], "reportingapireport": [0, 34], "initiator_url": [0, 34], "destin": [0, 34, 36, 50, 53], "completed_attempt": [0, 34], "deliveri": 34, "made": [34, 41, 55], "upload": [34, 53], "reportingapiendpoint": [0, 34], "group_nam": [0, 34], "loadnetworkresourcepageresult": [0, 34], "net_error": [0, 34], "net_error_nam": [0, 34], "http_status_cod": [0, 34], "loadnetworkresourceopt": [0, 34], "disable_cach": [0, 34], "include_credenti": [0, 34], "later": [34, 41], "corb": 34, "can_clear_browser_cach": [0, 34], "can_clear_browser_cooki": [0, 34], "can_emulate_network_condit": [0, 34], "clear_accepted_encodings_overrid": [0, 34], "setacceptedencod": 34, "clear_browser_cach": [0, 34], "clear_browser_cooki": [0, 34], "continue_intercepted_request": [0, 34], "interception_id": [0, 34], "raw_respons": 34, "requestintercept": [0, 34], "isnavigationrequest": 34, "delete_cooki": [0, 34, 36], "emulate_network_condit": [0, 34], "offlin": [0, 34, 50], "download_throughput": 34, "upload_throughput": 34, "connection_typ": 34, "internet": 34, "disconnect": [34, 47, 50], "throughput": 34, "max_total_buffer_s": 34, "max_resource_buffer_s": 34, "max_post_data_s": 34, "buffer": [34, 38, 49, 50], "preserv": 34, "longest": 34, "enable_reporting_api": [0, 34], "reportingapireportad": [0, 34], "get_all_cooki": [0, 34], "getcooki": 34, "get_certif": [0, 34], "der": 34, "get_cooki": [0, 34, 45], "subfram": 34, "get_request_post_data": [0, 34], "multipart": 34, "get_response_body_for_intercept": [0, 34], "get_security_isolation_statu": [0, 34], "load_network_resourc": [0, 34], "mandatori": 34, "replay_xhr": [0, 34], "withcredenti": 34, "search_in_response_bodi": [0, 34], "set_accepted_encod": [0, 34], "set_attach_debug_stack": [0, 34], "set_blocked_ur_l": [0, 34], "set_bypass_service_work": [0, 34], "bypass": [34, 36, 41, 47], "toggl": [34, 36], "set_cache_dis": [0, 34], "cache_dis": 34, "overwrit": 34, "set_extra_http_head": [0, 34], "set_request_intercept": [0, 34], "wait": [0, 34, 41, 52, 53, 55, 56, 57], "continueinterceptedrequest": 34, "stream_resource_cont": [0, 34], "datareceiv": [0, 34], "take_response_body_for_interception_as_stream": [0, 34], "data_length": [0, 34], "datalength": 34, "eventsourcemessagereceiv": [0, 34], "event_id": [0, 34, 43, 45], "loadingfail": [0, 34], "error_text": [0, 34], "loadingfinish": [0, 34], "is_navigation_request": [0, 34], "is_download": [0, 34], "redirect_url": [0, 34], "likewis": 34, "auth": 34, "retri": [0, 34, 55, 57], "requestservedfromcach": [0, 34], "wall_tim": [0, 34], "redirect_has_extra_info": [0, 34], "redirect_respons": [0, 34], "has_user_gestur": [0, 34], "redirectrespons": 34, "resourcechangedprior": [0, 34], "new_prior": [0, 34], "signedexchangereceiv": [0, 34], "responsereceiv": [0, 34], "has_extra_info": [0, 34], "websocketclos": [0, 34], "websocketcr": [0, 34], "websocketframeerror": [0, 34], "error_messag": [0, 34, 39, 44], "websocketframereceiv": [0, 34], "websocketframes": [0, 34], "websockethandshakeresponsereceiv": [0, 34], "websocketwillsendhandshakerequest": [0, 34], "webtransportcr": [0, 34], "transport_id": [0, 34], "webtransport": [34, 36], "webtransportconnectionestablish": [0, 34], "webtransportclos": [0, 34], "dispos": [34, 47], "associated_cooki": [0, 34], "connect_tim": [0, 34], "site_has_cookie_in_other_partit": [0, 34], "latter": 34, "wire": 34, "blocked_cooki": [0, 34], "status_cod": [0, 34], "cookie_partition_kei": [0, 34], "cookie_partition_key_opaqu": [0, 34], "proper": 34, "serializ": [34, 41, 54, 55], "space": [34, 35], "establish": 34, "correct": [34, 55], "200": [34, 49, 53, 56, 57], "304": 34, "trusttokenoperationdon": [0, 34], "top_level_origin": [0, 34], "issuer_origin": [0, 34, 45], "issued_token_count": [0, 34], "succeed": [34, 49], "alreadyexist": 34, "signifi": 34, "und": 34, "preemptiv": 34, "subresourcewebbundlemetadatareceiv": [0, 34], "wbn": 34, "bundl": [34, 45], "subresourcewebbundlemetadataerror": [0, 34], "subresourcewebbundleinnerresponsepars": [0, 34], "inner_request_id": [0, 34], "inner_request_url": [0, 34], "bundle_request_id": [0, 34], "webpag": [34, 36, 55], "webbundl": 34, "subresourcewebbundleinnerresponseerror": [0, 34], "And": 34, "enablereportingapi": 34, "reportingapireportupd": [0, 34], "reportingapiendpointschangedfororigin": [0, 34], "atop": 35, "sourceorderconfig": [0, 35], "parent_outline_color": [0, 35], "child_outline_color": [0, 35], "outlin": [35, 36], "givent": 35, "gridhighlightconfig": [0, 35], "show_grid_extension_lin": [0, 35], "show_positive_line_numb": [0, 35], "show_negative_line_numb": [0, 35], "show_area_nam": [0, 35], "show_line_nam": [0, 35], "show_track_s": [0, 35], "grid_border_color": [0, 35], "cell_border_color": [0, 35], "row_line_color": [0, 35], "column_line_color": [0, 35], "grid_border_dash": [0, 35], "cell_border_dash": [0, 35], "row_line_dash": [0, 35], "column_line_dash": [0, 35], "row_gap_color": [0, 35], "row_hatch_color": [0, 35], "column_gap_color": [0, 35], "column_hatch_color": [0, 35], "area_border_color": [0, 35], "grid_background_color": [0, 35], "grid": 35, "rowlinecolor": 35, "columnlinecolor": 35, "cell": 35, "rowlinedash": 35, "columnlinedash": 35, "dash": 35, "gap": 35, "hatch": 35, "row": 35, "ruler": 35, "shown": [35, 36, 43, 56, 57], "neg": 35, "flexcontainerhighlightconfig": [0, 35], "container_bord": [0, 35], "line_separ": [0, 35], "item_separ": [0, 35], "main_distributed_spac": [0, 35], "cross_distributed_spac": [0, 35], "row_gap_spac": [0, 35], "column_gap_spac": [0, 35], "cross_align": [0, 35], "flex": 35, "linestyl": [0, 35], "boxstyl": [0, 35], "self": [0, 35, 39, 55], "align": 35, "justifi": 35, "flexitemhighlightconfig": [0, 35], "base_size_box": [0, 35], "base_size_bord": [0, 35], "flexibility_arrow": [0, 35], "arrow": [35, 53], "grew": 35, "shrank": 35, "solid": 35, "fill_color": [0, 35], "hatch_color": [0, 35], "contrastalgorithm": [0, 35], "aa": [0, 35], "apca": [0, 35], "highlightconfig": [0, 35], "show_info": [0, 35], "show_styl": [0, 35], "show_rul": [0, 35], "show_accessibility_info": [0, 35], "show_extension_lin": [0, 35], "content_color": [0, 35], "padding_color": [0, 35], "border_color": [0, 35], "margin_color": [0, 35], "event_target_color": [0, 35], "shape_color": [0, 35], "shape_margin_color": [0, 35], "css_grid_color": [0, 35], "color_format": [0, 35], "grid_highlight_config": [0, 35], "flex_container_highlight_config": [0, 35], "flex_item_highlight_config": [0, 35], "contrast_algorithm": [0, 35], "container_query_container_highlight_config": [0, 35], "colorformat": [0, 35], "containerquerycontainerhighlightconfig": [0, 35], "ratio": [35, 36], "a11i": 35, "tooltip": 35, "hex_": [0, 35], "hsl": [0, 35], "hwb": [0, 35], "rgb": [0, 35], "gridnodehighlightconfig": [0, 35], "persist": [0, 35, 41, 45], "flexnodehighlightconfig": [0, 35], "scrollsnapcontainerhighlightconfig": [0, 35], "snapport_bord": [0, 35], "snap_area_bord": [0, 35], "scroll_margin_color": [0, 35], "scroll_padding_color": [0, 35], "snap": 35, "snapport": 35, "scrollsnaphighlightconfig": [0, 35], "scroll_snap_container_highlight_config": [0, 35], "hingeconfig": [0, 35], "outline_color": [0, 35], "dual": 35, "hing": 35, "windowcontrolsoverlayconfig": [0, 35], "show_css": [0, 35], "selected_platform": [0, 35], "theme_color": [0, 35], "selet": 35, "bar": [35, 36], "app": [35, 36], "containerqueryhighlightconfig": [0, 35], "descendant_bord": [0, 35], "isolatedelementhighlightconfig": [0, 35], "isolation_mode_highlight_config": [0, 35], "isolationmodehighlightconfig": [0, 35], "resizer_color": [0, 35], "resizer_handle_color": [0, 35], "mask_color": [0, 35], "cover": [35, 40], "inspectmod": [0, 35], "capture_area_screenshot": [0, 35], "captureareascreenshot": 35, "search_for_nod": [0, 35], "searchfornod": 35, "search_for_ua_shadow_dom": [0, 35], "searchforuashadowdom": 35, "show_dist": [0, 35], "showdist": 35, "get_grid_highlight_objects_for_test": [0, 35], "get_highlight_object_for_test": [0, 35], "include_dist": 35, "include_styl": 35, "get_source_order_highlight_object_for_test": [0, 35], "viewer": 35, "highlight_fram": [0, 35], "content_outline_color": 35, "reliabl": [35, 41], "fix": [0, 35, 36, 43], "separat": 35, "highlightnod": 35, "highlight_config": 35, "highlight_quad": [0, 35], "respect": [35, 41], "highlight_source_ord": [0, 35], "source_order_config": 35, "set_inspect_mod": [0, 35], "enter": [35, 36], "hover": [35, 53], "inspectnoderequest": [0, 35], "set_paused_in_debugger_messag": [0, 35], "set_show_ad_highlight": [0, 35], "set_show_container_query_overlai": [0, 35], "container_query_highlight_config": 35, "set_show_debug_bord": [0, 35], "set_show_flex_overlai": [0, 35], "flex_node_highlight_config": 35, "set_show_fps_count": [0, 35], "fp": [35, 46], "counter": [35, 40, 51], "set_show_grid_overlai": [0, 35], "grid_node_highlight_config": 35, "set_show_hing": [0, 35], "hinge_config": 35, "hidehing": 35, "set_show_hit_test_bord": [0, 35], "set_show_isolated_el": [0, 35], "isolated_element_highlight_config": 35, "set_show_layout_shift_region": [0, 35], "set_show_paint_rect": [0, 35], "set_show_scroll_bottleneck_rect": [0, 35], "bottleneck": 35, "set_show_scroll_snap_overlai": [0, 35], "scroll_snap_highlight_config": 35, "set_show_viewport_size_on_res": [0, 35], "set_show_web_vit": [0, 35], "vital": 35, "set_show_window_controls_overlai": [0, 35], "window_controls_overlay_config": 35, "pwa": [35, 36], "setinspectmod": 35, "nodehighlightrequest": [0, 35], "screenshotrequest": [0, 35], "ask": [35, 56, 57], "inspectmodecancel": [0, 35], "adframetyp": [0, 36], "adframeexplan": [0, 36], "created_by_ad_script": [0, 36], "createdbyadscript": 36, "matched_blocking_rul": [0, 36], "matchedblockingrul": 36, "parent_is_ad": [0, 36], "parentisad": 36, "adframestatu": [0, 36], "ad_frame_typ": [0, 36], "explan": [0, 36, 43], "adscriptid": [0, 36], "debugger_id": [0, 36, 41], "securecontexttyp": [0, 36], "insecure_ancestor": [0, 36], "insecureancestor": 36, "insecure_schem": [0, 36], "insecureschem": 36, "secure_localhost": [0, 36], "securelocalhost": 36, "crossoriginisolatedcontexttyp": [0, 36], "not_isol": [0, 36], "notisol": 36, "not_isolated_feature_dis": [0, 36], "notisolatedfeaturedis": 36, "gatedapifeatur": [0, 36], "performance_measure_memori": [0, 36], "performancemeasurememori": 36, "performance_profil": [0, 36], "performanceprofil": 36, "shared_array_buff": [0, 36], "sharedarraybuff": 36, "shared_array_buffers_transfer_allow": [0, 36], "sharedarraybufferstransferallow": 36, "permissionspolicyfeatur": [0, 36], "permissions_polici": 36, "permissions_policy_featur": 36, "ambient_light_sensor": [0, 36], "attribution_report": [0, 36], "autoplai": [0, 36], "browsing_top": [0, 36], "brows": [36, 45, 53, 55], "topic": 36, "ch_device_memori": [0, 36], "ch_downlink": [0, 36], "downlink": 36, "ch_dpr": [0, 36], "dpr": 36, "ch_ect": [0, 36], "ect": 36, "ch_prefers_color_schem": [0, 36], "ch_prefers_reduced_mot": [0, 36], "reduc": 36, "motion": 36, "ch_prefers_reduced_transpar": [0, 36], "ch_rtt": [0, 36], "rtt": 36, "ch_save_data": [0, 36], "ch_ua": [0, 36], "ch_ua_arch": [0, 36], "arch": 36, "ch_ua_bit": [0, 36], "ch_ua_form_factor": [0, 36], "ch_ua_full_vers": [0, 36], "ch_ua_full_version_list": [0, 36], "ch_ua_mobil": [0, 36], "ch_ua_model": [0, 36], "ch_ua_platform": [0, 36], "ch_ua_platform_vers": [0, 36], "ch_ua_wow64": [0, 36], "ch_viewport_height": [0, 36], "ch_viewport_width": [0, 36], "ch_width": [0, 36], "clipboard_read": [0, 36], "clipboard_writ": [0, 36], "compute_pressur": [0, 36], "cross_origin_isol": [0, 36], "direct_socket": [0, 36], "socket": 36, "document_domain": [0, 36], "encrypted_media": [0, 36], "execution_while_not_rend": [0, 36], "execution_while_out_of_viewport": [0, 36], "focus_without_user_activ": [0, 36], "frobul": [0, 36], "gamepad": [0, 36], "hid": [0, 36], "identity_credentials_get": [0, 36], "credenti": [0, 36, 51], "interest_cohort": [0, 36], "interest": [36, 45], "cohort": 36, "join_ad_interest_group": [0, 36], "keyboard_map": [0, 36], "microphon": [0, 36], "otp_credenti": [0, 36], "otp": 36, "payment": [0, 36], "picture_in_pictur": [0, 36], "private_aggreg": [0, 36], "private_state_token_issu": [0, 36], "private_state_token_redempt": [0, 36], "publickey_credentials_cr": [0, 36], "publickei": 36, "publickey_credentials_get": [0, 36], "run_ad_auct": [0, 36], "auction": 36, "screen_wake_lock": [0, 36], "wake": 36, "lock": 36, "shared_autofil": [0, 36], "shared_storag": [0, 36, 45], "shared_storage_select_url": [0, 36], "smart_card": [0, 36], "smart": [0, 36, 57], "sub_app": [0, 36], "sync_xhr": [0, 36], "unload": [0, 36], "usb": [0, 36, 51], "usb_unrestrict": [0, 36], "unrestrict": 36, "vertical_scrol": [0, 36], "web_print": [0, 36], "web_shar": [0, 36], "window_plac": [0, 36], "placement": 36, "xr_spatial_track": [0, 36], "xr": 36, "spatial": 36, "permissionspolicyblockreason": [0, 36], "iframe_attribut": [0, 36], "iframeattribut": 36, "in_fenced_frame_tre": [0, 36], "infencedframetre": 36, "in_isolated_app": [0, 36], "inisolatedapp": 36, "permissionspolicyblockloc": [0, 36], "block_reason": [0, 36], "permissionspolicyfeaturest": [0, 36], "origintrialtokenstatu": [0, 36], "trial": 36, "feature_dis": [0, 36], "featuredis": 36, "feature_disabled_for_us": [0, 36], "featuredisabledforus": 36, "insecur": [0, 36, 43], "invalid_signatur": [0, 36], "invalidsignatur": 36, "not_support": [0, 36, 39], "notsupport": [36, 39], "token_dis": [0, 36], "tokendis": 36, "unknown_tri": [0, 36], "unknowntri": 36, "wrong_origin": [0, 36], "wrongorigin": 36, "wrong_vers": [0, 36], "wrongvers": 36, "origintrialstatu": [0, 36], "os_not_support": [0, 36], "osnotsupport": 36, "trial_not_allow": [0, 36], "trialnotallow": 36, "valid_token_not_provid": [0, 36], "validtokennotprovid": 36, "origintrialusagerestrict": [0, 36], "origintrialtoken": [0, 36], "match_sub_domain": [0, 36], "trial_nam": [0, 36], "expiry_tim": [0, 36], "is_third_parti": [0, 36], "usage_restrict": [0, 36], "origintrialtokenwithstatu": [0, 36], "raw_token_text": [0, 36], "parsed_token": [0, 36], "parsedtoken": 36, "parsabl": 36, "origintri": [0, 36], "tokens_with_statu": [0, 36], "domain_and_registri": [0, 36], "secure_context_typ": [0, 36], "cross_origin_isolated_context_typ": [0, 36], "gated_api_featur": [0, 36], "unreachable_url": [0, 36], "ad_frame_statu": [0, 36], "take": [36, 41, 43, 55], "suffix": 36, "googl": 36, "co": 36, "uk": 36, "gate": 36, "frameresourc": [0, 36], "last_modifi": [0, 36], "content_s": [0, 36], "frameresourcetre": [0, 36], "child_fram": [0, 36], "frametre": [0, 36], "scriptidentifi": [0, 36], "transitiontyp": [0, 36], "address_bar": [0, 36], "auto_bookmark": [0, 36], "auto_subfram": [0, 36], "auto_toplevel": [0, 36], "form_submit": [0, 36], "keyword": [0, 36], "keyword_gener": [0, 36], "manual_subfram": [0, 36], "navigationentri": [0, 36], "user_typed_url": [0, 36], "transition_typ": [0, 36], "histori": [36, 55], "screencastframemetadata": [0, 36], "offset_top": [0, 36], "device_width": [0, 36], "device_height": [0, 36], "screencast": 36, "swap": 36, "alert": [0, 36, 53], "beforeunload": [0, 36, 47], "confirm": [0, 36], "appmanifesterror": [0, 36], "pare": 36, "critici": 36, "recover": 36, "appmanifestparsedproperti": [0, 36], "layoutviewport": [0, 36], "page_x": [0, 36], "page_i": [0, 36], "client_width": [0, 36], "client_height": [0, 36], "visualviewport": [0, 36, 55], "ideal": 36, "fontfamili": [0, 36], "serif": [0, 36], "sans_serif": [0, 36], "cursiv": [0, 36], "fantasi": [0, 36], "math": [0, 36], "sansserif": 36, "scriptfontfamili": [0, 36], "fontsiz": [0, 36], "clientnavigationreason": [0, 36], "anchor_click": [0, 36], "anchorclick": 36, "form_submission_get": [0, 36], "formsubmissionget": 36, "form_submission_post": [0, 36], "formsubmissionpost": 36, "http_header_refresh": [0, 36], "httpheaderrefresh": 36, "meta_tag_refresh": [0, 36], "metatagrefresh": 36, "page_block_interstiti": [0, 36], "pageblockinterstiti": 36, "script_initi": [0, 36], "scriptiniti": 36, "clientnavigationdisposit": [0, 36], "current_tab": [0, 36], "currenttab": 36, "new_tab": [0, 36, 52, 55, 56, 57], "newtab": 36, "new_window": [0, 36, 47, 52, 55, 56, 57], "newwindow": 36, "installabilityerrorargu": [0, 36], "icon": 36, "64": [36, 51], "installabilityerror": [0, 36], "error_id": [0, 36], "error_argu": [0, 36], "suitabl": [36, 55], "referrerpolici": [0, 36], "no_referr": [0, 36], "noreferr": 36, "no_referrer_when_downgrad": [0, 36], "noreferrerwhendowngrad": 36, "origin_when_cross_origin": [0, 36], "originwhencrossorigin": 36, "strict_origin": [0, 36], "strictorigin": 36, "strict_origin_when_cross_origin": [0, 36], "strictoriginwhencrossorigin": 36, "unsafe_url": [0, 36], "unsafeurl": 36, "compilationcacheparam": [0, 36], "eager": [0, 36], "compil": [36, 41], "producecompilationcach": 36, "recommend": [0, 36, 43, 51, 56], "autoresponsemod": [0, 36], "repons": 36, "permisison": 36, "auto_accept": [0, 36], "autoaccept": 36, "auto_opt_out": [0, 36], "autooptout": 36, "auto_reject": [0, 36], "autoreject": 36, "navigationtyp": [0, 36], "framenavig": [0, 36], "back_forward_cache_restor": [0, 36], "backforwardcacherestor": 36, "backforwardcachenotrestoredreason": [0, 36], "activation_navigations_disallowed_for_bug1234857": [0, 36], "activationnavigationsdisallowedforbug1234857": 36, "app_bann": [0, 36], "appbann": 36, "back_forward_cache_dis": [0, 36], "backforwardcachedis": 36, "back_forward_cache_disabled_by_command_lin": [0, 36], "backforwardcachedisabledbycommandlin": 36, "back_forward_cache_disabled_by_low_memori": [0, 36], "backforwardcachedisabledbylowmemori": 36, "back_forward_cache_disabled_for_deleg": [0, 36], "backforwardcachedisabledfordeleg": 36, "back_forward_cache_disabled_for_prerend": [0, 36], "backforwardcachedisabledforprerend": 36, "broadcast_channel": [0, 36], "broadcastchannel": 36, "browsing_instance_not_swap": [0, 36], "browsinginstancenotswap": 36, "cache_control_no_stor": [0, 36], "cachecontrolnostor": 36, "cache_control_no_store_cookie_modifi": [0, 36], "cachecontrolnostorecookiemodifi": 36, "cache_control_no_store_http_only_cookie_modifi": [0, 36], "cachecontrolnostorehttponlycookiemodifi": 36, "cache_flush": [0, 36], "cacheflush": 36, "cache_limit": [0, 36], "cachelimit": 36, "conflicting_browsing_inst": [0, 36], "conflictingbrowsinginst": 36, "contains_plugin": [0, 36], "containsplugin": 36, "content_file_choos": [0, 36], "contentfilechoos": 36, "content_file_system_access": [0, 36], "contentfilesystemaccess": 36, "content_media_devices_dispatcher_host": [0, 36], "contentmediadevicesdispatcherhost": 36, "content_media_session_servic": [0, 36], "contentmediasessionservic": 36, "content_screen_read": [0, 36], "contentscreenread": 36, "content_security_handl": [0, 36], "contentsecurityhandl": 36, "content_seri": [0, 36], "contentseri": 36, "content_web_authentication_api": [0, 36], "contentwebauthenticationapi": 36, "content_web_bluetooth": [0, 36], "contentwebbluetooth": 36, "content_web_usb": [0, 36], "contentwebusb": 36, "cookie_dis": [0, 36], "cookiedis": 36, "cookie_flush": [0, 36], "cookieflush": 36, "dedicated_worker_or_worklet": [0, 36], "dedicatedworkerorworklet": 36, "disable_for_render_frame_host_cal": [0, 36], "disableforrenderframehostcal": 36, "document_load": [0, 36], "documentload": 36, "domain_not_allow": [0, 36], "domainnotallow": 36, "dummi": [0, 36], "embedder_app_banner_manag": [0, 36], "embedderappbannermanag": 36, "embedder_chrome_password_manager_client_bind_credential_manag": [0, 36], "embedderchromepasswordmanagerclientbindcredentialmanag": 36, "embedder_dom_distiller_self_deleting_request_deleg": [0, 36], "embedderdomdistillerselfdeletingrequestdeleg": 36, "embedder_dom_distiller_viewer_sourc": [0, 36], "embedderdomdistillerviewersourc": 36, "embedder_extens": [0, 36], "embedderextens": 36, "embedder_extension_messag": [0, 36], "embedderextensionmessag": 36, "embedder_extension_messaging_for_open_port": [0, 36], "embedderextensionmessagingforopenport": 36, "embedder_extension_sent_message_to_cached_fram": [0, 36], "embedderextensionsentmessagetocachedfram": 36, "embedder_modal_dialog": [0, 36], "embeddermodaldialog": 36, "embedder_offline_pag": [0, 36], "embedderofflinepag": 36, "embedder_oom_intervention_tab_help": [0, 36], "embedderoominterventiontabhelp": 36, "embedder_permission_request_manag": [0, 36], "embedderpermissionrequestmanag": 36, "embedder_popup_blocker_tab_help": [0, 36], "embedderpopupblockertabhelp": 36, "embedder_safe_browsing_threat_detail": [0, 36], "embeddersafebrowsingthreatdetail": 36, "embedder_safe_browsing_triggered_popup_block": [0, 36], "embeddersafebrowsingtriggeredpopupblock": 36, "entered_back_forward_cache_before_service_worker_host_ad": [0, 36], "enteredbackforwardcachebeforeserviceworkerhostad": 36, "error_docu": [0, 36], "errordocu": 36, "fenced_frames_embedd": [0, 36], "fencedframesembedd": 36, "foreground_cache_limit": [0, 36], "foregroundcachelimit": 36, "have_inner_cont": [0, 36], "haveinnercont": 36, "http_auth_requir": [0, 36], "httpauthrequir": 36, "http_method_not_get": [0, 36], "httpmethodnotget": 36, "http_status_not_ok": [0, 36], "httpstatusnotok": 36, "idle_manag": [0, 36], "idlemanag": 36, "ignore_event_and_evict": [0, 36], "ignoreeventandevict": 36, "indexed_db_ev": [0, 36], "indexeddbev": 36, "injected_javascript": [0, 36], "injectedjavascript": 36, "injected_style_sheet": [0, 36], "injectedstylesheet": 36, "java_script_execut": [0, 36], "javascriptexecut": 36, "js_network_request_received_cache_control_no_store_resourc": [0, 36], "jsnetworkrequestreceivedcachecontrolnostoreresourc": 36, "keepalive_request": [0, 36], "keepaliverequest": 36, "keyboard_lock": [0, 36], "keyboardlock": 36, "live_media_stream_track": [0, 36], "livemediastreamtrack": 36, "main_resource_has_cache_control_no_cach": [0, 36], "mainresourcehascachecontrolnocach": 36, "main_resource_has_cache_control_no_stor": [0, 36], "mainresourcehascachecontrolnostor": 36, "navigation_cancelled_while_restor": [0, 36], "navigationcancelledwhilerestor": 36, "network_exceeds_buffer_limit": [0, 36], "networkexceedsbufferlimit": 36, "network_request_datapipe_drained_as_bytes_consum": [0, 36], "networkrequestdatapipedrainedasbytesconsum": 36, "network_request_redirect": [0, 36], "networkrequestredirect": 36, "network_request_timeout": [0, 36], "networkrequesttimeout": 36, "not_most_recent_navigation_entri": [0, 36], "notmostrecentnavigationentri": 36, "not_primary_main_fram": [0, 36], "notprimarymainfram": 36, "no_response_head": [0, 36], "noresponsehead": 36, "outstanding_network_request_direct_socket": [0, 36], "outstandingnetworkrequestdirectsocket": 36, "outstanding_network_request_fetch": [0, 36], "outstandingnetworkrequestfetch": 36, "outstanding_network_request_oth": [0, 36], "outstandingnetworkrequestoth": 36, "outstanding_network_request_xhr": [0, 36], "outstandingnetworkrequestxhr": 36, "payment_manag": [0, 36], "paymentmanag": 36, "pictureinpictur": 36, "portal": [0, 36, 47], "related_active_contents_exist": [0, 36], "relatedactivecontentsexist": 36, "renderer_process_crash": [0, 36, 39], "rendererprocesscrash": [36, 39], "renderer_process_kil": [0, 36, 39], "rendererprocesskil": [36, 39], "render_frame_host_reused_cross_sit": [0, 36], "renderframehostreused_crosssit": 36, "render_frame_host_reused_same_sit": [0, 36], "renderframehostreused_samesit": 36, "requested_audio_capture_permiss": [0, 36], "requestedaudiocapturepermiss": 36, "requested_background_work_permiss": [0, 36], "requestedbackgroundworkpermiss": 36, "requested_back_forward_cache_blocked_sensor": [0, 36], "requestedbackforwardcacheblockedsensor": 36, "requested_midi_permiss": [0, 36], "requestedmidipermiss": 36, "requested_storage_access_gr": [0, 36], "requestedstorageaccessgr": 36, "requested_video_capture_permiss": [0, 36], "requestedvideocapturepermiss": 36, "scheduler_tracked_feature_us": [0, 36], "schedulertrackedfeatureus": 36, "scheme_not_http_or_http": [0, 36], "schemenothttporhttp": 36, "service_worker_claim": [0, 36], "serviceworkerclaim": 36, "service_worker_post_messag": [0, 36], "serviceworkerpostmessag": 36, "service_worker_unregistr": [0, 36], "serviceworkerunregistr": 36, "service_worker_version_activ": [0, 36], "serviceworkerversionactiv": 36, "session_restor": [0, 36], "sessionrestor": 36, "smartcard": 36, "speech_recogn": [0, 36], "speechrecogn": 36, "speech_synthesi": [0, 36], "speechsynthesi": 36, "subframe_is_navig": [0, 36], "subframeisnavig": 36, "subresource_has_cache_control_no_cach": [0, 36], "subresourcehascachecontrolnocach": 36, "subresource_has_cache_control_no_stor": [0, 36], "subresourcehascachecontrolnostor": 36, "timeout_putting_in_cach": [0, 36], "timeoutputtingincach": 36, "unload_handl": [0, 36], "unloadhandl": 36, "unload_handler_exists_in_main_fram": [0, 36], "unloadhandlerexistsinmainfram": 36, "unload_handler_exists_in_sub_fram": [0, 36], "unloadhandlerexistsinsubfram": 36, "user_agent_override_diff": [0, 36], "useragentoverridediff": 36, "was_granted_media_access": [0, 36], "wasgrantedmediaaccess": 36, "web_databas": [0, 36], "webdatabas": 36, "web_hid": [0, 36], "webhid": 36, "web_lock": [0, 36], "weblock": 36, "web_nfc": [0, 36], "webnfc": 36, "web_otp_servic": [0, 36], "webotpservic": 36, "web_rtc": [0, 36], "webrtc": 36, "web_rtc_sticki": [0, 36], "webrtcsticki": 36, "webshar": 36, "web_socket_sticki": [0, 36], "websocketsticki": 36, "web_transport": [0, 36], "web_transport_sticki": [0, 36], "webtransportsticki": 36, "web_xr": [0, 36], "webxr": 36, "backforwardcachenotrestoredreasontyp": [0, 36], "circumstanti": [0, 36], "page_support_need": [0, 36], "pagesupportneed": 36, "support_pend": [0, 36], "supportpend": 36, "backforwardcacheblockingdetail": [0, 36], "blockag": 36, "anonym": [36, 41], "backforwardcachenotrestoredexplan": [0, 36], "backforwardcachenotrestoredexplanationtre": [0, 36], "add_compilation_cach": [0, 36], "seed": 36, "add_script_to_evaluate_on_load": [0, 36], "addscripttoevaluateonnewdocu": [36, 41], "add_script_to_evaluate_on_new_docu": [0, 36], "world_nam": 36, "run_immedi": 36, "world": [36, 41], "executioncontextdescript": [0, 36, 41], "bring_to_front": [0, 36, 55, 56, 57], "bring": 36, "capture_screenshot": [0, 36], "from_surfac": 36, "capture_beyond_viewport": 36, "beyond": [36, 40], "mhtml": 36, "clear_compilation_cach": [0, 36], "tri": [36, 41], "hook": [36, 47], "minidump": 36, "create_isolated_world": [0, 36], "grant_univeral_access": 36, "univers": 36, "power": [36, 55], "caution": 36, "cookie_nam": 36, "cook": 36, "generate_test_report": [0, 36], "get_ad_script_id": [0, 36], "get_app_id": [0, 36], "webappenablemanifestid": 36, "appid": 36, "start_url": 36, "recommendedid": 36, "get_app_manifest": [0, 36], "get_frame_tre": [0, 36], "get_installability_error": [0, 36], "get_layout_metr": [0, 36], "csslayoutviewport": 36, "cssvisualviewport": 36, "contents": 36, "scrollabl": 36, "dp": 36, "csscontents": 36, "get_manifest_icon": [0, 36], "fact": 36, "get_navigation_histori": [0, 36], "currentindex": 36, "get_origin_tri": [0, 36], "get_permissions_policy_st": [0, 36], "get_resource_cont": [0, 36], "get_resource_tre": [0, 36], "handle_java_script_dialog": [0, 36], "prompt_text": 36, "onbeforeunload": 36, "intend": [36, 41], "errortext": 36, "navigate_to_history_entri": [0, 36], "entry_id": 36, "print_to_pdf": [0, 36], "landscap": 36, "display_header_foot": 36, "print_background": 36, "paper_width": 36, "paper_height": 36, "margin_top": 36, "margin_bottom": 36, "margin_left": 36, "margin_right": 36, "page_rang": 36, "header_templ": 36, "footer_templ": 36, "prefer_css_page_s": 36, "transfer_mod": [36, 49], "generate_tagged_pdf": 36, "generate_document_outlin": 36, "pdf": 36, "paper": 36, "footer": 36, "graphic": [36, 46], "inch": 36, "5": [36, 53], "11": [36, 56, 57], "1cm": 36, "13": 36, "quietli": 36, "cap": 36, "greater": 36, "pagenumb": 36, "totalpag": 36, "span": [36, 55], "headertempl": 36, "fit": [36, 41], "choic": [36, 56, 57], "emb": 36, "returnasstream": [36, 49], "produce_compilation_cach": [0, 36], "appened": 36, "compilationcacheproduc": [0, 36], "ignore_cach": [36, 55], "script_to_evaluate_on_load": [36, 55], "refresh": 36, "dataurl": 36, "remove_script_to_evaluate_on_load": [0, 36], "removescripttoevaluateonnewdocu": 36, "remove_script_to_evaluate_on_new_docu": [0, 36], "reset_navigation_histori": [0, 36], "screencast_frame_ack": [0, 36], "session_id": [0, 36, 47], "acknowledg": 36, "search_in_resourc": [0, 36], "set_ad_blocking_en": [0, 36], "set_bypass_csp": [0, 36], "set_document_cont": [0, 36], "set_font_famili": [0, 36], "for_script": 36, "won": [36, 55, 56], "set_font_s": [0, 36], "set_intercept_file_chooser_dialog": [0, 36], "chooser": 36, "filechooseropen": [0, 36], "set_lifecycle_events_en": [0, 36], "lifecycl": 36, "set_prerendering_allow": [0, 36], "is_allow": 36, "prerend": [0, 36, 39, 47], "short": [36, 43, 53, 56, 57], "1440085": 36, "doc": 36, "d": [36, 54, 55], "12hvmfxyj5jc": 36, "ejr5omwsa2bqtjsbgglki6ziyx0_wpa": 36, "todo": [36, 39, 56], "puppet": 36, "set_rph_registration_mod": [0, 36], "whatwg": 36, "multipag": 36, "rph": 36, "set_spc_transaction_mod": [0, 36], "transact": 36, "sctn": [36, 51], "spc": 36, "set_web_lifecycle_st": [0, 36], "start_screencast": [0, 36], "max_width": 36, "max_height": 36, "every_nth_fram": 36, "screencastfram": [0, 36], "n": [36, 53], "th": 36, "stop_load": [0, 36], "stop_screencast": [0, 36], "wait_for_debugg": [0, 36], "runifwaitingfordebugg": [36, 47], "domcontenteventfir": [0, 36], "interceptfilechoos": 36, "frameattach": [0, 36], "parent_frame_id": [0, 36], "frameclearedschedulednavig": [0, 36], "framedetach": [0, 36], "documentopen": [0, 36], "frameres": [0, 36], "framerequestednavig": [0, 36], "disposit": [0, 36], "frameschedulednavig": [0, 36], "framestartedload": [0, 36], "framestoppedload": [0, 36], "interstitialhidden": [0, 36], "interstiti": 36, "interstitialshown": [0, 36], "javascriptdialogclos": [0, 36], "user_input": [0, 36], "javascriptdialogopen": [0, 36], "has_browser_handl": [0, 36], "default_prompt": [0, 36], "iff": [36, 39, 41, 49], "act": [36, 55], "engag": 36, "stall": 36, "handlejavascriptdialog": 36, "lifecycleev": [0, 36], "backforwardcachenotus": [0, 36], "not_restored_explan": [0, 36], "not_restored_explanations_tre": [0, 36], "bfcach": 36, "backforwardcach": 36, "navgat": 36, "loadeventfir": [0, 36], "navigatedwithindocu": [0, 36], "startscreencast": 36, "screencastvisibilitychang": [0, 36], "windowopen": [0, 36], "window_nam": [0, 36], "window_featur": [0, 36], "user_gestur": [0, 36, 41], "setgeneratecompilationcach": 36, "time_domain": 37, "get_metr": [0, 37], "set_time_domain": [0, 37], "performanceobserv": 38, "largestcontentfulpaint": [0, 38], "render_tim": [0, 38], "load_tim": [0, 38], "element_id": [0, 38], "largest_contentful_paint": 38, "trim": 38, "layoutshiftattribut": [0, 38], "previous_rect": [0, 38], "current_rect": [0, 38], "layoutshift": [0, 38], "had_recent_input": [0, 38], "last_input_tim": [0, 38], "instabl": 38, "layout_shift": 38, "score": 38, "timelineev": [0, 38], "lcp_detail": [0, 38], "layout_shift_detail": [0, 38], "lifetim": [38, 50], "performanceentri": 38, "entrytyp": 38, "fiedl": 38, "event_typ": [0, 38, 45], "timelineeventad": [0, 38], "reportperformancetimelin": 38, "rulesetid": [0, 39], "ruleset": [0, 39], "source_text": [0, 39], "speculationruleset": 39, "ruleseterrortyp": [0, 39], "specul": 39, "nav": 39, "1425354": 39, "textcont": 39, "invalid_rules_skip": [0, 39], "invalidrulesskip": 39, "source_is_not_json_object": [0, 39], "sourceisnotjsonobject": 39, "speculationact": [0, 39], "prefetchwithsubresourc": 39, "speculationtargethint": [0, 39], "blank": [0, 39, 47], "preloadingattemptkei": [0, 39], "target_hint": [0, 39], "preloadingattemptsourc": [0, 39], "rule_set_id": [0, 39], "href": [39, 55], "mulitpl": 39, "prerenderfinalstatu": [0, 39], "finalstatu": 39, "prerender2": 39, "activated_before_start": [0, 39], "activatedbeforestart": 39, "activated_during_main_frame_navig": [0, 39], "activatedduringmainframenavig": 39, "activated_in_background": [0, 39], "activatedinbackground": 39, "activated_with_auxiliary_browsing_context": [0, 39], "activatedwithauxiliarybrowsingcontext": 39, "activation_frame_policy_not_compat": [0, 39], "activationframepolicynotcompat": 39, "activation_navigation_destroyed_before_success": [0, 39], "activationnavigationdestroyedbeforesuccess": 39, "activation_navigation_parameter_mismatch": [0, 39], "activationnavigationparametermismatch": 39, "activation_url_has_effective_url": [0, 39], "activationurlhaseffectiveurl": 39, "audio_output_device_request": [0, 39], "audiooutputdevicerequest": 39, "battery_saver_en": [0, 39], "batterysaveren": 39, "cancel_all_hosts_for_test": [0, 39], "cancelallhostsfortest": 39, "client_cert_request": [0, 39], "clientcertrequest": 39, "cross_site_navigation_in_initial_navig": [0, 39], "crosssitenavigationininitialnavig": 39, "cross_site_navigation_in_main_frame_navig": [0, 39], "crosssitenavigationinmainframenavig": 39, "cross_site_redirect_in_initial_navig": [0, 39], "crosssiteredirectininitialnavig": 39, "cross_site_redirect_in_main_frame_navig": [0, 39], "crosssiteredirectinmainframenavig": 39, "data_saver_en": [0, 39], "datasaveren": 39, "destroi": [0, 39, 41, 47, 50], "did_fail_load": [0, 39], "didfailload": 39, "embedder_host_disallow": [0, 39], "embedderhostdisallow": 39, "inactive_page_restrict": [0, 39], "inactivepagerestrict": 39, "invalid_scheme_navig": [0, 39], "invalidschemenavig": 39, "invalid_scheme_redirect": [0, 39], "invalidschemeredirect": 39, "login_auth_request": [0, 39], "loginauthrequest": 39, "low_end_devic": [0, 39], "lowenddevic": 39, "main_frame_navig": [0, 39], "mainframenavig": 39, "max_num_of_running_eager_prerenders_exceed": [0, 39], "maxnumofrunningeagerprerendersexceed": 39, "max_num_of_running_embedder_prerenders_exceed": [0, 39], "maxnumofrunningembedderprerendersexceed": 39, "max_num_of_running_non_eager_prerenders_exceed": [0, 39], "maxnumofrunningnoneagerprerendersexceed": 39, "memory_limit_exceed": [0, 39], "memorylimitexceed": 39, "memory_pressure_after_trigg": [0, 39], "memorypressureaftertrigg": 39, "memory_pressure_on_trigg": [0, 39], "memorypressureontrigg": 39, "mixedcont": 39, "mojo_binder_polici": [0, 39], "mojobinderpolici": 39, "navigation_bad_http_statu": [0, 39], "navigationbadhttpstatu": 39, "navigation_not_commit": [0, 39], "navigationnotcommit": 39, "navigation_request_blocked_by_csp": [0, 39], "navigationrequestblockedbycsp": 39, "navigation_request_network_error": [0, 39], "navigationrequestnetworkerror": 39, "preloading_dis": [0, 39], "preloadingdis": 39, "preloading_unsupported_by_web_cont": [0, 39], "preloadingunsupportedbywebcont": 39, "prerendering_disabled_by_dev_tool": [0, 39], "prerenderingdisabledbydevtool": 39, "prerendering_url_has_effective_url": [0, 39], "prerenderingurlhaseffectiveurl": 39, "primary_main_frame_renderer_process_crash": [0, 39], "primarymainframerendererprocesscrash": 39, "primary_main_frame_renderer_process_kil": [0, 39], "primarymainframerendererprocesskil": 39, "redirected_prerendering_url_has_effective_url": [0, 39], "redirectedprerenderingurlhaseffectiveurl": 39, "same_site_cross_origin_navigation_not_opt_in_in_initial_navig": [0, 39], "samesitecrossoriginnavigationnotoptinininitialnavig": 39, "same_site_cross_origin_navigation_not_opt_in_in_main_frame_navig": [0, 39], "samesitecrossoriginnavigationnotoptininmainframenavig": 39, "same_site_cross_origin_redirect_not_opt_in_in_initial_navig": [0, 39], "samesitecrossoriginredirectnotoptinininitialnavig": 39, "same_site_cross_origin_redirect_not_opt_in_in_main_frame_navig": [0, 39], "samesitecrossoriginredirectnotoptininmainframenavig": 39, "speculation_rule_remov": [0, 39], "speculationruleremov": 39, "ssl_certificate_error": [0, 39], "sslcertificateerror": 39, "start_fail": [0, 39], "startfail": 39, "tab_closed_by_user_gestur": [0, 39], "tabclosedbyusergestur": 39, "tab_closed_without_user_gestur": [0, 39], "tabclosedwithoutusergestur": 39, "timeout_background": [0, 39], "timeoutbackground": 39, "trigger_background": [0, 39], "triggerbackground": 39, "trigger_destroi": [0, 39], "triggerdestroi": 39, "trigger_url_has_effective_url": [0, 39], "triggerurlhaseffectiveurl": 39, "ua_change_requires_reload": [0, 39], "uachangerequiresreload": 39, "preloadingstatu": [0, 39], "preloadingtriggeringoutcom": 39, "prefetchstatusupd": [0, 39], "prerenderstatusupd": [0, 39], "readi": [0, 39], "prefetchstatu": [0, 39], "1384419": 39, "revisit": 39, "aren": 39, "prefetch_allow": [0, 39], "prefetchallow": 39, "prefetch_evicted_after_candidate_remov": [0, 39], "prefetchevictedaftercandidateremov": 39, "prefetch_evicted_for_newer_prefetch": [0, 39], "prefetchevictedfornewerprefetch": 39, "prefetch_failed_ineligible_redirect": [0, 39], "prefetchfailedineligibleredirect": 39, "prefetch_failed_invalid_redirect": [0, 39], "prefetchfailedinvalidredirect": 39, "prefetch_failed_mime_not_support": [0, 39], "prefetchfailedmimenotsupport": 39, "prefetch_failed_net_error": [0, 39], "prefetchfailedneterror": 39, "prefetch_failed_non2_xx": [0, 39], "prefetchfailednon2xx": 39, "prefetch_failed_per_page_limit_exceed": [0, 39], "prefetchfailedperpagelimitexceed": 39, "prefetch_heldback": [0, 39], "prefetchheldback": 39, "prefetch_ineligible_retry_aft": [0, 39], "prefetchineligibleretryaft": 39, "prefetch_is_privacy_decoi": [0, 39], "prefetchisprivacydecoi": 39, "prefetch_is_stal": [0, 39], "prefetchisstal": 39, "prefetch_not_eligible_battery_saver_en": [0, 39], "prefetchnoteligiblebatterysaveren": 39, "prefetch_not_eligible_browser_context_off_the_record": [0, 39], "prefetchnoteligiblebrowsercontextofftherecord": 39, "prefetch_not_eligible_data_saver_en": [0, 39], "prefetchnoteligibledatasaveren": 39, "prefetch_not_eligible_existing_proxi": [0, 39], "prefetchnoteligibleexistingproxi": 39, "prefetch_not_eligible_host_is_non_uniqu": [0, 39], "prefetchnoteligiblehostisnonuniqu": 39, "prefetch_not_eligible_non_default_storage_partit": [0, 39], "prefetchnoteligiblenondefaultstoragepartit": 39, "prefetch_not_eligible_preloading_dis": [0, 39], "prefetchnoteligiblepreloadingdis": 39, "prefetch_not_eligible_same_site_cross_origin_prefetch_required_proxi": [0, 39], "prefetchnoteligiblesamesitecrossoriginprefetchrequiredproxi": 39, "prefetch_not_eligible_scheme_is_not_http": [0, 39], "prefetchnoteligibleschemeisnothttp": 39, "prefetch_not_eligible_user_has_cooki": [0, 39], "prefetchnoteligibleuserhascooki": 39, "prefetch_not_eligible_user_has_service_work": [0, 39], "prefetchnoteligibleuserhasservicework": 39, "prefetch_not_finished_in_tim": [0, 39], "prefetchnotfinishedintim": 39, "prefetch_not_start": [0, 39], "prefetchnotstart": 39, "prefetch_not_used_cookies_chang": [0, 39], "prefetchnotusedcookieschang": 39, "prefetch_not_used_probe_fail": [0, 39], "prefetchnotusedprobefail": 39, "prefetch_proxy_not_avail": [0, 39], "prefetchproxynotavail": 39, "prefetch_response_us": [0, 39], "prefetchresponseus": 39, "prefetch_successful_but_not_us": [0, 39], "prefetchsuccessfulbutnotus": 39, "prerendermismatchedhead": [0, 39], "header_nam": [0, 39], "activation_valu": [0, 39], "mismatch": 39, "rulesetupd": [0, 39], "rule_set": [0, 39], "upsert": 39, "rulesetremov": [0, 39], "preloadenabledstateupd": [0, 39], "disabled_by_prefer": [0, 39], "disabled_by_data_sav": [0, 39], "disabled_by_battery_sav": [0, 39], "disabled_by_holdback_prefetch_speculation_rul": [0, 39], "disabled_by_holdback_prerender_speculation_rul": [0, 39], "initiating_frame_id": [0, 39], "prefetch_url": [0, 39], "prefetch_statu": [0, 39], "prerender_statu": [0, 39], "disallowed_mojo_interfac": [0, 39], "mismatched_head": [0, 39], "give": 39, "mojo": 39, "incompat": 39, "preloadingattemptsourcesupd": [0, 39], "preloading_attempt_sourc": [0, 39], "profilenod": [0, 40], "hit_count": [0, 40], "deopt_reason": [0, 40], "position_tick": [0, 40], "positiontickinfo": [0, 40], "deoptim": 40, "end_tim": [0, 40], "time_delta": [0, 40], "microsecond": 40, "adjac": 40, "starttim": 40, "certain": [40, 55], "coveragerang": [0, 40], "functioncoverag": [0, 40], "is_block_coverag": [0, 40], "granular": 40, "insid": [40, 45], "scriptcoverag": [0, 40], "get_best_effort_coverag": [0, 40], "incomplet": 40, "garbag": [40, 49], "set_sampling_interv": [0, 40], "start_precise_coverag": [0, 40], "call_count": 40, "allow_triggered_upd": 40, "precis": 40, "stop_precise_coverag": [0, 40], "unnecessari": 40, "take_precise_coverag": [0, 40], "consoleprofilefinish": [0, 40], "profileend": 40, "consoleprofilestart": [0, 40], "precisecoveragedeltaupd": [0, 40], "occas": [0, 40], "takeprecisecoverag": 40, "trig": 40, "maintain": [41, 45], "serializationopt": [0, 41], "additional_paramet": [0, 41], "generatepreview": 41, "returnbyvalu": 41, "maxnodedepth": 41, "includeshadowtre": 41, "deepserializedvalu": [0, 41], "weak_local_object_refer": [0, 41], "met": 41, "unserializablevalu": [0, 41], "primit": 41, "stringifi": [41, 53], "nan": 41, "infin": 41, "bigint": 41, "liter": 41, "class_nam": [0, 41], "unserializable_valu": [0, 41], "deep_serialized_valu": [0, 41], "custom_preview": [0, 41], "objectpreview": [0, 41], "custompreview": [0, 41], "constructor": 41, "sure": [41, 52, 53], "propertypreview": [0, 41], "body_getter_id": [0, 41], "formatt": 41, "hasbodi": 41, "bodygetterid": 41, "ml": 41, "overflow": [0, 41], "entrypreview": [0, 41], "did": [41, 43], "value_preview": [0, 41], "accessor": 41, "propertydescriptor": [0, 41], "writabl": [0, 41], "set_": [0, 41], "was_thrown": [0, 41], "is_own": [0, 41], "getter": 41, "setter": 41, "internalpropertydescriptor": [0, 41], "convent": 41, "privatepropertydescriptor": [0, 41], "unserializ": 41, "unique_id": [0, 41], "aux_data": [0, 41], "exception_id": [0, 41], "exception_meta_data": [0, 41], "dictionari": [41, 46, 54], "assert": [41, 51], "preced": 41, "debuggerid": 41, "add_bind": [0, 41], "execution_context_nam": 41, "bind": [0, 41, 47, 48], "bindingcal": [0, 41], "executioncontextnam": 41, "unclear": 41, "bug": [41, 46], "1169639": 41, "executioncontext": 41, "worldnam": 41, "await_promis": [0, 41, 55], "promise_object_id": 41, "strace": 41, "call_function_on": [0, 41], "function_declar": 41, "unique_context_id": 41, "serialization_opt": 41, "await": [41, 52, 53, 56, 57], "objectgroup": 41, "contextid": 41, "accident": 41, "compile_script": [0, 41], "persist_script": 41, "discard_console_entri": [0, 41], "executioncontextcr": [0, 41], "context_id": [0, 41, 50], "disable_break": 41, "repl_mod": 41, "allow_unsafe_eval_blocked_by_csp": 41, "uniquecontextid": 41, "offer": 41, "disablebreak": 41, "replmod": 41, "themselv": 41, "eval": 41, "settimeout": 41, "setinterv": 41, "callabl": [41, 55], "get_exception_detail": [0, 41], "error_object_id": 41, "lookup": [0, 41, 57], "portion": 41, "get_heap_usag": [0, 41], "useds": 41, "totals": 41, "get_isolate_id": [0, 41], "get_properti": [0, 41], "own_properti": 41, "accessor_properties_onli": 41, "non_indexed_properties_onli": 41, "internalproperti": 41, "privateproperti": 41, "global_lexical_scope_nam": [0, 41], "const": 41, "query_object": [0, 41], "prototype_object_id": 41, "release_object": [0, 41], "release_object_group": [0, 41], "remove_bind": [0, 41], "unsubscrib": 41, "run_if_waiting_for_debugg": [0, 41], "run_script": [0, 41], "set_custom_object_formatter_en": [0, 41], "set_max_call_stack_size_to_captur": [0, 41], "terminate_execut": [0, 41], "consoleapical": [0, 41], "logger": 41, "unnam": 41, "getstacktrac": 41, "parentid": 41, "exceptionrevok": [0, 41], "unhandl": 41, "revok": 41, "exceptionthrown": [0, 41], "exception_detail": [0, 41], "executioncontextdestroi": [0, 41], "execution_context_unique_id": [0, 41], "executioncontextsclear": [0, 41], "inspectrequest": [0, 41], "get_domain": [0, 42], "blockabl": [0, 43], "optionally_block": [0, 43], "insecure_broken": [0, 43], "neutral": [0, 43], "certificatesecurityst": [0, 43], "certificate_has_weak_signatur": [0, 43], "certificate_has_sha1_signatur": [0, 43], "modern_ssl": [0, 43], "obsolete_ssl_protocol": [0, 43], "obsolete_ssl_key_exchang": [0, 43], "obsolete_ssl_ciph": [0, 43], "obsolete_ssl_signatur": [0, 43], "certificate_network_error": [0, 43], "sha1": 43, "weak": 43, "aglorithm": 43, "highest": 43, "modern": 43, "obsolet": 43, "safetytipstatu": [0, 43], "bad_reput": [0, 43], "badreput": 43, "lookalik": [0, 43, 55], "safetytipinfo": [0, 43], "safety_tip_statu": [0, 43], "safe_url": [0, 43], "safeti": 43, "tip": 43, "reput": 43, "visiblesecurityst": [0, 43], "security_state_issue_id": [0, 43], "certificate_security_st": [0, 43], "safety_tip_info": [0, 43], "securitystateexplan": [0, 43], "summari": [0, 43], "insecurecontentstatu": [0, 43], "ran_mixed_cont": [0, 43], "displayed_mixed_cont": [0, 43], "contained_mixed_form": [0, 43], "ran_content_with_cert_error": [0, 43], "displayed_content_with_cert_error": [0, 43], "ran_insecure_content_styl": [0, 43], "displayed_insecure_content_styl": [0, 43], "certificateerroract": [0, 43], "handle_certificate_error": [0, 43], "certificateerror": [0, 43], "set_ignore_certificate_error": [0, 43], "set_override_certificate_error": [0, 43], "answer": 43, "handlecertificateerror": 43, "visiblesecuritystatechang": [0, 43], "visible_security_st": [0, 43], "securitystatechang": [0, 43], "scheme_is_cryptograph": [0, 43], "insecure_content_statu": [0, 43], "cryptograph": 43, "serviceworkerregistr": [0, 44], "registration_id": [0, 44], "scope_url": [0, 44], "is_delet": [0, 44], "serviceworkerversionrunningstatu": [0, 44], "serviceworkerversionstatu": [0, 44], "redund": [0, 44], "serviceworkervers": [0, 44], "version_id": [0, 44], "script_url": [0, 44], "running_statu": [0, 44], "script_last_modifi": [0, 44], "script_response_tim": [0, 44], "controlled_cli": [0, 44], "router_rul": [0, 44], "serviceworkererrormessag": [0, 44], "deliver_push_messag": [0, 44], "dispatch_periodic_sync_ev": [0, 44], "dispatch_sync_ev": [0, 44], "last_chanc": 44, "inspect_work": [0, 44], "set_force_update_on_page_load": [0, 44], "force_update_on_page_load": 44, "skip_wait": [0, 44], "start_work": [0, 44], "stop_all_work": [0, 44], "stop_work": [0, 44], "unregist": [0, 44, 45], "update_registr": [0, 44], "workererrorreport": [0, 44], "workerregistrationupd": [0, 44], "workerversionupd": [0, 44], "storagetyp": [0, 45], "all_": [0, 45], "appcach": [0, 45], "file_system": [0, 45], "interest_group": [0, 45], "local_storag": [0, 45], "shader_cach": [0, 45], "websql": [0, 45], "usagefortyp": [0, 45], "storage_typ": [0, 45], "interestgroupaccesstyp": [0, 45], "additional_bid": [0, 45], "additionalbid": 45, "additional_bid_win": [0, 45], "additionalbidwin": 45, "bid": [0, 45], "win": [0, 45], "interestgroupad": [0, 45], "render_url": [0, 45], "advertis": 45, "interestgroupdetail": [0, 45], "owner_origin": [0, 45], "expiration_tim": [0, 45], "joining_origin": [0, 45], "trusted_bidding_signals_kei": [0, 45], "ad_compon": [0, 45], "bidding_logic_url": [0, 45], "bidding_wasm_helper_url": [0, 45], "update_url": [0, 45], "trusted_bidding_signals_url": [0, 45], "user_bidding_sign": [0, 45], "sharedstorageaccesstyp": [0, 45], "document_add_modul": [0, 45], "documentaddmodul": 45, "document_append": [0, 45], "documentappend": 45, "document_clear": [0, 45], "documentclear": 45, "document_delet": [0, 45], "documentdelet": 45, "document_run": [0, 45], "documentrun": 45, "document_select_url": [0, 45], "documentselecturl": 45, "document_set": [0, 45], "documentset": 45, "worklet_append": [0, 45], "workletappend": 45, "worklet_clear": [0, 45], "workletclear": 45, "worklet_delet": [0, 45], "workletdelet": 45, "worklet_entri": [0, 45], "workletentri": 45, "worklet_get": [0, 45], "workletget": 45, "worklet_kei": [0, 45], "workletkei": 45, "worklet_length": [0, 45], "workletlength": 45, "worklet_remaining_budget": [0, 45], "workletremainingbudget": 45, "worklet_set": [0, 45], "workletset": 45, "sharedstorageentri": [0, 45], "sharedstoragemetadata": [0, 45], "creation_tim": [0, 45], "remaining_budget": [0, 45], "sharedstoragereportingmetadata": [0, 45], "reporting_url": [0, 45], "selecturl": 45, "sharedstorageurlwithmetadata": [0, 45], "reporting_metadata": [0, 45], "sharedstorageaccessparam": [0, 45], "script_source_url": [0, 45], "operation_nam": [0, 45], "serialized_data": [0, 45], "urls_with_metadata": [0, 45], "ignore_if_pres": [0, 45], "absenc": 45, "vari": 45, "storagebucketsdur": [0, 45], "relax": [0, 45], "storagebucketinfo": [0, 45], "quota": [0, 45], "durabl": [0, 45], "attributionreportingsourcetyp": [0, 45], "unsignedint64asbase10": [0, 45], "unsignedint128asbase16": [0, 45], "signedint64asbase10": [0, 45], "attributionreportingfilterdataentri": [0, 45], "attributionreportingfilterconfig": [0, 45], "filter_valu": [0, 45], "lookback_window": [0, 45], "attributionreportingfilterpair": [0, 45], "not_filt": [0, 45], "attributionreportingaggregationkeysentri": [0, 45], "attributionreportingeventreportwindow": [0, 45], "attributionreportingtriggerspec": [0, 45], "trigger_data": [0, 45], "event_report_window": [0, 45], "uint32": 45, "attributionreportingtriggerdatamatch": [0, 45], "modulu": [0, 45], "attributionreportingsourceregistr": [0, 45], "trigger_spec": [0, 45], "aggregatable_report_window": [0, 45], "source_origin": [0, 45], "reporting_origin": [0, 45], "destination_sit": [0, 45], "filter_data": [0, 45], "aggregation_kei": [0, 45], "trigger_data_match": [0, 45], "debug_kei": [0, 45], "attributionreportingsourceregistrationresult": [0, 45], "destination_both_limits_reach": [0, 45], "destinationbothlimitsreach": 45, "destination_global_limit_reach": [0, 45], "destinationgloballimitreach": 45, "destination_reporting_limit_reach": [0, 45], "destinationreportinglimitreach": 45, "exceeds_max_channel_capac": [0, 45], "exceedsmaxchannelcapac": 45, "excessive_reporting_origin": [0, 45], "excessivereportingorigin": 45, "insufficient_source_capac": [0, 45], "insufficientsourcecapac": 45, "insufficient_unique_destination_capac": [0, 45], "insufficientuniquedestinationcapac": 45, "internal_error": [0, 45], "internalerror": 45, "prohibited_by_browser_polici": [0, 45], "prohibitedbybrowserpolici": 45, "reporting_origins_per_site_limit_reach": [0, 45], "reportingoriginspersitelimitreach": 45, "success_nois": [0, 45], "successnois": 45, "attributionreportingsourceregistrationtimeconfig": [0, 45], "attributionreportingaggregatablevalueentri": [0, 45], "attributionreportingeventtriggerdata": [0, 45], "dedup_kei": [0, 45], "attributionreportingaggregatabletriggerdata": [0, 45], "key_piec": [0, 45], "source_kei": [0, 45], "attributionreportingaggregatablededupkei": [0, 45], "attributionreportingtriggerregistr": [0, 45], "aggregatable_dedup_kei": [0, 45], "event_trigger_data": [0, 45], "aggregatable_trigger_data": [0, 45], "aggregatable_valu": [0, 45], "debug_report": [0, 45], "source_registration_time_config": [0, 45], "aggregation_coordinator_origin": [0, 45], "trigger_context_id": [0, 45], "attributionreportingeventlevelresult": [0, 45], "dedupl": [0, 45], "excessive_attribut": [0, 45], "excessiveattribut": 45, "excessive_report": [0, 45], "excessivereport": 45, "falsely_attributed_sourc": [0, 45], "falselyattributedsourc": 45, "never_attributed_sourc": [0, 45], "neverattributedsourc": 45, "not_regist": [0, 45], "notregist": 45, "no_capacity_for_attribution_destin": [0, 45], "nocapacityforattributiondestin": 45, "no_matching_configur": [0, 45], "nomatchingconfigur": 45, "no_matching_sourc": [0, 45], "nomatchingsourc": 45, "no_matching_source_filter_data": [0, 45], "nomatchingsourcefilterdata": 45, "no_matching_trigger_data": [0, 45], "nomatchingtriggerdata": 45, "priority_too_low": [0, 45], "prioritytoolow": 45, "report_window_not_start": [0, 45], "reportwindownotstart": 45, "report_window_pass": [0, 45], "reportwindowpass": 45, "success_dropped_lower_prior": [0, 45], "successdroppedlowerprior": 45, "attributionreportingaggregatableresult": [0, 45], "insufficient_budget": [0, 45], "insufficientbudget": 45, "no_histogram": [0, 45], "nohistogram": 45, "clear_cooki": [0, 45], "clear_data_for_origin": [0, 45], "clear_data_for_storage_kei": [0, 45], "clear_shared_storage_entri": [0, 45], "clear_trust_token": [0, 45], "issuerorigin": 45, "intact": 45, "delete_shared_storage_entri": [0, 45], "delete_storage_bucket": [0, 45], "get_interest_group_detail": [0, 45], "get_shared_storage_entri": [0, 45], "get_shared_storage_metadata": [0, 45], "get_storage_key_for_fram": [0, 45], "get_trust_token": [0, 45], "get_usage_and_quota": [0, 45], "overrideact": 45, "usagebreakdown": 45, "override_quota_for_origin": [0, 45], "quota_s": 45, "quotas": 45, "reset_shared_storage_budget": [0, 45], "ownerorigin": 45, "withdraw": 45, "run_bounce_tracking_mitig": [0, 45], "set_attribution_reporting_local_testing_mod": [0, 45], "nois": 45, "set_attribution_reporting_track": [0, 45], "set_interest_group_track": [0, 45], "interestgroupaccess": [0, 45], "set_shared_storage_entri": [0, 45], "ignoreifpres": 45, "set_shared_storage_track": [0, 45], "sharedstorageaccess": [0, 45], "set_storage_bucket_track": [0, 45], "track_cache_storage_for_origin": [0, 45], "notifi": [45, 47, 50], "track_cache_storage_for_storage_kei": [0, 45], "track_indexed_db_for_origin": [0, 45], "track_indexed_db_for_storage_kei": [0, 45], "untrack_cache_storage_for_origin": [0, 45], "untrack_cache_storage_for_storage_kei": [0, 45], "untrack_indexed_db_for_origin": [0, 45], "untrack_indexed_db_for_storage_kei": [0, 45], "cachestoragecontentupd": [0, 45], "bucket_id": [0, 45], "cachestoragelistupd": [0, 45], "indexeddbcontentupd": [0, 45], "indexeddblistupd": [0, 45], "access_tim": [0, 45], "main_frame_id": [0, 45], "param": [0, 45, 50, 55], "warap": 45, "storagebucketcreatedorupd": [0, 45], "bucket_info": [0, 45], "storagebucketdelet": [0, 45], "attributionreportingsourceregist": [0, 45], "attributionreportingtriggerregist": [0, 45], "event_level": [0, 45], "aggregat": [0, 45], "gpudevic": [0, 46], "vendor_id": [0, 46], "vendor_str": [0, 46], "device_str": [0, 46], "driver_vendor": [0, 46], "driver_vers": [0, 46], "sub_sys_id": [0, 46], "processor": 46, "pci": 46, "vendor": 46, "sy": 46, "videodecodeacceleratorcap": [0, 46], "max_resolut": [0, 46], "min_resolut": [0, 46], "decod": 46, "vp9": 46, "videoencodeacceleratorcap": [0, 46], "max_framerate_numer": [0, 46], "max_framerate_denomin": [0, 46], "framer": 46, "fraction": [46, 49], "denomin": 46, "24": 46, "24000": 46, "1001": 46, "h264": 46, "subsamplingformat": [0, 46], "yuv": 46, "subsampl": [0, 46], "yuv420": [0, 46], "yuv422": [0, 46], "yuv444": [0, 46], "imagetyp": [0, 46], "imagedecodeacceleratorcap": [0, 46], "max_dimens": [0, 46], "min_dimens": [0, 46], "gpuinfo": [0, 46], "driver_bug_workaround": [0, 46], "video_decod": [0, 46], "video_encod": [0, 46], "image_decod": [0, 46], "aux_attribut": [0, 46], "feature_statu": [0, 46], "workaround": 46, "processinfo": [0, 46], "cpu_tim": [0, 46], "cumul": 46, "get_feature_st": [0, 46], "feature_st": 46, "get_info": [0, 46], "modelnam": 46, "On": 46, "o": [46, 49], "macbookpro": 46, "modelvers": 46, "10": [46, 55, 56, 57], "launch": [46, 52], "get_process_info": [0, 46], "discoveri": 47, "sessionid": [0, 47], "targetinfo": [0, 47, 55], "can_access_open": [0, 47], "opener_id": [0, 47], "opener_frame_id": [0, 47], "filterentri": [0, 47], "mathc": 47, "targetfilt": [0, 47], "everyth": [0, 47, 57], "remoteloc": [0, 47], "activate_target": [0, 47], "attach_to_browser_target": [0, 47], "assign": [47, 56, 57], "attach_to_target": [0, 47], "plan": 47, "eventu": 47, "retir": 47, "991325": 47, "auto_attach_rel": [0, 47], "wait_for_debugger_on_start": 47, "filter_": 47, "monitor": 47, "attachedtotarget": [0, 47], "setautoattach": 47, "close_target": [0, 47], "create_browser_context": [0, 47], "dispose_on_detach": 47, "proxy_serv": 47, "proxy_bypass_list": 47, "origins_with_universal_network_access": 47, "incognito": 47, "unlimit": 47, "constitut": 47, "create_target": [0, 47], "enable_begin_frame_control": 47, "for_tab": 47, "maco": 47, "yet": 47, "foreground": 47, "detach_from_target": [0, 47], "dispose_browser_context": [0, 47], "expose_dev_tools_protocol": [0, 47], "binding_nam": 47, "channel": [47, 50], "bindingnam": 47, "follw": 47, "onmessag": 47, "handlemessag": 47, "callback": [47, 50, 55], "get_browser_context": [0, 47], "createbrowsercontext": 47, "get_target_info": [0, 47], "get_target": [0, 47], "send_message_to_target": [0, 47], "attachtotarget": 47, "set_auto_attach": [0, 47], "auto_attach": 47, "autoattachrel": 47, "watch": 47, "set_discover_target": [0, 47], "discov": 47, "targetcr": [0, 47], "targetinfochang": [0, 47], "targetdestroi": [0, 47], "set_remote_loc": [0, 47], "setdiscovertarget": 47, "target_info": [0, 47], "waiting_for_debugg": [0, 47], "detachedfromtarget": [0, 47], "detachfromtarget": 47, "receivedmessagefromtarget": [0, 47], "error_cod": [0, 47], "unbind": [0, 48], "got": 48, "memorydumpconfig": [0, 49], "dump": [49, 55], "infra": 49, "traceconfig": [0, 49], "record_mod": [0, 49], "trace_buffer_size_in_kb": [0, 49], "enable_sampl": [0, 49], "enable_systrac": [0, 49], "enable_argument_filt": [0, 49], "included_categori": [0, 49], "excluded_categori": [0, 49], "synthetic_delai": [0, 49], "memory_dump_config": [0, 49], "kilobyt": 49, "mb": 49, "streamformat": [0, 49], "proto": [0, 49], "streamcompress": [0, 49], "memorydumplevelofdetail": [0, 49], "memory_dump_request_arg": 49, "memory_instrument": 49, "tracingbackend": [0, 49], "perfetto": 49, "perfettoconfig": 49, "get_categori": [0, 49], "record_clock_sync_mark": [0, 49], "sync_id": 49, "request_memory_dump": [0, 49], "determinist": 49, "level_of_detail": 49, "dumpguid": 49, "buffer_usage_reporting_interv": 49, "stream_format": 49, "stream_compress": [0, 49], "trace_config": 49, "perfetto_config": 49, "tracing_backend": 49, "bufferusag": [0, 49], "datacollect": [0, 49], "reportev": 49, "protobuf": 49, "percent_ful": [0, 49], "event_count": [0, 49], "approxim": 49, "tracingcomplet": [0, 49], "data_loss_occur": [0, 49], "trace_format": [0, 49], "signal": 49, "flush": 49, "lost": 49, "ring": 49, "wrap": 49, "graphobjectid": [0, 50], "graph": 50, "audiocontext": 50, "audionod": [0, 50], "audioparam": [0, 50], "contexttyp": [0, 50], "baseaudiocontext": [0, 50], "realtim": [0, 50], "contextst": [0, 50], "audiocontextst": 50, "suspend": [0, 50], "channelcountmod": [0, 50], "clamped_max": [0, 50], "clamp": 50, "max": [50, 55], "max_": [0, 50], "channelinterpret": [0, 50], "speaker": [0, 50], "paramtyp": [0, 50], "automationr": [0, 50], "a_rat": [0, 50], "k_rate": [0, 50], "contextrealtimedata": [0, 50], "render_capac": [0, 50], "callback_interval_mean": [0, 50], "callback_interval_vari": [0, 50], "varianc": 50, "spent": 50, "divid": 50, "quantum": 50, "multipli": 50, "capac": 50, "glitch": 50, "context_typ": [0, 50], "context_st": [0, 50], "callback_buffer_s": [0, 50], "max_output_channel_count": [0, 50], "sample_r": [0, 50], "realtime_data": [0, 50], "audiolisten": [0, 50], "listener_id": [0, 50], "number_of_input": [0, 50], "number_of_output": [0, 50], "channel_count": [0, 50], "channel_count_mod": [0, 50], "channel_interpret": [0, 50], "param_id": [0, 50], "param_typ": [0, 50], "get_realtime_data": [0, 50], "contextcr": [0, 50], "contextwillbedestroi": [0, 50], "contextchang": [0, 50], "audiolistenercr": [0, 50], "audiolistenerwillbedestroi": [0, 50], "audionodecr": [0, 50], "audionodewillbedestroi": [0, 50], "audioparamcr": [0, 50], "audioparamwillbedestroi": [0, 50], "nodesconnect": [0, 50], "source_id": [0, 50], "destination_id": [0, 50], "source_output_index": [0, 50], "destination_input_index": [0, 50], "nodesdisconnect": [0, 50], "outgo": 50, "nodeparamconnect": [0, 50], "nodeparamdisconnect": [0, 50], "authenticatorid": [0, 51], "authenticatorprotocol": [0, 51], "ctap2": [0, 51], "u2f": [0, 51], "ctap2vers": [0, 51], "ctap2_0": [0, 51], "ctap2_1": [0, 51], "authenticatortransport": [0, 51], "ble": [0, 51], "cabl": [0, 51], "virtualauthenticatoropt": [0, 51], "ctap2_vers": [0, 51], "has_resident_kei": [0, 51], "has_user_verif": [0, 51], "has_large_blob": [0, 51], "has_cred_blob": [0, 51], "has_min_pin_length": [0, 51], "has_prf": [0, 51], "automatic_presence_simul": [0, 51], "is_user_verifi": [0, 51], "default_backup_elig": [0, 51], "default_backup_st": [0, 51], "succe": 51, "backup": 51, "elig": 51, "BE": 51, "credblob": 51, "fidoalli": 51, "fido": 51, "v2": 51, "rd": 51, "20201208": 51, "largeblob": 51, "minpinlength": 51, "p": [51, 56, 57], "20210615": 51, "prf": 51, "credential_id": [0, 51], "is_resident_credenti": [0, 51], "private_kei": [0, 51], "sign_count": [0, 51], "rp_id": [0, 51], "user_handl": [0, 51], "large_blob": [0, 51], "ecdsa": 51, "pkc": 51, "add_credenti": [0, 51], "authenticator_id": [0, 51], "add_virtual_authent": [0, 51], "clear_credenti": [0, 51], "enable_ui": 51, "demo": 51, "closer": 51, "experi": [51, 55], "get_credenti": [0, 51], "remove_credenti": [0, 51], "remove_virtual_authent": [0, 51], "set_automatic_presence_simul": [0, 51], "set_response_override_bit": [0, 51], "is_bogus_signatur": 51, "is_bad_uv": 51, "is_bad_up": 51, "isbogussignatur": 51, "isbaduv": 51, "isbadup": 51, "uv": 51, "set_user_verifi": [0, 51], "credentialad": [0, 51], "credentialassert": [0, 51], "word": 53, "kwarg": [52, 54, 55], "active_pag": [], "wrong": [], "anywai": [], "classmethod": 52, "user_data_dir": [0, 52, 54, 56], "browser_executable_path": [52, 54, 56], "browser_arg": [0, 52, 54, 56], "autodiscover_target": [], "type": [0, 52, 53, 54, 55, 56, 57], "welcom": [52, 55], "util": [0, 52, 55, 57], "sleep": [0, 52, 55, 56, 57], "event": [0, 52, 53, 55, 56, 57], "safest": [52, 55], "quit": [53, 55], "alia": [52, 55], "tile_window": [0, 52], "bad": [], "adjust": [], "especi": [52, 55], "union": [52, 53, 54, 55], "lot": [0, 52, 53, 55, 57], "care": [], "mostli": [], "nodriv": [52, 54, 55, 56], "autorun": [], "homepag": [], "infobar": [], "breakpad": [], "occlud": [], "dev": [], "shm": [], "lang": [54, 56], "q": [], "9": 55, "add_argu": [0, 54], "shallow": 54, "fromkei": [0, 54], "els": 54, "v": 54, "rais": [53, 54, 55], "keyerror": 54, "popitem": [0, 54], "lifo": 54, "setdefault": [0, 54], "f": 54, "lack": 54, "built": 54, "AND": 54, "goe": [56, 57], "pip": [56, 57], "aim": [56, 57], "project": [56, 57], "somewher": [56, 57], "ago": [56, 57], "quickli": [56, 57], "editor": [56, 57], "few": [56, 57], "asyncio": [55, 56, 57], "def": [56, 57], "nowsecur": [56, 57], "nl": [56, 57], "save_screenshot": [0, 53, 55, 56, 57], "get_cont": [0, 55, 56, 57], "scroll_down": [0, 55, 56, 57], "150": [56, 57], "elem": [53, 56, 57], "highlight_posit": [], "page2": [56, 57], "twitter": [56, 57], "page3": [56, 57], "pornhub": [], "__name__": [56, 57], "__main__": [56, 57], "me": [56, 57], "loop": [55, 56, 57], "run_until_complet": [56, 57], "coupl": [], "But": [], "easi": [0, 57], "your": [52, 55], "_contradict": 54, "besid": 52, "under": [52, 55], "almost": [], "conduct": [], "__init__": 52, "stubborn": 52, "correctli": 52, "exit": [0, 52, 57], "kill": 52, "usual": [52, 53], "know": 52, "websocket_url": [0, 52, 55], "download_fil": [0, 55], "find_elements_by_text": [0, 53, 55], "return_enclosing_el": 55, "requests_cookie_format": 52, "cookiejar": 52, "get_all_linked_sourc": [0, 55], "img": 55, "get_all_url": [0, 55], "rebuild": [], "kw": 55, "_node": [53, 55], "cdp_obj": 55, "_is_upd": 55, "command": [0, 53], "set_window_st": [0, 55], "1280": 55, "720": 55, "desir": [53, 55], "clear_input": [0, 53], "_until_ev": 53, "dot": 53, "coord": 53, "often": 53, "mouse_click": [0, 53, 56, 57], "atm": 53, "mouse_mov": [0, 53], "mouseov": 53, "record_video": [0, 53], "folder": [53, 54, 55, 56, 57], "html5": 53, "videoel": 53, "scroll_into_view": [0, 53], "select_opt": [0, 53], "send_kei": [0, 53, 56, 57], "stuck": [53, 55], "py": 53, "meth": 53, "keystrok": 53, "rn": 53, "spacebar": 53, "wonder": 53, "text_al": [0, 53], "concaten": 53, "opbject": 53, "remote_object": [0, 53], "seper": [53, 56], "expens": [53, 55], "advis": 53, "bunch": [53, 55], "runtimeerror": 53, "pathlik": [53, 55], "eg": [53, 55], "half": [53, 55], "send_fil": [0, 53], "file_path": 53, "fileinputel": 53, "temp": 53, "myuser": 53, "lol": 53, "gif": 53, "aopen": [0, 55], "find_element_by_text": [0, 55], "build": 55, "full_pag": 55, "25": 55, "percentag": 55, "quarter": 55, "1000": 55, "10x": 55, "scroll_up": [0, 55], "wait_for": [0, 55], "timeout_m": [], "hard": [], "needl": 53, "sai": [53, 56, 57], "get_window": [0, 55], "haven": 55, "mayb": 55, "set_all_cooki": [], "set_download_path": [0, 55], "set_window_s": [0, 55], "1024": 55, "insensit": [], "hood": 55, "w3school": 55, "cssref": 55, "css_selector": 55, "php": 55, "probabl": 55, "THE": 55, "realli": 55, "stuff": 55, "breath": 55, "oftentim": 55, "faster": 55, "namespac": 55, "traffic": 55, "coroutin": 55, "lamba": 55, "lambda": [55, 56, 57], "crazi": 55, "__new__": [], "cl": [], "myconfig": [], "directori": [], "autodetect": [], "chromeparam": [], "somevalu": [], "somev": [], "autodiscoveri": [], "aclos": [0, 55], "event_type_or_domain": 55, "update_target": [0, 52, 55], "websocketclientprotocol": 55, "moduletyp": 55, "main_tab": [0, 52], "mechan": 55, "much": 55, "useful": [], "someth": [55, 58], "yoururlher": 55, "tag_hint": 55, "medim": [0, 55], "timeouterror": 55, "combo": 55, "consum": 55, "luckili": 55, "whole": 55, "add_handl": [0, 55], "_tab": [], "successor": [0, 57], "clean": [0, 56, 57], "tediou": [0, 57], "login": [0, 55, 57], "embed": [], "__repr__": [0, 57], "html5video_el": [], "el": [], "currenttim": [], "grant_all_permiss": [0, 52], "find_al": [0, 55], "js_dump": [0, 55], "obj": [], "complex": 55, "pageyoffset": 55, "screenx": 55, "screeni": 55, "outerwidth": 55, "1050": 55, "outerheight": 55, "832": 55, "devicepixelratio": 55, "screenleft": 55, "screentop": 55, "stylemedia": 55, "onsearch": 55, "issecurecontext": 55, "timeorigin": 55, "1707823094767": 55, "connectstart": 55, "navigationstart": 55, "1707823094768": 55, "verify_cf": [0, 55], "anchor_elem": [], "someotherth": [], "tab_win": [], "all_result": [], "first_submit_button": [], "submit": [], "inputs_in_form": [], "ultrafunkamsterdam": [56, 57], "_": [], "pack": [0, 57], "customiz": [0, 57], "best_match": [0, 56, 57], "naiv": [0, 55, 57], "undetected_chromedriv": [0, 57], "contintu": [0, 57], "slower": [53, 55], "help": 55, "tremend": 55, "thousand": 55, "narrow": 55, "div": 55, "select_al": [0, 56, 57], "infinit": 55, "register": 55, "basicconfig": [56, 57], "30": [56, 57], "februari": [56, 57], "march": [56, 57], "april": [56, 57], "june": [56, 57], "juli": [56, 57], "august": [56, 57], "septemb": [56, 57], "octob": [56, 57], "novemb": [56, 57], "decemb": [56, 57], "create_account": [56, 57], "phone": [56, 57], "small": [56, 57], "use_mail_instead": [56, 57], "randstr": [56, 57], "ascii_lett": [56, 57], "unpack": [56, 57], "dai": [56, 57], "sel_month": [56, 57], "sel_dai": [56, 57], "sel_year": [56, 57], "randint": [56, 57], "bother": [56, 57], "leap": [56, 57], "28": [56, 57], "ag": [56, 57], "restrict": [56, 57], "1980": [56, 57], "2005": [56, 57], "nag": [56, 57], "cookie_bar_accept": [56, 57], "next_btn": [56, 57], "btn": [56, 57], "revers": [56, 57], "sign_up_btn": [56, 57], "mail": [56, 57], "js_function": 53, "blabla": 53, "consolelog": 53, "myfunct": 53, "pick": 55, "easili": 55, "craft": 55, "contradict": 0, "tag_nam": [0, 53], "save_to_dom": [0, 53], "remove_from_dom": [0, 53], "get_js_attribut": [0, 53], "get_posit": [0, 53], "set_valu": [0, 53], "set_text": [0, 53], "get_html": [0, 53], "max_column": 52, "ab": 53, "quickstart": 0, "Or": 56, "filepath": 52, "dat": 52, "export": 52, "requests_style_cooki": 52, "get_al": 52, "inspector_url": [0, 55], "open_external_inspector": [0, 55], "uses_custom_data_dir": [0, 54], "handi": 55, "boilerpl": 56, "iso": 56, "somewebsit": 56, "inspector_open": [0, 55], "add_extens": [0, 54], "extension_path": 54, "crx": 54, "obj_nam": 55, "thruth": 55, "returnvalu": 55, "min": 55, "mini": 55, "mi": 55, "ma": 55, "maxi": 55, "fu": 55, "nor": 55, "timespan": 55, "matter": 55, "highlight_overlai": [0, 53], "mouse_drag": [0, 53], "cours": 53, "100px": 53, "200px": 53, "look": 53, "smooth": 53}, "objects": {"nodriver": [[52, 0, 1, "", "Browser"], [54, 0, 1, "", "Config"], [53, 0, 1, "", "Element"], [55, 0, 1, "", "Tab"]], "nodriver.Browser": [[52, 1, 1, "", "config"], [52, 1, 1, "", "connection"], [52, 2, 1, "", "cookies"], [52, 3, 1, "", "create"], [52, 3, 1, "", "get"], [52, 3, 1, "", "grant_all_permissions"], [52, 2, 1, "", "main_tab"], [52, 3, 1, "", "sleep"], [52, 3, 1, "", "start"], [52, 3, 1, "", "stop"], [52, 2, 1, "", "stopped"], [52, 2, 1, "", "tabs"], [52, 1, 1, "", "targets"], [52, 3, 1, "", "tile_windows"], [52, 3, 1, "", "update_targets"], [52, 3, 1, "", "wait"], [52, 2, 1, "", "websocket_url"]], "nodriver.Config": [[54, 3, 1, "", "add_argument"], [54, 3, 1, "", "add_extension"], [54, 2, 1, "", "browser_args"], [54, 2, 1, "", "user_data_dir"], [54, 2, 1, "", "uses_custom_data_dir"]], "nodriver.Element": [[53, 3, 1, "", "apply"], [53, 2, 1, "", "assigned_slot"], [53, 2, 1, "", "attributes"], [53, 2, 1, "", "attrs"], [53, 2, 1, "", "backend_node_id"], [53, 2, 1, "", "base_url"], [53, 2, 1, "", "child_node_count"], [53, 2, 1, "", "children"], [53, 3, 1, "", "clear_input"], [53, 3, 1, "", "click"], [53, 2, 1, "", "compatibility_mode"], [53, 2, 1, "", "content_document"], [53, 2, 1, "", "distributed_nodes"], [53, 2, 1, "", "document_url"], [53, 3, 1, "", "flash"], [53, 3, 1, "", "focus"], [53, 2, 1, "", "frame_id"], [53, 3, 1, "", "get_html"], [53, 3, 1, "", "get_js_attributes"], [53, 3, 1, "", "get_position"], [53, 3, 1, "", "highlight_overlay"], [53, 2, 1, "", "imported_document"], [53, 2, 1, "", "internal_subset"], [53, 3, 1, "", "is_recording"], [53, 2, 1, "", "is_svg"], [53, 2, 1, "", "local_name"], [53, 3, 1, "", "mouse_click"], [53, 3, 1, "", "mouse_drag"], [53, 3, 1, "", "mouse_move"], [53, 2, 1, "", "node"], [53, 2, 1, "", "node_id"], [53, 2, 1, "", "node_name"], [53, 2, 1, "", "node_type"], [53, 2, 1, "", "node_value"], [53, 2, 1, "", "object_id"], [53, 2, 1, "", "parent"], [53, 2, 1, "", "parent_id"], [53, 2, 1, "", "pseudo_elements"], [53, 2, 1, "", "pseudo_identifier"], [53, 2, 1, "", "pseudo_type"], [53, 2, 1, "", "public_id"], [53, 3, 1, "", "query_selector"], [53, 3, 1, "", "query_selector_all"], [53, 3, 1, "", "record_video"], [53, 2, 1, "", "remote_object"], [53, 3, 1, "", "remove_from_dom"], [53, 3, 1, "", "save_screenshot"], [53, 3, 1, "", "save_to_dom"], [53, 3, 1, "", "scroll_into_view"], [53, 3, 1, "", "select_option"], [53, 3, 1, "", "send_file"], [53, 3, 1, "", "send_keys"], [53, 3, 1, "", "set_text"], [53, 3, 1, "", "set_value"], [53, 2, 1, "", "shadow_root_type"], [53, 2, 1, "", "shadow_roots"], [53, 2, 1, "", "system_id"], [53, 2, 1, "", "tab"], [53, 2, 1, "", "tag"], [53, 2, 1, "", "tag_name"], [53, 2, 1, "", "template_content"], [53, 2, 1, "", "text"], [53, 2, 1, "", "text_all"], [53, 2, 1, "", "tree"], [53, 3, 1, "", "update"], [53, 2, 1, "", "value"], [53, 2, 1, "", "xml_version"]], "nodriver.Tab": [[55, 3, 1, "", "aclose"], [55, 3, 1, "", "activate"], [55, 3, 1, "", "add_handler"], [55, 3, 1, "", "aopen"], [55, 1, 1, "", "attached"], [55, 3, 1, "", "back"], [55, 3, 1, "", "bring_to_front"], [55, 1, 1, "", "browser"], [55, 3, 1, "", "close"], [55, 2, 1, "", "closed"], [55, 3, 1, "", "download_file"], [55, 3, 1, "", "evaluate"], [55, 3, 1, "", "find"], [55, 3, 1, "", "find_all"], [55, 3, 1, "", "find_element_by_text"], [55, 3, 1, "", "find_elements_by_text"], [55, 3, 1, "", "forward"], [55, 3, 1, "", "fullscreen"], [55, 3, 1, "", "get"], [55, 3, 1, "", "get_all_linked_sources"], [55, 3, 1, "", "get_all_urls"], [55, 3, 1, "", "get_content"], [55, 3, 1, "", "get_window"], [55, 3, 1, "", "inspector_open"], [55, 2, 1, "", "inspector_url"], [55, 3, 1, "", "js_dumps"], [55, 3, 1, "", "maximize"], [55, 3, 1, "", "medimize"], [55, 3, 1, "", "minimize"], [55, 3, 1, "", "open_external_inspector"], [55, 3, 1, "", "query_selector"], [55, 3, 1, "", "query_selector_all"], [55, 3, 1, "", "reload"], [55, 3, 1, "", "save_screenshot"], [55, 3, 1, "", "scroll_down"], [55, 3, 1, "", "scroll_up"], [55, 3, 1, "", "select"], [55, 3, 1, "", "select_all"], [55, 3, 1, "", "send"], [55, 3, 1, "", "set_download_path"], [55, 3, 1, "", "set_window_size"], [55, 3, 1, "", "set_window_state"], [55, 3, 1, "", "sleep"], [55, 2, 1, "", "target"], [55, 3, 1, "", "update_target"], [55, 3, 1, "", "verify_cf"], [55, 3, 1, "", "wait"], [55, 3, 1, "", "wait_for"], [55, 1, 1, "", "websocket"]], "nodriver.cdp": [[2, 4, 0, "-", "accessibility"], [3, 4, 0, "-", "animation"], [4, 4, 0, "-", "audits"], [5, 4, 0, "-", "autofill"], [6, 4, 0, "-", "background_service"], [7, 4, 0, "-", "browser"], [8, 4, 0, "-", "cache_storage"], [9, 4, 0, "-", "cast"], [10, 4, 0, "-", "console"], [11, 4, 0, "-", "css"], [12, 4, 0, "-", "database"], [13, 4, 0, "-", "debugger"], [14, 4, 0, "-", "device_access"], [15, 4, 0, "-", "device_orientation"], [16, 4, 0, "-", "dom"], [17, 4, 0, "-", "dom_debugger"], [18, 4, 0, "-", "dom_snapshot"], [19, 4, 0, "-", "dom_storage"], [20, 4, 0, "-", "emulation"], [21, 4, 0, "-", "event_breakpoints"], [22, 4, 0, "-", "fed_cm"], [23, 4, 0, "-", "fetch"], [24, 4, 0, "-", "headless_experimental"], [25, 4, 0, "-", "heap_profiler"], [26, 4, 0, "-", "indexed_db"], [27, 4, 0, "-", "input_"], [28, 4, 0, "-", "inspector"], [29, 4, 0, "-", "io"], [30, 4, 0, "-", "layer_tree"], [31, 4, 0, "-", "log"], [32, 4, 0, "-", "media"], [33, 4, 0, "-", "memory"], [34, 4, 0, "-", "network"], [35, 4, 0, "-", "overlay"], [36, 4, 0, "-", "page"], [37, 4, 0, "-", "performance"], [38, 4, 0, "-", "performance_timeline"], [39, 4, 0, "-", "preload"], [40, 4, 0, "-", "profiler"], [41, 4, 0, "-", "runtime"], [42, 4, 0, "-", "schema"], [43, 4, 0, "-", "security"], [44, 4, 0, "-", "service_worker"], [45, 4, 0, "-", "storage"], [46, 4, 0, "-", "system_info"], [47, 4, 0, "-", "target"], [48, 4, 0, "-", "tethering"], [49, 4, 0, "-", "tracing"], [50, 4, 0, "-", "web_audio"], [51, 4, 0, "-", "web_authn"]], "nodriver.cdp.accessibility": [[2, 0, 1, "", "AXNode"], [2, 0, 1, "", "AXNodeId"], [2, 0, 1, "", "AXProperty"], [2, 0, 1, "", "AXPropertyName"], [2, 0, 1, "", "AXRelatedNode"], [2, 0, 1, "", "AXValue"], [2, 0, 1, "", "AXValueNativeSourceType"], [2, 0, 1, "", "AXValueSource"], [2, 0, 1, "", "AXValueSourceType"], [2, 0, 1, "", "AXValueType"], [2, 0, 1, "", "LoadComplete"], [2, 0, 1, "", "NodesUpdated"], [2, 5, 1, "", "disable"], [2, 5, 1, "", "enable"], [2, 5, 1, "", "get_ax_node_and_ancestors"], [2, 5, 1, "", "get_child_ax_nodes"], [2, 5, 1, "", "get_full_ax_tree"], [2, 5, 1, "", "get_partial_ax_tree"], [2, 5, 1, "", "get_root_ax_node"], [2, 5, 1, "", "query_ax_tree"]], "nodriver.cdp.accessibility.AXNode": [[2, 1, 1, "", "backend_dom_node_id"], [2, 1, 1, "", "child_ids"], [2, 1, 1, "", "chrome_role"], [2, 1, 1, "", "description"], [2, 1, 1, "", "frame_id"], [2, 1, 1, "", "ignored"], [2, 1, 1, "", "ignored_reasons"], [2, 1, 1, "", "name"], [2, 1, 1, "", "node_id"], [2, 1, 1, "", "parent_id"], [2, 1, 1, "", "properties"], [2, 1, 1, "", "role"], [2, 1, 1, "", "value"]], "nodriver.cdp.accessibility.AXProperty": [[2, 1, 1, "", "name"], [2, 1, 1, "", "value"]], "nodriver.cdp.accessibility.AXPropertyName": [[2, 1, 1, "", "ACTIVEDESCENDANT"], [2, 1, 1, "", "ATOMIC"], [2, 1, 1, "", "AUTOCOMPLETE"], [2, 1, 1, "", "BUSY"], [2, 1, 1, "", "CHECKED"], [2, 1, 1, "", "CONTROLS"], [2, 1, 1, "", "DESCRIBEDBY"], [2, 1, 1, "", "DETAILS"], [2, 1, 1, "", "DISABLED"], [2, 1, 1, "", "EDITABLE"], [2, 1, 1, "", "ERRORMESSAGE"], [2, 1, 1, "", "EXPANDED"], [2, 1, 1, "", "FLOWTO"], [2, 1, 1, "", "FOCUSABLE"], [2, 1, 1, "", "FOCUSED"], [2, 1, 1, "", "HAS_POPUP"], [2, 1, 1, "", "HIDDEN"], [2, 1, 1, "", "HIDDEN_ROOT"], [2, 1, 1, "", "INVALID"], [2, 1, 1, "", "KEYSHORTCUTS"], [2, 1, 1, "", "LABELLEDBY"], [2, 1, 1, "", "LEVEL"], [2, 1, 1, "", "LIVE"], [2, 1, 1, "", "MODAL"], [2, 1, 1, "", "MULTILINE"], [2, 1, 1, "", "MULTISELECTABLE"], [2, 1, 1, "", "ORIENTATION"], [2, 1, 1, "", "OWNS"], [2, 1, 1, "", "PRESSED"], [2, 1, 1, "", "READONLY"], [2, 1, 1, "", "RELEVANT"], [2, 1, 1, "", "REQUIRED"], [2, 1, 1, "", "ROLEDESCRIPTION"], [2, 1, 1, "", "ROOT"], [2, 1, 1, "", "SELECTED"], [2, 1, 1, "", "SETTABLE"], [2, 1, 1, "", "VALUEMAX"], [2, 1, 1, "", "VALUEMIN"], [2, 1, 1, "", "VALUETEXT"]], "nodriver.cdp.accessibility.AXRelatedNode": [[2, 1, 1, "", "backend_dom_node_id"], [2, 1, 1, "", "idref"], [2, 1, 1, "", "text"]], "nodriver.cdp.accessibility.AXValue": [[2, 1, 1, "", "related_nodes"], [2, 1, 1, "", "sources"], [2, 1, 1, "", "type_"], [2, 1, 1, "", "value"]], "nodriver.cdp.accessibility.AXValueNativeSourceType": [[2, 1, 1, "", "DESCRIPTION"], [2, 1, 1, "", "FIGCAPTION"], [2, 1, 1, "", "LABEL"], [2, 1, 1, "", "LABELFOR"], [2, 1, 1, "", "LABELWRAPPED"], [2, 1, 1, "", "LEGEND"], [2, 1, 1, "", "OTHER"], [2, 1, 1, "", "RUBYANNOTATION"], [2, 1, 1, "", "TABLECAPTION"], [2, 1, 1, "", "TITLE"]], "nodriver.cdp.accessibility.AXValueSource": [[2, 1, 1, "", "attribute"], [2, 1, 1, "", "attribute_value"], [2, 1, 1, "", "invalid"], [2, 1, 1, "", "invalid_reason"], [2, 1, 1, "", "native_source"], [2, 1, 1, "", "native_source_value"], [2, 1, 1, "", "superseded"], [2, 1, 1, "", "type_"], [2, 1, 1, "", "value"]], "nodriver.cdp.accessibility.AXValueSourceType": [[2, 1, 1, "", "ATTRIBUTE"], [2, 1, 1, "", "CONTENTS"], [2, 1, 1, "", "IMPLICIT"], [2, 1, 1, "", "PLACEHOLDER"], [2, 1, 1, "", "RELATED_ELEMENT"], [2, 1, 1, "", "STYLE"]], "nodriver.cdp.accessibility.AXValueType": [[2, 1, 1, "", "BOOLEAN"], [2, 1, 1, "", "BOOLEAN_OR_UNDEFINED"], [2, 1, 1, "", "COMPUTED_STRING"], [2, 1, 1, "", "DOM_RELATION"], [2, 1, 1, "", "IDREF"], [2, 1, 1, "", "IDREF_LIST"], [2, 1, 1, "", "INTEGER"], [2, 1, 1, "", "INTERNAL_ROLE"], [2, 1, 1, "", "NODE"], [2, 1, 1, "", "NODE_LIST"], [2, 1, 1, "", "NUMBER"], [2, 1, 1, "", "ROLE"], [2, 1, 1, "", "STRING"], [2, 1, 1, "", "TOKEN"], [2, 1, 1, "", "TOKEN_LIST"], [2, 1, 1, "", "TRISTATE"], [2, 1, 1, "", "VALUE_UNDEFINED"]], "nodriver.cdp.accessibility.LoadComplete": [[2, 1, 1, "", "root"]], "nodriver.cdp.accessibility.NodesUpdated": [[2, 1, 1, "", "nodes"]], "nodriver.cdp.animation": [[3, 0, 1, "", "Animation"], [3, 0, 1, "", "AnimationCanceled"], [3, 0, 1, "", "AnimationCreated"], [3, 0, 1, "", "AnimationEffect"], [3, 0, 1, "", "AnimationStarted"], [3, 0, 1, "", "KeyframeStyle"], [3, 0, 1, "", "KeyframesRule"], [3, 5, 1, "", "disable"], [3, 5, 1, "", "enable"], [3, 5, 1, "", "get_current_time"], [3, 5, 1, "", "get_playback_rate"], [3, 5, 1, "", "release_animations"], [3, 5, 1, "", "resolve_animation"], [3, 5, 1, "", "seek_animations"], [3, 5, 1, "", "set_paused"], [3, 5, 1, "", "set_playback_rate"], [3, 5, 1, "", "set_timing"]], "nodriver.cdp.animation.Animation": [[3, 1, 1, "", "css_id"], [3, 1, 1, "", "current_time"], [3, 1, 1, "", "id_"], [3, 1, 1, "", "name"], [3, 1, 1, "", "paused_state"], [3, 1, 1, "", "play_state"], [3, 1, 1, "", "playback_rate"], [3, 1, 1, "", "source"], [3, 1, 1, "", "start_time"], [3, 1, 1, "", "type_"]], "nodriver.cdp.animation.AnimationCanceled": [[3, 1, 1, "", "id_"]], "nodriver.cdp.animation.AnimationCreated": [[3, 1, 1, "", "id_"]], "nodriver.cdp.animation.AnimationEffect": [[3, 1, 1, "", "backend_node_id"], [3, 1, 1, "", "delay"], [3, 1, 1, "", "direction"], [3, 1, 1, "", "duration"], [3, 1, 1, "", "easing"], [3, 1, 1, "", "end_delay"], [3, 1, 1, "", "fill"], [3, 1, 1, "", "iteration_start"], [3, 1, 1, "", "iterations"], [3, 1, 1, "", "keyframes_rule"]], "nodriver.cdp.animation.AnimationStarted": [[3, 1, 1, "", "animation"]], "nodriver.cdp.animation.KeyframeStyle": [[3, 1, 1, "", "easing"], [3, 1, 1, "", "offset"]], "nodriver.cdp.animation.KeyframesRule": [[3, 1, 1, "", "keyframes"], [3, 1, 1, "", "name"]], "nodriver.cdp.audits": [[4, 0, 1, "", "AffectedCookie"], [4, 0, 1, "", "AffectedFrame"], [4, 0, 1, "", "AffectedRequest"], [4, 0, 1, "", "AttributionReportingIssueDetails"], [4, 0, 1, "", "AttributionReportingIssueType"], [4, 0, 1, "", "BlockedByResponseIssueDetails"], [4, 0, 1, "", "BlockedByResponseReason"], [4, 0, 1, "", "BounceTrackingIssueDetails"], [4, 0, 1, "", "ClientHintIssueDetails"], [4, 0, 1, "", "ClientHintIssueReason"], [4, 0, 1, "", "ContentSecurityPolicyIssueDetails"], [4, 0, 1, "", "ContentSecurityPolicyViolationType"], [4, 0, 1, "", "CookieDeprecationMetadataIssueDetails"], [4, 0, 1, "", "CookieExclusionReason"], [4, 0, 1, "", "CookieIssueDetails"], [4, 0, 1, "", "CookieOperation"], [4, 0, 1, "", "CookieWarningReason"], [4, 0, 1, "", "CorsIssueDetails"], [4, 0, 1, "", "DeprecationIssueDetails"], [4, 0, 1, "", "FailedRequestInfo"], [4, 0, 1, "", "FederatedAuthRequestIssueDetails"], [4, 0, 1, "", "FederatedAuthRequestIssueReason"], [4, 0, 1, "", "FederatedAuthUserInfoRequestIssueDetails"], [4, 0, 1, "", "FederatedAuthUserInfoRequestIssueReason"], [4, 0, 1, "", "GenericIssueDetails"], [4, 0, 1, "", "GenericIssueErrorType"], [4, 0, 1, "", "HeavyAdIssueDetails"], [4, 0, 1, "", "HeavyAdReason"], [4, 0, 1, "", "HeavyAdResolutionStatus"], [4, 0, 1, "", "InspectorIssue"], [4, 0, 1, "", "InspectorIssueCode"], [4, 0, 1, "", "InspectorIssueDetails"], [4, 0, 1, "", "IssueAdded"], [4, 0, 1, "", "IssueId"], [4, 0, 1, "", "LowTextContrastIssueDetails"], [4, 0, 1, "", "MixedContentIssueDetails"], [4, 0, 1, "", "MixedContentResolutionStatus"], [4, 0, 1, "", "MixedContentResourceType"], [4, 0, 1, "", "NavigatorUserAgentIssueDetails"], [4, 0, 1, "", "PropertyRuleIssueDetails"], [4, 0, 1, "", "PropertyRuleIssueReason"], [4, 0, 1, "", "QuirksModeIssueDetails"], [4, 0, 1, "", "SharedArrayBufferIssueDetails"], [4, 0, 1, "", "SharedArrayBufferIssueType"], [4, 0, 1, "", "SourceCodeLocation"], [4, 0, 1, "", "StyleSheetLoadingIssueReason"], [4, 0, 1, "", "StylesheetLoadingIssueDetails"], [4, 5, 1, "", "check_contrast"], [4, 5, 1, "", "check_forms_issues"], [4, 5, 1, "", "disable"], [4, 5, 1, "", "enable"], [4, 5, 1, "", "get_encoded_response"]], "nodriver.cdp.audits.AffectedCookie": [[4, 1, 1, "", "domain"], [4, 1, 1, "", "name"], [4, 1, 1, "", "path"]], "nodriver.cdp.audits.AffectedFrame": [[4, 1, 1, "", "frame_id"]], "nodriver.cdp.audits.AffectedRequest": [[4, 1, 1, "", "request_id"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.AttributionReportingIssueDetails": [[4, 1, 1, "", "invalid_parameter"], [4, 1, 1, "", "request"], [4, 1, 1, "", "violating_node_id"], [4, 1, 1, "", "violation_type"]], "nodriver.cdp.audits.AttributionReportingIssueType": [[4, 1, 1, "", "INSECURE_CONTEXT"], [4, 1, 1, "", "INVALID_HEADER"], [4, 1, 1, "", "INVALID_REGISTER_OS_SOURCE_HEADER"], [4, 1, 1, "", "INVALID_REGISTER_OS_TRIGGER_HEADER"], [4, 1, 1, "", "INVALID_REGISTER_TRIGGER_HEADER"], [4, 1, 1, "", "NAVIGATION_REGISTRATION_WITHOUT_TRANSIENT_USER_ACTIVATION"], [4, 1, 1, "", "NO_WEB_OR_OS_SUPPORT"], [4, 1, 1, "", "OS_SOURCE_IGNORED"], [4, 1, 1, "", "OS_TRIGGER_IGNORED"], [4, 1, 1, "", "PERMISSION_POLICY_DISABLED"], [4, 1, 1, "", "SOURCE_AND_TRIGGER_HEADERS"], [4, 1, 1, "", "SOURCE_IGNORED"], [4, 1, 1, "", "TRIGGER_IGNORED"], [4, 1, 1, "", "UNTRUSTWORTHY_REPORTING_ORIGIN"], [4, 1, 1, "", "WEB_AND_OS_HEADERS"]], "nodriver.cdp.audits.BlockedByResponseIssueDetails": [[4, 1, 1, "", "blocked_frame"], [4, 1, 1, "", "parent_frame"], [4, 1, 1, "", "reason"], [4, 1, 1, "", "request"]], "nodriver.cdp.audits.BlockedByResponseReason": [[4, 1, 1, "", "COEP_FRAME_RESOURCE_NEEDS_COEP_HEADER"], [4, 1, 1, "", "COOP_SANDBOXED_I_FRAME_CANNOT_NAVIGATE_TO_COOP_PAGE"], [4, 1, 1, "", "CORP_NOT_SAME_ORIGIN"], [4, 1, 1, "", "CORP_NOT_SAME_ORIGIN_AFTER_DEFAULTED_TO_SAME_ORIGIN_BY_COEP"], [4, 1, 1, "", "CORP_NOT_SAME_SITE"]], "nodriver.cdp.audits.BounceTrackingIssueDetails": [[4, 1, 1, "", "tracking_sites"]], "nodriver.cdp.audits.ClientHintIssueDetails": [[4, 1, 1, "", "client_hint_issue_reason"], [4, 1, 1, "", "source_code_location"]], "nodriver.cdp.audits.ClientHintIssueReason": [[4, 1, 1, "", "META_TAG_ALLOW_LIST_INVALID_ORIGIN"], [4, 1, 1, "", "META_TAG_MODIFIED_HTML"]], "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails": [[4, 1, 1, "", "blocked_url"], [4, 1, 1, "", "content_security_policy_violation_type"], [4, 1, 1, "", "frame_ancestor"], [4, 1, 1, "", "is_report_only"], [4, 1, 1, "", "source_code_location"], [4, 1, 1, "", "violated_directive"], [4, 1, 1, "", "violating_node_id"]], "nodriver.cdp.audits.ContentSecurityPolicyViolationType": [[4, 1, 1, "", "K_EVAL_VIOLATION"], [4, 1, 1, "", "K_INLINE_VIOLATION"], [4, 1, 1, "", "K_TRUSTED_TYPES_POLICY_VIOLATION"], [4, 1, 1, "", "K_TRUSTED_TYPES_SINK_VIOLATION"], [4, 1, 1, "", "K_URL_VIOLATION"], [4, 1, 1, "", "K_WASM_EVAL_VIOLATION"]], "nodriver.cdp.audits.CookieDeprecationMetadataIssueDetails": [[4, 1, 1, "", "allowed_sites"]], "nodriver.cdp.audits.CookieExclusionReason": [[4, 1, 1, "", "EXCLUDE_DOMAIN_NON_ASCII"], [4, 1, 1, "", "EXCLUDE_INVALID_SAME_PARTY"], [4, 1, 1, "", "EXCLUDE_SAME_PARTY_CROSS_PARTY_CONTEXT"], [4, 1, 1, "", "EXCLUDE_SAME_SITE_LAX"], [4, 1, 1, "", "EXCLUDE_SAME_SITE_NONE_INSECURE"], [4, 1, 1, "", "EXCLUDE_SAME_SITE_STRICT"], [4, 1, 1, "", "EXCLUDE_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [4, 1, 1, "", "EXCLUDE_THIRD_PARTY_COOKIE_BLOCKED_IN_FIRST_PARTY_SET"], [4, 1, 1, "", "EXCLUDE_THIRD_PARTY_PHASEOUT"]], "nodriver.cdp.audits.CookieIssueDetails": [[4, 1, 1, "", "cookie"], [4, 1, 1, "", "cookie_exclusion_reasons"], [4, 1, 1, "", "cookie_url"], [4, 1, 1, "", "cookie_warning_reasons"], [4, 1, 1, "", "operation"], [4, 1, 1, "", "raw_cookie_line"], [4, 1, 1, "", "request"], [4, 1, 1, "", "site_for_cookies"]], "nodriver.cdp.audits.CookieOperation": [[4, 1, 1, "", "READ_COOKIE"], [4, 1, 1, "", "SET_COOKIE"]], "nodriver.cdp.audits.CookieWarningReason": [[4, 1, 1, "", "WARN_ATTRIBUTE_VALUE_EXCEEDS_MAX_SIZE"], [4, 1, 1, "", "WARN_CROSS_SITE_REDIRECT_DOWNGRADE_CHANGES_INCLUSION"], [4, 1, 1, "", "WARN_DOMAIN_NON_ASCII"], [4, 1, 1, "", "WARN_SAME_SITE_LAX_CROSS_DOWNGRADE_LAX"], [4, 1, 1, "", "WARN_SAME_SITE_LAX_CROSS_DOWNGRADE_STRICT"], [4, 1, 1, "", "WARN_SAME_SITE_NONE_INSECURE"], [4, 1, 1, "", "WARN_SAME_SITE_STRICT_CROSS_DOWNGRADE_LAX"], [4, 1, 1, "", "WARN_SAME_SITE_STRICT_CROSS_DOWNGRADE_STRICT"], [4, 1, 1, "", "WARN_SAME_SITE_STRICT_LAX_DOWNGRADE_STRICT"], [4, 1, 1, "", "WARN_SAME_SITE_UNSPECIFIED_CROSS_SITE_CONTEXT"], [4, 1, 1, "", "WARN_SAME_SITE_UNSPECIFIED_LAX_ALLOW_UNSAFE"], [4, 1, 1, "", "WARN_THIRD_PARTY_PHASEOUT"]], "nodriver.cdp.audits.CorsIssueDetails": [[4, 1, 1, "", "client_security_state"], [4, 1, 1, "", "cors_error_status"], [4, 1, 1, "", "initiator_origin"], [4, 1, 1, "", "is_warning"], [4, 1, 1, "", "location"], [4, 1, 1, "", "request"], [4, 1, 1, "", "resource_ip_address_space"]], "nodriver.cdp.audits.DeprecationIssueDetails": [[4, 1, 1, "", "affected_frame"], [4, 1, 1, "", "source_code_location"], [4, 1, 1, "", "type_"]], "nodriver.cdp.audits.FailedRequestInfo": [[4, 1, 1, "", "failure_message"], [4, 1, 1, "", "request_id"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.FederatedAuthRequestIssueDetails": [[4, 1, 1, "", "federated_auth_request_issue_reason"]], "nodriver.cdp.audits.FederatedAuthRequestIssueReason": [[4, 1, 1, "", "ACCOUNTS_HTTP_NOT_FOUND"], [4, 1, 1, "", "ACCOUNTS_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "ACCOUNTS_INVALID_RESPONSE"], [4, 1, 1, "", "ACCOUNTS_LIST_EMPTY"], [4, 1, 1, "", "ACCOUNTS_NO_RESPONSE"], [4, 1, 1, "", "CANCELED"], [4, 1, 1, "", "CLIENT_METADATA_HTTP_NOT_FOUND"], [4, 1, 1, "", "CLIENT_METADATA_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "CLIENT_METADATA_INVALID_RESPONSE"], [4, 1, 1, "", "CLIENT_METADATA_NO_RESPONSE"], [4, 1, 1, "", "CONFIG_HTTP_NOT_FOUND"], [4, 1, 1, "", "CONFIG_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "CONFIG_INVALID_RESPONSE"], [4, 1, 1, "", "CONFIG_NOT_IN_WELL_KNOWN"], [4, 1, 1, "", "CONFIG_NO_RESPONSE"], [4, 1, 1, "", "DISABLED_IN_SETTINGS"], [4, 1, 1, "", "ERROR_FETCHING_SIGNIN"], [4, 1, 1, "", "ERROR_ID_TOKEN"], [4, 1, 1, "", "ID_TOKEN_CROSS_SITE_IDP_ERROR_RESPONSE"], [4, 1, 1, "", "ID_TOKEN_HTTP_NOT_FOUND"], [4, 1, 1, "", "ID_TOKEN_IDP_ERROR_RESPONSE"], [4, 1, 1, "", "ID_TOKEN_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "ID_TOKEN_INVALID_REQUEST"], [4, 1, 1, "", "ID_TOKEN_INVALID_RESPONSE"], [4, 1, 1, "", "ID_TOKEN_NO_RESPONSE"], [4, 1, 1, "", "INVALID_SIGNIN_RESPONSE"], [4, 1, 1, "", "NOT_SIGNED_IN_WITH_IDP"], [4, 1, 1, "", "RP_PAGE_NOT_VISIBLE"], [4, 1, 1, "", "SHOULD_EMBARGO"], [4, 1, 1, "", "SILENT_MEDIATION_FAILURE"], [4, 1, 1, "", "THIRD_PARTY_COOKIES_BLOCKED"], [4, 1, 1, "", "TOO_MANY_REQUESTS"], [4, 1, 1, "", "WELL_KNOWN_HTTP_NOT_FOUND"], [4, 1, 1, "", "WELL_KNOWN_INVALID_CONTENT_TYPE"], [4, 1, 1, "", "WELL_KNOWN_INVALID_RESPONSE"], [4, 1, 1, "", "WELL_KNOWN_LIST_EMPTY"], [4, 1, 1, "", "WELL_KNOWN_NO_RESPONSE"], [4, 1, 1, "", "WELL_KNOWN_TOO_BIG"]], "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueDetails": [[4, 1, 1, "", "federated_auth_user_info_request_issue_reason"]], "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason": [[4, 1, 1, "", "INVALID_ACCOUNTS_RESPONSE"], [4, 1, 1, "", "INVALID_CONFIG_OR_WELL_KNOWN"], [4, 1, 1, "", "NOT_IFRAME"], [4, 1, 1, "", "NOT_POTENTIALLY_TRUSTWORTHY"], [4, 1, 1, "", "NOT_SAME_ORIGIN"], [4, 1, 1, "", "NOT_SIGNED_IN_WITH_IDP"], [4, 1, 1, "", "NO_ACCOUNT_SHARING_PERMISSION"], [4, 1, 1, "", "NO_API_PERMISSION"], [4, 1, 1, "", "NO_RETURNING_USER_FROM_FETCHED_ACCOUNTS"]], "nodriver.cdp.audits.GenericIssueDetails": [[4, 1, 1, "", "error_type"], [4, 1, 1, "", "frame_id"], [4, 1, 1, "", "request"], [4, 1, 1, "", "violating_node_attribute"], [4, 1, 1, "", "violating_node_id"]], "nodriver.cdp.audits.GenericIssueErrorType": [[4, 1, 1, "", "CROSS_ORIGIN_PORTAL_POST_MESSAGE_ERROR"], [4, 1, 1, "", "FORM_ARIA_LABELLED_BY_TO_NON_EXISTING_ID"], [4, 1, 1, "", "FORM_AUTOCOMPLETE_ATTRIBUTE_EMPTY_ERROR"], [4, 1, 1, "", "FORM_DUPLICATE_ID_FOR_INPUT_ERROR"], [4, 1, 1, "", "FORM_EMPTY_ID_AND_NAME_ATTRIBUTES_FOR_INPUT_ERROR"], [4, 1, 1, "", "FORM_INPUT_ASSIGNED_AUTOCOMPLETE_VALUE_TO_ID_OR_NAME_ATTRIBUTE_ERROR"], [4, 1, 1, "", "FORM_INPUT_HAS_WRONG_BUT_WELL_INTENDED_AUTOCOMPLETE_VALUE_ERROR"], [4, 1, 1, "", "FORM_INPUT_WITH_NO_LABEL_ERROR"], [4, 1, 1, "", "FORM_LABEL_FOR_MATCHES_NON_EXISTING_ID_ERROR"], [4, 1, 1, "", "FORM_LABEL_FOR_NAME_ERROR"], [4, 1, 1, "", "FORM_LABEL_HAS_NEITHER_FOR_NOR_NESTED_INPUT"], [4, 1, 1, "", "RESPONSE_WAS_BLOCKED_BY_ORB"]], "nodriver.cdp.audits.HeavyAdIssueDetails": [[4, 1, 1, "", "frame"], [4, 1, 1, "", "reason"], [4, 1, 1, "", "resolution"]], "nodriver.cdp.audits.HeavyAdReason": [[4, 1, 1, "", "CPU_PEAK_LIMIT"], [4, 1, 1, "", "CPU_TOTAL_LIMIT"], [4, 1, 1, "", "NETWORK_TOTAL_LIMIT"]], "nodriver.cdp.audits.HeavyAdResolutionStatus": [[4, 1, 1, "", "HEAVY_AD_BLOCKED"], [4, 1, 1, "", "HEAVY_AD_WARNING"]], "nodriver.cdp.audits.InspectorIssue": [[4, 1, 1, "", "code"], [4, 1, 1, "", "details"], [4, 1, 1, "", "issue_id"]], "nodriver.cdp.audits.InspectorIssueCode": [[4, 1, 1, "", "ATTRIBUTION_REPORTING_ISSUE"], [4, 1, 1, "", "BLOCKED_BY_RESPONSE_ISSUE"], [4, 1, 1, "", "BOUNCE_TRACKING_ISSUE"], [4, 1, 1, "", "CLIENT_HINT_ISSUE"], [4, 1, 1, "", "CONTENT_SECURITY_POLICY_ISSUE"], [4, 1, 1, "", "COOKIE_DEPRECATION_METADATA_ISSUE"], [4, 1, 1, "", "COOKIE_ISSUE"], [4, 1, 1, "", "CORS_ISSUE"], [4, 1, 1, "", "DEPRECATION_ISSUE"], [4, 1, 1, "", "FEDERATED_AUTH_REQUEST_ISSUE"], [4, 1, 1, "", "FEDERATED_AUTH_USER_INFO_REQUEST_ISSUE"], [4, 1, 1, "", "GENERIC_ISSUE"], [4, 1, 1, "", "HEAVY_AD_ISSUE"], [4, 1, 1, "", "LOW_TEXT_CONTRAST_ISSUE"], [4, 1, 1, "", "MIXED_CONTENT_ISSUE"], [4, 1, 1, "", "NAVIGATOR_USER_AGENT_ISSUE"], [4, 1, 1, "", "PROPERTY_RULE_ISSUE"], [4, 1, 1, "", "QUIRKS_MODE_ISSUE"], [4, 1, 1, "", "SHARED_ARRAY_BUFFER_ISSUE"], [4, 1, 1, "", "STYLESHEET_LOADING_ISSUE"]], "nodriver.cdp.audits.InspectorIssueDetails": [[4, 1, 1, "", "attribution_reporting_issue_details"], [4, 1, 1, "", "blocked_by_response_issue_details"], [4, 1, 1, "", "bounce_tracking_issue_details"], [4, 1, 1, "", "client_hint_issue_details"], [4, 1, 1, "", "content_security_policy_issue_details"], [4, 1, 1, "", "cookie_deprecation_metadata_issue_details"], [4, 1, 1, "", "cookie_issue_details"], [4, 1, 1, "", "cors_issue_details"], [4, 1, 1, "", "deprecation_issue_details"], [4, 1, 1, "", "federated_auth_request_issue_details"], [4, 1, 1, "", "federated_auth_user_info_request_issue_details"], [4, 1, 1, "", "generic_issue_details"], [4, 1, 1, "", "heavy_ad_issue_details"], [4, 1, 1, "", "low_text_contrast_issue_details"], [4, 1, 1, "", "mixed_content_issue_details"], [4, 1, 1, "", "navigator_user_agent_issue_details"], [4, 1, 1, "", "property_rule_issue_details"], [4, 1, 1, "", "quirks_mode_issue_details"], [4, 1, 1, "", "shared_array_buffer_issue_details"], [4, 1, 1, "", "stylesheet_loading_issue_details"]], "nodriver.cdp.audits.IssueAdded": [[4, 1, 1, "", "issue"]], "nodriver.cdp.audits.LowTextContrastIssueDetails": [[4, 1, 1, "", "contrast_ratio"], [4, 1, 1, "", "font_size"], [4, 1, 1, "", "font_weight"], [4, 1, 1, "", "threshold_aa"], [4, 1, 1, "", "threshold_aaa"], [4, 1, 1, "", "violating_node_id"], [4, 1, 1, "", "violating_node_selector"]], "nodriver.cdp.audits.MixedContentIssueDetails": [[4, 1, 1, "", "frame"], [4, 1, 1, "", "insecure_url"], [4, 1, 1, "", "main_resource_url"], [4, 1, 1, "", "request"], [4, 1, 1, "", "resolution_status"], [4, 1, 1, "", "resource_type"]], "nodriver.cdp.audits.MixedContentResolutionStatus": [[4, 1, 1, "", "MIXED_CONTENT_AUTOMATICALLY_UPGRADED"], [4, 1, 1, "", "MIXED_CONTENT_BLOCKED"], [4, 1, 1, "", "MIXED_CONTENT_WARNING"]], "nodriver.cdp.audits.MixedContentResourceType": [[4, 1, 1, "", "ATTRIBUTION_SRC"], [4, 1, 1, "", "AUDIO"], [4, 1, 1, "", "BEACON"], [4, 1, 1, "", "CSP_REPORT"], [4, 1, 1, "", "DOWNLOAD"], [4, 1, 1, "", "EVENT_SOURCE"], [4, 1, 1, "", "FAVICON"], [4, 1, 1, "", "FONT"], [4, 1, 1, "", "FORM"], [4, 1, 1, "", "FRAME"], [4, 1, 1, "", "IMAGE"], [4, 1, 1, "", "IMPORT"], [4, 1, 1, "", "MANIFEST"], [4, 1, 1, "", "PING"], [4, 1, 1, "", "PLUGIN_DATA"], [4, 1, 1, "", "PLUGIN_RESOURCE"], [4, 1, 1, "", "PREFETCH"], [4, 1, 1, "", "RESOURCE"], [4, 1, 1, "", "SCRIPT"], [4, 1, 1, "", "SERVICE_WORKER"], [4, 1, 1, "", "SHARED_WORKER"], [4, 1, 1, "", "SPECULATION_RULES"], [4, 1, 1, "", "STYLESHEET"], [4, 1, 1, "", "TRACK"], [4, 1, 1, "", "VIDEO"], [4, 1, 1, "", "WORKER"], [4, 1, 1, "", "XML_HTTP_REQUEST"], [4, 1, 1, "", "XSLT"]], "nodriver.cdp.audits.NavigatorUserAgentIssueDetails": [[4, 1, 1, "", "location"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.PropertyRuleIssueDetails": [[4, 1, 1, "", "property_rule_issue_reason"], [4, 1, 1, "", "property_value"], [4, 1, 1, "", "source_code_location"]], "nodriver.cdp.audits.PropertyRuleIssueReason": [[4, 1, 1, "", "INVALID_INHERITS"], [4, 1, 1, "", "INVALID_INITIAL_VALUE"], [4, 1, 1, "", "INVALID_NAME"], [4, 1, 1, "", "INVALID_SYNTAX"]], "nodriver.cdp.audits.QuirksModeIssueDetails": [[4, 1, 1, "", "document_node_id"], [4, 1, 1, "", "frame_id"], [4, 1, 1, "", "is_limited_quirks_mode"], [4, 1, 1, "", "loader_id"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.SharedArrayBufferIssueDetails": [[4, 1, 1, "", "is_warning"], [4, 1, 1, "", "source_code_location"], [4, 1, 1, "", "type_"]], "nodriver.cdp.audits.SharedArrayBufferIssueType": [[4, 1, 1, "", "CREATION_ISSUE"], [4, 1, 1, "", "TRANSFER_ISSUE"]], "nodriver.cdp.audits.SourceCodeLocation": [[4, 1, 1, "", "column_number"], [4, 1, 1, "", "line_number"], [4, 1, 1, "", "script_id"], [4, 1, 1, "", "url"]], "nodriver.cdp.audits.StyleSheetLoadingIssueReason": [[4, 1, 1, "", "LATE_IMPORT_RULE"], [4, 1, 1, "", "REQUEST_FAILED"]], "nodriver.cdp.audits.StylesheetLoadingIssueDetails": [[4, 1, 1, "", "failed_request_info"], [4, 1, 1, "", "source_code_location"], [4, 1, 1, "", "style_sheet_loading_issue_reason"]], "nodriver.cdp.autofill": [[5, 0, 1, "", "Address"], [5, 0, 1, "", "AddressField"], [5, 0, 1, "", "AddressFields"], [5, 0, 1, "", "AddressFormFilled"], [5, 0, 1, "", "AddressUI"], [5, 0, 1, "", "CreditCard"], [5, 0, 1, "", "FilledField"], [5, 0, 1, "", "FillingStrategy"], [5, 5, 1, "", "disable"], [5, 5, 1, "", "enable"], [5, 5, 1, "", "set_addresses"], [5, 5, 1, "", "trigger"]], "nodriver.cdp.autofill.Address": [[5, 1, 1, "", "fields"]], "nodriver.cdp.autofill.AddressField": [[5, 1, 1, "", "name"], [5, 1, 1, "", "value"]], "nodriver.cdp.autofill.AddressFields": [[5, 1, 1, "", "fields"]], "nodriver.cdp.autofill.AddressFormFilled": [[5, 1, 1, "", "address_ui"], [5, 1, 1, "", "filled_fields"]], "nodriver.cdp.autofill.AddressUI": [[5, 1, 1, "", "address_fields"]], "nodriver.cdp.autofill.CreditCard": [[5, 1, 1, "", "cvc"], [5, 1, 1, "", "expiry_month"], [5, 1, 1, "", "expiry_year"], [5, 1, 1, "", "name"], [5, 1, 1, "", "number"]], "nodriver.cdp.autofill.FilledField": [[5, 1, 1, "", "autofill_type"], [5, 1, 1, "", "field_id"], [5, 1, 1, "", "filling_strategy"], [5, 1, 1, "", "html_type"], [5, 1, 1, "", "id_"], [5, 1, 1, "", "name"], [5, 1, 1, "", "value"]], "nodriver.cdp.autofill.FillingStrategy": [[5, 1, 1, "", "AUTOCOMPLETE_ATTRIBUTE"], [5, 1, 1, "", "AUTOFILL_INFERRED"]], "nodriver.cdp.background_service": [[6, 0, 1, "", "BackgroundServiceEvent"], [6, 0, 1, "", "BackgroundServiceEventReceived"], [6, 0, 1, "", "EventMetadata"], [6, 0, 1, "", "RecordingStateChanged"], [6, 0, 1, "", "ServiceName"], [6, 5, 1, "", "clear_events"], [6, 5, 1, "", "set_recording"], [6, 5, 1, "", "start_observing"], [6, 5, 1, "", "stop_observing"]], "nodriver.cdp.background_service.BackgroundServiceEvent": [[6, 1, 1, "", "event_metadata"], [6, 1, 1, "", "event_name"], [6, 1, 1, "", "instance_id"], [6, 1, 1, "", "origin"], [6, 1, 1, "", "service"], [6, 1, 1, "", "service_worker_registration_id"], [6, 1, 1, "", "storage_key"], [6, 1, 1, "", "timestamp"]], "nodriver.cdp.background_service.BackgroundServiceEventReceived": [[6, 1, 1, "", "background_service_event"]], "nodriver.cdp.background_service.EventMetadata": [[6, 1, 1, "", "key"], [6, 1, 1, "", "value"]], "nodriver.cdp.background_service.RecordingStateChanged": [[6, 1, 1, "", "is_recording"], [6, 1, 1, "", "service"]], "nodriver.cdp.background_service.ServiceName": [[6, 1, 1, "", "BACKGROUND_FETCH"], [6, 1, 1, "", "BACKGROUND_SYNC"], [6, 1, 1, "", "NOTIFICATIONS"], [6, 1, 1, "", "PAYMENT_HANDLER"], [6, 1, 1, "", "PERIODIC_BACKGROUND_SYNC"], [6, 1, 1, "", "PUSH_MESSAGING"]], "nodriver.cdp.browser": [[7, 0, 1, "", "Bounds"], [7, 0, 1, "", "BrowserCommandId"], [7, 0, 1, "", "BrowserContextID"], [7, 0, 1, "", "Bucket"], [7, 0, 1, "", "DownloadProgress"], [7, 0, 1, "", "DownloadWillBegin"], [7, 0, 1, "", "Histogram"], [7, 0, 1, "", "PermissionDescriptor"], [7, 0, 1, "", "PermissionSetting"], [7, 0, 1, "", "PermissionType"], [7, 0, 1, "", "WindowID"], [7, 0, 1, "", "WindowState"], [7, 5, 1, "", "add_privacy_sandbox_enrollment_override"], [7, 5, 1, "", "cancel_download"], [7, 5, 1, "", "close"], [7, 5, 1, "", "crash"], [7, 5, 1, "", "crash_gpu_process"], [7, 5, 1, "", "execute_browser_command"], [7, 5, 1, "", "get_browser_command_line"], [7, 5, 1, "", "get_histogram"], [7, 5, 1, "", "get_histograms"], [7, 5, 1, "", "get_version"], [7, 5, 1, "", "get_window_bounds"], [7, 5, 1, "", "get_window_for_target"], [7, 5, 1, "", "grant_permissions"], [7, 5, 1, "", "reset_permissions"], [7, 5, 1, "", "set_dock_tile"], [7, 5, 1, "", "set_download_behavior"], [7, 5, 1, "", "set_permission"], [7, 5, 1, "", "set_window_bounds"]], "nodriver.cdp.browser.Bounds": [[7, 1, 1, "", "height"], [7, 1, 1, "", "left"], [7, 1, 1, "", "top"], [7, 1, 1, "", "width"], [7, 1, 1, "", "window_state"]], "nodriver.cdp.browser.BrowserCommandId": [[7, 1, 1, "", "CLOSE_TAB_SEARCH"], [7, 1, 1, "", "OPEN_TAB_SEARCH"]], "nodriver.cdp.browser.Bucket": [[7, 1, 1, "", "count"], [7, 1, 1, "", "high"], [7, 1, 1, "", "low"]], "nodriver.cdp.browser.DownloadProgress": [[7, 1, 1, "", "guid"], [7, 1, 1, "", "received_bytes"], [7, 1, 1, "", "state"], [7, 1, 1, "", "total_bytes"]], "nodriver.cdp.browser.DownloadWillBegin": [[7, 1, 1, "", "frame_id"], [7, 1, 1, "", "guid"], [7, 1, 1, "", "suggested_filename"], [7, 1, 1, "", "url"]], "nodriver.cdp.browser.Histogram": [[7, 1, 1, "", "buckets"], [7, 1, 1, "", "count"], [7, 1, 1, "", "name"], [7, 1, 1, "", "sum_"]], "nodriver.cdp.browser.PermissionDescriptor": [[7, 1, 1, "", "allow_without_sanitization"], [7, 1, 1, "", "name"], [7, 1, 1, "", "pan_tilt_zoom"], [7, 1, 1, "", "sysex"], [7, 1, 1, "", "user_visible_only"]], "nodriver.cdp.browser.PermissionSetting": [[7, 1, 1, "", "DENIED"], [7, 1, 1, "", "GRANTED"], [7, 1, 1, "", "PROMPT"]], "nodriver.cdp.browser.PermissionType": [[7, 1, 1, "", "ACCESSIBILITY_EVENTS"], [7, 1, 1, "", "AUDIO_CAPTURE"], [7, 1, 1, "", "BACKGROUND_FETCH"], [7, 1, 1, "", "BACKGROUND_SYNC"], [7, 1, 1, "", "CAPTURED_SURFACE_CONTROL"], [7, 1, 1, "", "CLIPBOARD_READ_WRITE"], [7, 1, 1, "", "CLIPBOARD_SANITIZED_WRITE"], [7, 1, 1, "", "DISPLAY_CAPTURE"], [7, 1, 1, "", "DURABLE_STORAGE"], [7, 1, 1, "", "FLASH"], [7, 1, 1, "", "GEOLOCATION"], [7, 1, 1, "", "IDLE_DETECTION"], [7, 1, 1, "", "LOCAL_FONTS"], [7, 1, 1, "", "MIDI"], [7, 1, 1, "", "MIDI_SYSEX"], [7, 1, 1, "", "NFC"], [7, 1, 1, "", "NOTIFICATIONS"], [7, 1, 1, "", "PAYMENT_HANDLER"], [7, 1, 1, "", "PERIODIC_BACKGROUND_SYNC"], [7, 1, 1, "", "PROTECTED_MEDIA_IDENTIFIER"], [7, 1, 1, "", "SENSORS"], [7, 1, 1, "", "STORAGE_ACCESS"], [7, 1, 1, "", "TOP_LEVEL_STORAGE_ACCESS"], [7, 1, 1, "", "VIDEO_CAPTURE"], [7, 1, 1, "", "VIDEO_CAPTURE_PAN_TILT_ZOOM"], [7, 1, 1, "", "WAKE_LOCK_SCREEN"], [7, 1, 1, "", "WAKE_LOCK_SYSTEM"], [7, 1, 1, "", "WINDOW_MANAGEMENT"]], "nodriver.cdp.browser.WindowState": [[7, 1, 1, "", "FULLSCREEN"], [7, 1, 1, "", "MAXIMIZED"], [7, 1, 1, "", "MINIMIZED"], [7, 1, 1, "", "NORMAL"]], "nodriver.cdp.cache_storage": [[8, 0, 1, "", "Cache"], [8, 0, 1, "", "CacheId"], [8, 0, 1, "", "CachedResponse"], [8, 0, 1, "", "CachedResponseType"], [8, 0, 1, "", "DataEntry"], [8, 0, 1, "", "Header"], [8, 5, 1, "", "delete_cache"], [8, 5, 1, "", "delete_entry"], [8, 5, 1, "", "request_cache_names"], [8, 5, 1, "", "request_cached_response"], [8, 5, 1, "", "request_entries"]], "nodriver.cdp.cache_storage.Cache": [[8, 1, 1, "", "cache_id"], [8, 1, 1, "", "cache_name"], [8, 1, 1, "", "security_origin"], [8, 1, 1, "", "storage_bucket"], [8, 1, 1, "", "storage_key"]], "nodriver.cdp.cache_storage.CachedResponse": [[8, 1, 1, "", "body"]], "nodriver.cdp.cache_storage.CachedResponseType": [[8, 1, 1, "", "BASIC"], [8, 1, 1, "", "CORS"], [8, 1, 1, "", "DEFAULT"], [8, 1, 1, "", "ERROR"], [8, 1, 1, "", "OPAQUE_REDIRECT"], [8, 1, 1, "", "OPAQUE_RESPONSE"]], "nodriver.cdp.cache_storage.DataEntry": [[8, 1, 1, "", "request_headers"], [8, 1, 1, "", "request_method"], [8, 1, 1, "", "request_url"], [8, 1, 1, "", "response_headers"], [8, 1, 1, "", "response_status"], [8, 1, 1, "", "response_status_text"], [8, 1, 1, "", "response_time"], [8, 1, 1, "", "response_type"]], "nodriver.cdp.cache_storage.Header": [[8, 1, 1, "", "name"], [8, 1, 1, "", "value"]], "nodriver.cdp.cast": [[9, 0, 1, "", "IssueUpdated"], [9, 0, 1, "", "Sink"], [9, 0, 1, "", "SinksUpdated"], [9, 5, 1, "", "disable"], [9, 5, 1, "", "enable"], [9, 5, 1, "", "set_sink_to_use"], [9, 5, 1, "", "start_desktop_mirroring"], [9, 5, 1, "", "start_tab_mirroring"], [9, 5, 1, "", "stop_casting"]], "nodriver.cdp.cast.IssueUpdated": [[9, 1, 1, "", "issue_message"]], "nodriver.cdp.cast.Sink": [[9, 1, 1, "", "id_"], [9, 1, 1, "", "name"], [9, 1, 1, "", "session"]], "nodriver.cdp.cast.SinksUpdated": [[9, 1, 1, "", "sinks"]], "nodriver.cdp.console": [[10, 0, 1, "", "ConsoleMessage"], [10, 0, 1, "", "MessageAdded"], [10, 5, 1, "", "clear_messages"], [10, 5, 1, "", "disable"], [10, 5, 1, "", "enable"]], "nodriver.cdp.console.ConsoleMessage": [[10, 1, 1, "", "column"], [10, 1, 1, "", "level"], [10, 1, 1, "", "line"], [10, 1, 1, "", "source"], [10, 1, 1, "", "text"], [10, 1, 1, "", "url"]], "nodriver.cdp.console.MessageAdded": [[10, 1, 1, "", "message"]], "nodriver.cdp.css": [[11, 0, 1, "", "CSSComputedStyleProperty"], [11, 0, 1, "", "CSSContainerQuery"], [11, 0, 1, "", "CSSFontPaletteValuesRule"], [11, 0, 1, "", "CSSKeyframeRule"], [11, 0, 1, "", "CSSKeyframesRule"], [11, 0, 1, "", "CSSLayer"], [11, 0, 1, "", "CSSLayerData"], [11, 0, 1, "", "CSSMedia"], [11, 0, 1, "", "CSSPositionFallbackRule"], [11, 0, 1, "", "CSSProperty"], [11, 0, 1, "", "CSSPropertyRegistration"], [11, 0, 1, "", "CSSPropertyRule"], [11, 0, 1, "", "CSSRule"], [11, 0, 1, "", "CSSRuleType"], [11, 0, 1, "", "CSSScope"], [11, 0, 1, "", "CSSStyle"], [11, 0, 1, "", "CSSStyleSheetHeader"], [11, 0, 1, "", "CSSSupports"], [11, 0, 1, "", "CSSTryRule"], [11, 0, 1, "", "FontFace"], [11, 0, 1, "", "FontVariationAxis"], [11, 0, 1, "", "FontsUpdated"], [11, 0, 1, "", "InheritedPseudoElementMatches"], [11, 0, 1, "", "InheritedStyleEntry"], [11, 0, 1, "", "MediaQuery"], [11, 0, 1, "", "MediaQueryExpression"], [11, 0, 1, "", "MediaQueryResultChanged"], [11, 0, 1, "", "PlatformFontUsage"], [11, 0, 1, "", "PseudoElementMatches"], [11, 0, 1, "", "RuleMatch"], [11, 0, 1, "", "RuleUsage"], [11, 0, 1, "", "SelectorList"], [11, 0, 1, "", "ShorthandEntry"], [11, 0, 1, "", "SourceRange"], [11, 0, 1, "", "Specificity"], [11, 0, 1, "", "StyleDeclarationEdit"], [11, 0, 1, "", "StyleSheetAdded"], [11, 0, 1, "", "StyleSheetChanged"], [11, 0, 1, "", "StyleSheetId"], [11, 0, 1, "", "StyleSheetOrigin"], [11, 0, 1, "", "StyleSheetRemoved"], [11, 0, 1, "", "Value"], [11, 5, 1, "", "add_rule"], [11, 5, 1, "", "collect_class_names"], [11, 5, 1, "", "create_style_sheet"], [11, 5, 1, "", "disable"], [11, 5, 1, "", "enable"], [11, 5, 1, "", "force_pseudo_state"], [11, 5, 1, "", "get_background_colors"], [11, 5, 1, "", "get_computed_style_for_node"], [11, 5, 1, "", "get_inline_styles_for_node"], [11, 5, 1, "", "get_layers_for_node"], [11, 5, 1, "", "get_matched_styles_for_node"], [11, 5, 1, "", "get_media_queries"], [11, 5, 1, "", "get_platform_fonts_for_node"], [11, 5, 1, "", "get_style_sheet_text"], [11, 5, 1, "", "set_container_query_text"], [11, 5, 1, "", "set_effective_property_value_for_node"], [11, 5, 1, "", "set_keyframe_key"], [11, 5, 1, "", "set_local_fonts_enabled"], [11, 5, 1, "", "set_media_text"], [11, 5, 1, "", "set_property_rule_property_name"], [11, 5, 1, "", "set_rule_selector"], [11, 5, 1, "", "set_scope_text"], [11, 5, 1, "", "set_style_sheet_text"], [11, 5, 1, "", "set_style_texts"], [11, 5, 1, "", "set_supports_text"], [11, 5, 1, "", "start_rule_usage_tracking"], [11, 5, 1, "", "stop_rule_usage_tracking"], [11, 5, 1, "", "take_computed_style_updates"], [11, 5, 1, "", "take_coverage_delta"], [11, 5, 1, "", "track_computed_style_updates"]], "nodriver.cdp.css.CSSComputedStyleProperty": [[11, 1, 1, "", "name"], [11, 1, 1, "", "value"]], "nodriver.cdp.css.CSSContainerQuery": [[11, 1, 1, "", "logical_axes"], [11, 1, 1, "", "name"], [11, 1, 1, "", "physical_axes"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSFontPaletteValuesRule": [[11, 1, 1, "", "font_palette_name"], [11, 1, 1, "", "origin"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.CSSKeyframeRule": [[11, 1, 1, "", "key_text"], [11, 1, 1, "", "origin"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.CSSKeyframesRule": [[11, 1, 1, "", "animation_name"], [11, 1, 1, "", "keyframes"]], "nodriver.cdp.css.CSSLayer": [[11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSLayerData": [[11, 1, 1, "", "name"], [11, 1, 1, "", "order"], [11, 1, 1, "", "sub_layers"]], "nodriver.cdp.css.CSSMedia": [[11, 1, 1, "", "media_list"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "source"], [11, 1, 1, "", "source_url"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSPositionFallbackRule": [[11, 1, 1, "", "name"], [11, 1, 1, "", "try_rules"]], "nodriver.cdp.css.CSSProperty": [[11, 1, 1, "", "disabled"], [11, 1, 1, "", "implicit"], [11, 1, 1, "", "important"], [11, 1, 1, "", "longhand_properties"], [11, 1, 1, "", "name"], [11, 1, 1, "", "parsed_ok"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "text"], [11, 1, 1, "", "value"]], "nodriver.cdp.css.CSSPropertyRegistration": [[11, 1, 1, "", "inherits"], [11, 1, 1, "", "initial_value"], [11, 1, 1, "", "property_name"], [11, 1, 1, "", "syntax"]], "nodriver.cdp.css.CSSPropertyRule": [[11, 1, 1, "", "origin"], [11, 1, 1, "", "property_name"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.CSSRule": [[11, 1, 1, "", "container_queries"], [11, 1, 1, "", "layers"], [11, 1, 1, "", "media"], [11, 1, 1, "", "nesting_selectors"], [11, 1, 1, "", "origin"], [11, 1, 1, "", "rule_types"], [11, 1, 1, "", "scopes"], [11, 1, 1, "", "selector_list"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "supports"]], "nodriver.cdp.css.CSSRuleType": [[11, 1, 1, "", "CONTAINER_RULE"], [11, 1, 1, "", "LAYER_RULE"], [11, 1, 1, "", "MEDIA_RULE"], [11, 1, 1, "", "SCOPE_RULE"], [11, 1, 1, "", "STYLE_RULE"], [11, 1, 1, "", "SUPPORTS_RULE"]], "nodriver.cdp.css.CSSScope": [[11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSStyle": [[11, 1, 1, "", "css_properties"], [11, 1, 1, "", "css_text"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "shorthand_entries"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.CSSStyleSheetHeader": [[11, 1, 1, "", "disabled"], [11, 1, 1, "", "end_column"], [11, 1, 1, "", "end_line"], [11, 1, 1, "", "frame_id"], [11, 1, 1, "", "has_source_url"], [11, 1, 1, "", "is_constructed"], [11, 1, 1, "", "is_inline"], [11, 1, 1, "", "is_mutable"], [11, 1, 1, "", "length"], [11, 1, 1, "", "loading_failed"], [11, 1, 1, "", "origin"], [11, 1, 1, "", "owner_node"], [11, 1, 1, "", "source_map_url"], [11, 1, 1, "", "source_url"], [11, 1, 1, "", "start_column"], [11, 1, 1, "", "start_line"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "title"]], "nodriver.cdp.css.CSSSupports": [[11, 1, 1, "", "active"], [11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.CSSTryRule": [[11, 1, 1, "", "origin"], [11, 1, 1, "", "style"], [11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.FontFace": [[11, 1, 1, "", "font_display"], [11, 1, 1, "", "font_family"], [11, 1, 1, "", "font_stretch"], [11, 1, 1, "", "font_style"], [11, 1, 1, "", "font_variant"], [11, 1, 1, "", "font_variation_axes"], [11, 1, 1, "", "font_weight"], [11, 1, 1, "", "platform_font_family"], [11, 1, 1, "", "src"], [11, 1, 1, "", "unicode_range"]], "nodriver.cdp.css.FontVariationAxis": [[11, 1, 1, "", "default_value"], [11, 1, 1, "", "max_value"], [11, 1, 1, "", "min_value"], [11, 1, 1, "", "name"], [11, 1, 1, "", "tag"]], "nodriver.cdp.css.FontsUpdated": [[11, 1, 1, "", "font"]], "nodriver.cdp.css.InheritedPseudoElementMatches": [[11, 1, 1, "", "pseudo_elements"]], "nodriver.cdp.css.InheritedStyleEntry": [[11, 1, 1, "", "inline_style"], [11, 1, 1, "", "matched_css_rules"]], "nodriver.cdp.css.MediaQuery": [[11, 1, 1, "", "active"], [11, 1, 1, "", "expressions"]], "nodriver.cdp.css.MediaQueryExpression": [[11, 1, 1, "", "computed_length"], [11, 1, 1, "", "feature"], [11, 1, 1, "", "unit"], [11, 1, 1, "", "value"], [11, 1, 1, "", "value_range"]], "nodriver.cdp.css.PlatformFontUsage": [[11, 1, 1, "", "family_name"], [11, 1, 1, "", "glyph_count"], [11, 1, 1, "", "is_custom_font"], [11, 1, 1, "", "post_script_name"]], "nodriver.cdp.css.PseudoElementMatches": [[11, 1, 1, "", "matches"], [11, 1, 1, "", "pseudo_identifier"], [11, 1, 1, "", "pseudo_type"]], "nodriver.cdp.css.RuleMatch": [[11, 1, 1, "", "matching_selectors"], [11, 1, 1, "", "rule"]], "nodriver.cdp.css.RuleUsage": [[11, 1, 1, "", "end_offset"], [11, 1, 1, "", "start_offset"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "used"]], "nodriver.cdp.css.SelectorList": [[11, 1, 1, "", "selectors"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.ShorthandEntry": [[11, 1, 1, "", "important"], [11, 1, 1, "", "name"], [11, 1, 1, "", "value"]], "nodriver.cdp.css.SourceRange": [[11, 1, 1, "", "end_column"], [11, 1, 1, "", "end_line"], [11, 1, 1, "", "start_column"], [11, 1, 1, "", "start_line"]], "nodriver.cdp.css.Specificity": [[11, 1, 1, "", "a"], [11, 1, 1, "", "b"], [11, 1, 1, "", "c"]], "nodriver.cdp.css.StyleDeclarationEdit": [[11, 1, 1, "", "range_"], [11, 1, 1, "", "style_sheet_id"], [11, 1, 1, "", "text"]], "nodriver.cdp.css.StyleSheetAdded": [[11, 1, 1, "", "header"]], "nodriver.cdp.css.StyleSheetChanged": [[11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.StyleSheetOrigin": [[11, 1, 1, "", "INJECTED"], [11, 1, 1, "", "INSPECTOR"], [11, 1, 1, "", "REGULAR"], [11, 1, 1, "", "USER_AGENT"]], "nodriver.cdp.css.StyleSheetRemoved": [[11, 1, 1, "", "style_sheet_id"]], "nodriver.cdp.css.Value": [[11, 1, 1, "", "range_"], [11, 1, 1, "", "specificity"], [11, 1, 1, "", "text"]], "nodriver.cdp.database": [[12, 0, 1, "", "AddDatabase"], [12, 0, 1, "", "Database"], [12, 0, 1, "", "DatabaseId"], [12, 0, 1, "", "Error"], [12, 5, 1, "", "disable"], [12, 5, 1, "", "enable"], [12, 5, 1, "", "execute_sql"], [12, 5, 1, "", "get_database_table_names"]], "nodriver.cdp.database.AddDatabase": [[12, 1, 1, "", "database"]], "nodriver.cdp.database.Database": [[12, 1, 1, "", "domain"], [12, 1, 1, "", "id_"], [12, 1, 1, "", "name"], [12, 1, 1, "", "version"]], "nodriver.cdp.database.Error": [[12, 1, 1, "", "code"], [12, 1, 1, "", "message"]], "nodriver.cdp.debugger": [[13, 0, 1, "", "BreakLocation"], [13, 0, 1, "", "BreakpointId"], [13, 0, 1, "", "BreakpointResolved"], [13, 0, 1, "", "CallFrame"], [13, 0, 1, "", "CallFrameId"], [13, 0, 1, "", "DebugSymbols"], [13, 0, 1, "", "Location"], [13, 0, 1, "", "LocationRange"], [13, 0, 1, "", "Paused"], [13, 0, 1, "", "Resumed"], [13, 0, 1, "", "Scope"], [13, 0, 1, "", "ScriptFailedToParse"], [13, 0, 1, "", "ScriptLanguage"], [13, 0, 1, "", "ScriptParsed"], [13, 0, 1, "", "ScriptPosition"], [13, 0, 1, "", "SearchMatch"], [13, 0, 1, "", "WasmDisassemblyChunk"], [13, 5, 1, "", "continue_to_location"], [13, 5, 1, "", "disable"], [13, 5, 1, "", "disassemble_wasm_module"], [13, 5, 1, "", "enable"], [13, 5, 1, "", "evaluate_on_call_frame"], [13, 5, 1, "", "get_possible_breakpoints"], [13, 5, 1, "", "get_script_source"], [13, 5, 1, "", "get_stack_trace"], [13, 5, 1, "", "get_wasm_bytecode"], [13, 5, 1, "", "next_wasm_disassembly_chunk"], [13, 5, 1, "", "pause"], [13, 5, 1, "", "pause_on_async_call"], [13, 5, 1, "", "remove_breakpoint"], [13, 5, 1, "", "restart_frame"], [13, 5, 1, "", "resume"], [13, 5, 1, "", "search_in_content"], [13, 5, 1, "", "set_async_call_stack_depth"], [13, 5, 1, "", "set_blackbox_patterns"], [13, 5, 1, "", "set_blackboxed_ranges"], [13, 5, 1, "", "set_breakpoint"], [13, 5, 1, "", "set_breakpoint_by_url"], [13, 5, 1, "", "set_breakpoint_on_function_call"], [13, 5, 1, "", "set_breakpoints_active"], [13, 5, 1, "", "set_instrumentation_breakpoint"], [13, 5, 1, "", "set_pause_on_exceptions"], [13, 5, 1, "", "set_return_value"], [13, 5, 1, "", "set_script_source"], [13, 5, 1, "", "set_skip_all_pauses"], [13, 5, 1, "", "set_variable_value"], [13, 5, 1, "", "step_into"], [13, 5, 1, "", "step_out"], [13, 5, 1, "", "step_over"]], "nodriver.cdp.debugger.BreakLocation": [[13, 1, 1, "", "column_number"], [13, 1, 1, "", "line_number"], [13, 1, 1, "", "script_id"], [13, 1, 1, "", "type_"]], "nodriver.cdp.debugger.BreakpointResolved": [[13, 1, 1, "", "breakpoint_id"], [13, 1, 1, "", "location"]], "nodriver.cdp.debugger.CallFrame": [[13, 1, 1, "", "call_frame_id"], [13, 1, 1, "", "can_be_restarted"], [13, 1, 1, "", "function_location"], [13, 1, 1, "", "function_name"], [13, 1, 1, "", "location"], [13, 1, 1, "", "return_value"], [13, 1, 1, "", "scope_chain"], [13, 1, 1, "", "this"], [13, 1, 1, "", "url"]], "nodriver.cdp.debugger.DebugSymbols": [[13, 1, 1, "", "external_url"], [13, 1, 1, "", "type_"]], "nodriver.cdp.debugger.Location": [[13, 1, 1, "", "column_number"], [13, 1, 1, "", "line_number"], [13, 1, 1, "", "script_id"]], "nodriver.cdp.debugger.LocationRange": [[13, 1, 1, "", "end"], [13, 1, 1, "", "script_id"], [13, 1, 1, "", "start"]], "nodriver.cdp.debugger.Paused": [[13, 1, 1, "", "async_call_stack_trace_id"], [13, 1, 1, "", "async_stack_trace"], [13, 1, 1, "", "async_stack_trace_id"], [13, 1, 1, "", "call_frames"], [13, 1, 1, "", "data"], [13, 1, 1, "", "hit_breakpoints"], [13, 1, 1, "", "reason"]], "nodriver.cdp.debugger.Scope": [[13, 1, 1, "", "end_location"], [13, 1, 1, "", "name"], [13, 1, 1, "", "object_"], [13, 1, 1, "", "start_location"], [13, 1, 1, "", "type_"]], "nodriver.cdp.debugger.ScriptFailedToParse": [[13, 1, 1, "", "code_offset"], [13, 1, 1, "", "embedder_name"], [13, 1, 1, "", "end_column"], [13, 1, 1, "", "end_line"], [13, 1, 1, "", "execution_context_aux_data"], [13, 1, 1, "", "execution_context_id"], [13, 1, 1, "", "has_source_url"], [13, 1, 1, "", "hash_"], [13, 1, 1, "", "is_module"], [13, 1, 1, "", "length"], [13, 1, 1, "", "script_id"], [13, 1, 1, "", "script_language"], [13, 1, 1, "", "source_map_url"], [13, 1, 1, "", "stack_trace"], [13, 1, 1, "", "start_column"], [13, 1, 1, "", "start_line"], [13, 1, 1, "", "url"]], "nodriver.cdp.debugger.ScriptLanguage": [[13, 1, 1, "", "JAVA_SCRIPT"], [13, 1, 1, "", "WEB_ASSEMBLY"]], "nodriver.cdp.debugger.ScriptParsed": [[13, 1, 1, "", "code_offset"], [13, 1, 1, "", "debug_symbols"], [13, 1, 1, "", "embedder_name"], [13, 1, 1, "", "end_column"], [13, 1, 1, "", "end_line"], [13, 1, 1, "", "execution_context_aux_data"], [13, 1, 1, "", "execution_context_id"], [13, 1, 1, "", "has_source_url"], [13, 1, 1, "", "hash_"], [13, 1, 1, "", "is_live_edit"], [13, 1, 1, "", "is_module"], [13, 1, 1, "", "length"], [13, 1, 1, "", "script_id"], [13, 1, 1, "", "script_language"], [13, 1, 1, "", "source_map_url"], [13, 1, 1, "", "stack_trace"], [13, 1, 1, "", "start_column"], [13, 1, 1, "", "start_line"], [13, 1, 1, "", "url"]], "nodriver.cdp.debugger.ScriptPosition": [[13, 1, 1, "", "column_number"], [13, 1, 1, "", "line_number"]], "nodriver.cdp.debugger.SearchMatch": [[13, 1, 1, "", "line_content"], [13, 1, 1, "", "line_number"]], "nodriver.cdp.debugger.WasmDisassemblyChunk": [[13, 1, 1, "", "bytecode_offsets"], [13, 1, 1, "", "lines"]], "nodriver.cdp.device_access": [[14, 0, 1, "", "DeviceId"], [14, 0, 1, "", "DeviceRequestPrompted"], [14, 0, 1, "", "PromptDevice"], [14, 0, 1, "", "RequestId"], [14, 5, 1, "", "cancel_prompt"], [14, 5, 1, "", "disable"], [14, 5, 1, "", "enable"], [14, 5, 1, "", "select_prompt"]], "nodriver.cdp.device_access.DeviceRequestPrompted": [[14, 1, 1, "", "devices"], [14, 1, 1, "", "id_"]], "nodriver.cdp.device_access.PromptDevice": [[14, 1, 1, "", "id_"], [14, 1, 1, "", "name"]], "nodriver.cdp.device_orientation": [[15, 5, 1, "", "clear_device_orientation_override"], [15, 5, 1, "", "set_device_orientation_override"]], "nodriver.cdp.dom": [[16, 0, 1, "", "AttributeModified"], [16, 0, 1, "", "AttributeRemoved"], [16, 0, 1, "", "BackendNode"], [16, 0, 1, "", "BackendNodeId"], [16, 0, 1, "", "BoxModel"], [16, 0, 1, "", "CSSComputedStyleProperty"], [16, 0, 1, "", "CharacterDataModified"], [16, 0, 1, "", "ChildNodeCountUpdated"], [16, 0, 1, "", "ChildNodeInserted"], [16, 0, 1, "", "ChildNodeRemoved"], [16, 0, 1, "", "CompatibilityMode"], [16, 0, 1, "", "DistributedNodesUpdated"], [16, 0, 1, "", "DocumentUpdated"], [16, 0, 1, "", "InlineStyleInvalidated"], [16, 0, 1, "", "LogicalAxes"], [16, 0, 1, "", "Node"], [16, 0, 1, "", "NodeId"], [16, 0, 1, "", "PhysicalAxes"], [16, 0, 1, "", "PseudoElementAdded"], [16, 0, 1, "", "PseudoElementRemoved"], [16, 0, 1, "", "PseudoType"], [16, 0, 1, "", "Quad"], [16, 0, 1, "", "RGBA"], [16, 0, 1, "", "Rect"], [16, 0, 1, "", "SetChildNodes"], [16, 0, 1, "", "ShadowRootPopped"], [16, 0, 1, "", "ShadowRootPushed"], [16, 0, 1, "", "ShadowRootType"], [16, 0, 1, "", "ShapeOutsideInfo"], [16, 0, 1, "", "TopLayerElementsUpdated"], [16, 5, 1, "", "collect_class_names_from_subtree"], [16, 5, 1, "", "copy_to"], [16, 5, 1, "", "describe_node"], [16, 5, 1, "", "disable"], [16, 5, 1, "", "discard_search_results"], [16, 5, 1, "", "enable"], [16, 5, 1, "", "focus"], [16, 5, 1, "", "get_attributes"], [16, 5, 1, "", "get_box_model"], [16, 5, 1, "", "get_container_for_node"], [16, 5, 1, "", "get_content_quads"], [16, 5, 1, "", "get_document"], [16, 5, 1, "", "get_file_info"], [16, 5, 1, "", "get_flattened_document"], [16, 5, 1, "", "get_frame_owner"], [16, 5, 1, "", "get_node_for_location"], [16, 5, 1, "", "get_node_stack_traces"], [16, 5, 1, "", "get_nodes_for_subtree_by_style"], [16, 5, 1, "", "get_outer_html"], [16, 5, 1, "", "get_querying_descendants_for_container"], [16, 5, 1, "", "get_relayout_boundary"], [16, 5, 1, "", "get_search_results"], [16, 5, 1, "", "get_top_layer_elements"], [16, 5, 1, "", "hide_highlight"], [16, 5, 1, "", "highlight_node"], [16, 5, 1, "", "highlight_rect"], [16, 5, 1, "", "mark_undoable_state"], [16, 5, 1, "", "move_to"], [16, 5, 1, "", "perform_search"], [16, 5, 1, "", "push_node_by_path_to_frontend"], [16, 5, 1, "", "push_nodes_by_backend_ids_to_frontend"], [16, 5, 1, "", "query_selector"], [16, 5, 1, "", "query_selector_all"], [16, 5, 1, "", "redo"], [16, 5, 1, "", "remove_attribute"], [16, 5, 1, "", "remove_node"], [16, 5, 1, "", "request_child_nodes"], [16, 5, 1, "", "request_node"], [16, 5, 1, "", "resolve_node"], [16, 5, 1, "", "scroll_into_view_if_needed"], [16, 5, 1, "", "set_attribute_value"], [16, 5, 1, "", "set_attributes_as_text"], [16, 5, 1, "", "set_file_input_files"], [16, 5, 1, "", "set_inspected_node"], [16, 5, 1, "", "set_node_name"], [16, 5, 1, "", "set_node_stack_traces_enabled"], [16, 5, 1, "", "set_node_value"], [16, 5, 1, "", "set_outer_html"], [16, 5, 1, "", "undo"]], "nodriver.cdp.dom.AttributeModified": [[16, 1, 1, "", "name"], [16, 1, 1, "", "node_id"], [16, 1, 1, "", "value"]], "nodriver.cdp.dom.AttributeRemoved": [[16, 1, 1, "", "name"], [16, 1, 1, "", "node_id"]], "nodriver.cdp.dom.BackendNode": [[16, 1, 1, "", "backend_node_id"], [16, 1, 1, "", "node_name"], [16, 1, 1, "", "node_type"]], "nodriver.cdp.dom.BoxModel": [[16, 1, 1, "", "border"], [16, 1, 1, "", "content"], [16, 1, 1, "", "height"], [16, 1, 1, "", "margin"], [16, 1, 1, "", "padding"], [16, 1, 1, "", "shape_outside"], [16, 1, 1, "", "width"]], "nodriver.cdp.dom.CSSComputedStyleProperty": [[16, 1, 1, "", "name"], [16, 1, 1, "", "value"]], "nodriver.cdp.dom.CharacterDataModified": [[16, 1, 1, "", "character_data"], [16, 1, 1, "", "node_id"]], "nodriver.cdp.dom.ChildNodeCountUpdated": [[16, 1, 1, "", "child_node_count"], [16, 1, 1, "", "node_id"]], "nodriver.cdp.dom.ChildNodeInserted": [[16, 1, 1, "", "node"], [16, 1, 1, "", "parent_node_id"], [16, 1, 1, "", "previous_node_id"]], "nodriver.cdp.dom.ChildNodeRemoved": [[16, 1, 1, "", "node_id"], [16, 1, 1, "", "parent_node_id"]], "nodriver.cdp.dom.CompatibilityMode": [[16, 1, 1, "", "LIMITED_QUIRKS_MODE"], [16, 1, 1, "", "NO_QUIRKS_MODE"], [16, 1, 1, "", "QUIRKS_MODE"]], "nodriver.cdp.dom.DistributedNodesUpdated": [[16, 1, 1, "", "distributed_nodes"], [16, 1, 1, "", "insertion_point_id"]], "nodriver.cdp.dom.InlineStyleInvalidated": [[16, 1, 1, "", "node_ids"]], "nodriver.cdp.dom.LogicalAxes": [[16, 1, 1, "", "BLOCK"], [16, 1, 1, "", "BOTH"], [16, 1, 1, "", "INLINE"]], "nodriver.cdp.dom.Node": [[16, 1, 1, "", "assigned_slot"], [16, 1, 1, "", "attributes"], [16, 1, 1, "", "backend_node_id"], [16, 1, 1, "", "base_url"], [16, 1, 1, "", "child_node_count"], [16, 1, 1, "", "children"], [16, 1, 1, "", "compatibility_mode"], [16, 1, 1, "", "content_document"], [16, 1, 1, "", "distributed_nodes"], [16, 1, 1, "", "document_url"], [16, 1, 1, "", "frame_id"], [16, 1, 1, "", "imported_document"], [16, 1, 1, "", "internal_subset"], [16, 1, 1, "", "is_svg"], [16, 1, 1, "", "local_name"], [16, 1, 1, "", "name"], [16, 1, 1, "", "node_id"], [16, 1, 1, "", "node_name"], [16, 1, 1, "", "node_type"], [16, 1, 1, "", "node_value"], [16, 1, 1, "", "parent_id"], [16, 1, 1, "", "pseudo_elements"], [16, 1, 1, "", "pseudo_identifier"], [16, 1, 1, "", "pseudo_type"], [16, 1, 1, "", "public_id"], [16, 1, 1, "", "shadow_root_type"], [16, 1, 1, "", "shadow_roots"], [16, 1, 1, "", "system_id"], [16, 1, 1, "", "template_content"], [16, 1, 1, "", "value"], [16, 1, 1, "", "xml_version"]], "nodriver.cdp.dom.PhysicalAxes": [[16, 1, 1, "", "BOTH"], [16, 1, 1, "", "HORIZONTAL"], [16, 1, 1, "", "VERTICAL"]], "nodriver.cdp.dom.PseudoElementAdded": [[16, 1, 1, "", "parent_id"], [16, 1, 1, "", "pseudo_element"]], "nodriver.cdp.dom.PseudoElementRemoved": [[16, 1, 1, "", "parent_id"], [16, 1, 1, "", "pseudo_element_id"]], "nodriver.cdp.dom.PseudoType": [[16, 1, 1, "", "AFTER"], [16, 1, 1, "", "BACKDROP"], [16, 1, 1, "", "BEFORE"], [16, 1, 1, "", "FIRST_LETTER"], [16, 1, 1, "", "FIRST_LINE"], [16, 1, 1, "", "FIRST_LINE_INHERITED"], [16, 1, 1, "", "GRAMMAR_ERROR"], [16, 1, 1, "", "HIGHLIGHT"], [16, 1, 1, "", "INPUT_LIST_BUTTON"], [16, 1, 1, "", "MARKER"], [16, 1, 1, "", "RESIZER"], [16, 1, 1, "", "SCROLLBAR"], [16, 1, 1, "", "SCROLLBAR_BUTTON"], [16, 1, 1, "", "SCROLLBAR_CORNER"], [16, 1, 1, "", "SCROLLBAR_THUMB"], [16, 1, 1, "", "SCROLLBAR_TRACK"], [16, 1, 1, "", "SCROLLBAR_TRACK_PIECE"], [16, 1, 1, "", "SELECTION"], [16, 1, 1, "", "SPELLING_ERROR"], [16, 1, 1, "", "TARGET_TEXT"], [16, 1, 1, "", "VIEW_TRANSITION"], [16, 1, 1, "", "VIEW_TRANSITION_GROUP"], [16, 1, 1, "", "VIEW_TRANSITION_IMAGE_PAIR"], [16, 1, 1, "", "VIEW_TRANSITION_NEW"], [16, 1, 1, "", "VIEW_TRANSITION_OLD"]], "nodriver.cdp.dom.RGBA": [[16, 1, 1, "", "a"], [16, 1, 1, "", "b"], [16, 1, 1, "", "g"], [16, 1, 1, "", "r"]], "nodriver.cdp.dom.Rect": [[16, 1, 1, "", "height"], [16, 1, 1, "", "width"], [16, 1, 1, "", "x"], [16, 1, 1, "", "y"]], "nodriver.cdp.dom.SetChildNodes": [[16, 1, 1, "", "nodes"], [16, 1, 1, "", "parent_id"]], "nodriver.cdp.dom.ShadowRootPopped": [[16, 1, 1, "", "host_id"], [16, 1, 1, "", "root_id"]], "nodriver.cdp.dom.ShadowRootPushed": [[16, 1, 1, "", "host_id"], [16, 1, 1, "", "root"]], "nodriver.cdp.dom.ShadowRootType": [[16, 1, 1, "", "CLOSED"], [16, 1, 1, "", "OPEN_"], [16, 1, 1, "", "USER_AGENT"]], "nodriver.cdp.dom.ShapeOutsideInfo": [[16, 1, 1, "", "bounds"], [16, 1, 1, "", "margin_shape"], [16, 1, 1, "", "shape"]], "nodriver.cdp.dom_debugger": [[17, 0, 1, "", "CSPViolationType"], [17, 0, 1, "", "DOMBreakpointType"], [17, 0, 1, "", "EventListener"], [17, 5, 1, "", "get_event_listeners"], [17, 5, 1, "", "remove_dom_breakpoint"], [17, 5, 1, "", "remove_event_listener_breakpoint"], [17, 5, 1, "", "remove_instrumentation_breakpoint"], [17, 5, 1, "", "remove_xhr_breakpoint"], [17, 5, 1, "", "set_break_on_csp_violation"], [17, 5, 1, "", "set_dom_breakpoint"], [17, 5, 1, "", "set_event_listener_breakpoint"], [17, 5, 1, "", "set_instrumentation_breakpoint"], [17, 5, 1, "", "set_xhr_breakpoint"]], "nodriver.cdp.dom_debugger.CSPViolationType": [[17, 1, 1, "", "TRUSTEDTYPE_POLICY_VIOLATION"], [17, 1, 1, "", "TRUSTEDTYPE_SINK_VIOLATION"]], "nodriver.cdp.dom_debugger.DOMBreakpointType": [[17, 1, 1, "", "ATTRIBUTE_MODIFIED"], [17, 1, 1, "", "NODE_REMOVED"], [17, 1, 1, "", "SUBTREE_MODIFIED"]], "nodriver.cdp.dom_debugger.EventListener": [[17, 1, 1, "", "backend_node_id"], [17, 1, 1, "", "column_number"], [17, 1, 1, "", "handler"], [17, 1, 1, "", "line_number"], [17, 1, 1, "", "once"], [17, 1, 1, "", "original_handler"], [17, 1, 1, "", "passive"], [17, 1, 1, "", "script_id"], [17, 1, 1, "", "type_"], [17, 1, 1, "", "use_capture"]], "nodriver.cdp.dom_snapshot": [[18, 0, 1, "", "ArrayOfStrings"], [18, 0, 1, "", "ComputedStyle"], [18, 0, 1, "", "DOMNode"], [18, 0, 1, "", "DocumentSnapshot"], [18, 0, 1, "", "InlineTextBox"], [18, 0, 1, "", "LayoutTreeNode"], [18, 0, 1, "", "LayoutTreeSnapshot"], [18, 0, 1, "", "NameValue"], [18, 0, 1, "", "NodeTreeSnapshot"], [18, 0, 1, "", "RareBooleanData"], [18, 0, 1, "", "RareIntegerData"], [18, 0, 1, "", "RareStringData"], [18, 0, 1, "", "Rectangle"], [18, 0, 1, "", "StringIndex"], [18, 0, 1, "", "TextBoxSnapshot"], [18, 5, 1, "", "capture_snapshot"], [18, 5, 1, "", "disable"], [18, 5, 1, "", "enable"], [18, 5, 1, "", "get_snapshot"]], "nodriver.cdp.dom_snapshot.ComputedStyle": [[18, 1, 1, "", "properties"]], "nodriver.cdp.dom_snapshot.DOMNode": [[18, 1, 1, "", "attributes"], [18, 1, 1, "", "backend_node_id"], [18, 1, 1, "", "base_url"], [18, 1, 1, "", "child_node_indexes"], [18, 1, 1, "", "content_document_index"], [18, 1, 1, "", "content_language"], [18, 1, 1, "", "current_source_url"], [18, 1, 1, "", "document_encoding"], [18, 1, 1, "", "document_url"], [18, 1, 1, "", "event_listeners"], [18, 1, 1, "", "frame_id"], [18, 1, 1, "", "input_checked"], [18, 1, 1, "", "input_value"], [18, 1, 1, "", "is_clickable"], [18, 1, 1, "", "layout_node_index"], [18, 1, 1, "", "node_name"], [18, 1, 1, "", "node_type"], [18, 1, 1, "", "node_value"], [18, 1, 1, "", "option_selected"], [18, 1, 1, "", "origin_url"], [18, 1, 1, "", "pseudo_element_indexes"], [18, 1, 1, "", "pseudo_type"], [18, 1, 1, "", "public_id"], [18, 1, 1, "", "scroll_offset_x"], [18, 1, 1, "", "scroll_offset_y"], [18, 1, 1, "", "shadow_root_type"], [18, 1, 1, "", "system_id"], [18, 1, 1, "", "text_value"]], "nodriver.cdp.dom_snapshot.DocumentSnapshot": [[18, 1, 1, "", "base_url"], [18, 1, 1, "", "content_height"], [18, 1, 1, "", "content_language"], [18, 1, 1, "", "content_width"], [18, 1, 1, "", "document_url"], [18, 1, 1, "", "encoding_name"], [18, 1, 1, "", "frame_id"], [18, 1, 1, "", "layout"], [18, 1, 1, "", "nodes"], [18, 1, 1, "", "public_id"], [18, 1, 1, "", "scroll_offset_x"], [18, 1, 1, "", "scroll_offset_y"], [18, 1, 1, "", "system_id"], [18, 1, 1, "", "text_boxes"], [18, 1, 1, "", "title"]], "nodriver.cdp.dom_snapshot.InlineTextBox": [[18, 1, 1, "", "bounding_box"], [18, 1, 1, "", "num_characters"], [18, 1, 1, "", "start_character_index"]], "nodriver.cdp.dom_snapshot.LayoutTreeNode": [[18, 1, 1, "", "bounding_box"], [18, 1, 1, "", "dom_node_index"], [18, 1, 1, "", "inline_text_nodes"], [18, 1, 1, "", "is_stacking_context"], [18, 1, 1, "", "layout_text"], [18, 1, 1, "", "paint_order"], [18, 1, 1, "", "style_index"]], "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot": [[18, 1, 1, "", "blended_background_colors"], [18, 1, 1, "", "bounds"], [18, 1, 1, "", "client_rects"], [18, 1, 1, "", "node_index"], [18, 1, 1, "", "offset_rects"], [18, 1, 1, "", "paint_orders"], [18, 1, 1, "", "scroll_rects"], [18, 1, 1, "", "stacking_contexts"], [18, 1, 1, "", "styles"], [18, 1, 1, "", "text"], [18, 1, 1, "", "text_color_opacities"]], "nodriver.cdp.dom_snapshot.NameValue": [[18, 1, 1, "", "name"], [18, 1, 1, "", "value"]], "nodriver.cdp.dom_snapshot.NodeTreeSnapshot": [[18, 1, 1, "", "attributes"], [18, 1, 1, "", "backend_node_id"], [18, 1, 1, "", "content_document_index"], [18, 1, 1, "", "current_source_url"], [18, 1, 1, "", "input_checked"], [18, 1, 1, "", "input_value"], [18, 1, 1, "", "is_clickable"], [18, 1, 1, "", "node_name"], [18, 1, 1, "", "node_type"], [18, 1, 1, "", "node_value"], [18, 1, 1, "", "option_selected"], [18, 1, 1, "", "origin_url"], [18, 1, 1, "", "parent_index"], [18, 1, 1, "", "pseudo_identifier"], [18, 1, 1, "", "pseudo_type"], [18, 1, 1, "", "shadow_root_type"], [18, 1, 1, "", "text_value"]], "nodriver.cdp.dom_snapshot.RareBooleanData": [[18, 1, 1, "", "index"]], "nodriver.cdp.dom_snapshot.RareIntegerData": [[18, 1, 1, "", "index"], [18, 1, 1, "", "value"]], "nodriver.cdp.dom_snapshot.RareStringData": [[18, 1, 1, "", "index"], [18, 1, 1, "", "value"]], "nodriver.cdp.dom_snapshot.TextBoxSnapshot": [[18, 1, 1, "", "bounds"], [18, 1, 1, "", "layout_index"], [18, 1, 1, "", "length"], [18, 1, 1, "", "start"]], "nodriver.cdp.dom_storage": [[19, 0, 1, "", "DomStorageItemAdded"], [19, 0, 1, "", "DomStorageItemRemoved"], [19, 0, 1, "", "DomStorageItemUpdated"], [19, 0, 1, "", "DomStorageItemsCleared"], [19, 0, 1, "", "Item"], [19, 0, 1, "", "SerializedStorageKey"], [19, 0, 1, "", "StorageId"], [19, 5, 1, "", "clear"], [19, 5, 1, "", "disable"], [19, 5, 1, "", "enable"], [19, 5, 1, "", "get_dom_storage_items"], [19, 5, 1, "", "remove_dom_storage_item"], [19, 5, 1, "", "set_dom_storage_item"]], "nodriver.cdp.dom_storage.DomStorageItemAdded": [[19, 1, 1, "", "key"], [19, 1, 1, "", "new_value"], [19, 1, 1, "", "storage_id"]], "nodriver.cdp.dom_storage.DomStorageItemRemoved": [[19, 1, 1, "", "key"], [19, 1, 1, "", "storage_id"]], "nodriver.cdp.dom_storage.DomStorageItemUpdated": [[19, 1, 1, "", "key"], [19, 1, 1, "", "new_value"], [19, 1, 1, "", "old_value"], [19, 1, 1, "", "storage_id"]], "nodriver.cdp.dom_storage.DomStorageItemsCleared": [[19, 1, 1, "", "storage_id"]], "nodriver.cdp.dom_storage.StorageId": [[19, 1, 1, "", "is_local_storage"], [19, 1, 1, "", "security_origin"], [19, 1, 1, "", "storage_key"]], "nodriver.cdp.emulation": [[20, 0, 1, "", "DevicePosture"], [20, 0, 1, "", "DisabledImageType"], [20, 0, 1, "", "DisplayFeature"], [20, 0, 1, "", "MediaFeature"], [20, 0, 1, "", "ScreenOrientation"], [20, 0, 1, "", "SensorMetadata"], [20, 0, 1, "", "SensorReading"], [20, 0, 1, "", "SensorReadingQuaternion"], [20, 0, 1, "", "SensorReadingSingle"], [20, 0, 1, "", "SensorReadingXYZ"], [20, 0, 1, "", "SensorType"], [20, 0, 1, "", "UserAgentBrandVersion"], [20, 0, 1, "", "UserAgentMetadata"], [20, 0, 1, "", "VirtualTimeBudgetExpired"], [20, 0, 1, "", "VirtualTimePolicy"], [20, 5, 1, "", "can_emulate"], [20, 5, 1, "", "clear_device_metrics_override"], [20, 5, 1, "", "clear_geolocation_override"], [20, 5, 1, "", "clear_idle_override"], [20, 5, 1, "", "get_overridden_sensor_information"], [20, 5, 1, "", "reset_page_scale_factor"], [20, 5, 1, "", "set_auto_dark_mode_override"], [20, 5, 1, "", "set_automation_override"], [20, 5, 1, "", "set_cpu_throttling_rate"], [20, 5, 1, "", "set_default_background_color_override"], [20, 5, 1, "", "set_device_metrics_override"], [20, 5, 1, "", "set_disabled_image_types"], [20, 5, 1, "", "set_document_cookie_disabled"], [20, 5, 1, "", "set_emit_touch_events_for_mouse"], [20, 5, 1, "", "set_emulated_media"], [20, 5, 1, "", "set_emulated_vision_deficiency"], [20, 5, 1, "", "set_focus_emulation_enabled"], [20, 5, 1, "", "set_geolocation_override"], [20, 5, 1, "", "set_hardware_concurrency_override"], [20, 5, 1, "", "set_idle_override"], [20, 5, 1, "", "set_locale_override"], [20, 5, 1, "", "set_navigator_overrides"], [20, 5, 1, "", "set_page_scale_factor"], [20, 5, 1, "", "set_script_execution_disabled"], [20, 5, 1, "", "set_scrollbars_hidden"], [20, 5, 1, "", "set_sensor_override_enabled"], [20, 5, 1, "", "set_sensor_override_readings"], [20, 5, 1, "", "set_timezone_override"], [20, 5, 1, "", "set_touch_emulation_enabled"], [20, 5, 1, "", "set_user_agent_override"], [20, 5, 1, "", "set_virtual_time_policy"], [20, 5, 1, "", "set_visible_size"]], "nodriver.cdp.emulation.DevicePosture": [[20, 1, 1, "", "type_"]], "nodriver.cdp.emulation.DisabledImageType": [[20, 1, 1, "", "AVIF"], [20, 1, 1, "", "WEBP"]], "nodriver.cdp.emulation.DisplayFeature": [[20, 1, 1, "", "mask_length"], [20, 1, 1, "", "offset"], [20, 1, 1, "", "orientation"]], "nodriver.cdp.emulation.MediaFeature": [[20, 1, 1, "", "name"], [20, 1, 1, "", "value"]], "nodriver.cdp.emulation.ScreenOrientation": [[20, 1, 1, "", "angle"], [20, 1, 1, "", "type_"]], "nodriver.cdp.emulation.SensorMetadata": [[20, 1, 1, "", "available"], [20, 1, 1, "", "maximum_frequency"], [20, 1, 1, "", "minimum_frequency"]], "nodriver.cdp.emulation.SensorReading": [[20, 1, 1, "", "quaternion"], [20, 1, 1, "", "single"], [20, 1, 1, "", "xyz"]], "nodriver.cdp.emulation.SensorReadingQuaternion": [[20, 1, 1, "", "w"], [20, 1, 1, "", "x"], [20, 1, 1, "", "y"], [20, 1, 1, "", "z"]], "nodriver.cdp.emulation.SensorReadingSingle": [[20, 1, 1, "", "value"]], "nodriver.cdp.emulation.SensorReadingXYZ": [[20, 1, 1, "", "x"], [20, 1, 1, "", "y"], [20, 1, 1, "", "z"]], "nodriver.cdp.emulation.SensorType": [[20, 1, 1, "", "ABSOLUTE_ORIENTATION"], [20, 1, 1, "", "ACCELEROMETER"], [20, 1, 1, "", "AMBIENT_LIGHT"], [20, 1, 1, "", "GRAVITY"], [20, 1, 1, "", "GYROSCOPE"], [20, 1, 1, "", "LINEAR_ACCELERATION"], [20, 1, 1, "", "MAGNETOMETER"], [20, 1, 1, "", "PROXIMITY"], [20, 1, 1, "", "RELATIVE_ORIENTATION"]], "nodriver.cdp.emulation.UserAgentBrandVersion": [[20, 1, 1, "", "brand"], [20, 1, 1, "", "version"]], "nodriver.cdp.emulation.UserAgentMetadata": [[20, 1, 1, "", "architecture"], [20, 1, 1, "", "bitness"], [20, 1, 1, "", "brands"], [20, 1, 1, "", "full_version"], [20, 1, 1, "", "full_version_list"], [20, 1, 1, "", "mobile"], [20, 1, 1, "", "model"], [20, 1, 1, "", "platform"], [20, 1, 1, "", "platform_version"], [20, 1, 1, "", "wow64"]], "nodriver.cdp.emulation.VirtualTimePolicy": [[20, 1, 1, "", "ADVANCE"], [20, 1, 1, "", "PAUSE"], [20, 1, 1, "", "PAUSE_IF_NETWORK_FETCHES_PENDING"]], "nodriver.cdp.event_breakpoints": [[21, 5, 1, "", "disable"], [21, 5, 1, "", "remove_instrumentation_breakpoint"], [21, 5, 1, "", "set_instrumentation_breakpoint"]], "nodriver.cdp.fed_cm": [[22, 0, 1, "", "Account"], [22, 0, 1, "", "DialogButton"], [22, 0, 1, "", "DialogClosed"], [22, 0, 1, "", "DialogShown"], [22, 0, 1, "", "DialogType"], [22, 0, 1, "", "LoginState"], [22, 5, 1, "", "click_dialog_button"], [22, 5, 1, "", "disable"], [22, 5, 1, "", "dismiss_dialog"], [22, 5, 1, "", "enable"], [22, 5, 1, "", "reset_cooldown"], [22, 5, 1, "", "select_account"]], "nodriver.cdp.fed_cm.Account": [[22, 1, 1, "", "account_id"], [22, 1, 1, "", "email"], [22, 1, 1, "", "given_name"], [22, 1, 1, "", "idp_config_url"], [22, 1, 1, "", "idp_login_url"], [22, 1, 1, "", "login_state"], [22, 1, 1, "", "name"], [22, 1, 1, "", "picture_url"], [22, 1, 1, "", "privacy_policy_url"], [22, 1, 1, "", "terms_of_service_url"]], "nodriver.cdp.fed_cm.DialogButton": [[22, 1, 1, "", "CONFIRM_IDP_LOGIN_CONTINUE"], [22, 1, 1, "", "ERROR_GOT_IT"], [22, 1, 1, "", "ERROR_MORE_DETAILS"]], "nodriver.cdp.fed_cm.DialogClosed": [[22, 1, 1, "", "dialog_id"]], "nodriver.cdp.fed_cm.DialogShown": [[22, 1, 1, "", "accounts"], [22, 1, 1, "", "dialog_id"], [22, 1, 1, "", "dialog_type"], [22, 1, 1, "", "subtitle"], [22, 1, 1, "", "title"]], "nodriver.cdp.fed_cm.DialogType": [[22, 1, 1, "", "ACCOUNT_CHOOSER"], [22, 1, 1, "", "AUTO_REAUTHN"], [22, 1, 1, "", "CONFIRM_IDP_LOGIN"], [22, 1, 1, "", "ERROR"]], "nodriver.cdp.fed_cm.LoginState": [[22, 1, 1, "", "SIGN_IN"], [22, 1, 1, "", "SIGN_UP"]], "nodriver.cdp.fetch": [[23, 0, 1, "", "AuthChallenge"], [23, 0, 1, "", "AuthChallengeResponse"], [23, 0, 1, "", "AuthRequired"], [23, 0, 1, "", "HeaderEntry"], [23, 0, 1, "", "RequestId"], [23, 0, 1, "", "RequestPattern"], [23, 0, 1, "", "RequestPaused"], [23, 0, 1, "", "RequestStage"], [23, 5, 1, "", "continue_request"], [23, 5, 1, "", "continue_response"], [23, 5, 1, "", "continue_with_auth"], [23, 5, 1, "", "disable"], [23, 5, 1, "", "enable"], [23, 5, 1, "", "fail_request"], [23, 5, 1, "", "fulfill_request"], [23, 5, 1, "", "get_response_body"], [23, 5, 1, "", "take_response_body_as_stream"]], "nodriver.cdp.fetch.AuthChallenge": [[23, 1, 1, "", "origin"], [23, 1, 1, "", "realm"], [23, 1, 1, "", "scheme"], [23, 1, 1, "", "source"]], "nodriver.cdp.fetch.AuthChallengeResponse": [[23, 1, 1, "", "password"], [23, 1, 1, "", "response"], [23, 1, 1, "", "username"]], "nodriver.cdp.fetch.AuthRequired": [[23, 1, 1, "", "auth_challenge"], [23, 1, 1, "", "frame_id"], [23, 1, 1, "", "request"], [23, 1, 1, "", "request_id"], [23, 1, 1, "", "resource_type"]], "nodriver.cdp.fetch.HeaderEntry": [[23, 1, 1, "", "name"], [23, 1, 1, "", "value"]], "nodriver.cdp.fetch.RequestPattern": [[23, 1, 1, "", "request_stage"], [23, 1, 1, "", "resource_type"], [23, 1, 1, "", "url_pattern"]], "nodriver.cdp.fetch.RequestPaused": [[23, 1, 1, "", "frame_id"], [23, 1, 1, "", "network_id"], [23, 1, 1, "", "redirected_request_id"], [23, 1, 1, "", "request"], [23, 1, 1, "", "request_id"], [23, 1, 1, "", "resource_type"], [23, 1, 1, "", "response_error_reason"], [23, 1, 1, "", "response_headers"], [23, 1, 1, "", "response_status_code"], [23, 1, 1, "", "response_status_text"]], "nodriver.cdp.fetch.RequestStage": [[23, 1, 1, "", "REQUEST"], [23, 1, 1, "", "RESPONSE"]], "nodriver.cdp.headless_experimental": [[24, 0, 1, "", "ScreenshotParams"], [24, 5, 1, "", "begin_frame"], [24, 5, 1, "", "disable"], [24, 5, 1, "", "enable"]], "nodriver.cdp.headless_experimental.ScreenshotParams": [[24, 1, 1, "", "format_"], [24, 1, 1, "", "optimize_for_speed"], [24, 1, 1, "", "quality"]], "nodriver.cdp.heap_profiler": [[25, 0, 1, "", "AddHeapSnapshotChunk"], [25, 0, 1, "", "HeapSnapshotObjectId"], [25, 0, 1, "", "HeapStatsUpdate"], [25, 0, 1, "", "LastSeenObjectId"], [25, 0, 1, "", "ReportHeapSnapshotProgress"], [25, 0, 1, "", "ResetProfiles"], [25, 0, 1, "", "SamplingHeapProfile"], [25, 0, 1, "", "SamplingHeapProfileNode"], [25, 0, 1, "", "SamplingHeapProfileSample"], [25, 5, 1, "", "add_inspected_heap_object"], [25, 5, 1, "", "collect_garbage"], [25, 5, 1, "", "disable"], [25, 5, 1, "", "enable"], [25, 5, 1, "", "get_heap_object_id"], [25, 5, 1, "", "get_object_by_heap_object_id"], [25, 5, 1, "", "get_sampling_profile"], [25, 5, 1, "", "start_sampling"], [25, 5, 1, "", "start_tracking_heap_objects"], [25, 5, 1, "", "stop_sampling"], [25, 5, 1, "", "stop_tracking_heap_objects"], [25, 5, 1, "", "take_heap_snapshot"]], "nodriver.cdp.heap_profiler.AddHeapSnapshotChunk": [[25, 1, 1, "", "chunk"]], "nodriver.cdp.heap_profiler.HeapStatsUpdate": [[25, 1, 1, "", "stats_update"]], "nodriver.cdp.heap_profiler.LastSeenObjectId": [[25, 1, 1, "", "last_seen_object_id"], [25, 1, 1, "", "timestamp"]], "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress": [[25, 1, 1, "", "done"], [25, 1, 1, "", "finished"], [25, 1, 1, "", "total"]], "nodriver.cdp.heap_profiler.SamplingHeapProfile": [[25, 1, 1, "", "head"], [25, 1, 1, "", "samples"]], "nodriver.cdp.heap_profiler.SamplingHeapProfileNode": [[25, 1, 1, "", "call_frame"], [25, 1, 1, "", "children"], [25, 1, 1, "", "id_"], [25, 1, 1, "", "self_size"]], "nodriver.cdp.heap_profiler.SamplingHeapProfileSample": [[25, 1, 1, "", "node_id"], [25, 1, 1, "", "ordinal"], [25, 1, 1, "", "size"]], "nodriver.cdp.indexed_db": [[26, 0, 1, "", "DataEntry"], [26, 0, 1, "", "DatabaseWithObjectStores"], [26, 0, 1, "", "Key"], [26, 0, 1, "", "KeyPath"], [26, 0, 1, "", "KeyRange"], [26, 0, 1, "", "ObjectStore"], [26, 0, 1, "", "ObjectStoreIndex"], [26, 5, 1, "", "clear_object_store"], [26, 5, 1, "", "delete_database"], [26, 5, 1, "", "delete_object_store_entries"], [26, 5, 1, "", "disable"], [26, 5, 1, "", "enable"], [26, 5, 1, "", "get_metadata"], [26, 5, 1, "", "request_data"], [26, 5, 1, "", "request_database"], [26, 5, 1, "", "request_database_names"]], "nodriver.cdp.indexed_db.DataEntry": [[26, 1, 1, "", "key"], [26, 1, 1, "", "primary_key"], [26, 1, 1, "", "value"]], "nodriver.cdp.indexed_db.DatabaseWithObjectStores": [[26, 1, 1, "", "name"], [26, 1, 1, "", "object_stores"], [26, 1, 1, "", "version"]], "nodriver.cdp.indexed_db.Key": [[26, 1, 1, "", "array"], [26, 1, 1, "", "date"], [26, 1, 1, "", "number"], [26, 1, 1, "", "string"], [26, 1, 1, "", "type_"]], "nodriver.cdp.indexed_db.KeyPath": [[26, 1, 1, "", "array"], [26, 1, 1, "", "string"], [26, 1, 1, "", "type_"]], "nodriver.cdp.indexed_db.KeyRange": [[26, 1, 1, "", "lower"], [26, 1, 1, "", "lower_open"], [26, 1, 1, "", "upper"], [26, 1, 1, "", "upper_open"]], "nodriver.cdp.indexed_db.ObjectStore": [[26, 1, 1, "", "auto_increment"], [26, 1, 1, "", "indexes"], [26, 1, 1, "", "key_path"], [26, 1, 1, "", "name"]], "nodriver.cdp.indexed_db.ObjectStoreIndex": [[26, 1, 1, "", "key_path"], [26, 1, 1, "", "multi_entry"], [26, 1, 1, "", "name"], [26, 1, 1, "", "unique"]], "nodriver.cdp.input_": [[27, 0, 1, "", "DragData"], [27, 0, 1, "", "DragDataItem"], [27, 0, 1, "", "DragIntercepted"], [27, 0, 1, "", "GestureSourceType"], [27, 0, 1, "", "MouseButton"], [27, 0, 1, "", "TimeSinceEpoch"], [27, 0, 1, "", "TouchPoint"], [27, 5, 1, "", "cancel_dragging"], [27, 5, 1, "", "dispatch_drag_event"], [27, 5, 1, "", "dispatch_key_event"], [27, 5, 1, "", "dispatch_mouse_event"], [27, 5, 1, "", "dispatch_touch_event"], [27, 5, 1, "", "emulate_touch_from_mouse_event"], [27, 5, 1, "", "ime_set_composition"], [27, 5, 1, "", "insert_text"], [27, 5, 1, "", "set_ignore_input_events"], [27, 5, 1, "", "set_intercept_drags"], [27, 5, 1, "", "synthesize_pinch_gesture"], [27, 5, 1, "", "synthesize_scroll_gesture"], [27, 5, 1, "", "synthesize_tap_gesture"]], "nodriver.cdp.input_.DragData": [[27, 1, 1, "", "drag_operations_mask"], [27, 1, 1, "", "files"], [27, 1, 1, "", "items"]], "nodriver.cdp.input_.DragDataItem": [[27, 1, 1, "", "base_url"], [27, 1, 1, "", "data"], [27, 1, 1, "", "mime_type"], [27, 1, 1, "", "title"]], "nodriver.cdp.input_.DragIntercepted": [[27, 1, 1, "", "data"]], "nodriver.cdp.input_.GestureSourceType": [[27, 1, 1, "", "DEFAULT"], [27, 1, 1, "", "MOUSE"], [27, 1, 1, "", "TOUCH"]], "nodriver.cdp.input_.MouseButton": [[27, 1, 1, "", "BACK"], [27, 1, 1, "", "FORWARD"], [27, 1, 1, "", "LEFT"], [27, 1, 1, "", "MIDDLE"], [27, 1, 1, "", "NONE"], [27, 1, 1, "", "RIGHT"]], "nodriver.cdp.input_.TouchPoint": [[27, 1, 1, "", "force"], [27, 1, 1, "", "id_"], [27, 1, 1, "", "radius_x"], [27, 1, 1, "", "radius_y"], [27, 1, 1, "", "rotation_angle"], [27, 1, 1, "", "tangential_pressure"], [27, 1, 1, "", "tilt_x"], [27, 1, 1, "", "tilt_y"], [27, 1, 1, "", "twist"], [27, 1, 1, "", "x"], [27, 1, 1, "", "y"]], "nodriver.cdp.inspector": [[28, 0, 1, "", "Detached"], [28, 0, 1, "", "TargetCrashed"], [28, 0, 1, "", "TargetReloadedAfterCrash"], [28, 5, 1, "", "disable"], [28, 5, 1, "", "enable"]], "nodriver.cdp.inspector.Detached": [[28, 1, 1, "", "reason"]], "nodriver.cdp.io": [[29, 0, 1, "", "StreamHandle"], [29, 5, 1, "", "close"], [29, 5, 1, "", "read"], [29, 5, 1, "", "resolve_blob"]], "nodriver.cdp.layer_tree": [[30, 0, 1, "", "Layer"], [30, 0, 1, "", "LayerId"], [30, 0, 1, "", "LayerPainted"], [30, 0, 1, "", "LayerTreeDidChange"], [30, 0, 1, "", "PaintProfile"], [30, 0, 1, "", "PictureTile"], [30, 0, 1, "", "ScrollRect"], [30, 0, 1, "", "SnapshotId"], [30, 0, 1, "", "StickyPositionConstraint"], [30, 5, 1, "", "compositing_reasons"], [30, 5, 1, "", "disable"], [30, 5, 1, "", "enable"], [30, 5, 1, "", "load_snapshot"], [30, 5, 1, "", "make_snapshot"], [30, 5, 1, "", "profile_snapshot"], [30, 5, 1, "", "release_snapshot"], [30, 5, 1, "", "replay_snapshot"], [30, 5, 1, "", "snapshot_command_log"]], "nodriver.cdp.layer_tree.Layer": [[30, 1, 1, "", "anchor_x"], [30, 1, 1, "", "anchor_y"], [30, 1, 1, "", "anchor_z"], [30, 1, 1, "", "backend_node_id"], [30, 1, 1, "", "draws_content"], [30, 1, 1, "", "height"], [30, 1, 1, "", "invisible"], [30, 1, 1, "", "layer_id"], [30, 1, 1, "", "offset_x"], [30, 1, 1, "", "offset_y"], [30, 1, 1, "", "paint_count"], [30, 1, 1, "", "parent_layer_id"], [30, 1, 1, "", "scroll_rects"], [30, 1, 1, "", "sticky_position_constraint"], [30, 1, 1, "", "transform"], [30, 1, 1, "", "width"]], "nodriver.cdp.layer_tree.LayerPainted": [[30, 1, 1, "", "clip"], [30, 1, 1, "", "layer_id"]], "nodriver.cdp.layer_tree.LayerTreeDidChange": [[30, 1, 1, "", "layers"]], "nodriver.cdp.layer_tree.PictureTile": [[30, 1, 1, "", "picture"], [30, 1, 1, "", "x"], [30, 1, 1, "", "y"]], "nodriver.cdp.layer_tree.ScrollRect": [[30, 1, 1, "", "rect"], [30, 1, 1, "", "type_"]], "nodriver.cdp.layer_tree.StickyPositionConstraint": [[30, 1, 1, "", "containing_block_rect"], [30, 1, 1, "", "nearest_layer_shifting_containing_block"], [30, 1, 1, "", "nearest_layer_shifting_sticky_box"], [30, 1, 1, "", "sticky_box_rect"]], "nodriver.cdp.log": [[31, 0, 1, "", "EntryAdded"], [31, 0, 1, "", "LogEntry"], [31, 0, 1, "", "ViolationSetting"], [31, 5, 1, "", "clear"], [31, 5, 1, "", "disable"], [31, 5, 1, "", "enable"], [31, 5, 1, "", "start_violations_report"], [31, 5, 1, "", "stop_violations_report"]], "nodriver.cdp.log.EntryAdded": [[31, 1, 1, "", "entry"]], "nodriver.cdp.log.LogEntry": [[31, 1, 1, "", "args"], [31, 1, 1, "", "category"], [31, 1, 1, "", "level"], [31, 1, 1, "", "line_number"], [31, 1, 1, "", "network_request_id"], [31, 1, 1, "", "source"], [31, 1, 1, "", "stack_trace"], [31, 1, 1, "", "text"], [31, 1, 1, "", "timestamp"], [31, 1, 1, "", "url"], [31, 1, 1, "", "worker_id"]], "nodriver.cdp.log.ViolationSetting": [[31, 1, 1, "", "name"], [31, 1, 1, "", "threshold"]], "nodriver.cdp.media": [[32, 0, 1, "", "PlayerError"], [32, 0, 1, "", "PlayerErrorSourceLocation"], [32, 0, 1, "", "PlayerErrorsRaised"], [32, 0, 1, "", "PlayerEvent"], [32, 0, 1, "", "PlayerEventsAdded"], [32, 0, 1, "", "PlayerId"], [32, 0, 1, "", "PlayerMessage"], [32, 0, 1, "", "PlayerMessagesLogged"], [32, 0, 1, "", "PlayerPropertiesChanged"], [32, 0, 1, "", "PlayerProperty"], [32, 0, 1, "", "PlayersCreated"], [32, 0, 1, "", "Timestamp"], [32, 5, 1, "", "disable"], [32, 5, 1, "", "enable"]], "nodriver.cdp.media.PlayerError": [[32, 1, 1, "", "cause"], [32, 1, 1, "", "code"], [32, 1, 1, "", "data"], [32, 1, 1, "", "error_type"], [32, 1, 1, "", "stack"]], "nodriver.cdp.media.PlayerErrorSourceLocation": [[32, 1, 1, "", "file"], [32, 1, 1, "", "line"]], "nodriver.cdp.media.PlayerErrorsRaised": [[32, 1, 1, "", "errors"], [32, 1, 1, "", "player_id"]], "nodriver.cdp.media.PlayerEvent": [[32, 1, 1, "", "timestamp"], [32, 1, 1, "", "value"]], "nodriver.cdp.media.PlayerEventsAdded": [[32, 1, 1, "", "events"], [32, 1, 1, "", "player_id"]], "nodriver.cdp.media.PlayerMessage": [[32, 1, 1, "", "level"], [32, 1, 1, "", "message"]], "nodriver.cdp.media.PlayerMessagesLogged": [[32, 1, 1, "", "messages"], [32, 1, 1, "", "player_id"]], "nodriver.cdp.media.PlayerPropertiesChanged": [[32, 1, 1, "", "player_id"], [32, 1, 1, "", "properties"]], "nodriver.cdp.media.PlayerProperty": [[32, 1, 1, "", "name"], [32, 1, 1, "", "value"]], "nodriver.cdp.media.PlayersCreated": [[32, 1, 1, "", "players"]], "nodriver.cdp.memory": [[33, 0, 1, "", "Module"], [33, 0, 1, "", "PressureLevel"], [33, 0, 1, "", "SamplingProfile"], [33, 0, 1, "", "SamplingProfileNode"], [33, 5, 1, "", "forcibly_purge_java_script_memory"], [33, 5, 1, "", "get_all_time_sampling_profile"], [33, 5, 1, "", "get_browser_sampling_profile"], [33, 5, 1, "", "get_dom_counters"], [33, 5, 1, "", "get_sampling_profile"], [33, 5, 1, "", "prepare_for_leak_detection"], [33, 5, 1, "", "set_pressure_notifications_suppressed"], [33, 5, 1, "", "simulate_pressure_notification"], [33, 5, 1, "", "start_sampling"], [33, 5, 1, "", "stop_sampling"]], "nodriver.cdp.memory.Module": [[33, 1, 1, "", "base_address"], [33, 1, 1, "", "name"], [33, 1, 1, "", "size"], [33, 1, 1, "", "uuid"]], "nodriver.cdp.memory.PressureLevel": [[33, 1, 1, "", "CRITICAL"], [33, 1, 1, "", "MODERATE"]], "nodriver.cdp.memory.SamplingProfile": [[33, 1, 1, "", "modules"], [33, 1, 1, "", "samples"]], "nodriver.cdp.memory.SamplingProfileNode": [[33, 1, 1, "", "size"], [33, 1, 1, "", "stack"], [33, 1, 1, "", "total"]], "nodriver.cdp.network": [[34, 0, 1, "", "AlternateProtocolUsage"], [34, 0, 1, "", "AuthChallenge"], [34, 0, 1, "", "AuthChallengeResponse"], [34, 0, 1, "", "BlockedCookieWithReason"], [34, 0, 1, "", "BlockedReason"], [34, 0, 1, "", "BlockedSetCookieWithReason"], [34, 0, 1, "", "CachedResource"], [34, 0, 1, "", "CertificateTransparencyCompliance"], [34, 0, 1, "", "ClientSecurityState"], [34, 0, 1, "", "ConnectTiming"], [34, 0, 1, "", "ConnectionType"], [34, 0, 1, "", "ContentEncoding"], [34, 0, 1, "", "ContentSecurityPolicySource"], [34, 0, 1, "", "ContentSecurityPolicyStatus"], [34, 0, 1, "", "Cookie"], [34, 0, 1, "", "CookieBlockedReason"], [34, 0, 1, "", "CookieParam"], [34, 0, 1, "", "CookiePriority"], [34, 0, 1, "", "CookieSameSite"], [34, 0, 1, "", "CookieSourceScheme"], [34, 0, 1, "", "CorsError"], [34, 0, 1, "", "CorsErrorStatus"], [34, 0, 1, "", "CrossOriginEmbedderPolicyStatus"], [34, 0, 1, "", "CrossOriginEmbedderPolicyValue"], [34, 0, 1, "", "CrossOriginOpenerPolicyStatus"], [34, 0, 1, "", "CrossOriginOpenerPolicyValue"], [34, 0, 1, "", "DataReceived"], [34, 0, 1, "", "ErrorReason"], [34, 0, 1, "", "EventSourceMessageReceived"], [34, 0, 1, "", "Headers"], [34, 0, 1, "", "IPAddressSpace"], [34, 0, 1, "", "Initiator"], [34, 0, 1, "", "InterceptionId"], [34, 0, 1, "", "InterceptionStage"], [34, 0, 1, "", "LoadNetworkResourceOptions"], [34, 0, 1, "", "LoadNetworkResourcePageResult"], [34, 0, 1, "", "LoaderId"], [34, 0, 1, "", "LoadingFailed"], [34, 0, 1, "", "LoadingFinished"], [34, 0, 1, "", "MonotonicTime"], [34, 0, 1, "", "PostDataEntry"], [34, 0, 1, "", "PrivateNetworkRequestPolicy"], [34, 0, 1, "", "ReportId"], [34, 0, 1, "", "ReportStatus"], [34, 0, 1, "", "ReportingApiEndpoint"], [34, 0, 1, "", "ReportingApiEndpointsChangedForOrigin"], [34, 0, 1, "", "ReportingApiReport"], [34, 0, 1, "", "ReportingApiReportAdded"], [34, 0, 1, "", "ReportingApiReportUpdated"], [34, 0, 1, "", "Request"], [34, 0, 1, "", "RequestId"], [34, 0, 1, "", "RequestIntercepted"], [34, 0, 1, "", "RequestPattern"], [34, 0, 1, "", "RequestServedFromCache"], [34, 0, 1, "", "RequestWillBeSent"], [34, 0, 1, "", "RequestWillBeSentExtraInfo"], [34, 0, 1, "", "ResourceChangedPriority"], [34, 0, 1, "", "ResourcePriority"], [34, 0, 1, "", "ResourceTiming"], [34, 0, 1, "", "ResourceType"], [34, 0, 1, "", "Response"], [34, 0, 1, "", "ResponseReceived"], [34, 0, 1, "", "ResponseReceivedExtraInfo"], [34, 0, 1, "", "SecurityDetails"], [34, 0, 1, "", "SecurityIsolationStatus"], [34, 0, 1, "", "ServiceWorkerResponseSource"], [34, 0, 1, "", "ServiceWorkerRouterInfo"], [34, 0, 1, "", "SetCookieBlockedReason"], [34, 0, 1, "", "SignedCertificateTimestamp"], [34, 0, 1, "", "SignedExchangeError"], [34, 0, 1, "", "SignedExchangeErrorField"], [34, 0, 1, "", "SignedExchangeHeader"], [34, 0, 1, "", "SignedExchangeInfo"], [34, 0, 1, "", "SignedExchangeReceived"], [34, 0, 1, "", "SignedExchangeSignature"], [34, 0, 1, "", "SubresourceWebBundleInnerResponseError"], [34, 0, 1, "", "SubresourceWebBundleInnerResponseParsed"], [34, 0, 1, "", "SubresourceWebBundleMetadataError"], [34, 0, 1, "", "SubresourceWebBundleMetadataReceived"], [34, 0, 1, "", "TimeSinceEpoch"], [34, 0, 1, "", "TrustTokenOperationDone"], [34, 0, 1, "", "TrustTokenOperationType"], [34, 0, 1, "", "TrustTokenParams"], [34, 0, 1, "", "WebSocketClosed"], [34, 0, 1, "", "WebSocketCreated"], [34, 0, 1, "", "WebSocketFrame"], [34, 0, 1, "", "WebSocketFrameError"], [34, 0, 1, "", "WebSocketFrameReceived"], [34, 0, 1, "", "WebSocketFrameSent"], [34, 0, 1, "", "WebSocketHandshakeResponseReceived"], [34, 0, 1, "", "WebSocketRequest"], [34, 0, 1, "", "WebSocketResponse"], [34, 0, 1, "", "WebSocketWillSendHandshakeRequest"], [34, 0, 1, "", "WebTransportClosed"], [34, 0, 1, "", "WebTransportConnectionEstablished"], [34, 0, 1, "", "WebTransportCreated"], [34, 5, 1, "", "can_clear_browser_cache"], [34, 5, 1, "", "can_clear_browser_cookies"], [34, 5, 1, "", "can_emulate_network_conditions"], [34, 5, 1, "", "clear_accepted_encodings_override"], [34, 5, 1, "", "clear_browser_cache"], [34, 5, 1, "", "clear_browser_cookies"], [34, 5, 1, "", "continue_intercepted_request"], [34, 5, 1, "", "delete_cookies"], [34, 5, 1, "", "disable"], [34, 5, 1, "", "emulate_network_conditions"], [34, 5, 1, "", "enable"], [34, 5, 1, "", "enable_reporting_api"], [34, 5, 1, "", "get_all_cookies"], [34, 5, 1, "", "get_certificate"], [34, 5, 1, "", "get_cookies"], [34, 5, 1, "", "get_request_post_data"], [34, 5, 1, "", "get_response_body"], [34, 5, 1, "", "get_response_body_for_interception"], [34, 5, 1, "", "get_security_isolation_status"], [34, 5, 1, "", "load_network_resource"], [34, 5, 1, "", "replay_xhr"], [34, 5, 1, "", "search_in_response_body"], [34, 5, 1, "", "set_accepted_encodings"], [34, 5, 1, "", "set_attach_debug_stack"], [34, 5, 1, "", "set_blocked_ur_ls"], [34, 5, 1, "", "set_bypass_service_worker"], [34, 5, 1, "", "set_cache_disabled"], [34, 5, 1, "", "set_cookie"], [34, 5, 1, "", "set_cookies"], [34, 5, 1, "", "set_extra_http_headers"], [34, 5, 1, "", "set_request_interception"], [34, 5, 1, "", "set_user_agent_override"], [34, 5, 1, "", "stream_resource_content"], [34, 5, 1, "", "take_response_body_for_interception_as_stream"]], "nodriver.cdp.network.AlternateProtocolUsage": [[34, 1, 1, "", "ALTERNATIVE_JOB_WON_RACE"], [34, 1, 1, "", "ALTERNATIVE_JOB_WON_WITHOUT_RACE"], [34, 1, 1, "", "BROKEN"], [34, 1, 1, "", "DNS_ALPN_H3_JOB_WON_RACE"], [34, 1, 1, "", "DNS_ALPN_H3_JOB_WON_WITHOUT_RACE"], [34, 1, 1, "", "MAIN_JOB_WON_RACE"], [34, 1, 1, "", "MAPPING_MISSING"], [34, 1, 1, "", "UNSPECIFIED_REASON"]], "nodriver.cdp.network.AuthChallenge": [[34, 1, 1, "", "origin"], [34, 1, 1, "", "realm"], [34, 1, 1, "", "scheme"], [34, 1, 1, "", "source"]], "nodriver.cdp.network.AuthChallengeResponse": [[34, 1, 1, "", "password"], [34, 1, 1, "", "response"], [34, 1, 1, "", "username"]], "nodriver.cdp.network.BlockedCookieWithReason": [[34, 1, 1, "", "blocked_reasons"], [34, 1, 1, "", "cookie"]], "nodriver.cdp.network.BlockedReason": [[34, 1, 1, "", "COEP_FRAME_RESOURCE_NEEDS_COEP_HEADER"], [34, 1, 1, "", "CONTENT_TYPE"], [34, 1, 1, "", "COOP_SANDBOXED_IFRAME_CANNOT_NAVIGATE_TO_COOP_PAGE"], [34, 1, 1, "", "CORP_NOT_SAME_ORIGIN"], [34, 1, 1, "", "CORP_NOT_SAME_ORIGIN_AFTER_DEFAULTED_TO_SAME_ORIGIN_BY_COEP"], [34, 1, 1, "", "CORP_NOT_SAME_SITE"], [34, 1, 1, "", "CSP"], [34, 1, 1, "", "INSPECTOR"], [34, 1, 1, "", "MIXED_CONTENT"], [34, 1, 1, "", "ORIGIN"], [34, 1, 1, "", "OTHER"], [34, 1, 1, "", "SUBRESOURCE_FILTER"]], "nodriver.cdp.network.BlockedSetCookieWithReason": [[34, 1, 1, "", "blocked_reasons"], [34, 1, 1, "", "cookie"], [34, 1, 1, "", "cookie_line"]], "nodriver.cdp.network.CachedResource": [[34, 1, 1, "", "body_size"], [34, 1, 1, "", "response"], [34, 1, 1, "", "type_"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.CertificateTransparencyCompliance": [[34, 1, 1, "", "COMPLIANT"], [34, 1, 1, "", "NOT_COMPLIANT"], [34, 1, 1, "", "UNKNOWN"]], "nodriver.cdp.network.ClientSecurityState": [[34, 1, 1, "", "initiator_ip_address_space"], [34, 1, 1, "", "initiator_is_secure_context"], [34, 1, 1, "", "private_network_request_policy"]], "nodriver.cdp.network.ConnectTiming": [[34, 1, 1, "", "request_time"]], "nodriver.cdp.network.ConnectionType": [[34, 1, 1, "", "BLUETOOTH"], [34, 1, 1, "", "CELLULAR2G"], [34, 1, 1, "", "CELLULAR3G"], [34, 1, 1, "", "CELLULAR4G"], [34, 1, 1, "", "ETHERNET"], [34, 1, 1, "", "NONE"], [34, 1, 1, "", "OTHER"], [34, 1, 1, "", "WIFI"], [34, 1, 1, "", "WIMAX"]], "nodriver.cdp.network.ContentEncoding": [[34, 1, 1, "", "BR"], [34, 1, 1, "", "DEFLATE"], [34, 1, 1, "", "GZIP"], [34, 1, 1, "", "ZSTD"]], "nodriver.cdp.network.ContentSecurityPolicySource": [[34, 1, 1, "", "HTTP"], [34, 1, 1, "", "META"]], "nodriver.cdp.network.ContentSecurityPolicyStatus": [[34, 1, 1, "", "effective_directives"], [34, 1, 1, "", "is_enforced"], [34, 1, 1, "", "source"]], "nodriver.cdp.network.Cookie": [[34, 1, 1, "", "domain"], [34, 1, 1, "", "expires"], [34, 1, 1, "", "http_only"], [34, 1, 1, "", "name"], [34, 1, 1, "", "partition_key"], [34, 1, 1, "", "partition_key_opaque"], [34, 1, 1, "", "path"], [34, 1, 1, "", "priority"], [34, 1, 1, "", "same_party"], [34, 1, 1, "", "same_site"], [34, 1, 1, "", "secure"], [34, 1, 1, "", "session"], [34, 1, 1, "", "size"], [34, 1, 1, "", "source_port"], [34, 1, 1, "", "source_scheme"], [34, 1, 1, "", "value"]], "nodriver.cdp.network.CookieBlockedReason": [[34, 1, 1, "", "DOMAIN_MISMATCH"], [34, 1, 1, "", "NAME_VALUE_PAIR_EXCEEDS_MAX_SIZE"], [34, 1, 1, "", "NOT_ON_PATH"], [34, 1, 1, "", "SAME_PARTY_FROM_CROSS_PARTY_CONTEXT"], [34, 1, 1, "", "SAME_SITE_LAX"], [34, 1, 1, "", "SAME_SITE_NONE_INSECURE"], [34, 1, 1, "", "SAME_SITE_STRICT"], [34, 1, 1, "", "SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_LAX"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_STRICT"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [34, 1, 1, "", "SECURE_ONLY"], [34, 1, 1, "", "THIRD_PARTY_BLOCKED_IN_FIRST_PARTY_SET"], [34, 1, 1, "", "THIRD_PARTY_PHASEOUT"], [34, 1, 1, "", "UNKNOWN_ERROR"], [34, 1, 1, "", "USER_PREFERENCES"]], "nodriver.cdp.network.CookieParam": [[34, 1, 1, "", "domain"], [34, 1, 1, "", "expires"], [34, 1, 1, "", "http_only"], [34, 1, 1, "", "name"], [34, 1, 1, "", "partition_key"], [34, 1, 1, "", "path"], [34, 1, 1, "", "priority"], [34, 1, 1, "", "same_party"], [34, 1, 1, "", "same_site"], [34, 1, 1, "", "secure"], [34, 1, 1, "", "source_port"], [34, 1, 1, "", "source_scheme"], [34, 1, 1, "", "url"], [34, 1, 1, "", "value"]], "nodriver.cdp.network.CookiePriority": [[34, 1, 1, "", "HIGH"], [34, 1, 1, "", "LOW"], [34, 1, 1, "", "MEDIUM"]], "nodriver.cdp.network.CookieSameSite": [[34, 1, 1, "", "LAX"], [34, 1, 1, "", "NONE"], [34, 1, 1, "", "STRICT"]], "nodriver.cdp.network.CookieSourceScheme": [[34, 1, 1, "", "NON_SECURE"], [34, 1, 1, "", "SECURE"], [34, 1, 1, "", "UNSET"]], "nodriver.cdp.network.CorsError": [[34, 1, 1, "", "ALLOW_ORIGIN_MISMATCH"], [34, 1, 1, "", "CORS_DISABLED_SCHEME"], [34, 1, 1, "", "DISALLOWED_BY_MODE"], [34, 1, 1, "", "HEADER_DISALLOWED_BY_PREFLIGHT_RESPONSE"], [34, 1, 1, "", "INSECURE_PRIVATE_NETWORK"], [34, 1, 1, "", "INVALID_ALLOW_CREDENTIALS"], [34, 1, 1, "", "INVALID_ALLOW_HEADERS_PREFLIGHT_RESPONSE"], [34, 1, 1, "", "INVALID_ALLOW_METHODS_PREFLIGHT_RESPONSE"], [34, 1, 1, "", "INVALID_ALLOW_ORIGIN_VALUE"], [34, 1, 1, "", "INVALID_PRIVATE_NETWORK_ACCESS"], [34, 1, 1, "", "INVALID_RESPONSE"], [34, 1, 1, "", "METHOD_DISALLOWED_BY_PREFLIGHT_RESPONSE"], [34, 1, 1, "", "MISSING_ALLOW_ORIGIN_HEADER"], [34, 1, 1, "", "MULTIPLE_ALLOW_ORIGIN_VALUES"], [34, 1, 1, "", "NO_CORS_REDIRECT_MODE_NOT_FOLLOW"], [34, 1, 1, "", "PREFLIGHT_ALLOW_ORIGIN_MISMATCH"], [34, 1, 1, "", "PREFLIGHT_DISALLOWED_REDIRECT"], [34, 1, 1, "", "PREFLIGHT_INVALID_ALLOW_CREDENTIALS"], [34, 1, 1, "", "PREFLIGHT_INVALID_ALLOW_EXTERNAL"], [34, 1, 1, "", "PREFLIGHT_INVALID_ALLOW_ORIGIN_VALUE"], [34, 1, 1, "", "PREFLIGHT_INVALID_ALLOW_PRIVATE_NETWORK"], [34, 1, 1, "", "PREFLIGHT_INVALID_STATUS"], [34, 1, 1, "", "PREFLIGHT_MISSING_ALLOW_EXTERNAL"], [34, 1, 1, "", "PREFLIGHT_MISSING_ALLOW_ORIGIN_HEADER"], [34, 1, 1, "", "PREFLIGHT_MISSING_ALLOW_PRIVATE_NETWORK"], [34, 1, 1, "", "PREFLIGHT_MISSING_PRIVATE_NETWORK_ACCESS_ID"], [34, 1, 1, "", "PREFLIGHT_MISSING_PRIVATE_NETWORK_ACCESS_NAME"], [34, 1, 1, "", "PREFLIGHT_MULTIPLE_ALLOW_ORIGIN_VALUES"], [34, 1, 1, "", "PREFLIGHT_WILDCARD_ORIGIN_NOT_ALLOWED"], [34, 1, 1, "", "PRIVATE_NETWORK_ACCESS_PERMISSION_DENIED"], [34, 1, 1, "", "PRIVATE_NETWORK_ACCESS_PERMISSION_UNAVAILABLE"], [34, 1, 1, "", "REDIRECT_CONTAINS_CREDENTIALS"], [34, 1, 1, "", "UNEXPECTED_PRIVATE_NETWORK_ACCESS"], [34, 1, 1, "", "WILDCARD_ORIGIN_NOT_ALLOWED"]], "nodriver.cdp.network.CorsErrorStatus": [[34, 1, 1, "", "cors_error"], [34, 1, 1, "", "failed_parameter"]], "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus": [[34, 1, 1, "", "report_only_reporting_endpoint"], [34, 1, 1, "", "report_only_value"], [34, 1, 1, "", "reporting_endpoint"], [34, 1, 1, "", "value"]], "nodriver.cdp.network.CrossOriginEmbedderPolicyValue": [[34, 1, 1, "", "CREDENTIALLESS"], [34, 1, 1, "", "NONE"], [34, 1, 1, "", "REQUIRE_CORP"]], "nodriver.cdp.network.CrossOriginOpenerPolicyStatus": [[34, 1, 1, "", "report_only_reporting_endpoint"], [34, 1, 1, "", "report_only_value"], [34, 1, 1, "", "reporting_endpoint"], [34, 1, 1, "", "value"]], "nodriver.cdp.network.CrossOriginOpenerPolicyValue": [[34, 1, 1, "", "RESTRICT_PROPERTIES"], [34, 1, 1, "", "RESTRICT_PROPERTIES_PLUS_COEP"], [34, 1, 1, "", "SAME_ORIGIN"], [34, 1, 1, "", "SAME_ORIGIN_ALLOW_POPUPS"], [34, 1, 1, "", "SAME_ORIGIN_PLUS_COEP"], [34, 1, 1, "", "UNSAFE_NONE"]], "nodriver.cdp.network.DataReceived": [[34, 1, 1, "", "data"], [34, 1, 1, "", "data_length"], [34, 1, 1, "", "encoded_data_length"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.ErrorReason": [[34, 1, 1, "", "ABORTED"], [34, 1, 1, "", "ACCESS_DENIED"], [34, 1, 1, "", "ADDRESS_UNREACHABLE"], [34, 1, 1, "", "BLOCKED_BY_CLIENT"], [34, 1, 1, "", "BLOCKED_BY_RESPONSE"], [34, 1, 1, "", "CONNECTION_ABORTED"], [34, 1, 1, "", "CONNECTION_CLOSED"], [34, 1, 1, "", "CONNECTION_FAILED"], [34, 1, 1, "", "CONNECTION_REFUSED"], [34, 1, 1, "", "CONNECTION_RESET"], [34, 1, 1, "", "FAILED"], [34, 1, 1, "", "INTERNET_DISCONNECTED"], [34, 1, 1, "", "NAME_NOT_RESOLVED"], [34, 1, 1, "", "TIMED_OUT"]], "nodriver.cdp.network.EventSourceMessageReceived": [[34, 1, 1, "", "data"], [34, 1, 1, "", "event_id"], [34, 1, 1, "", "event_name"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.IPAddressSpace": [[34, 1, 1, "", "LOCAL"], [34, 1, 1, "", "PRIVATE"], [34, 1, 1, "", "PUBLIC"], [34, 1, 1, "", "UNKNOWN"]], "nodriver.cdp.network.Initiator": [[34, 1, 1, "", "column_number"], [34, 1, 1, "", "line_number"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "stack"], [34, 1, 1, "", "type_"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.InterceptionStage": [[34, 1, 1, "", "HEADERS_RECEIVED"], [34, 1, 1, "", "REQUEST"]], "nodriver.cdp.network.LoadNetworkResourceOptions": [[34, 1, 1, "", "disable_cache"], [34, 1, 1, "", "include_credentials"]], "nodriver.cdp.network.LoadNetworkResourcePageResult": [[34, 1, 1, "", "headers"], [34, 1, 1, "", "http_status_code"], [34, 1, 1, "", "net_error"], [34, 1, 1, "", "net_error_name"], [34, 1, 1, "", "stream"], [34, 1, 1, "", "success"]], "nodriver.cdp.network.LoadingFailed": [[34, 1, 1, "", "blocked_reason"], [34, 1, 1, "", "canceled"], [34, 1, 1, "", "cors_error_status"], [34, 1, 1, "", "error_text"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "type_"]], "nodriver.cdp.network.LoadingFinished": [[34, 1, 1, "", "encoded_data_length"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.PostDataEntry": [[34, 1, 1, "", "bytes_"]], "nodriver.cdp.network.PrivateNetworkRequestPolicy": [[34, 1, 1, "", "ALLOW"], [34, 1, 1, "", "BLOCK_FROM_INSECURE_TO_MORE_PRIVATE"], [34, 1, 1, "", "PREFLIGHT_BLOCK"], [34, 1, 1, "", "PREFLIGHT_WARN"], [34, 1, 1, "", "WARN_FROM_INSECURE_TO_MORE_PRIVATE"]], "nodriver.cdp.network.ReportStatus": [[34, 1, 1, "", "MARKED_FOR_REMOVAL"], [34, 1, 1, "", "PENDING"], [34, 1, 1, "", "QUEUED"], [34, 1, 1, "", "SUCCESS"]], "nodriver.cdp.network.ReportingApiEndpoint": [[34, 1, 1, "", "group_name"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.ReportingApiEndpointsChangedForOrigin": [[34, 1, 1, "", "endpoints"], [34, 1, 1, "", "origin"]], "nodriver.cdp.network.ReportingApiReport": [[34, 1, 1, "", "body"], [34, 1, 1, "", "completed_attempts"], [34, 1, 1, "", "depth"], [34, 1, 1, "", "destination"], [34, 1, 1, "", "id_"], [34, 1, 1, "", "initiator_url"], [34, 1, 1, "", "status"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "type_"]], "nodriver.cdp.network.ReportingApiReportAdded": [[34, 1, 1, "", "report"]], "nodriver.cdp.network.ReportingApiReportUpdated": [[34, 1, 1, "", "report"]], "nodriver.cdp.network.Request": [[34, 1, 1, "", "has_post_data"], [34, 1, 1, "", "headers"], [34, 1, 1, "", "initial_priority"], [34, 1, 1, "", "is_link_preload"], [34, 1, 1, "", "is_same_site"], [34, 1, 1, "", "method"], [34, 1, 1, "", "mixed_content_type"], [34, 1, 1, "", "post_data"], [34, 1, 1, "", "post_data_entries"], [34, 1, 1, "", "referrer_policy"], [34, 1, 1, "", "trust_token_params"], [34, 1, 1, "", "url"], [34, 1, 1, "", "url_fragment"]], "nodriver.cdp.network.RequestIntercepted": [[34, 1, 1, "", "auth_challenge"], [34, 1, 1, "", "frame_id"], [34, 1, 1, "", "interception_id"], [34, 1, 1, "", "is_download"], [34, 1, 1, "", "is_navigation_request"], [34, 1, 1, "", "redirect_url"], [34, 1, 1, "", "request"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "resource_type"], [34, 1, 1, "", "response_error_reason"], [34, 1, 1, "", "response_headers"], [34, 1, 1, "", "response_status_code"]], "nodriver.cdp.network.RequestPattern": [[34, 1, 1, "", "interception_stage"], [34, 1, 1, "", "resource_type"], [34, 1, 1, "", "url_pattern"]], "nodriver.cdp.network.RequestServedFromCache": [[34, 1, 1, "", "request_id"]], "nodriver.cdp.network.RequestWillBeSent": [[34, 1, 1, "", "document_url"], [34, 1, 1, "", "frame_id"], [34, 1, 1, "", "has_user_gesture"], [34, 1, 1, "", "initiator"], [34, 1, 1, "", "loader_id"], [34, 1, 1, "", "redirect_has_extra_info"], [34, 1, 1, "", "redirect_response"], [34, 1, 1, "", "request"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "type_"], [34, 1, 1, "", "wall_time"]], "nodriver.cdp.network.RequestWillBeSentExtraInfo": [[34, 1, 1, "", "associated_cookies"], [34, 1, 1, "", "client_security_state"], [34, 1, 1, "", "connect_timing"], [34, 1, 1, "", "headers"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "site_has_cookie_in_other_partition"]], "nodriver.cdp.network.ResourceChangedPriority": [[34, 1, 1, "", "new_priority"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.ResourcePriority": [[34, 1, 1, "", "HIGH"], [34, 1, 1, "", "LOW"], [34, 1, 1, "", "MEDIUM"], [34, 1, 1, "", "VERY_HIGH"], [34, 1, 1, "", "VERY_LOW"]], "nodriver.cdp.network.ResourceTiming": [[34, 1, 1, "", "connect_end"], [34, 1, 1, "", "connect_start"], [34, 1, 1, "", "dns_end"], [34, 1, 1, "", "dns_start"], [34, 1, 1, "", "proxy_end"], [34, 1, 1, "", "proxy_start"], [34, 1, 1, "", "push_end"], [34, 1, 1, "", "push_start"], [34, 1, 1, "", "receive_headers_end"], [34, 1, 1, "", "receive_headers_start"], [34, 1, 1, "", "request_time"], [34, 1, 1, "", "send_end"], [34, 1, 1, "", "send_start"], [34, 1, 1, "", "ssl_end"], [34, 1, 1, "", "ssl_start"], [34, 1, 1, "", "worker_fetch_start"], [34, 1, 1, "", "worker_ready"], [34, 1, 1, "", "worker_respond_with_settled"], [34, 1, 1, "", "worker_start"]], "nodriver.cdp.network.ResourceType": [[34, 1, 1, "", "CSP_VIOLATION_REPORT"], [34, 1, 1, "", "DOCUMENT"], [34, 1, 1, "", "EVENT_SOURCE"], [34, 1, 1, "", "FETCH"], [34, 1, 1, "", "FONT"], [34, 1, 1, "", "IMAGE"], [34, 1, 1, "", "MANIFEST"], [34, 1, 1, "", "MEDIA"], [34, 1, 1, "", "OTHER"], [34, 1, 1, "", "PING"], [34, 1, 1, "", "PREFETCH"], [34, 1, 1, "", "PREFLIGHT"], [34, 1, 1, "", "SCRIPT"], [34, 1, 1, "", "SIGNED_EXCHANGE"], [34, 1, 1, "", "STYLESHEET"], [34, 1, 1, "", "TEXT_TRACK"], [34, 1, 1, "", "WEB_SOCKET"], [34, 1, 1, "", "XHR"]], "nodriver.cdp.network.Response": [[34, 1, 1, "", "alternate_protocol_usage"], [34, 1, 1, "", "cache_storage_cache_name"], [34, 1, 1, "", "charset"], [34, 1, 1, "", "connection_id"], [34, 1, 1, "", "connection_reused"], [34, 1, 1, "", "encoded_data_length"], [34, 1, 1, "", "from_disk_cache"], [34, 1, 1, "", "from_prefetch_cache"], [34, 1, 1, "", "from_service_worker"], [34, 1, 1, "", "headers"], [34, 1, 1, "", "headers_text"], [34, 1, 1, "", "mime_type"], [34, 1, 1, "", "protocol"], [34, 1, 1, "", "remote_ip_address"], [34, 1, 1, "", "remote_port"], [34, 1, 1, "", "request_headers"], [34, 1, 1, "", "request_headers_text"], [34, 1, 1, "", "response_time"], [34, 1, 1, "", "security_details"], [34, 1, 1, "", "security_state"], [34, 1, 1, "", "service_worker_response_source"], [34, 1, 1, "", "service_worker_router_info"], [34, 1, 1, "", "status"], [34, 1, 1, "", "status_text"], [34, 1, 1, "", "timing"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.ResponseReceived": [[34, 1, 1, "", "frame_id"], [34, 1, 1, "", "has_extra_info"], [34, 1, 1, "", "loader_id"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "response"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "type_"]], "nodriver.cdp.network.ResponseReceivedExtraInfo": [[34, 1, 1, "", "blocked_cookies"], [34, 1, 1, "", "cookie_partition_key"], [34, 1, 1, "", "cookie_partition_key_opaque"], [34, 1, 1, "", "headers"], [34, 1, 1, "", "headers_text"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "resource_ip_address_space"], [34, 1, 1, "", "status_code"]], "nodriver.cdp.network.SecurityDetails": [[34, 1, 1, "", "certificate_id"], [34, 1, 1, "", "certificate_transparency_compliance"], [34, 1, 1, "", "cipher"], [34, 1, 1, "", "encrypted_client_hello"], [34, 1, 1, "", "issuer"], [34, 1, 1, "", "key_exchange"], [34, 1, 1, "", "key_exchange_group"], [34, 1, 1, "", "mac"], [34, 1, 1, "", "protocol"], [34, 1, 1, "", "san_list"], [34, 1, 1, "", "server_signature_algorithm"], [34, 1, 1, "", "signed_certificate_timestamp_list"], [34, 1, 1, "", "subject_name"], [34, 1, 1, "", "valid_from"], [34, 1, 1, "", "valid_to"]], "nodriver.cdp.network.SecurityIsolationStatus": [[34, 1, 1, "", "coep"], [34, 1, 1, "", "coop"], [34, 1, 1, "", "csp"]], "nodriver.cdp.network.ServiceWorkerResponseSource": [[34, 1, 1, "", "CACHE_STORAGE"], [34, 1, 1, "", "FALLBACK_CODE"], [34, 1, 1, "", "HTTP_CACHE"], [34, 1, 1, "", "NETWORK"]], "nodriver.cdp.network.ServiceWorkerRouterInfo": [[34, 1, 1, "", "rule_id_matched"]], "nodriver.cdp.network.SetCookieBlockedReason": [[34, 1, 1, "", "DISALLOWED_CHARACTER"], [34, 1, 1, "", "INVALID_DOMAIN"], [34, 1, 1, "", "INVALID_PREFIX"], [34, 1, 1, "", "NAME_VALUE_PAIR_EXCEEDS_MAX_SIZE"], [34, 1, 1, "", "NO_COOKIE_CONTENT"], [34, 1, 1, "", "OVERWRITE_SECURE"], [34, 1, 1, "", "SAME_PARTY_CONFLICTS_WITH_OTHER_ATTRIBUTES"], [34, 1, 1, "", "SAME_PARTY_FROM_CROSS_PARTY_CONTEXT"], [34, 1, 1, "", "SAME_SITE_LAX"], [34, 1, 1, "", "SAME_SITE_NONE_INSECURE"], [34, 1, 1, "", "SAME_SITE_STRICT"], [34, 1, 1, "", "SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_LAX"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_STRICT"], [34, 1, 1, "", "SCHEMEFUL_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"], [34, 1, 1, "", "SCHEME_NOT_SUPPORTED"], [34, 1, 1, "", "SECURE_ONLY"], [34, 1, 1, "", "SYNTAX_ERROR"], [34, 1, 1, "", "THIRD_PARTY_BLOCKED_IN_FIRST_PARTY_SET"], [34, 1, 1, "", "THIRD_PARTY_PHASEOUT"], [34, 1, 1, "", "UNKNOWN_ERROR"], [34, 1, 1, "", "USER_PREFERENCES"]], "nodriver.cdp.network.SignedCertificateTimestamp": [[34, 1, 1, "", "hash_algorithm"], [34, 1, 1, "", "log_description"], [34, 1, 1, "", "log_id"], [34, 1, 1, "", "origin"], [34, 1, 1, "", "signature_algorithm"], [34, 1, 1, "", "signature_data"], [34, 1, 1, "", "status"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.SignedExchangeError": [[34, 1, 1, "", "error_field"], [34, 1, 1, "", "message"], [34, 1, 1, "", "signature_index"]], "nodriver.cdp.network.SignedExchangeErrorField": [[34, 1, 1, "", "SIGNATURE_CERT_SHA256"], [34, 1, 1, "", "SIGNATURE_CERT_URL"], [34, 1, 1, "", "SIGNATURE_INTEGRITY"], [34, 1, 1, "", "SIGNATURE_SIG"], [34, 1, 1, "", "SIGNATURE_TIMESTAMPS"], [34, 1, 1, "", "SIGNATURE_VALIDITY_URL"]], "nodriver.cdp.network.SignedExchangeHeader": [[34, 1, 1, "", "header_integrity"], [34, 1, 1, "", "request_url"], [34, 1, 1, "", "response_code"], [34, 1, 1, "", "response_headers"], [34, 1, 1, "", "signatures"]], "nodriver.cdp.network.SignedExchangeInfo": [[34, 1, 1, "", "errors"], [34, 1, 1, "", "header"], [34, 1, 1, "", "outer_response"], [34, 1, 1, "", "security_details"]], "nodriver.cdp.network.SignedExchangeReceived": [[34, 1, 1, "", "info"], [34, 1, 1, "", "request_id"]], "nodriver.cdp.network.SignedExchangeSignature": [[34, 1, 1, "", "cert_sha256"], [34, 1, 1, "", "cert_url"], [34, 1, 1, "", "certificates"], [34, 1, 1, "", "date"], [34, 1, 1, "", "expires"], [34, 1, 1, "", "integrity"], [34, 1, 1, "", "label"], [34, 1, 1, "", "signature"], [34, 1, 1, "", "validity_url"]], "nodriver.cdp.network.SubresourceWebBundleInnerResponseError": [[34, 1, 1, "", "bundle_request_id"], [34, 1, 1, "", "error_message"], [34, 1, 1, "", "inner_request_id"], [34, 1, 1, "", "inner_request_url"]], "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed": [[34, 1, 1, "", "bundle_request_id"], [34, 1, 1, "", "inner_request_id"], [34, 1, 1, "", "inner_request_url"]], "nodriver.cdp.network.SubresourceWebBundleMetadataError": [[34, 1, 1, "", "error_message"], [34, 1, 1, "", "request_id"]], "nodriver.cdp.network.SubresourceWebBundleMetadataReceived": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "urls"]], "nodriver.cdp.network.TrustTokenOperationDone": [[34, 1, 1, "", "issued_token_count"], [34, 1, 1, "", "issuer_origin"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "status"], [34, 1, 1, "", "top_level_origin"], [34, 1, 1, "", "type_"]], "nodriver.cdp.network.TrustTokenOperationType": [[34, 1, 1, "", "ISSUANCE"], [34, 1, 1, "", "REDEMPTION"], [34, 1, 1, "", "SIGNING"]], "nodriver.cdp.network.TrustTokenParams": [[34, 1, 1, "", "issuers"], [34, 1, 1, "", "operation"], [34, 1, 1, "", "refresh_policy"]], "nodriver.cdp.network.WebSocketClosed": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketCreated": [[34, 1, 1, "", "initiator"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "url"]], "nodriver.cdp.network.WebSocketFrame": [[34, 1, 1, "", "mask"], [34, 1, 1, "", "opcode"], [34, 1, 1, "", "payload_data"]], "nodriver.cdp.network.WebSocketFrameError": [[34, 1, 1, "", "error_message"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketFrameReceived": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "response"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketFrameSent": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "response"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketHandshakeResponseReceived": [[34, 1, 1, "", "request_id"], [34, 1, 1, "", "response"], [34, 1, 1, "", "timestamp"]], "nodriver.cdp.network.WebSocketRequest": [[34, 1, 1, "", "headers"]], "nodriver.cdp.network.WebSocketResponse": [[34, 1, 1, "", "headers"], [34, 1, 1, "", "headers_text"], [34, 1, 1, "", "request_headers"], [34, 1, 1, "", "request_headers_text"], [34, 1, 1, "", "status"], [34, 1, 1, "", "status_text"]], "nodriver.cdp.network.WebSocketWillSendHandshakeRequest": [[34, 1, 1, "", "request"], [34, 1, 1, "", "request_id"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "wall_time"]], "nodriver.cdp.network.WebTransportClosed": [[34, 1, 1, "", "timestamp"], [34, 1, 1, "", "transport_id"]], "nodriver.cdp.network.WebTransportConnectionEstablished": [[34, 1, 1, "", "timestamp"], [34, 1, 1, "", "transport_id"]], "nodriver.cdp.network.WebTransportCreated": [[34, 1, 1, "", "initiator"], [34, 1, 1, "", "timestamp"], [34, 1, 1, "", "transport_id"], [34, 1, 1, "", "url"]], "nodriver.cdp.overlay": [[35, 0, 1, "", "BoxStyle"], [35, 0, 1, "", "ColorFormat"], [35, 0, 1, "", "ContainerQueryContainerHighlightConfig"], [35, 0, 1, "", "ContainerQueryHighlightConfig"], [35, 0, 1, "", "ContrastAlgorithm"], [35, 0, 1, "", "FlexContainerHighlightConfig"], [35, 0, 1, "", "FlexItemHighlightConfig"], [35, 0, 1, "", "FlexNodeHighlightConfig"], [35, 0, 1, "", "GridHighlightConfig"], [35, 0, 1, "", "GridNodeHighlightConfig"], [35, 0, 1, "", "HighlightConfig"], [35, 0, 1, "", "HingeConfig"], [35, 0, 1, "", "InspectMode"], [35, 0, 1, "", "InspectModeCanceled"], [35, 0, 1, "", "InspectNodeRequested"], [35, 0, 1, "", "IsolatedElementHighlightConfig"], [35, 0, 1, "", "IsolationModeHighlightConfig"], [35, 0, 1, "", "LineStyle"], [35, 0, 1, "", "NodeHighlightRequested"], [35, 0, 1, "", "ScreenshotRequested"], [35, 0, 1, "", "ScrollSnapContainerHighlightConfig"], [35, 0, 1, "", "ScrollSnapHighlightConfig"], [35, 0, 1, "", "SourceOrderConfig"], [35, 0, 1, "", "WindowControlsOverlayConfig"], [35, 5, 1, "", "disable"], [35, 5, 1, "", "enable"], [35, 5, 1, "", "get_grid_highlight_objects_for_test"], [35, 5, 1, "", "get_highlight_object_for_test"], [35, 5, 1, "", "get_source_order_highlight_object_for_test"], [35, 5, 1, "", "hide_highlight"], [35, 5, 1, "", "highlight_frame"], [35, 5, 1, "", "highlight_node"], [35, 5, 1, "", "highlight_quad"], [35, 5, 1, "", "highlight_rect"], [35, 5, 1, "", "highlight_source_order"], [35, 5, 1, "", "set_inspect_mode"], [35, 5, 1, "", "set_paused_in_debugger_message"], [35, 5, 1, "", "set_show_ad_highlights"], [35, 5, 1, "", "set_show_container_query_overlays"], [35, 5, 1, "", "set_show_debug_borders"], [35, 5, 1, "", "set_show_flex_overlays"], [35, 5, 1, "", "set_show_fps_counter"], [35, 5, 1, "", "set_show_grid_overlays"], [35, 5, 1, "", "set_show_hinge"], [35, 5, 1, "", "set_show_hit_test_borders"], [35, 5, 1, "", "set_show_isolated_elements"], [35, 5, 1, "", "set_show_layout_shift_regions"], [35, 5, 1, "", "set_show_paint_rects"], [35, 5, 1, "", "set_show_scroll_bottleneck_rects"], [35, 5, 1, "", "set_show_scroll_snap_overlays"], [35, 5, 1, "", "set_show_viewport_size_on_resize"], [35, 5, 1, "", "set_show_web_vitals"], [35, 5, 1, "", "set_show_window_controls_overlay"]], "nodriver.cdp.overlay.BoxStyle": [[35, 1, 1, "", "fill_color"], [35, 1, 1, "", "hatch_color"]], "nodriver.cdp.overlay.ColorFormat": [[35, 1, 1, "", "HEX_"], [35, 1, 1, "", "HSL"], [35, 1, 1, "", "HWB"], [35, 1, 1, "", "RGB"]], "nodriver.cdp.overlay.ContainerQueryContainerHighlightConfig": [[35, 1, 1, "", "container_border"], [35, 1, 1, "", "descendant_border"]], "nodriver.cdp.overlay.ContainerQueryHighlightConfig": [[35, 1, 1, "", "container_query_container_highlight_config"], [35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.ContrastAlgorithm": [[35, 1, 1, "", "AA"], [35, 1, 1, "", "AAA"], [35, 1, 1, "", "APCA"]], "nodriver.cdp.overlay.FlexContainerHighlightConfig": [[35, 1, 1, "", "column_gap_space"], [35, 1, 1, "", "container_border"], [35, 1, 1, "", "cross_alignment"], [35, 1, 1, "", "cross_distributed_space"], [35, 1, 1, "", "item_separator"], [35, 1, 1, "", "line_separator"], [35, 1, 1, "", "main_distributed_space"], [35, 1, 1, "", "row_gap_space"]], "nodriver.cdp.overlay.FlexItemHighlightConfig": [[35, 1, 1, "", "base_size_border"], [35, 1, 1, "", "base_size_box"], [35, 1, 1, "", "flexibility_arrow"]], "nodriver.cdp.overlay.FlexNodeHighlightConfig": [[35, 1, 1, "", "flex_container_highlight_config"], [35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.GridHighlightConfig": [[35, 1, 1, "", "area_border_color"], [35, 1, 1, "", "cell_border_color"], [35, 1, 1, "", "cell_border_dash"], [35, 1, 1, "", "column_gap_color"], [35, 1, 1, "", "column_hatch_color"], [35, 1, 1, "", "column_line_color"], [35, 1, 1, "", "column_line_dash"], [35, 1, 1, "", "grid_background_color"], [35, 1, 1, "", "grid_border_color"], [35, 1, 1, "", "grid_border_dash"], [35, 1, 1, "", "row_gap_color"], [35, 1, 1, "", "row_hatch_color"], [35, 1, 1, "", "row_line_color"], [35, 1, 1, "", "row_line_dash"], [35, 1, 1, "", "show_area_names"], [35, 1, 1, "", "show_grid_extension_lines"], [35, 1, 1, "", "show_line_names"], [35, 1, 1, "", "show_negative_line_numbers"], [35, 1, 1, "", "show_positive_line_numbers"], [35, 1, 1, "", "show_track_sizes"]], "nodriver.cdp.overlay.GridNodeHighlightConfig": [[35, 1, 1, "", "grid_highlight_config"], [35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.HighlightConfig": [[35, 1, 1, "", "border_color"], [35, 1, 1, "", "color_format"], [35, 1, 1, "", "container_query_container_highlight_config"], [35, 1, 1, "", "content_color"], [35, 1, 1, "", "contrast_algorithm"], [35, 1, 1, "", "css_grid_color"], [35, 1, 1, "", "event_target_color"], [35, 1, 1, "", "flex_container_highlight_config"], [35, 1, 1, "", "flex_item_highlight_config"], [35, 1, 1, "", "grid_highlight_config"], [35, 1, 1, "", "margin_color"], [35, 1, 1, "", "padding_color"], [35, 1, 1, "", "shape_color"], [35, 1, 1, "", "shape_margin_color"], [35, 1, 1, "", "show_accessibility_info"], [35, 1, 1, "", "show_extension_lines"], [35, 1, 1, "", "show_info"], [35, 1, 1, "", "show_rulers"], [35, 1, 1, "", "show_styles"]], "nodriver.cdp.overlay.HingeConfig": [[35, 1, 1, "", "content_color"], [35, 1, 1, "", "outline_color"], [35, 1, 1, "", "rect"]], "nodriver.cdp.overlay.InspectMode": [[35, 1, 1, "", "CAPTURE_AREA_SCREENSHOT"], [35, 1, 1, "", "NONE"], [35, 1, 1, "", "SEARCH_FOR_NODE"], [35, 1, 1, "", "SEARCH_FOR_UA_SHADOW_DOM"], [35, 1, 1, "", "SHOW_DISTANCES"]], "nodriver.cdp.overlay.InspectNodeRequested": [[35, 1, 1, "", "backend_node_id"]], "nodriver.cdp.overlay.IsolatedElementHighlightConfig": [[35, 1, 1, "", "isolation_mode_highlight_config"], [35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.IsolationModeHighlightConfig": [[35, 1, 1, "", "mask_color"], [35, 1, 1, "", "resizer_color"], [35, 1, 1, "", "resizer_handle_color"]], "nodriver.cdp.overlay.LineStyle": [[35, 1, 1, "", "color"], [35, 1, 1, "", "pattern"]], "nodriver.cdp.overlay.NodeHighlightRequested": [[35, 1, 1, "", "node_id"]], "nodriver.cdp.overlay.ScreenshotRequested": [[35, 1, 1, "", "viewport"]], "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig": [[35, 1, 1, "", "scroll_margin_color"], [35, 1, 1, "", "scroll_padding_color"], [35, 1, 1, "", "snap_area_border"], [35, 1, 1, "", "snapport_border"]], "nodriver.cdp.overlay.ScrollSnapHighlightConfig": [[35, 1, 1, "", "node_id"], [35, 1, 1, "", "scroll_snap_container_highlight_config"]], "nodriver.cdp.overlay.SourceOrderConfig": [[35, 1, 1, "", "child_outline_color"], [35, 1, 1, "", "parent_outline_color"]], "nodriver.cdp.overlay.WindowControlsOverlayConfig": [[35, 1, 1, "", "selected_platform"], [35, 1, 1, "", "show_css"], [35, 1, 1, "", "theme_color"]], "nodriver.cdp.page": [[36, 0, 1, "", "AdFrameExplanation"], [36, 0, 1, "", "AdFrameStatus"], [36, 0, 1, "", "AdFrameType"], [36, 0, 1, "", "AdScriptId"], [36, 0, 1, "", "AppManifestError"], [36, 0, 1, "", "AppManifestParsedProperties"], [36, 0, 1, "", "AutoResponseMode"], [36, 0, 1, "", "BackForwardCacheBlockingDetails"], [36, 0, 1, "", "BackForwardCacheNotRestoredExplanation"], [36, 0, 1, "", "BackForwardCacheNotRestoredExplanationTree"], [36, 0, 1, "", "BackForwardCacheNotRestoredReason"], [36, 0, 1, "", "BackForwardCacheNotRestoredReasonType"], [36, 0, 1, "", "BackForwardCacheNotUsed"], [36, 0, 1, "", "ClientNavigationDisposition"], [36, 0, 1, "", "ClientNavigationReason"], [36, 0, 1, "", "CompilationCacheParams"], [36, 0, 1, "", "CompilationCacheProduced"], [36, 0, 1, "", "CrossOriginIsolatedContextType"], [36, 0, 1, "", "DialogType"], [36, 0, 1, "", "DocumentOpened"], [36, 0, 1, "", "DomContentEventFired"], [36, 0, 1, "", "DownloadProgress"], [36, 0, 1, "", "DownloadWillBegin"], [36, 0, 1, "", "FileChooserOpened"], [36, 0, 1, "", "FontFamilies"], [36, 0, 1, "", "FontSizes"], [36, 0, 1, "", "Frame"], [36, 0, 1, "", "FrameAttached"], [36, 0, 1, "", "FrameClearedScheduledNavigation"], [36, 0, 1, "", "FrameDetached"], [36, 0, 1, "", "FrameId"], [36, 0, 1, "", "FrameNavigated"], [36, 0, 1, "", "FrameRequestedNavigation"], [36, 0, 1, "", "FrameResized"], [36, 0, 1, "", "FrameResource"], [36, 0, 1, "", "FrameResourceTree"], [36, 0, 1, "", "FrameScheduledNavigation"], [36, 0, 1, "", "FrameStartedLoading"], [36, 0, 1, "", "FrameStoppedLoading"], [36, 0, 1, "", "FrameTree"], [36, 0, 1, "", "GatedAPIFeatures"], [36, 0, 1, "", "InstallabilityError"], [36, 0, 1, "", "InstallabilityErrorArgument"], [36, 0, 1, "", "InterstitialHidden"], [36, 0, 1, "", "InterstitialShown"], [36, 0, 1, "", "JavascriptDialogClosed"], [36, 0, 1, "", "JavascriptDialogOpening"], [36, 0, 1, "", "LayoutViewport"], [36, 0, 1, "", "LifecycleEvent"], [36, 0, 1, "", "LoadEventFired"], [36, 0, 1, "", "NavigatedWithinDocument"], [36, 0, 1, "", "NavigationEntry"], [36, 0, 1, "", "NavigationType"], [36, 0, 1, "", "OriginTrial"], [36, 0, 1, "", "OriginTrialStatus"], [36, 0, 1, "", "OriginTrialToken"], [36, 0, 1, "", "OriginTrialTokenStatus"], [36, 0, 1, "", "OriginTrialTokenWithStatus"], [36, 0, 1, "", "OriginTrialUsageRestriction"], [36, 0, 1, "", "PermissionsPolicyBlockLocator"], [36, 0, 1, "", "PermissionsPolicyBlockReason"], [36, 0, 1, "", "PermissionsPolicyFeature"], [36, 0, 1, "", "PermissionsPolicyFeatureState"], [36, 0, 1, "", "ReferrerPolicy"], [36, 0, 1, "", "ScreencastFrame"], [36, 0, 1, "", "ScreencastFrameMetadata"], [36, 0, 1, "", "ScreencastVisibilityChanged"], [36, 0, 1, "", "ScriptFontFamilies"], [36, 0, 1, "", "ScriptIdentifier"], [36, 0, 1, "", "SecureContextType"], [36, 0, 1, "", "TransitionType"], [36, 0, 1, "", "Viewport"], [36, 0, 1, "", "VisualViewport"], [36, 0, 1, "", "WindowOpen"], [36, 5, 1, "", "add_compilation_cache"], [36, 5, 1, "", "add_script_to_evaluate_on_load"], [36, 5, 1, "", "add_script_to_evaluate_on_new_document"], [36, 5, 1, "", "bring_to_front"], [36, 5, 1, "", "capture_screenshot"], [36, 5, 1, "", "capture_snapshot"], [36, 5, 1, "", "clear_compilation_cache"], [36, 5, 1, "", "clear_device_metrics_override"], [36, 5, 1, "", "clear_device_orientation_override"], [36, 5, 1, "", "clear_geolocation_override"], [36, 5, 1, "", "close"], [36, 5, 1, "", "crash"], [36, 5, 1, "", "create_isolated_world"], [36, 5, 1, "", "delete_cookie"], [36, 5, 1, "", "disable"], [36, 5, 1, "", "enable"], [36, 5, 1, "", "generate_test_report"], [36, 5, 1, "", "get_ad_script_id"], [36, 5, 1, "", "get_app_id"], [36, 5, 1, "", "get_app_manifest"], [36, 5, 1, "", "get_frame_tree"], [36, 5, 1, "", "get_installability_errors"], [36, 5, 1, "", "get_layout_metrics"], [36, 5, 1, "", "get_manifest_icons"], [36, 5, 1, "", "get_navigation_history"], [36, 5, 1, "", "get_origin_trials"], [36, 5, 1, "", "get_permissions_policy_state"], [36, 5, 1, "", "get_resource_content"], [36, 5, 1, "", "get_resource_tree"], [36, 5, 1, "", "handle_java_script_dialog"], [36, 5, 1, "", "navigate"], [36, 5, 1, "", "navigate_to_history_entry"], [36, 5, 1, "", "print_to_pdf"], [36, 5, 1, "", "produce_compilation_cache"], [36, 5, 1, "", "reload"], [36, 5, 1, "", "remove_script_to_evaluate_on_load"], [36, 5, 1, "", "remove_script_to_evaluate_on_new_document"], [36, 5, 1, "", "reset_navigation_history"], [36, 5, 1, "", "screencast_frame_ack"], [36, 5, 1, "", "search_in_resource"], [36, 5, 1, "", "set_ad_blocking_enabled"], [36, 5, 1, "", "set_bypass_csp"], [36, 5, 1, "", "set_device_metrics_override"], [36, 5, 1, "", "set_device_orientation_override"], [36, 5, 1, "", "set_document_content"], [36, 5, 1, "", "set_download_behavior"], [36, 5, 1, "", "set_font_families"], [36, 5, 1, "", "set_font_sizes"], [36, 5, 1, "", "set_geolocation_override"], [36, 5, 1, "", "set_intercept_file_chooser_dialog"], [36, 5, 1, "", "set_lifecycle_events_enabled"], [36, 5, 1, "", "set_prerendering_allowed"], [36, 5, 1, "", "set_rph_registration_mode"], [36, 5, 1, "", "set_spc_transaction_mode"], [36, 5, 1, "", "set_touch_emulation_enabled"], [36, 5, 1, "", "set_web_lifecycle_state"], [36, 5, 1, "", "start_screencast"], [36, 5, 1, "", "stop_loading"], [36, 5, 1, "", "stop_screencast"], [36, 5, 1, "", "wait_for_debugger"]], "nodriver.cdp.page.AdFrameExplanation": [[36, 1, 1, "", "CREATED_BY_AD_SCRIPT"], [36, 1, 1, "", "MATCHED_BLOCKING_RULE"], [36, 1, 1, "", "PARENT_IS_AD"]], "nodriver.cdp.page.AdFrameStatus": [[36, 1, 1, "", "ad_frame_type"], [36, 1, 1, "", "explanations"]], "nodriver.cdp.page.AdFrameType": [[36, 1, 1, "", "CHILD"], [36, 1, 1, "", "NONE"], [36, 1, 1, "", "ROOT"]], "nodriver.cdp.page.AdScriptId": [[36, 1, 1, "", "debugger_id"], [36, 1, 1, "", "script_id"]], "nodriver.cdp.page.AppManifestError": [[36, 1, 1, "", "column"], [36, 1, 1, "", "critical"], [36, 1, 1, "", "line"], [36, 1, 1, "", "message"]], "nodriver.cdp.page.AppManifestParsedProperties": [[36, 1, 1, "", "scope"]], "nodriver.cdp.page.AutoResponseMode": [[36, 1, 1, "", "AUTO_ACCEPT"], [36, 1, 1, "", "AUTO_OPT_OUT"], [36, 1, 1, "", "AUTO_REJECT"], [36, 1, 1, "", "NONE"]], "nodriver.cdp.page.BackForwardCacheBlockingDetails": [[36, 1, 1, "", "column_number"], [36, 1, 1, "", "function"], [36, 1, 1, "", "line_number"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation": [[36, 1, 1, "", "context"], [36, 1, 1, "", "details"], [36, 1, 1, "", "reason"], [36, 1, 1, "", "type_"]], "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree": [[36, 1, 1, "", "children"], [36, 1, 1, "", "explanations"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.BackForwardCacheNotRestoredReason": [[36, 1, 1, "", "ACTIVATION_NAVIGATIONS_DISALLOWED_FOR_BUG1234857"], [36, 1, 1, "", "APP_BANNER"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED_BY_COMMAND_LINE"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED_BY_LOW_MEMORY"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED_FOR_DELEGATE"], [36, 1, 1, "", "BACK_FORWARD_CACHE_DISABLED_FOR_PRERENDER"], [36, 1, 1, "", "BROADCAST_CHANNEL"], [36, 1, 1, "", "BROWSING_INSTANCE_NOT_SWAPPED"], [36, 1, 1, "", "CACHE_CONTROL_NO_STORE"], [36, 1, 1, "", "CACHE_CONTROL_NO_STORE_COOKIE_MODIFIED"], [36, 1, 1, "", "CACHE_CONTROL_NO_STORE_HTTP_ONLY_COOKIE_MODIFIED"], [36, 1, 1, "", "CACHE_FLUSHED"], [36, 1, 1, "", "CACHE_LIMIT"], [36, 1, 1, "", "CONFLICTING_BROWSING_INSTANCE"], [36, 1, 1, "", "CONTAINS_PLUGINS"], [36, 1, 1, "", "CONTENT_FILE_CHOOSER"], [36, 1, 1, "", "CONTENT_FILE_SYSTEM_ACCESS"], [36, 1, 1, "", "CONTENT_MEDIA_DEVICES_DISPATCHER_HOST"], [36, 1, 1, "", "CONTENT_MEDIA_SESSION_SERVICE"], [36, 1, 1, "", "CONTENT_SCREEN_READER"], [36, 1, 1, "", "CONTENT_SECURITY_HANDLER"], [36, 1, 1, "", "CONTENT_SERIAL"], [36, 1, 1, "", "CONTENT_WEB_AUTHENTICATION_API"], [36, 1, 1, "", "CONTENT_WEB_BLUETOOTH"], [36, 1, 1, "", "CONTENT_WEB_USB"], [36, 1, 1, "", "COOKIE_DISABLED"], [36, 1, 1, "", "COOKIE_FLUSHED"], [36, 1, 1, "", "DEDICATED_WORKER_OR_WORKLET"], [36, 1, 1, "", "DISABLE_FOR_RENDER_FRAME_HOST_CALLED"], [36, 1, 1, "", "DOCUMENT_LOADED"], [36, 1, 1, "", "DOMAIN_NOT_ALLOWED"], [36, 1, 1, "", "DUMMY"], [36, 1, 1, "", "EMBEDDER_APP_BANNER_MANAGER"], [36, 1, 1, "", "EMBEDDER_CHROME_PASSWORD_MANAGER_CLIENT_BIND_CREDENTIAL_MANAGER"], [36, 1, 1, "", "EMBEDDER_DOM_DISTILLER_SELF_DELETING_REQUEST_DELEGATE"], [36, 1, 1, "", "EMBEDDER_DOM_DISTILLER_VIEWER_SOURCE"], [36, 1, 1, "", "EMBEDDER_EXTENSIONS"], [36, 1, 1, "", "EMBEDDER_EXTENSION_MESSAGING"], [36, 1, 1, "", "EMBEDDER_EXTENSION_MESSAGING_FOR_OPEN_PORT"], [36, 1, 1, "", "EMBEDDER_EXTENSION_SENT_MESSAGE_TO_CACHED_FRAME"], [36, 1, 1, "", "EMBEDDER_MODAL_DIALOG"], [36, 1, 1, "", "EMBEDDER_OFFLINE_PAGE"], [36, 1, 1, "", "EMBEDDER_OOM_INTERVENTION_TAB_HELPER"], [36, 1, 1, "", "EMBEDDER_PERMISSION_REQUEST_MANAGER"], [36, 1, 1, "", "EMBEDDER_POPUP_BLOCKER_TAB_HELPER"], [36, 1, 1, "", "EMBEDDER_SAFE_BROWSING_THREAT_DETAILS"], [36, 1, 1, "", "EMBEDDER_SAFE_BROWSING_TRIGGERED_POPUP_BLOCKER"], [36, 1, 1, "", "ENTERED_BACK_FORWARD_CACHE_BEFORE_SERVICE_WORKER_HOST_ADDED"], [36, 1, 1, "", "ERROR_DOCUMENT"], [36, 1, 1, "", "FENCED_FRAMES_EMBEDDER"], [36, 1, 1, "", "FOREGROUND_CACHE_LIMIT"], [36, 1, 1, "", "HAVE_INNER_CONTENTS"], [36, 1, 1, "", "HTTP_AUTH_REQUIRED"], [36, 1, 1, "", "HTTP_METHOD_NOT_GET"], [36, 1, 1, "", "HTTP_STATUS_NOT_OK"], [36, 1, 1, "", "IDLE_MANAGER"], [36, 1, 1, "", "IGNORE_EVENT_AND_EVICT"], [36, 1, 1, "", "INDEXED_DB_EVENT"], [36, 1, 1, "", "INJECTED_JAVASCRIPT"], [36, 1, 1, "", "INJECTED_STYLE_SHEET"], [36, 1, 1, "", "JAVA_SCRIPT_EXECUTION"], [36, 1, 1, "", "JS_NETWORK_REQUEST_RECEIVED_CACHE_CONTROL_NO_STORE_RESOURCE"], [36, 1, 1, "", "KEEPALIVE_REQUEST"], [36, 1, 1, "", "KEYBOARD_LOCK"], [36, 1, 1, "", "LIVE_MEDIA_STREAM_TRACK"], [36, 1, 1, "", "LOADING"], [36, 1, 1, "", "MAIN_RESOURCE_HAS_CACHE_CONTROL_NO_CACHE"], [36, 1, 1, "", "MAIN_RESOURCE_HAS_CACHE_CONTROL_NO_STORE"], [36, 1, 1, "", "NAVIGATION_CANCELLED_WHILE_RESTORING"], [36, 1, 1, "", "NETWORK_EXCEEDS_BUFFER_LIMIT"], [36, 1, 1, "", "NETWORK_REQUEST_DATAPIPE_DRAINED_AS_BYTES_CONSUMER"], [36, 1, 1, "", "NETWORK_REQUEST_REDIRECTED"], [36, 1, 1, "", "NETWORK_REQUEST_TIMEOUT"], [36, 1, 1, "", "NOT_MOST_RECENT_NAVIGATION_ENTRY"], [36, 1, 1, "", "NOT_PRIMARY_MAIN_FRAME"], [36, 1, 1, "", "NO_RESPONSE_HEAD"], [36, 1, 1, "", "OUTSTANDING_NETWORK_REQUEST_DIRECT_SOCKET"], [36, 1, 1, "", "OUTSTANDING_NETWORK_REQUEST_FETCH"], [36, 1, 1, "", "OUTSTANDING_NETWORK_REQUEST_OTHERS"], [36, 1, 1, "", "OUTSTANDING_NETWORK_REQUEST_XHR"], [36, 1, 1, "", "PAYMENT_MANAGER"], [36, 1, 1, "", "PICTURE_IN_PICTURE"], [36, 1, 1, "", "PORTAL"], [36, 1, 1, "", "PRINTING"], [36, 1, 1, "", "RELATED_ACTIVE_CONTENTS_EXIST"], [36, 1, 1, "", "RENDERER_PROCESS_CRASHED"], [36, 1, 1, "", "RENDERER_PROCESS_KILLED"], [36, 1, 1, "", "RENDER_FRAME_HOST_REUSED_CROSS_SITE"], [36, 1, 1, "", "RENDER_FRAME_HOST_REUSED_SAME_SITE"], [36, 1, 1, "", "REQUESTED_AUDIO_CAPTURE_PERMISSION"], [36, 1, 1, "", "REQUESTED_BACKGROUND_WORK_PERMISSION"], [36, 1, 1, "", "REQUESTED_BACK_FORWARD_CACHE_BLOCKED_SENSORS"], [36, 1, 1, "", "REQUESTED_MIDI_PERMISSION"], [36, 1, 1, "", "REQUESTED_STORAGE_ACCESS_GRANT"], [36, 1, 1, "", "REQUESTED_VIDEO_CAPTURE_PERMISSION"], [36, 1, 1, "", "SCHEDULER_TRACKED_FEATURE_USED"], [36, 1, 1, "", "SCHEME_NOT_HTTP_OR_HTTPS"], [36, 1, 1, "", "SERVICE_WORKER_CLAIM"], [36, 1, 1, "", "SERVICE_WORKER_POST_MESSAGE"], [36, 1, 1, "", "SERVICE_WORKER_UNREGISTRATION"], [36, 1, 1, "", "SERVICE_WORKER_VERSION_ACTIVATION"], [36, 1, 1, "", "SESSION_RESTORED"], [36, 1, 1, "", "SHARED_WORKER"], [36, 1, 1, "", "SMART_CARD"], [36, 1, 1, "", "SPEECH_RECOGNIZER"], [36, 1, 1, "", "SPEECH_SYNTHESIS"], [36, 1, 1, "", "SUBFRAME_IS_NAVIGATING"], [36, 1, 1, "", "SUBRESOURCE_HAS_CACHE_CONTROL_NO_CACHE"], [36, 1, 1, "", "SUBRESOURCE_HAS_CACHE_CONTROL_NO_STORE"], [36, 1, 1, "", "TIMEOUT"], [36, 1, 1, "", "TIMEOUT_PUTTING_IN_CACHE"], [36, 1, 1, "", "UNKNOWN"], [36, 1, 1, "", "UNLOAD_HANDLER"], [36, 1, 1, "", "UNLOAD_HANDLER_EXISTS_IN_MAIN_FRAME"], [36, 1, 1, "", "UNLOAD_HANDLER_EXISTS_IN_SUB_FRAME"], [36, 1, 1, "", "USER_AGENT_OVERRIDE_DIFFERS"], [36, 1, 1, "", "WAS_GRANTED_MEDIA_ACCESS"], [36, 1, 1, "", "WEB_DATABASE"], [36, 1, 1, "", "WEB_HID"], [36, 1, 1, "", "WEB_LOCKS"], [36, 1, 1, "", "WEB_NFC"], [36, 1, 1, "", "WEB_OTP_SERVICE"], [36, 1, 1, "", "WEB_RTC"], [36, 1, 1, "", "WEB_RTC_STICKY"], [36, 1, 1, "", "WEB_SHARE"], [36, 1, 1, "", "WEB_SOCKET"], [36, 1, 1, "", "WEB_SOCKET_STICKY"], [36, 1, 1, "", "WEB_TRANSPORT"], [36, 1, 1, "", "WEB_TRANSPORT_STICKY"], [36, 1, 1, "", "WEB_XR"]], "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType": [[36, 1, 1, "", "CIRCUMSTANTIAL"], [36, 1, 1, "", "PAGE_SUPPORT_NEEDED"], [36, 1, 1, "", "SUPPORT_PENDING"]], "nodriver.cdp.page.BackForwardCacheNotUsed": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "loader_id"], [36, 1, 1, "", "not_restored_explanations"], [36, 1, 1, "", "not_restored_explanations_tree"]], "nodriver.cdp.page.ClientNavigationDisposition": [[36, 1, 1, "", "CURRENT_TAB"], [36, 1, 1, "", "DOWNLOAD"], [36, 1, 1, "", "NEW_TAB"], [36, 1, 1, "", "NEW_WINDOW"]], "nodriver.cdp.page.ClientNavigationReason": [[36, 1, 1, "", "ANCHOR_CLICK"], [36, 1, 1, "", "FORM_SUBMISSION_GET"], [36, 1, 1, "", "FORM_SUBMISSION_POST"], [36, 1, 1, "", "HTTP_HEADER_REFRESH"], [36, 1, 1, "", "META_TAG_REFRESH"], [36, 1, 1, "", "PAGE_BLOCK_INTERSTITIAL"], [36, 1, 1, "", "RELOAD"], [36, 1, 1, "", "SCRIPT_INITIATED"]], "nodriver.cdp.page.CompilationCacheParams": [[36, 1, 1, "", "eager"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.CompilationCacheProduced": [[36, 1, 1, "", "data"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.CrossOriginIsolatedContextType": [[36, 1, 1, "", "ISOLATED"], [36, 1, 1, "", "NOT_ISOLATED"], [36, 1, 1, "", "NOT_ISOLATED_FEATURE_DISABLED"]], "nodriver.cdp.page.DialogType": [[36, 1, 1, "", "ALERT"], [36, 1, 1, "", "BEFOREUNLOAD"], [36, 1, 1, "", "CONFIRM"], [36, 1, 1, "", "PROMPT"]], "nodriver.cdp.page.DocumentOpened": [[36, 1, 1, "", "frame"]], "nodriver.cdp.page.DomContentEventFired": [[36, 1, 1, "", "timestamp"]], "nodriver.cdp.page.DownloadProgress": [[36, 1, 1, "", "guid"], [36, 1, 1, "", "received_bytes"], [36, 1, 1, "", "state"], [36, 1, 1, "", "total_bytes"]], "nodriver.cdp.page.DownloadWillBegin": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "guid"], [36, 1, 1, "", "suggested_filename"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.FileChooserOpened": [[36, 1, 1, "", "backend_node_id"], [36, 1, 1, "", "frame_id"], [36, 1, 1, "", "mode"]], "nodriver.cdp.page.FontFamilies": [[36, 1, 1, "", "cursive"], [36, 1, 1, "", "fantasy"], [36, 1, 1, "", "fixed"], [36, 1, 1, "", "math"], [36, 1, 1, "", "sans_serif"], [36, 1, 1, "", "serif"], [36, 1, 1, "", "standard"]], "nodriver.cdp.page.FontSizes": [[36, 1, 1, "", "fixed"], [36, 1, 1, "", "standard"]], "nodriver.cdp.page.Frame": [[36, 1, 1, "", "ad_frame_status"], [36, 1, 1, "", "cross_origin_isolated_context_type"], [36, 1, 1, "", "domain_and_registry"], [36, 1, 1, "", "gated_api_features"], [36, 1, 1, "", "id_"], [36, 1, 1, "", "loader_id"], [36, 1, 1, "", "mime_type"], [36, 1, 1, "", "name"], [36, 1, 1, "", "parent_id"], [36, 1, 1, "", "secure_context_type"], [36, 1, 1, "", "security_origin"], [36, 1, 1, "", "unreachable_url"], [36, 1, 1, "", "url"], [36, 1, 1, "", "url_fragment"]], "nodriver.cdp.page.FrameAttached": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "parent_frame_id"], [36, 1, 1, "", "stack"]], "nodriver.cdp.page.FrameClearedScheduledNavigation": [[36, 1, 1, "", "frame_id"]], "nodriver.cdp.page.FrameDetached": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "reason"]], "nodriver.cdp.page.FrameNavigated": [[36, 1, 1, "", "frame"], [36, 1, 1, "", "type_"]], "nodriver.cdp.page.FrameRequestedNavigation": [[36, 1, 1, "", "disposition"], [36, 1, 1, "", "frame_id"], [36, 1, 1, "", "reason"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.FrameResource": [[36, 1, 1, "", "canceled"], [36, 1, 1, "", "content_size"], [36, 1, 1, "", "failed"], [36, 1, 1, "", "last_modified"], [36, 1, 1, "", "mime_type"], [36, 1, 1, "", "type_"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.FrameResourceTree": [[36, 1, 1, "", "child_frames"], [36, 1, 1, "", "frame"], [36, 1, 1, "", "resources"]], "nodriver.cdp.page.FrameScheduledNavigation": [[36, 1, 1, "", "delay"], [36, 1, 1, "", "frame_id"], [36, 1, 1, "", "reason"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.FrameStartedLoading": [[36, 1, 1, "", "frame_id"]], "nodriver.cdp.page.FrameStoppedLoading": [[36, 1, 1, "", "frame_id"]], "nodriver.cdp.page.FrameTree": [[36, 1, 1, "", "child_frames"], [36, 1, 1, "", "frame"]], "nodriver.cdp.page.GatedAPIFeatures": [[36, 1, 1, "", "PERFORMANCE_MEASURE_MEMORY"], [36, 1, 1, "", "PERFORMANCE_PROFILE"], [36, 1, 1, "", "SHARED_ARRAY_BUFFERS"], [36, 1, 1, "", "SHARED_ARRAY_BUFFERS_TRANSFER_ALLOWED"]], "nodriver.cdp.page.InstallabilityError": [[36, 1, 1, "", "error_arguments"], [36, 1, 1, "", "error_id"]], "nodriver.cdp.page.InstallabilityErrorArgument": [[36, 1, 1, "", "name"], [36, 1, 1, "", "value"]], "nodriver.cdp.page.JavascriptDialogClosed": [[36, 1, 1, "", "result"], [36, 1, 1, "", "user_input"]], "nodriver.cdp.page.JavascriptDialogOpening": [[36, 1, 1, "", "default_prompt"], [36, 1, 1, "", "has_browser_handler"], [36, 1, 1, "", "message"], [36, 1, 1, "", "type_"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.LayoutViewport": [[36, 1, 1, "", "client_height"], [36, 1, 1, "", "client_width"], [36, 1, 1, "", "page_x"], [36, 1, 1, "", "page_y"]], "nodriver.cdp.page.LifecycleEvent": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "loader_id"], [36, 1, 1, "", "name"], [36, 1, 1, "", "timestamp"]], "nodriver.cdp.page.LoadEventFired": [[36, 1, 1, "", "timestamp"]], "nodriver.cdp.page.NavigatedWithinDocument": [[36, 1, 1, "", "frame_id"], [36, 1, 1, "", "url"]], "nodriver.cdp.page.NavigationEntry": [[36, 1, 1, "", "id_"], [36, 1, 1, "", "title"], [36, 1, 1, "", "transition_type"], [36, 1, 1, "", "url"], [36, 1, 1, "", "user_typed_url"]], "nodriver.cdp.page.NavigationType": [[36, 1, 1, "", "BACK_FORWARD_CACHE_RESTORE"], [36, 1, 1, "", "NAVIGATION"]], "nodriver.cdp.page.OriginTrial": [[36, 1, 1, "", "status"], [36, 1, 1, "", "tokens_with_status"], [36, 1, 1, "", "trial_name"]], "nodriver.cdp.page.OriginTrialStatus": [[36, 1, 1, "", "ENABLED"], [36, 1, 1, "", "OS_NOT_SUPPORTED"], [36, 1, 1, "", "TRIAL_NOT_ALLOWED"], [36, 1, 1, "", "VALID_TOKEN_NOT_PROVIDED"]], "nodriver.cdp.page.OriginTrialToken": [[36, 1, 1, "", "expiry_time"], [36, 1, 1, "", "is_third_party"], [36, 1, 1, "", "match_sub_domains"], [36, 1, 1, "", "origin"], [36, 1, 1, "", "trial_name"], [36, 1, 1, "", "usage_restriction"]], "nodriver.cdp.page.OriginTrialTokenStatus": [[36, 1, 1, "", "EXPIRED"], [36, 1, 1, "", "FEATURE_DISABLED"], [36, 1, 1, "", "FEATURE_DISABLED_FOR_USER"], [36, 1, 1, "", "INSECURE"], [36, 1, 1, "", "INVALID_SIGNATURE"], [36, 1, 1, "", "MALFORMED"], [36, 1, 1, "", "NOT_SUPPORTED"], [36, 1, 1, "", "SUCCESS"], [36, 1, 1, "", "TOKEN_DISABLED"], [36, 1, 1, "", "UNKNOWN_TRIAL"], [36, 1, 1, "", "WRONG_ORIGIN"], [36, 1, 1, "", "WRONG_VERSION"]], "nodriver.cdp.page.OriginTrialTokenWithStatus": [[36, 1, 1, "", "parsed_token"], [36, 1, 1, "", "raw_token_text"], [36, 1, 1, "", "status"]], "nodriver.cdp.page.OriginTrialUsageRestriction": [[36, 1, 1, "", "NONE"], [36, 1, 1, "", "SUBSET"]], "nodriver.cdp.page.PermissionsPolicyBlockLocator": [[36, 1, 1, "", "block_reason"], [36, 1, 1, "", "frame_id"]], "nodriver.cdp.page.PermissionsPolicyBlockReason": [[36, 1, 1, "", "HEADER"], [36, 1, 1, "", "IFRAME_ATTRIBUTE"], [36, 1, 1, "", "IN_FENCED_FRAME_TREE"], [36, 1, 1, "", "IN_ISOLATED_APP"]], "nodriver.cdp.page.PermissionsPolicyFeature": [[36, 1, 1, "", "ACCELEROMETER"], [36, 1, 1, "", "AMBIENT_LIGHT_SENSOR"], [36, 1, 1, "", "ATTRIBUTION_REPORTING"], [36, 1, 1, "", "AUTOPLAY"], [36, 1, 1, "", "BLUETOOTH"], [36, 1, 1, "", "BROWSING_TOPICS"], [36, 1, 1, "", "CAMERA"], [36, 1, 1, "", "CAPTURED_SURFACE_CONTROL"], [36, 1, 1, "", "CH_DEVICE_MEMORY"], [36, 1, 1, "", "CH_DOWNLINK"], [36, 1, 1, "", "CH_DPR"], [36, 1, 1, "", "CH_ECT"], [36, 1, 1, "", "CH_PREFERS_COLOR_SCHEME"], [36, 1, 1, "", "CH_PREFERS_REDUCED_MOTION"], [36, 1, 1, "", "CH_PREFERS_REDUCED_TRANSPARENCY"], [36, 1, 1, "", "CH_RTT"], [36, 1, 1, "", "CH_SAVE_DATA"], [36, 1, 1, "", "CH_UA"], [36, 1, 1, "", "CH_UA_ARCH"], [36, 1, 1, "", "CH_UA_BITNESS"], [36, 1, 1, "", "CH_UA_FORM_FACTOR"], [36, 1, 1, "", "CH_UA_FULL_VERSION"], [36, 1, 1, "", "CH_UA_FULL_VERSION_LIST"], [36, 1, 1, "", "CH_UA_MOBILE"], [36, 1, 1, "", "CH_UA_MODEL"], [36, 1, 1, "", "CH_UA_PLATFORM"], [36, 1, 1, "", "CH_UA_PLATFORM_VERSION"], [36, 1, 1, "", "CH_UA_WOW64"], [36, 1, 1, "", "CH_VIEWPORT_HEIGHT"], [36, 1, 1, "", "CH_VIEWPORT_WIDTH"], [36, 1, 1, "", "CH_WIDTH"], [36, 1, 1, "", "CLIPBOARD_READ"], [36, 1, 1, "", "CLIPBOARD_WRITE"], [36, 1, 1, "", "COMPUTE_PRESSURE"], [36, 1, 1, "", "CROSS_ORIGIN_ISOLATED"], [36, 1, 1, "", "DIRECT_SOCKETS"], [36, 1, 1, "", "DISPLAY_CAPTURE"], [36, 1, 1, "", "DOCUMENT_DOMAIN"], [36, 1, 1, "", "ENCRYPTED_MEDIA"], [36, 1, 1, "", "EXECUTION_WHILE_NOT_RENDERED"], [36, 1, 1, "", "EXECUTION_WHILE_OUT_OF_VIEWPORT"], [36, 1, 1, "", "FOCUS_WITHOUT_USER_ACTIVATION"], [36, 1, 1, "", "FROBULATE"], [36, 1, 1, "", "FULLSCREEN"], [36, 1, 1, "", "GAMEPAD"], [36, 1, 1, "", "GEOLOCATION"], [36, 1, 1, "", "GYROSCOPE"], [36, 1, 1, "", "HID"], [36, 1, 1, "", "IDENTITY_CREDENTIALS_GET"], [36, 1, 1, "", "IDLE_DETECTION"], [36, 1, 1, "", "INTEREST_COHORT"], [36, 1, 1, "", "JOIN_AD_INTEREST_GROUP"], [36, 1, 1, "", "KEYBOARD_MAP"], [36, 1, 1, "", "LOCAL_FONTS"], [36, 1, 1, "", "MAGNETOMETER"], [36, 1, 1, "", "MICROPHONE"], [36, 1, 1, "", "MIDI"], [36, 1, 1, "", "OTP_CREDENTIALS"], [36, 1, 1, "", "PAYMENT"], [36, 1, 1, "", "PICTURE_IN_PICTURE"], [36, 1, 1, "", "PRIVATE_AGGREGATION"], [36, 1, 1, "", "PRIVATE_STATE_TOKEN_ISSUANCE"], [36, 1, 1, "", "PRIVATE_STATE_TOKEN_REDEMPTION"], [36, 1, 1, "", "PUBLICKEY_CREDENTIALS_CREATE"], [36, 1, 1, "", "PUBLICKEY_CREDENTIALS_GET"], [36, 1, 1, "", "RUN_AD_AUCTION"], [36, 1, 1, "", "SCREEN_WAKE_LOCK"], [36, 1, 1, "", "SERIAL"], [36, 1, 1, "", "SHARED_AUTOFILL"], [36, 1, 1, "", "SHARED_STORAGE"], [36, 1, 1, "", "SHARED_STORAGE_SELECT_URL"], [36, 1, 1, "", "SMART_CARD"], [36, 1, 1, "", "STORAGE_ACCESS"], [36, 1, 1, "", "SUB_APPS"], [36, 1, 1, "", "SYNC_XHR"], [36, 1, 1, "", "UNLOAD"], [36, 1, 1, "", "USB"], [36, 1, 1, "", "USB_UNRESTRICTED"], [36, 1, 1, "", "VERTICAL_SCROLL"], [36, 1, 1, "", "WEB_PRINTING"], [36, 1, 1, "", "WEB_SHARE"], [36, 1, 1, "", "WINDOW_MANAGEMENT"], [36, 1, 1, "", "WINDOW_PLACEMENT"], [36, 1, 1, "", "XR_SPATIAL_TRACKING"]], "nodriver.cdp.page.PermissionsPolicyFeatureState": [[36, 1, 1, "", "allowed"], [36, 1, 1, "", "feature"], [36, 1, 1, "", "locator"]], "nodriver.cdp.page.ReferrerPolicy": [[36, 1, 1, "", "NO_REFERRER"], [36, 1, 1, "", "NO_REFERRER_WHEN_DOWNGRADE"], [36, 1, 1, "", "ORIGIN"], [36, 1, 1, "", "ORIGIN_WHEN_CROSS_ORIGIN"], [36, 1, 1, "", "SAME_ORIGIN"], [36, 1, 1, "", "STRICT_ORIGIN"], [36, 1, 1, "", "STRICT_ORIGIN_WHEN_CROSS_ORIGIN"], [36, 1, 1, "", "UNSAFE_URL"]], "nodriver.cdp.page.ScreencastFrame": [[36, 1, 1, "", "data"], [36, 1, 1, "", "metadata"], [36, 1, 1, "", "session_id"]], "nodriver.cdp.page.ScreencastFrameMetadata": [[36, 1, 1, "", "device_height"], [36, 1, 1, "", "device_width"], [36, 1, 1, "", "offset_top"], [36, 1, 1, "", "page_scale_factor"], [36, 1, 1, "", "scroll_offset_x"], [36, 1, 1, "", "scroll_offset_y"], [36, 1, 1, "", "timestamp"]], "nodriver.cdp.page.ScreencastVisibilityChanged": [[36, 1, 1, "", "visible"]], "nodriver.cdp.page.ScriptFontFamilies": [[36, 1, 1, "", "font_families"], [36, 1, 1, "", "script"]], "nodriver.cdp.page.SecureContextType": [[36, 1, 1, "", "INSECURE_ANCESTOR"], [36, 1, 1, "", "INSECURE_SCHEME"], [36, 1, 1, "", "SECURE"], [36, 1, 1, "", "SECURE_LOCALHOST"]], "nodriver.cdp.page.TransitionType": [[36, 1, 1, "", "ADDRESS_BAR"], [36, 1, 1, "", "AUTO_BOOKMARK"], [36, 1, 1, "", "AUTO_SUBFRAME"], [36, 1, 1, "", "AUTO_TOPLEVEL"], [36, 1, 1, "", "FORM_SUBMIT"], [36, 1, 1, "", "GENERATED"], [36, 1, 1, "", "KEYWORD"], [36, 1, 1, "", "KEYWORD_GENERATED"], [36, 1, 1, "", "LINK"], [36, 1, 1, "", "MANUAL_SUBFRAME"], [36, 1, 1, "", "OTHER"], [36, 1, 1, "", "RELOAD"], [36, 1, 1, "", "TYPED"]], "nodriver.cdp.page.Viewport": [[36, 1, 1, "", "height"], [36, 1, 1, "", "scale"], [36, 1, 1, "", "width"], [36, 1, 1, "", "x"], [36, 1, 1, "", "y"]], "nodriver.cdp.page.VisualViewport": [[36, 1, 1, "", "client_height"], [36, 1, 1, "", "client_width"], [36, 1, 1, "", "offset_x"], [36, 1, 1, "", "offset_y"], [36, 1, 1, "", "page_x"], [36, 1, 1, "", "page_y"], [36, 1, 1, "", "scale"], [36, 1, 1, "", "zoom"]], "nodriver.cdp.page.WindowOpen": [[36, 1, 1, "", "url"], [36, 1, 1, "", "user_gesture"], [36, 1, 1, "", "window_features"], [36, 1, 1, "", "window_name"]], "nodriver.cdp.performance": [[37, 0, 1, "", "Metric"], [37, 0, 1, "", "Metrics"], [37, 5, 1, "", "disable"], [37, 5, 1, "", "enable"], [37, 5, 1, "", "get_metrics"], [37, 5, 1, "", "set_time_domain"]], "nodriver.cdp.performance.Metric": [[37, 1, 1, "", "name"], [37, 1, 1, "", "value"]], "nodriver.cdp.performance.Metrics": [[37, 1, 1, "", "metrics"], [37, 1, 1, "", "title"]], "nodriver.cdp.performance_timeline": [[38, 0, 1, "", "LargestContentfulPaint"], [38, 0, 1, "", "LayoutShift"], [38, 0, 1, "", "LayoutShiftAttribution"], [38, 0, 1, "", "TimelineEvent"], [38, 0, 1, "", "TimelineEventAdded"], [38, 5, 1, "", "enable"]], "nodriver.cdp.performance_timeline.LargestContentfulPaint": [[38, 1, 1, "", "element_id"], [38, 1, 1, "", "load_time"], [38, 1, 1, "", "node_id"], [38, 1, 1, "", "render_time"], [38, 1, 1, "", "size"], [38, 1, 1, "", "url"]], "nodriver.cdp.performance_timeline.LayoutShift": [[38, 1, 1, "", "had_recent_input"], [38, 1, 1, "", "last_input_time"], [38, 1, 1, "", "sources"], [38, 1, 1, "", "value"]], "nodriver.cdp.performance_timeline.LayoutShiftAttribution": [[38, 1, 1, "", "current_rect"], [38, 1, 1, "", "node_id"], [38, 1, 1, "", "previous_rect"]], "nodriver.cdp.performance_timeline.TimelineEvent": [[38, 1, 1, "", "duration"], [38, 1, 1, "", "frame_id"], [38, 1, 1, "", "layout_shift_details"], [38, 1, 1, "", "lcp_details"], [38, 1, 1, "", "name"], [38, 1, 1, "", "time"], [38, 1, 1, "", "type_"]], "nodriver.cdp.performance_timeline.TimelineEventAdded": [[38, 1, 1, "", "event"]], "nodriver.cdp.preload": [[39, 0, 1, "", "PrefetchStatus"], [39, 0, 1, "", "PrefetchStatusUpdated"], [39, 0, 1, "", "PreloadEnabledStateUpdated"], [39, 0, 1, "", "PreloadingAttemptKey"], [39, 0, 1, "", "PreloadingAttemptSource"], [39, 0, 1, "", "PreloadingAttemptSourcesUpdated"], [39, 0, 1, "", "PreloadingStatus"], [39, 0, 1, "", "PrerenderFinalStatus"], [39, 0, 1, "", "PrerenderMismatchedHeaders"], [39, 0, 1, "", "PrerenderStatusUpdated"], [39, 0, 1, "", "RuleSet"], [39, 0, 1, "", "RuleSetErrorType"], [39, 0, 1, "", "RuleSetId"], [39, 0, 1, "", "RuleSetRemoved"], [39, 0, 1, "", "RuleSetUpdated"], [39, 0, 1, "", "SpeculationAction"], [39, 0, 1, "", "SpeculationTargetHint"], [39, 5, 1, "", "disable"], [39, 5, 1, "", "enable"]], "nodriver.cdp.preload.PrefetchStatus": [[39, 1, 1, "", "PREFETCH_ALLOWED"], [39, 1, 1, "", "PREFETCH_EVICTED_AFTER_CANDIDATE_REMOVED"], [39, 1, 1, "", "PREFETCH_EVICTED_FOR_NEWER_PREFETCH"], [39, 1, 1, "", "PREFETCH_FAILED_INELIGIBLE_REDIRECT"], [39, 1, 1, "", "PREFETCH_FAILED_INVALID_REDIRECT"], [39, 1, 1, "", "PREFETCH_FAILED_MIME_NOT_SUPPORTED"], [39, 1, 1, "", "PREFETCH_FAILED_NET_ERROR"], [39, 1, 1, "", "PREFETCH_FAILED_NON2_XX"], [39, 1, 1, "", "PREFETCH_FAILED_PER_PAGE_LIMIT_EXCEEDED"], [39, 1, 1, "", "PREFETCH_HELDBACK"], [39, 1, 1, "", "PREFETCH_INELIGIBLE_RETRY_AFTER"], [39, 1, 1, "", "PREFETCH_IS_PRIVACY_DECOY"], [39, 1, 1, "", "PREFETCH_IS_STALE"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_BATTERY_SAVER_ENABLED"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_BROWSER_CONTEXT_OFF_THE_RECORD"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_DATA_SAVER_ENABLED"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_EXISTING_PROXY"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_HOST_IS_NON_UNIQUE"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_NON_DEFAULT_STORAGE_PARTITION"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_PRELOADING_DISABLED"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_SAME_SITE_CROSS_ORIGIN_PREFETCH_REQUIRED_PROXY"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_SCHEME_IS_NOT_HTTPS"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_USER_HAS_COOKIES"], [39, 1, 1, "", "PREFETCH_NOT_ELIGIBLE_USER_HAS_SERVICE_WORKER"], [39, 1, 1, "", "PREFETCH_NOT_FINISHED_IN_TIME"], [39, 1, 1, "", "PREFETCH_NOT_STARTED"], [39, 1, 1, "", "PREFETCH_NOT_USED_COOKIES_CHANGED"], [39, 1, 1, "", "PREFETCH_NOT_USED_PROBE_FAILED"], [39, 1, 1, "", "PREFETCH_PROXY_NOT_AVAILABLE"], [39, 1, 1, "", "PREFETCH_RESPONSE_USED"], [39, 1, 1, "", "PREFETCH_SUCCESSFUL_BUT_NOT_USED"]], "nodriver.cdp.preload.PrefetchStatusUpdated": [[39, 1, 1, "", "initiating_frame_id"], [39, 1, 1, "", "key"], [39, 1, 1, "", "prefetch_status"], [39, 1, 1, "", "prefetch_url"], [39, 1, 1, "", "request_id"], [39, 1, 1, "", "status"]], "nodriver.cdp.preload.PreloadEnabledStateUpdated": [[39, 1, 1, "", "disabled_by_battery_saver"], [39, 1, 1, "", "disabled_by_data_saver"], [39, 1, 1, "", "disabled_by_holdback_prefetch_speculation_rules"], [39, 1, 1, "", "disabled_by_holdback_prerender_speculation_rules"], [39, 1, 1, "", "disabled_by_preference"]], "nodriver.cdp.preload.PreloadingAttemptKey": [[39, 1, 1, "", "action"], [39, 1, 1, "", "loader_id"], [39, 1, 1, "", "target_hint"], [39, 1, 1, "", "url"]], "nodriver.cdp.preload.PreloadingAttemptSource": [[39, 1, 1, "", "key"], [39, 1, 1, "", "node_ids"], [39, 1, 1, "", "rule_set_ids"]], "nodriver.cdp.preload.PreloadingAttemptSourcesUpdated": [[39, 1, 1, "", "loader_id"], [39, 1, 1, "", "preloading_attempt_sources"]], "nodriver.cdp.preload.PreloadingStatus": [[39, 1, 1, "", "FAILURE"], [39, 1, 1, "", "NOT_SUPPORTED"], [39, 1, 1, "", "PENDING"], [39, 1, 1, "", "READY"], [39, 1, 1, "", "RUNNING"], [39, 1, 1, "", "SUCCESS"]], "nodriver.cdp.preload.PrerenderFinalStatus": [[39, 1, 1, "", "ACTIVATED"], [39, 1, 1, "", "ACTIVATED_BEFORE_STARTED"], [39, 1, 1, "", "ACTIVATED_DURING_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "ACTIVATED_IN_BACKGROUND"], [39, 1, 1, "", "ACTIVATED_WITH_AUXILIARY_BROWSING_CONTEXTS"], [39, 1, 1, "", "ACTIVATION_FRAME_POLICY_NOT_COMPATIBLE"], [39, 1, 1, "", "ACTIVATION_NAVIGATION_DESTROYED_BEFORE_SUCCESS"], [39, 1, 1, "", "ACTIVATION_NAVIGATION_PARAMETER_MISMATCH"], [39, 1, 1, "", "ACTIVATION_URL_HAS_EFFECTIVE_URL"], [39, 1, 1, "", "AUDIO_OUTPUT_DEVICE_REQUESTED"], [39, 1, 1, "", "BATTERY_SAVER_ENABLED"], [39, 1, 1, "", "BLOCKED_BY_CLIENT"], [39, 1, 1, "", "CANCEL_ALL_HOSTS_FOR_TESTING"], [39, 1, 1, "", "CLIENT_CERT_REQUESTED"], [39, 1, 1, "", "CROSS_SITE_NAVIGATION_IN_INITIAL_NAVIGATION"], [39, 1, 1, "", "CROSS_SITE_NAVIGATION_IN_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "CROSS_SITE_REDIRECT_IN_INITIAL_NAVIGATION"], [39, 1, 1, "", "CROSS_SITE_REDIRECT_IN_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "DATA_SAVER_ENABLED"], [39, 1, 1, "", "DESTROYED"], [39, 1, 1, "", "DID_FAIL_LOAD"], [39, 1, 1, "", "DOWNLOAD"], [39, 1, 1, "", "EMBEDDER_HOST_DISALLOWED"], [39, 1, 1, "", "INACTIVE_PAGE_RESTRICTION"], [39, 1, 1, "", "INVALID_SCHEME_NAVIGATION"], [39, 1, 1, "", "INVALID_SCHEME_REDIRECT"], [39, 1, 1, "", "LOGIN_AUTH_REQUESTED"], [39, 1, 1, "", "LOW_END_DEVICE"], [39, 1, 1, "", "MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "MAX_NUM_OF_RUNNING_EAGER_PRERENDERS_EXCEEDED"], [39, 1, 1, "", "MAX_NUM_OF_RUNNING_EMBEDDER_PRERENDERS_EXCEEDED"], [39, 1, 1, "", "MAX_NUM_OF_RUNNING_NON_EAGER_PRERENDERS_EXCEEDED"], [39, 1, 1, "", "MEMORY_LIMIT_EXCEEDED"], [39, 1, 1, "", "MEMORY_PRESSURE_AFTER_TRIGGERED"], [39, 1, 1, "", "MEMORY_PRESSURE_ON_TRIGGER"], [39, 1, 1, "", "MIXED_CONTENT"], [39, 1, 1, "", "MOJO_BINDER_POLICY"], [39, 1, 1, "", "NAVIGATION_BAD_HTTP_STATUS"], [39, 1, 1, "", "NAVIGATION_NOT_COMMITTED"], [39, 1, 1, "", "NAVIGATION_REQUEST_BLOCKED_BY_CSP"], [39, 1, 1, "", "NAVIGATION_REQUEST_NETWORK_ERROR"], [39, 1, 1, "", "PRELOADING_DISABLED"], [39, 1, 1, "", "PRELOADING_UNSUPPORTED_BY_WEB_CONTENTS"], [39, 1, 1, "", "PRERENDERING_DISABLED_BY_DEV_TOOLS"], [39, 1, 1, "", "PRERENDERING_URL_HAS_EFFECTIVE_URL"], [39, 1, 1, "", "PRIMARY_MAIN_FRAME_RENDERER_PROCESS_CRASHED"], [39, 1, 1, "", "PRIMARY_MAIN_FRAME_RENDERER_PROCESS_KILLED"], [39, 1, 1, "", "REDIRECTED_PRERENDERING_URL_HAS_EFFECTIVE_URL"], [39, 1, 1, "", "RENDERER_PROCESS_CRASHED"], [39, 1, 1, "", "RENDERER_PROCESS_KILLED"], [39, 1, 1, "", "SAME_SITE_CROSS_ORIGIN_NAVIGATION_NOT_OPT_IN_IN_INITIAL_NAVIGATION"], [39, 1, 1, "", "SAME_SITE_CROSS_ORIGIN_NAVIGATION_NOT_OPT_IN_IN_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "SAME_SITE_CROSS_ORIGIN_REDIRECT_NOT_OPT_IN_IN_INITIAL_NAVIGATION"], [39, 1, 1, "", "SAME_SITE_CROSS_ORIGIN_REDIRECT_NOT_OPT_IN_IN_MAIN_FRAME_NAVIGATION"], [39, 1, 1, "", "SPECULATION_RULE_REMOVED"], [39, 1, 1, "", "SSL_CERTIFICATE_ERROR"], [39, 1, 1, "", "START_FAILED"], [39, 1, 1, "", "STOP"], [39, 1, 1, "", "TAB_CLOSED_BY_USER_GESTURE"], [39, 1, 1, "", "TAB_CLOSED_WITHOUT_USER_GESTURE"], [39, 1, 1, "", "TIMEOUT_BACKGROUNDED"], [39, 1, 1, "", "TRIGGER_BACKGROUNDED"], [39, 1, 1, "", "TRIGGER_DESTROYED"], [39, 1, 1, "", "TRIGGER_URL_HAS_EFFECTIVE_URL"], [39, 1, 1, "", "UA_CHANGE_REQUIRES_RELOAD"]], "nodriver.cdp.preload.PrerenderMismatchedHeaders": [[39, 1, 1, "", "activation_value"], [39, 1, 1, "", "header_name"], [39, 1, 1, "", "initial_value"]], "nodriver.cdp.preload.PrerenderStatusUpdated": [[39, 1, 1, "", "disallowed_mojo_interface"], [39, 1, 1, "", "key"], [39, 1, 1, "", "mismatched_headers"], [39, 1, 1, "", "prerender_status"], [39, 1, 1, "", "status"]], "nodriver.cdp.preload.RuleSet": [[39, 1, 1, "", "backend_node_id"], [39, 1, 1, "", "error_message"], [39, 1, 1, "", "error_type"], [39, 1, 1, "", "id_"], [39, 1, 1, "", "loader_id"], [39, 1, 1, "", "request_id"], [39, 1, 1, "", "source_text"], [39, 1, 1, "", "url"]], "nodriver.cdp.preload.RuleSetErrorType": [[39, 1, 1, "", "INVALID_RULES_SKIPPED"], [39, 1, 1, "", "SOURCE_IS_NOT_JSON_OBJECT"]], "nodriver.cdp.preload.RuleSetRemoved": [[39, 1, 1, "", "id_"]], "nodriver.cdp.preload.RuleSetUpdated": [[39, 1, 1, "", "rule_set"]], "nodriver.cdp.preload.SpeculationAction": [[39, 1, 1, "", "PREFETCH"], [39, 1, 1, "", "PRERENDER"]], "nodriver.cdp.preload.SpeculationTargetHint": [[39, 1, 1, "", "BLANK"], [39, 1, 1, "", "SELF"]], "nodriver.cdp.profiler": [[40, 0, 1, "", "ConsoleProfileFinished"], [40, 0, 1, "", "ConsoleProfileStarted"], [40, 0, 1, "", "CoverageRange"], [40, 0, 1, "", "FunctionCoverage"], [40, 0, 1, "", "PositionTickInfo"], [40, 0, 1, "", "PreciseCoverageDeltaUpdate"], [40, 0, 1, "", "Profile"], [40, 0, 1, "", "ProfileNode"], [40, 0, 1, "", "ScriptCoverage"], [40, 5, 1, "", "disable"], [40, 5, 1, "", "enable"], [40, 5, 1, "", "get_best_effort_coverage"], [40, 5, 1, "", "set_sampling_interval"], [40, 5, 1, "", "start"], [40, 5, 1, "", "start_precise_coverage"], [40, 5, 1, "", "stop"], [40, 5, 1, "", "stop_precise_coverage"], [40, 5, 1, "", "take_precise_coverage"]], "nodriver.cdp.profiler.ConsoleProfileFinished": [[40, 1, 1, "", "id_"], [40, 1, 1, "", "location"], [40, 1, 1, "", "profile"], [40, 1, 1, "", "title"]], "nodriver.cdp.profiler.ConsoleProfileStarted": [[40, 1, 1, "", "id_"], [40, 1, 1, "", "location"], [40, 1, 1, "", "title"]], "nodriver.cdp.profiler.CoverageRange": [[40, 1, 1, "", "count"], [40, 1, 1, "", "end_offset"], [40, 1, 1, "", "start_offset"]], "nodriver.cdp.profiler.FunctionCoverage": [[40, 1, 1, "", "function_name"], [40, 1, 1, "", "is_block_coverage"], [40, 1, 1, "", "ranges"]], "nodriver.cdp.profiler.PositionTickInfo": [[40, 1, 1, "", "line"], [40, 1, 1, "", "ticks"]], "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate": [[40, 1, 1, "", "occasion"], [40, 1, 1, "", "result"], [40, 1, 1, "", "timestamp"]], "nodriver.cdp.profiler.Profile": [[40, 1, 1, "", "end_time"], [40, 1, 1, "", "nodes"], [40, 1, 1, "", "samples"], [40, 1, 1, "", "start_time"], [40, 1, 1, "", "time_deltas"]], "nodriver.cdp.profiler.ProfileNode": [[40, 1, 1, "", "call_frame"], [40, 1, 1, "", "children"], [40, 1, 1, "", "deopt_reason"], [40, 1, 1, "", "hit_count"], [40, 1, 1, "", "id_"], [40, 1, 1, "", "position_ticks"]], "nodriver.cdp.profiler.ScriptCoverage": [[40, 1, 1, "", "functions"], [40, 1, 1, "", "script_id"], [40, 1, 1, "", "url"]], "nodriver.cdp.runtime": [[41, 0, 1, "", "BindingCalled"], [41, 0, 1, "", "CallArgument"], [41, 0, 1, "", "CallFrame"], [41, 0, 1, "", "ConsoleAPICalled"], [41, 0, 1, "", "CustomPreview"], [41, 0, 1, "", "DeepSerializedValue"], [41, 0, 1, "", "EntryPreview"], [41, 0, 1, "", "ExceptionDetails"], [41, 0, 1, "", "ExceptionRevoked"], [41, 0, 1, "", "ExceptionThrown"], [41, 0, 1, "", "ExecutionContextCreated"], [41, 0, 1, "", "ExecutionContextDescription"], [41, 0, 1, "", "ExecutionContextDestroyed"], [41, 0, 1, "", "ExecutionContextId"], [41, 0, 1, "", "ExecutionContextsCleared"], [41, 0, 1, "", "InspectRequested"], [41, 0, 1, "", "InternalPropertyDescriptor"], [41, 0, 1, "", "ObjectPreview"], [41, 0, 1, "", "PrivatePropertyDescriptor"], [41, 0, 1, "", "PropertyDescriptor"], [41, 0, 1, "", "PropertyPreview"], [41, 0, 1, "", "RemoteObject"], [41, 0, 1, "", "RemoteObjectId"], [41, 0, 1, "", "ScriptId"], [41, 0, 1, "", "SerializationOptions"], [41, 0, 1, "", "StackTrace"], [41, 0, 1, "", "StackTraceId"], [41, 0, 1, "", "TimeDelta"], [41, 0, 1, "", "Timestamp"], [41, 0, 1, "", "UniqueDebuggerId"], [41, 0, 1, "", "UnserializableValue"], [41, 5, 1, "", "add_binding"], [41, 5, 1, "", "await_promise"], [41, 5, 1, "", "call_function_on"], [41, 5, 1, "", "compile_script"], [41, 5, 1, "", "disable"], [41, 5, 1, "", "discard_console_entries"], [41, 5, 1, "", "enable"], [41, 5, 1, "", "evaluate"], [41, 5, 1, "", "get_exception_details"], [41, 5, 1, "", "get_heap_usage"], [41, 5, 1, "", "get_isolate_id"], [41, 5, 1, "", "get_properties"], [41, 5, 1, "", "global_lexical_scope_names"], [41, 5, 1, "", "query_objects"], [41, 5, 1, "", "release_object"], [41, 5, 1, "", "release_object_group"], [41, 5, 1, "", "remove_binding"], [41, 5, 1, "", "run_if_waiting_for_debugger"], [41, 5, 1, "", "run_script"], [41, 5, 1, "", "set_async_call_stack_depth"], [41, 5, 1, "", "set_custom_object_formatter_enabled"], [41, 5, 1, "", "set_max_call_stack_size_to_capture"], [41, 5, 1, "", "terminate_execution"]], "nodriver.cdp.runtime.BindingCalled": [[41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "name"], [41, 1, 1, "", "payload"]], "nodriver.cdp.runtime.CallArgument": [[41, 1, 1, "", "object_id"], [41, 1, 1, "", "unserializable_value"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.CallFrame": [[41, 1, 1, "", "column_number"], [41, 1, 1, "", "function_name"], [41, 1, 1, "", "line_number"], [41, 1, 1, "", "script_id"], [41, 1, 1, "", "url"]], "nodriver.cdp.runtime.ConsoleAPICalled": [[41, 1, 1, "", "args"], [41, 1, 1, "", "context"], [41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "stack_trace"], [41, 1, 1, "", "timestamp"], [41, 1, 1, "", "type_"]], "nodriver.cdp.runtime.CustomPreview": [[41, 1, 1, "", "body_getter_id"], [41, 1, 1, "", "header"]], "nodriver.cdp.runtime.DeepSerializedValue": [[41, 1, 1, "", "object_id"], [41, 1, 1, "", "type_"], [41, 1, 1, "", "value"], [41, 1, 1, "", "weak_local_object_reference"]], "nodriver.cdp.runtime.EntryPreview": [[41, 1, 1, "", "key"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.ExceptionDetails": [[41, 1, 1, "", "column_number"], [41, 1, 1, "", "exception"], [41, 1, 1, "", "exception_id"], [41, 1, 1, "", "exception_meta_data"], [41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "line_number"], [41, 1, 1, "", "script_id"], [41, 1, 1, "", "stack_trace"], [41, 1, 1, "", "text"], [41, 1, 1, "", "url"]], "nodriver.cdp.runtime.ExceptionRevoked": [[41, 1, 1, "", "exception_id"], [41, 1, 1, "", "reason"]], "nodriver.cdp.runtime.ExceptionThrown": [[41, 1, 1, "", "exception_details"], [41, 1, 1, "", "timestamp"]], "nodriver.cdp.runtime.ExecutionContextCreated": [[41, 1, 1, "", "context"]], "nodriver.cdp.runtime.ExecutionContextDescription": [[41, 1, 1, "", "aux_data"], [41, 1, 1, "", "id_"], [41, 1, 1, "", "name"], [41, 1, 1, "", "origin"], [41, 1, 1, "", "unique_id"]], "nodriver.cdp.runtime.ExecutionContextDestroyed": [[41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "execution_context_unique_id"]], "nodriver.cdp.runtime.InspectRequested": [[41, 1, 1, "", "execution_context_id"], [41, 1, 1, "", "hints"], [41, 1, 1, "", "object_"]], "nodriver.cdp.runtime.InternalPropertyDescriptor": [[41, 1, 1, "", "name"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.ObjectPreview": [[41, 1, 1, "", "description"], [41, 1, 1, "", "entries"], [41, 1, 1, "", "overflow"], [41, 1, 1, "", "properties"], [41, 1, 1, "", "subtype"], [41, 1, 1, "", "type_"]], "nodriver.cdp.runtime.PrivatePropertyDescriptor": [[41, 1, 1, "", "get"], [41, 1, 1, "", "name"], [41, 1, 1, "", "set_"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.PropertyDescriptor": [[41, 1, 1, "", "configurable"], [41, 1, 1, "", "enumerable"], [41, 1, 1, "", "get"], [41, 1, 1, "", "is_own"], [41, 1, 1, "", "name"], [41, 1, 1, "", "set_"], [41, 1, 1, "", "symbol"], [41, 1, 1, "", "value"], [41, 1, 1, "", "was_thrown"], [41, 1, 1, "", "writable"]], "nodriver.cdp.runtime.PropertyPreview": [[41, 1, 1, "", "name"], [41, 1, 1, "", "subtype"], [41, 1, 1, "", "type_"], [41, 1, 1, "", "value"], [41, 1, 1, "", "value_preview"]], "nodriver.cdp.runtime.RemoteObject": [[41, 1, 1, "", "class_name"], [41, 1, 1, "", "custom_preview"], [41, 1, 1, "", "deep_serialized_value"], [41, 1, 1, "", "description"], [41, 1, 1, "", "object_id"], [41, 1, 1, "", "preview"], [41, 1, 1, "", "subtype"], [41, 1, 1, "", "type_"], [41, 1, 1, "", "unserializable_value"], [41, 1, 1, "", "value"]], "nodriver.cdp.runtime.SerializationOptions": [[41, 1, 1, "", "additional_parameters"], [41, 1, 1, "", "max_depth"], [41, 1, 1, "", "serialization"]], "nodriver.cdp.runtime.StackTrace": [[41, 1, 1, "", "call_frames"], [41, 1, 1, "", "description"], [41, 1, 1, "", "parent"], [41, 1, 1, "", "parent_id"]], "nodriver.cdp.runtime.StackTraceId": [[41, 1, 1, "", "debugger_id"], [41, 1, 1, "", "id_"]], "nodriver.cdp.schema": [[42, 0, 1, "", "Domain"], [42, 5, 1, "", "get_domains"]], "nodriver.cdp.schema.Domain": [[42, 1, 1, "", "name"], [42, 1, 1, "", "version"]], "nodriver.cdp.security": [[43, 0, 1, "", "CertificateError"], [43, 0, 1, "", "CertificateErrorAction"], [43, 0, 1, "", "CertificateId"], [43, 0, 1, "", "CertificateSecurityState"], [43, 0, 1, "", "InsecureContentStatus"], [43, 0, 1, "", "MixedContentType"], [43, 0, 1, "", "SafetyTipInfo"], [43, 0, 1, "", "SafetyTipStatus"], [43, 0, 1, "", "SecurityState"], [43, 0, 1, "", "SecurityStateChanged"], [43, 0, 1, "", "SecurityStateExplanation"], [43, 0, 1, "", "VisibleSecurityState"], [43, 0, 1, "", "VisibleSecurityStateChanged"], [43, 5, 1, "", "disable"], [43, 5, 1, "", "enable"], [43, 5, 1, "", "handle_certificate_error"], [43, 5, 1, "", "set_ignore_certificate_errors"], [43, 5, 1, "", "set_override_certificate_errors"]], "nodriver.cdp.security.CertificateError": [[43, 1, 1, "", "error_type"], [43, 1, 1, "", "event_id"], [43, 1, 1, "", "request_url"]], "nodriver.cdp.security.CertificateErrorAction": [[43, 1, 1, "", "CANCEL"], [43, 1, 1, "", "CONTINUE"]], "nodriver.cdp.security.CertificateSecurityState": [[43, 1, 1, "", "certificate"], [43, 1, 1, "", "certificate_has_sha1_signature"], [43, 1, 1, "", "certificate_has_weak_signature"], [43, 1, 1, "", "certificate_network_error"], [43, 1, 1, "", "cipher"], [43, 1, 1, "", "issuer"], [43, 1, 1, "", "key_exchange"], [43, 1, 1, "", "key_exchange_group"], [43, 1, 1, "", "mac"], [43, 1, 1, "", "modern_ssl"], [43, 1, 1, "", "obsolete_ssl_cipher"], [43, 1, 1, "", "obsolete_ssl_key_exchange"], [43, 1, 1, "", "obsolete_ssl_protocol"], [43, 1, 1, "", "obsolete_ssl_signature"], [43, 1, 1, "", "protocol"], [43, 1, 1, "", "subject_name"], [43, 1, 1, "", "valid_from"], [43, 1, 1, "", "valid_to"]], "nodriver.cdp.security.InsecureContentStatus": [[43, 1, 1, "", "contained_mixed_form"], [43, 1, 1, "", "displayed_content_with_cert_errors"], [43, 1, 1, "", "displayed_insecure_content_style"], [43, 1, 1, "", "displayed_mixed_content"], [43, 1, 1, "", "ran_content_with_cert_errors"], [43, 1, 1, "", "ran_insecure_content_style"], [43, 1, 1, "", "ran_mixed_content"]], "nodriver.cdp.security.MixedContentType": [[43, 1, 1, "", "BLOCKABLE"], [43, 1, 1, "", "NONE"], [43, 1, 1, "", "OPTIONALLY_BLOCKABLE"]], "nodriver.cdp.security.SafetyTipInfo": [[43, 1, 1, "", "safe_url"], [43, 1, 1, "", "safety_tip_status"]], "nodriver.cdp.security.SafetyTipStatus": [[43, 1, 1, "", "BAD_REPUTATION"], [43, 1, 1, "", "LOOKALIKE"]], "nodriver.cdp.security.SecurityState": [[43, 1, 1, "", "INFO"], [43, 1, 1, "", "INSECURE"], [43, 1, 1, "", "INSECURE_BROKEN"], [43, 1, 1, "", "NEUTRAL"], [43, 1, 1, "", "SECURE"], [43, 1, 1, "", "UNKNOWN"]], "nodriver.cdp.security.SecurityStateChanged": [[43, 1, 1, "", "explanations"], [43, 1, 1, "", "insecure_content_status"], [43, 1, 1, "", "scheme_is_cryptographic"], [43, 1, 1, "", "security_state"], [43, 1, 1, "", "summary"]], "nodriver.cdp.security.SecurityStateExplanation": [[43, 1, 1, "", "certificate"], [43, 1, 1, "", "description"], [43, 1, 1, "", "mixed_content_type"], [43, 1, 1, "", "recommendations"], [43, 1, 1, "", "security_state"], [43, 1, 1, "", "summary"], [43, 1, 1, "", "title"]], "nodriver.cdp.security.VisibleSecurityState": [[43, 1, 1, "", "certificate_security_state"], [43, 1, 1, "", "safety_tip_info"], [43, 1, 1, "", "security_state"], [43, 1, 1, "", "security_state_issue_ids"]], "nodriver.cdp.security.VisibleSecurityStateChanged": [[43, 1, 1, "", "visible_security_state"]], "nodriver.cdp.service_worker": [[44, 0, 1, "", "RegistrationID"], [44, 0, 1, "", "ServiceWorkerErrorMessage"], [44, 0, 1, "", "ServiceWorkerRegistration"], [44, 0, 1, "", "ServiceWorkerVersion"], [44, 0, 1, "", "ServiceWorkerVersionRunningStatus"], [44, 0, 1, "", "ServiceWorkerVersionStatus"], [44, 0, 1, "", "WorkerErrorReported"], [44, 0, 1, "", "WorkerRegistrationUpdated"], [44, 0, 1, "", "WorkerVersionUpdated"], [44, 5, 1, "", "deliver_push_message"], [44, 5, 1, "", "disable"], [44, 5, 1, "", "dispatch_periodic_sync_event"], [44, 5, 1, "", "dispatch_sync_event"], [44, 5, 1, "", "enable"], [44, 5, 1, "", "inspect_worker"], [44, 5, 1, "", "set_force_update_on_page_load"], [44, 5, 1, "", "skip_waiting"], [44, 5, 1, "", "start_worker"], [44, 5, 1, "", "stop_all_workers"], [44, 5, 1, "", "stop_worker"], [44, 5, 1, "", "unregister"], [44, 5, 1, "", "update_registration"]], "nodriver.cdp.service_worker.ServiceWorkerErrorMessage": [[44, 1, 1, "", "column_number"], [44, 1, 1, "", "error_message"], [44, 1, 1, "", "line_number"], [44, 1, 1, "", "registration_id"], [44, 1, 1, "", "source_url"], [44, 1, 1, "", "version_id"]], "nodriver.cdp.service_worker.ServiceWorkerRegistration": [[44, 1, 1, "", "is_deleted"], [44, 1, 1, "", "registration_id"], [44, 1, 1, "", "scope_url"]], "nodriver.cdp.service_worker.ServiceWorkerVersion": [[44, 1, 1, "", "controlled_clients"], [44, 1, 1, "", "registration_id"], [44, 1, 1, "", "router_rules"], [44, 1, 1, "", "running_status"], [44, 1, 1, "", "script_last_modified"], [44, 1, 1, "", "script_response_time"], [44, 1, 1, "", "script_url"], [44, 1, 1, "", "status"], [44, 1, 1, "", "target_id"], [44, 1, 1, "", "version_id"]], "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus": [[44, 1, 1, "", "RUNNING"], [44, 1, 1, "", "STARTING"], [44, 1, 1, "", "STOPPED"], [44, 1, 1, "", "STOPPING"]], "nodriver.cdp.service_worker.ServiceWorkerVersionStatus": [[44, 1, 1, "", "ACTIVATED"], [44, 1, 1, "", "ACTIVATING"], [44, 1, 1, "", "INSTALLED"], [44, 1, 1, "", "INSTALLING"], [44, 1, 1, "", "NEW"], [44, 1, 1, "", "REDUNDANT"]], "nodriver.cdp.service_worker.WorkerErrorReported": [[44, 1, 1, "", "error_message"]], "nodriver.cdp.service_worker.WorkerRegistrationUpdated": [[44, 1, 1, "", "registrations"]], "nodriver.cdp.service_worker.WorkerVersionUpdated": [[44, 1, 1, "", "versions"]], "nodriver.cdp.storage": [[45, 0, 1, "", "AttributionReportingAggregatableDedupKey"], [45, 0, 1, "", "AttributionReportingAggregatableResult"], [45, 0, 1, "", "AttributionReportingAggregatableTriggerData"], [45, 0, 1, "", "AttributionReportingAggregatableValueEntry"], [45, 0, 1, "", "AttributionReportingAggregationKeysEntry"], [45, 0, 1, "", "AttributionReportingEventLevelResult"], [45, 0, 1, "", "AttributionReportingEventReportWindows"], [45, 0, 1, "", "AttributionReportingEventTriggerData"], [45, 0, 1, "", "AttributionReportingFilterConfig"], [45, 0, 1, "", "AttributionReportingFilterDataEntry"], [45, 0, 1, "", "AttributionReportingFilterPair"], [45, 0, 1, "", "AttributionReportingSourceRegistered"], [45, 0, 1, "", "AttributionReportingSourceRegistration"], [45, 0, 1, "", "AttributionReportingSourceRegistrationResult"], [45, 0, 1, "", "AttributionReportingSourceRegistrationTimeConfig"], [45, 0, 1, "", "AttributionReportingSourceType"], [45, 0, 1, "", "AttributionReportingTriggerDataMatching"], [45, 0, 1, "", "AttributionReportingTriggerRegistered"], [45, 0, 1, "", "AttributionReportingTriggerRegistration"], [45, 0, 1, "", "AttributionReportingTriggerSpec"], [45, 0, 1, "", "CacheStorageContentUpdated"], [45, 0, 1, "", "CacheStorageListUpdated"], [45, 0, 1, "", "IndexedDBContentUpdated"], [45, 0, 1, "", "IndexedDBListUpdated"], [45, 0, 1, "", "InterestGroupAccessType"], [45, 0, 1, "", "InterestGroupAccessed"], [45, 0, 1, "", "InterestGroupAd"], [45, 0, 1, "", "InterestGroupDetails"], [45, 0, 1, "", "SerializedStorageKey"], [45, 0, 1, "", "SharedStorageAccessParams"], [45, 0, 1, "", "SharedStorageAccessType"], [45, 0, 1, "", "SharedStorageAccessed"], [45, 0, 1, "", "SharedStorageEntry"], [45, 0, 1, "", "SharedStorageMetadata"], [45, 0, 1, "", "SharedStorageReportingMetadata"], [45, 0, 1, "", "SharedStorageUrlWithMetadata"], [45, 0, 1, "", "SignedInt64AsBase10"], [45, 0, 1, "", "StorageBucket"], [45, 0, 1, "", "StorageBucketCreatedOrUpdated"], [45, 0, 1, "", "StorageBucketDeleted"], [45, 0, 1, "", "StorageBucketInfo"], [45, 0, 1, "", "StorageBucketsDurability"], [45, 0, 1, "", "StorageType"], [45, 0, 1, "", "TrustTokens"], [45, 0, 1, "", "UnsignedInt128AsBase16"], [45, 0, 1, "", "UnsignedInt64AsBase10"], [45, 0, 1, "", "UsageForType"], [45, 5, 1, "", "clear_cookies"], [45, 5, 1, "", "clear_data_for_origin"], [45, 5, 1, "", "clear_data_for_storage_key"], [45, 5, 1, "", "clear_shared_storage_entries"], [45, 5, 1, "", "clear_trust_tokens"], [45, 5, 1, "", "delete_shared_storage_entry"], [45, 5, 1, "", "delete_storage_bucket"], [45, 5, 1, "", "get_cookies"], [45, 5, 1, "", "get_interest_group_details"], [45, 5, 1, "", "get_shared_storage_entries"], [45, 5, 1, "", "get_shared_storage_metadata"], [45, 5, 1, "", "get_storage_key_for_frame"], [45, 5, 1, "", "get_trust_tokens"], [45, 5, 1, "", "get_usage_and_quota"], [45, 5, 1, "", "override_quota_for_origin"], [45, 5, 1, "", "reset_shared_storage_budget"], [45, 5, 1, "", "run_bounce_tracking_mitigations"], [45, 5, 1, "", "set_attribution_reporting_local_testing_mode"], [45, 5, 1, "", "set_attribution_reporting_tracking"], [45, 5, 1, "", "set_cookies"], [45, 5, 1, "", "set_interest_group_tracking"], [45, 5, 1, "", "set_shared_storage_entry"], [45, 5, 1, "", "set_shared_storage_tracking"], [45, 5, 1, "", "set_storage_bucket_tracking"], [45, 5, 1, "", "track_cache_storage_for_origin"], [45, 5, 1, "", "track_cache_storage_for_storage_key"], [45, 5, 1, "", "track_indexed_db_for_origin"], [45, 5, 1, "", "track_indexed_db_for_storage_key"], [45, 5, 1, "", "untrack_cache_storage_for_origin"], [45, 5, 1, "", "untrack_cache_storage_for_storage_key"], [45, 5, 1, "", "untrack_indexed_db_for_origin"], [45, 5, 1, "", "untrack_indexed_db_for_storage_key"]], "nodriver.cdp.storage.AttributionReportingAggregatableDedupKey": [[45, 1, 1, "", "dedup_key"], [45, 1, 1, "", "filters"]], "nodriver.cdp.storage.AttributionReportingAggregatableResult": [[45, 1, 1, "", "DEDUPLICATED"], [45, 1, 1, "", "EXCESSIVE_ATTRIBUTIONS"], [45, 1, 1, "", "EXCESSIVE_REPORTING_ORIGINS"], [45, 1, 1, "", "EXCESSIVE_REPORTS"], [45, 1, 1, "", "INSUFFICIENT_BUDGET"], [45, 1, 1, "", "INTERNAL_ERROR"], [45, 1, 1, "", "NOT_REGISTERED"], [45, 1, 1, "", "NO_CAPACITY_FOR_ATTRIBUTION_DESTINATION"], [45, 1, 1, "", "NO_HISTOGRAMS"], [45, 1, 1, "", "NO_MATCHING_SOURCES"], [45, 1, 1, "", "NO_MATCHING_SOURCE_FILTER_DATA"], [45, 1, 1, "", "PROHIBITED_BY_BROWSER_POLICY"], [45, 1, 1, "", "REPORT_WINDOW_PASSED"], [45, 1, 1, "", "SUCCESS"]], "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData": [[45, 1, 1, "", "filters"], [45, 1, 1, "", "key_piece"], [45, 1, 1, "", "source_keys"]], "nodriver.cdp.storage.AttributionReportingAggregatableValueEntry": [[45, 1, 1, "", "key"], [45, 1, 1, "", "value"]], "nodriver.cdp.storage.AttributionReportingAggregationKeysEntry": [[45, 1, 1, "", "key"], [45, 1, 1, "", "value"]], "nodriver.cdp.storage.AttributionReportingEventLevelResult": [[45, 1, 1, "", "DEDUPLICATED"], [45, 1, 1, "", "EXCESSIVE_ATTRIBUTIONS"], [45, 1, 1, "", "EXCESSIVE_REPORTING_ORIGINS"], [45, 1, 1, "", "EXCESSIVE_REPORTS"], [45, 1, 1, "", "FALSELY_ATTRIBUTED_SOURCE"], [45, 1, 1, "", "INTERNAL_ERROR"], [45, 1, 1, "", "NEVER_ATTRIBUTED_SOURCE"], [45, 1, 1, "", "NOT_REGISTERED"], [45, 1, 1, "", "NO_CAPACITY_FOR_ATTRIBUTION_DESTINATION"], [45, 1, 1, "", "NO_MATCHING_CONFIGURATIONS"], [45, 1, 1, "", "NO_MATCHING_SOURCES"], [45, 1, 1, "", "NO_MATCHING_SOURCE_FILTER_DATA"], [45, 1, 1, "", "NO_MATCHING_TRIGGER_DATA"], [45, 1, 1, "", "PRIORITY_TOO_LOW"], [45, 1, 1, "", "PROHIBITED_BY_BROWSER_POLICY"], [45, 1, 1, "", "REPORT_WINDOW_NOT_STARTED"], [45, 1, 1, "", "REPORT_WINDOW_PASSED"], [45, 1, 1, "", "SUCCESS"], [45, 1, 1, "", "SUCCESS_DROPPED_LOWER_PRIORITY"]], "nodriver.cdp.storage.AttributionReportingEventReportWindows": [[45, 1, 1, "", "ends"], [45, 1, 1, "", "start"]], "nodriver.cdp.storage.AttributionReportingEventTriggerData": [[45, 1, 1, "", "data"], [45, 1, 1, "", "dedup_key"], [45, 1, 1, "", "filters"], [45, 1, 1, "", "priority"]], "nodriver.cdp.storage.AttributionReportingFilterConfig": [[45, 1, 1, "", "filter_values"], [45, 1, 1, "", "lookback_window"]], "nodriver.cdp.storage.AttributionReportingFilterDataEntry": [[45, 1, 1, "", "key"], [45, 1, 1, "", "values"]], "nodriver.cdp.storage.AttributionReportingFilterPair": [[45, 1, 1, "", "filters"], [45, 1, 1, "", "not_filters"]], "nodriver.cdp.storage.AttributionReportingSourceRegistered": [[45, 1, 1, "", "registration"], [45, 1, 1, "", "result"]], "nodriver.cdp.storage.AttributionReportingSourceRegistration": [[45, 1, 1, "", "aggregatable_report_window"], [45, 1, 1, "", "aggregation_keys"], [45, 1, 1, "", "debug_key"], [45, 1, 1, "", "destination_sites"], [45, 1, 1, "", "event_id"], [45, 1, 1, "", "expiry"], [45, 1, 1, "", "filter_data"], [45, 1, 1, "", "priority"], [45, 1, 1, "", "reporting_origin"], [45, 1, 1, "", "source_origin"], [45, 1, 1, "", "time"], [45, 1, 1, "", "trigger_data_matching"], [45, 1, 1, "", "trigger_specs"], [45, 1, 1, "", "type_"]], "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult": [[45, 1, 1, "", "DESTINATION_BOTH_LIMITS_REACHED"], [45, 1, 1, "", "DESTINATION_GLOBAL_LIMIT_REACHED"], [45, 1, 1, "", "DESTINATION_REPORTING_LIMIT_REACHED"], [45, 1, 1, "", "EXCEEDS_MAX_CHANNEL_CAPACITY"], [45, 1, 1, "", "EXCESSIVE_REPORTING_ORIGINS"], [45, 1, 1, "", "INSUFFICIENT_SOURCE_CAPACITY"], [45, 1, 1, "", "INSUFFICIENT_UNIQUE_DESTINATION_CAPACITY"], [45, 1, 1, "", "INTERNAL_ERROR"], [45, 1, 1, "", "PROHIBITED_BY_BROWSER_POLICY"], [45, 1, 1, "", "REPORTING_ORIGINS_PER_SITE_LIMIT_REACHED"], [45, 1, 1, "", "SUCCESS"], [45, 1, 1, "", "SUCCESS_NOISED"]], "nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig": [[45, 1, 1, "", "EXCLUDE"], [45, 1, 1, "", "INCLUDE"]], "nodriver.cdp.storage.AttributionReportingSourceType": [[45, 1, 1, "", "EVENT"], [45, 1, 1, "", "NAVIGATION"]], "nodriver.cdp.storage.AttributionReportingTriggerDataMatching": [[45, 1, 1, "", "EXACT"], [45, 1, 1, "", "MODULUS"]], "nodriver.cdp.storage.AttributionReportingTriggerRegistered": [[45, 1, 1, "", "aggregatable"], [45, 1, 1, "", "event_level"], [45, 1, 1, "", "registration"]], "nodriver.cdp.storage.AttributionReportingTriggerRegistration": [[45, 1, 1, "", "aggregatable_dedup_keys"], [45, 1, 1, "", "aggregatable_trigger_data"], [45, 1, 1, "", "aggregatable_values"], [45, 1, 1, "", "aggregation_coordinator_origin"], [45, 1, 1, "", "debug_key"], [45, 1, 1, "", "debug_reporting"], [45, 1, 1, "", "event_trigger_data"], [45, 1, 1, "", "filters"], [45, 1, 1, "", "source_registration_time_config"], [45, 1, 1, "", "trigger_context_id"]], "nodriver.cdp.storage.AttributionReportingTriggerSpec": [[45, 1, 1, "", "event_report_windows"], [45, 1, 1, "", "trigger_data"]], "nodriver.cdp.storage.CacheStorageContentUpdated": [[45, 1, 1, "", "bucket_id"], [45, 1, 1, "", "cache_name"], [45, 1, 1, "", "origin"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.CacheStorageListUpdated": [[45, 1, 1, "", "bucket_id"], [45, 1, 1, "", "origin"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.IndexedDBContentUpdated": [[45, 1, 1, "", "bucket_id"], [45, 1, 1, "", "database_name"], [45, 1, 1, "", "object_store_name"], [45, 1, 1, "", "origin"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.IndexedDBListUpdated": [[45, 1, 1, "", "bucket_id"], [45, 1, 1, "", "origin"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.InterestGroupAccessType": [[45, 1, 1, "", "ADDITIONAL_BID"], [45, 1, 1, "", "ADDITIONAL_BID_WIN"], [45, 1, 1, "", "BID"], [45, 1, 1, "", "CLEAR"], [45, 1, 1, "", "JOIN"], [45, 1, 1, "", "LEAVE"], [45, 1, 1, "", "LOADED"], [45, 1, 1, "", "UPDATE"], [45, 1, 1, "", "WIN"]], "nodriver.cdp.storage.InterestGroupAccessed": [[45, 1, 1, "", "access_time"], [45, 1, 1, "", "name"], [45, 1, 1, "", "owner_origin"], [45, 1, 1, "", "type_"]], "nodriver.cdp.storage.InterestGroupAd": [[45, 1, 1, "", "metadata"], [45, 1, 1, "", "render_url"]], "nodriver.cdp.storage.InterestGroupDetails": [[45, 1, 1, "", "ad_components"], [45, 1, 1, "", "ads"], [45, 1, 1, "", "bidding_logic_url"], [45, 1, 1, "", "bidding_wasm_helper_url"], [45, 1, 1, "", "expiration_time"], [45, 1, 1, "", "joining_origin"], [45, 1, 1, "", "name"], [45, 1, 1, "", "owner_origin"], [45, 1, 1, "", "trusted_bidding_signals_keys"], [45, 1, 1, "", "trusted_bidding_signals_url"], [45, 1, 1, "", "update_url"], [45, 1, 1, "", "user_bidding_signals"]], "nodriver.cdp.storage.SharedStorageAccessParams": [[45, 1, 1, "", "ignore_if_present"], [45, 1, 1, "", "key"], [45, 1, 1, "", "operation_name"], [45, 1, 1, "", "script_source_url"], [45, 1, 1, "", "serialized_data"], [45, 1, 1, "", "urls_with_metadata"], [45, 1, 1, "", "value"]], "nodriver.cdp.storage.SharedStorageAccessType": [[45, 1, 1, "", "DOCUMENT_ADD_MODULE"], [45, 1, 1, "", "DOCUMENT_APPEND"], [45, 1, 1, "", "DOCUMENT_CLEAR"], [45, 1, 1, "", "DOCUMENT_DELETE"], [45, 1, 1, "", "DOCUMENT_RUN"], [45, 1, 1, "", "DOCUMENT_SELECT_URL"], [45, 1, 1, "", "DOCUMENT_SET"], [45, 1, 1, "", "WORKLET_APPEND"], [45, 1, 1, "", "WORKLET_CLEAR"], [45, 1, 1, "", "WORKLET_DELETE"], [45, 1, 1, "", "WORKLET_ENTRIES"], [45, 1, 1, "", "WORKLET_GET"], [45, 1, 1, "", "WORKLET_KEYS"], [45, 1, 1, "", "WORKLET_LENGTH"], [45, 1, 1, "", "WORKLET_REMAINING_BUDGET"], [45, 1, 1, "", "WORKLET_SET"]], "nodriver.cdp.storage.SharedStorageAccessed": [[45, 1, 1, "", "access_time"], [45, 1, 1, "", "main_frame_id"], [45, 1, 1, "", "owner_origin"], [45, 1, 1, "", "params"], [45, 1, 1, "", "type_"]], "nodriver.cdp.storage.SharedStorageEntry": [[45, 1, 1, "", "key"], [45, 1, 1, "", "value"]], "nodriver.cdp.storage.SharedStorageMetadata": [[45, 1, 1, "", "creation_time"], [45, 1, 1, "", "length"], [45, 1, 1, "", "remaining_budget"]], "nodriver.cdp.storage.SharedStorageReportingMetadata": [[45, 1, 1, "", "event_type"], [45, 1, 1, "", "reporting_url"]], "nodriver.cdp.storage.SharedStorageUrlWithMetadata": [[45, 1, 1, "", "reporting_metadata"], [45, 1, 1, "", "url"]], "nodriver.cdp.storage.StorageBucket": [[45, 1, 1, "", "name"], [45, 1, 1, "", "storage_key"]], "nodriver.cdp.storage.StorageBucketCreatedOrUpdated": [[45, 1, 1, "", "bucket_info"]], "nodriver.cdp.storage.StorageBucketDeleted": [[45, 1, 1, "", "bucket_id"]], "nodriver.cdp.storage.StorageBucketInfo": [[45, 1, 1, "", "bucket"], [45, 1, 1, "", "durability"], [45, 1, 1, "", "expiration"], [45, 1, 1, "", "id_"], [45, 1, 1, "", "persistent"], [45, 1, 1, "", "quota"]], "nodriver.cdp.storage.StorageBucketsDurability": [[45, 1, 1, "", "RELAXED"], [45, 1, 1, "", "STRICT"]], "nodriver.cdp.storage.StorageType": [[45, 1, 1, "", "ALL_"], [45, 1, 1, "", "APPCACHE"], [45, 1, 1, "", "CACHE_STORAGE"], [45, 1, 1, "", "COOKIES"], [45, 1, 1, "", "FILE_SYSTEMS"], [45, 1, 1, "", "INDEXEDDB"], [45, 1, 1, "", "INTEREST_GROUPS"], [45, 1, 1, "", "LOCAL_STORAGE"], [45, 1, 1, "", "OTHER"], [45, 1, 1, "", "SERVICE_WORKERS"], [45, 1, 1, "", "SHADER_CACHE"], [45, 1, 1, "", "SHARED_STORAGE"], [45, 1, 1, "", "STORAGE_BUCKETS"], [45, 1, 1, "", "WEBSQL"]], "nodriver.cdp.storage.TrustTokens": [[45, 1, 1, "", "count"], [45, 1, 1, "", "issuer_origin"]], "nodriver.cdp.storage.UsageForType": [[45, 1, 1, "", "storage_type"], [45, 1, 1, "", "usage"]], "nodriver.cdp.system_info": [[46, 0, 1, "", "GPUDevice"], [46, 0, 1, "", "GPUInfo"], [46, 0, 1, "", "ImageDecodeAcceleratorCapability"], [46, 0, 1, "", "ImageType"], [46, 0, 1, "", "ProcessInfo"], [46, 0, 1, "", "Size"], [46, 0, 1, "", "SubsamplingFormat"], [46, 0, 1, "", "VideoDecodeAcceleratorCapability"], [46, 0, 1, "", "VideoEncodeAcceleratorCapability"], [46, 5, 1, "", "get_feature_state"], [46, 5, 1, "", "get_info"], [46, 5, 1, "", "get_process_info"]], "nodriver.cdp.system_info.GPUDevice": [[46, 1, 1, "", "device_id"], [46, 1, 1, "", "device_string"], [46, 1, 1, "", "driver_vendor"], [46, 1, 1, "", "driver_version"], [46, 1, 1, "", "revision"], [46, 1, 1, "", "sub_sys_id"], [46, 1, 1, "", "vendor_id"], [46, 1, 1, "", "vendor_string"]], "nodriver.cdp.system_info.GPUInfo": [[46, 1, 1, "", "aux_attributes"], [46, 1, 1, "", "devices"], [46, 1, 1, "", "driver_bug_workarounds"], [46, 1, 1, "", "feature_status"], [46, 1, 1, "", "image_decoding"], [46, 1, 1, "", "video_decoding"], [46, 1, 1, "", "video_encoding"]], "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability": [[46, 1, 1, "", "image_type"], [46, 1, 1, "", "max_dimensions"], [46, 1, 1, "", "min_dimensions"], [46, 1, 1, "", "subsamplings"]], "nodriver.cdp.system_info.ImageType": [[46, 1, 1, "", "JPEG"], [46, 1, 1, "", "UNKNOWN"], [46, 1, 1, "", "WEBP"]], "nodriver.cdp.system_info.ProcessInfo": [[46, 1, 1, "", "cpu_time"], [46, 1, 1, "", "id_"], [46, 1, 1, "", "type_"]], "nodriver.cdp.system_info.Size": [[46, 1, 1, "", "height"], [46, 1, 1, "", "width"]], "nodriver.cdp.system_info.SubsamplingFormat": [[46, 1, 1, "", "YUV420"], [46, 1, 1, "", "YUV422"], [46, 1, 1, "", "YUV444"]], "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability": [[46, 1, 1, "", "max_resolution"], [46, 1, 1, "", "min_resolution"], [46, 1, 1, "", "profile"]], "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability": [[46, 1, 1, "", "max_framerate_denominator"], [46, 1, 1, "", "max_framerate_numerator"], [46, 1, 1, "", "max_resolution"], [46, 1, 1, "", "profile"]], "nodriver.cdp.target": [[47, 0, 1, "", "AttachedToTarget"], [47, 0, 1, "", "DetachedFromTarget"], [47, 0, 1, "", "FilterEntry"], [47, 0, 1, "", "ReceivedMessageFromTarget"], [47, 0, 1, "", "RemoteLocation"], [47, 0, 1, "", "SessionID"], [47, 0, 1, "", "TargetCrashed"], [47, 0, 1, "", "TargetCreated"], [47, 0, 1, "", "TargetDestroyed"], [47, 0, 1, "", "TargetFilter"], [47, 0, 1, "", "TargetID"], [47, 0, 1, "", "TargetInfo"], [47, 0, 1, "", "TargetInfoChanged"], [47, 5, 1, "", "activate_target"], [47, 5, 1, "", "attach_to_browser_target"], [47, 5, 1, "", "attach_to_target"], [47, 5, 1, "", "auto_attach_related"], [47, 5, 1, "", "close_target"], [47, 5, 1, "", "create_browser_context"], [47, 5, 1, "", "create_target"], [47, 5, 1, "", "detach_from_target"], [47, 5, 1, "", "dispose_browser_context"], [47, 5, 1, "", "expose_dev_tools_protocol"], [47, 5, 1, "", "get_browser_contexts"], [47, 5, 1, "", "get_target_info"], [47, 5, 1, "", "get_targets"], [47, 5, 1, "", "send_message_to_target"], [47, 5, 1, "", "set_auto_attach"], [47, 5, 1, "", "set_discover_targets"], [47, 5, 1, "", "set_remote_locations"]], "nodriver.cdp.target.AttachedToTarget": [[47, 1, 1, "", "session_id"], [47, 1, 1, "", "target_info"], [47, 1, 1, "", "waiting_for_debugger"]], "nodriver.cdp.target.DetachedFromTarget": [[47, 1, 1, "", "session_id"], [47, 1, 1, "", "target_id"]], "nodriver.cdp.target.FilterEntry": [[47, 1, 1, "", "exclude"], [47, 1, 1, "", "type_"]], "nodriver.cdp.target.ReceivedMessageFromTarget": [[47, 1, 1, "", "message"], [47, 1, 1, "", "session_id"], [47, 1, 1, "", "target_id"]], "nodriver.cdp.target.RemoteLocation": [[47, 1, 1, "", "host"], [47, 1, 1, "", "port"]], "nodriver.cdp.target.TargetCrashed": [[47, 1, 1, "", "error_code"], [47, 1, 1, "", "status"], [47, 1, 1, "", "target_id"]], "nodriver.cdp.target.TargetCreated": [[47, 1, 1, "", "target_info"]], "nodriver.cdp.target.TargetDestroyed": [[47, 1, 1, "", "target_id"]], "nodriver.cdp.target.TargetInfo": [[47, 1, 1, "", "attached"], [47, 1, 1, "", "browser_context_id"], [47, 1, 1, "", "can_access_opener"], [47, 1, 1, "", "opener_frame_id"], [47, 1, 1, "", "opener_id"], [47, 1, 1, "", "subtype"], [47, 1, 1, "", "target_id"], [47, 1, 1, "", "title"], [47, 1, 1, "", "type_"], [47, 1, 1, "", "url"]], "nodriver.cdp.target.TargetInfoChanged": [[47, 1, 1, "", "target_info"]], "nodriver.cdp.tethering": [[48, 0, 1, "", "Accepted"], [48, 5, 1, "", "bind"], [48, 5, 1, "", "unbind"]], "nodriver.cdp.tethering.Accepted": [[48, 1, 1, "", "connection_id"], [48, 1, 1, "", "port"]], "nodriver.cdp.tracing": [[49, 0, 1, "", "BufferUsage"], [49, 0, 1, "", "DataCollected"], [49, 0, 1, "", "MemoryDumpConfig"], [49, 0, 1, "", "MemoryDumpLevelOfDetail"], [49, 0, 1, "", "StreamCompression"], [49, 0, 1, "", "StreamFormat"], [49, 0, 1, "", "TraceConfig"], [49, 0, 1, "", "TracingBackend"], [49, 0, 1, "", "TracingComplete"], [49, 5, 1, "", "end"], [49, 5, 1, "", "get_categories"], [49, 5, 1, "", "record_clock_sync_marker"], [49, 5, 1, "", "request_memory_dump"], [49, 5, 1, "", "start"]], "nodriver.cdp.tracing.BufferUsage": [[49, 1, 1, "", "event_count"], [49, 1, 1, "", "percent_full"], [49, 1, 1, "", "value"]], "nodriver.cdp.tracing.DataCollected": [[49, 1, 1, "", "value"]], "nodriver.cdp.tracing.MemoryDumpLevelOfDetail": [[49, 1, 1, "", "BACKGROUND"], [49, 1, 1, "", "DETAILED"], [49, 1, 1, "", "LIGHT"]], "nodriver.cdp.tracing.StreamCompression": [[49, 1, 1, "", "GZIP"], [49, 1, 1, "", "NONE"]], "nodriver.cdp.tracing.StreamFormat": [[49, 1, 1, "", "JSON"], [49, 1, 1, "", "PROTO"]], "nodriver.cdp.tracing.TraceConfig": [[49, 1, 1, "", "enable_argument_filter"], [49, 1, 1, "", "enable_sampling"], [49, 1, 1, "", "enable_systrace"], [49, 1, 1, "", "excluded_categories"], [49, 1, 1, "", "included_categories"], [49, 1, 1, "", "memory_dump_config"], [49, 1, 1, "", "record_mode"], [49, 1, 1, "", "synthetic_delays"], [49, 1, 1, "", "trace_buffer_size_in_kb"]], "nodriver.cdp.tracing.TracingBackend": [[49, 1, 1, "", "AUTO"], [49, 1, 1, "", "CHROME"], [49, 1, 1, "", "SYSTEM"]], "nodriver.cdp.tracing.TracingComplete": [[49, 1, 1, "", "data_loss_occurred"], [49, 1, 1, "", "stream"], [49, 1, 1, "", "stream_compression"], [49, 1, 1, "", "trace_format"]], "nodriver.cdp.web_audio": [[50, 0, 1, "", "AudioListener"], [50, 0, 1, "", "AudioListenerCreated"], [50, 0, 1, "", "AudioListenerWillBeDestroyed"], [50, 0, 1, "", "AudioNode"], [50, 0, 1, "", "AudioNodeCreated"], [50, 0, 1, "", "AudioNodeWillBeDestroyed"], [50, 0, 1, "", "AudioParam"], [50, 0, 1, "", "AudioParamCreated"], [50, 0, 1, "", "AudioParamWillBeDestroyed"], [50, 0, 1, "", "AutomationRate"], [50, 0, 1, "", "BaseAudioContext"], [50, 0, 1, "", "ChannelCountMode"], [50, 0, 1, "", "ChannelInterpretation"], [50, 0, 1, "", "ContextChanged"], [50, 0, 1, "", "ContextCreated"], [50, 0, 1, "", "ContextRealtimeData"], [50, 0, 1, "", "ContextState"], [50, 0, 1, "", "ContextType"], [50, 0, 1, "", "ContextWillBeDestroyed"], [50, 0, 1, "", "GraphObjectId"], [50, 0, 1, "", "NodeParamConnected"], [50, 0, 1, "", "NodeParamDisconnected"], [50, 0, 1, "", "NodeType"], [50, 0, 1, "", "NodesConnected"], [50, 0, 1, "", "NodesDisconnected"], [50, 0, 1, "", "ParamType"], [50, 5, 1, "", "disable"], [50, 5, 1, "", "enable"], [50, 5, 1, "", "get_realtime_data"]], "nodriver.cdp.web_audio.AudioListener": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "listener_id"]], "nodriver.cdp.web_audio.AudioListenerCreated": [[50, 1, 1, "", "listener"]], "nodriver.cdp.web_audio.AudioListenerWillBeDestroyed": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "listener_id"]], "nodriver.cdp.web_audio.AudioNode": [[50, 1, 1, "", "channel_count"], [50, 1, 1, "", "channel_count_mode"], [50, 1, 1, "", "channel_interpretation"], [50, 1, 1, "", "context_id"], [50, 1, 1, "", "node_id"], [50, 1, 1, "", "node_type"], [50, 1, 1, "", "number_of_inputs"], [50, 1, 1, "", "number_of_outputs"]], "nodriver.cdp.web_audio.AudioNodeCreated": [[50, 1, 1, "", "node"]], "nodriver.cdp.web_audio.AudioNodeWillBeDestroyed": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "node_id"]], "nodriver.cdp.web_audio.AudioParam": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "default_value"], [50, 1, 1, "", "max_value"], [50, 1, 1, "", "min_value"], [50, 1, 1, "", "node_id"], [50, 1, 1, "", "param_id"], [50, 1, 1, "", "param_type"], [50, 1, 1, "", "rate"]], "nodriver.cdp.web_audio.AudioParamCreated": [[50, 1, 1, "", "param"]], "nodriver.cdp.web_audio.AudioParamWillBeDestroyed": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "node_id"], [50, 1, 1, "", "param_id"]], "nodriver.cdp.web_audio.AutomationRate": [[50, 1, 1, "", "A_RATE"], [50, 1, 1, "", "K_RATE"]], "nodriver.cdp.web_audio.BaseAudioContext": [[50, 1, 1, "", "callback_buffer_size"], [50, 1, 1, "", "context_id"], [50, 1, 1, "", "context_state"], [50, 1, 1, "", "context_type"], [50, 1, 1, "", "max_output_channel_count"], [50, 1, 1, "", "realtime_data"], [50, 1, 1, "", "sample_rate"]], "nodriver.cdp.web_audio.ChannelCountMode": [[50, 1, 1, "", "CLAMPED_MAX"], [50, 1, 1, "", "EXPLICIT"], [50, 1, 1, "", "MAX_"]], "nodriver.cdp.web_audio.ChannelInterpretation": [[50, 1, 1, "", "DISCRETE"], [50, 1, 1, "", "SPEAKERS"]], "nodriver.cdp.web_audio.ContextChanged": [[50, 1, 1, "", "context"]], "nodriver.cdp.web_audio.ContextCreated": [[50, 1, 1, "", "context"]], "nodriver.cdp.web_audio.ContextRealtimeData": [[50, 1, 1, "", "callback_interval_mean"], [50, 1, 1, "", "callback_interval_variance"], [50, 1, 1, "", "current_time"], [50, 1, 1, "", "render_capacity"]], "nodriver.cdp.web_audio.ContextState": [[50, 1, 1, "", "CLOSED"], [50, 1, 1, "", "RUNNING"], [50, 1, 1, "", "SUSPENDED"]], "nodriver.cdp.web_audio.ContextType": [[50, 1, 1, "", "OFFLINE"], [50, 1, 1, "", "REALTIME"]], "nodriver.cdp.web_audio.ContextWillBeDestroyed": [[50, 1, 1, "", "context_id"]], "nodriver.cdp.web_audio.NodeParamConnected": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "destination_id"], [50, 1, 1, "", "source_id"], [50, 1, 1, "", "source_output_index"]], "nodriver.cdp.web_audio.NodeParamDisconnected": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "destination_id"], [50, 1, 1, "", "source_id"], [50, 1, 1, "", "source_output_index"]], "nodriver.cdp.web_audio.NodesConnected": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "destination_id"], [50, 1, 1, "", "destination_input_index"], [50, 1, 1, "", "source_id"], [50, 1, 1, "", "source_output_index"]], "nodriver.cdp.web_audio.NodesDisconnected": [[50, 1, 1, "", "context_id"], [50, 1, 1, "", "destination_id"], [50, 1, 1, "", "destination_input_index"], [50, 1, 1, "", "source_id"], [50, 1, 1, "", "source_output_index"]], "nodriver.cdp.web_authn": [[51, 0, 1, "", "AuthenticatorId"], [51, 0, 1, "", "AuthenticatorProtocol"], [51, 0, 1, "", "AuthenticatorTransport"], [51, 0, 1, "", "Credential"], [51, 0, 1, "", "CredentialAdded"], [51, 0, 1, "", "CredentialAsserted"], [51, 0, 1, "", "Ctap2Version"], [51, 0, 1, "", "VirtualAuthenticatorOptions"], [51, 5, 1, "", "add_credential"], [51, 5, 1, "", "add_virtual_authenticator"], [51, 5, 1, "", "clear_credentials"], [51, 5, 1, "", "disable"], [51, 5, 1, "", "enable"], [51, 5, 1, "", "get_credential"], [51, 5, 1, "", "get_credentials"], [51, 5, 1, "", "remove_credential"], [51, 5, 1, "", "remove_virtual_authenticator"], [51, 5, 1, "", "set_automatic_presence_simulation"], [51, 5, 1, "", "set_response_override_bits"], [51, 5, 1, "", "set_user_verified"]], "nodriver.cdp.web_authn.AuthenticatorProtocol": [[51, 1, 1, "", "CTAP2"], [51, 1, 1, "", "U2F"]], "nodriver.cdp.web_authn.AuthenticatorTransport": [[51, 1, 1, "", "BLE"], [51, 1, 1, "", "CABLE"], [51, 1, 1, "", "INTERNAL"], [51, 1, 1, "", "NFC"], [51, 1, 1, "", "USB"]], "nodriver.cdp.web_authn.Credential": [[51, 1, 1, "", "credential_id"], [51, 1, 1, "", "is_resident_credential"], [51, 1, 1, "", "large_blob"], [51, 1, 1, "", "private_key"], [51, 1, 1, "", "rp_id"], [51, 1, 1, "", "sign_count"], [51, 1, 1, "", "user_handle"]], "nodriver.cdp.web_authn.CredentialAdded": [[51, 1, 1, "", "authenticator_id"], [51, 1, 1, "", "credential"]], "nodriver.cdp.web_authn.CredentialAsserted": [[51, 1, 1, "", "authenticator_id"], [51, 1, 1, "", "credential"]], "nodriver.cdp.web_authn.Ctap2Version": [[51, 1, 1, "", "CTAP2_0"], [51, 1, 1, "", "CTAP2_1"]], "nodriver.cdp.web_authn.VirtualAuthenticatorOptions": [[51, 1, 1, "", "automatic_presence_simulation"], [51, 1, 1, "", "ctap2_version"], [51, 1, 1, "", "default_backup_eligibility"], [51, 1, 1, "", "default_backup_state"], [51, 1, 1, "", "has_cred_blob"], [51, 1, 1, "", "has_large_blob"], [51, 1, 1, "", "has_min_pin_length"], [51, 1, 1, "", "has_prf"], [51, 1, 1, "", "has_resident_key"], [51, 1, 1, "", "has_user_verification"], [51, 1, 1, "", "is_user_verified"], [51, 1, 1, "", "protocol"], [51, 1, 1, "", "transport"]], "nodriver.core": [[54, 4, 0, "-", "_contradict"]], "nodriver.core._contradict": [[54, 0, 1, "", "ContraDict"]], "nodriver.core._contradict.ContraDict": [[54, 3, 1, "", "clear"], [54, 3, 1, "", "copy"], [54, 3, 1, "", "fromkeys"], [54, 3, 1, "", "get"], [54, 3, 1, "", "items"], [54, 3, 1, "", "keys"], [54, 3, 1, "", "pop"], [54, 3, 1, "", "popitem"], [54, 3, 1, "", "setdefault"], [54, 3, 1, "", "update"], [54, 3, 1, "", "values"]]}, "objtypes": {"0": "py:class", "1": "py:attribute", "2": "py:property", "3": "py:method", "4": "py:module", "5": "py:function"}, "objnames": {"0": ["py", "class", "Python class"], "1": ["py", "attribute", "Python attribute"], "2": ["py", "property", "Python property"], "3": ["py", "method", "Python method"], "4": ["py", "module", "Python module"], "5": ["py", "function", "Python function"]}, "titleterms": {"nodriv": [0, 57], "featur": [0, 57], "welcom": [], "get": [], "start": [0, 56], "object": [0, 1], "refer": [], "cdp": [0, 1, 55], "access": 2, "type": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "command": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 55], "event": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "anim": 3, "audit": 4, "autofil": 5, "backgroundservic": 6, "browser": [7, 52], "cachestorag": 8, "cast": 9, "consol": 10, "css": 11, "databas": 12, "debugg": 13, "deviceaccess": 14, "deviceorient": 15, "dom": 16, "domdebugg": 17, "domsnapshot": 18, "domstorag": 19, "emul": 20, "eventbreakpoint": 21, "fedcm": 22, "fetch": 23, "headlessexperiment": 24, "heapprofil": 25, "indexeddb": 26, "input": 27, "inspector": 28, "io": 29, "layertre": 30, "log": 31, "media": 32, "memori": 33, "network": 34, "overlai": 35, "page": 36, "perform": 37, "performancetimelin": 38, "preload": 39, "profil": 40, "runtim": 41, "schema": 42, "secur": 43, "servicework": 44, "storag": 45, "systeminfo": 46, "target": 47, "tether": 48, "trace": 49, "webaudio": 50, "webauthn": 51, "class": [52, 53, 54, 55], "element": 53, "other": [54, 55], "helper": 54, "config": 54, "contradict": 54, "function": 54, "instal": [56, 57], "usag": [56, 57], "exampl": [56, 57], "compon": [], "interact": [], "tab": 55, "some": [0, 55, 57], "us": 55, "method": 55, "query_selector_al": [], "find_element_by_text": [], "updat": [], "send": 55, "__await__": [], "await": 55, "add_handl": [], "often": 55, "which": [], "i": [], "alreadi": [], "made": [], "you": [], "find": 55, "correct": [], "combo": [], "": [], "time": [], "consum": [], "task": [], "need": 55, "simpli": 55, "requir": 55, "titl": 58, "section": 58, "subsect": 58, "paragraph": 58, "tabl": 58, "custom": [55, 56], "text": 55, "best_match": 55, "true": 55, "select": 55, "selector": 55, "py": [], "meth": [], "select_al": 55, "main": 0, "quickstart": 56, "guid": 56, "quick": 0, "cooki": 52, "more": 56, "complet": 56, "option": 56, "altern": 56}, "envversion": {"sphinx.domains.c": 3, "sphinx.domains.changeset": 1, "sphinx.domains.citation": 1, "sphinx.domains.cpp": 9, "sphinx.domains.index": 1, "sphinx.domains.javascript": 3, "sphinx.domains.math": 2, "sphinx.domains.python": 4, "sphinx.domains.rst": 2, "sphinx.domains.std": 2, "sphinx.ext.viewcode": 1, "sphinx.ext.intersphinx": 1, "sphinx": 60}, "alltitles": {"NODRIVER": [[0, "nodriver"], [57, "nodriver"]], "Some features": [[0, "some-features"], [57, "some-features"]], "Quick start": [[0, "quick-start"]], "Main objects": [[0, "main-objects"]], "CDP object": [[0, "cdp-object"], [1, "cdp-object"]], "Quickstart guide": [[56, "quickstart-guide"]], "Installation": [[56, "installation"], [57, "installation"]], "usage example": [[56, "usage-example"], [57, "usage-example"]], "More complete example": [[56, "more-complete-example"]], "Custom starting options": [[56, "custom-starting-options"]], "Alternative custom options": [[56, "alternative-custom-options"]], "TITLE": [[58, "title"]], "SECTION": [[58, "section"]], "SUBSECTION": [[58, "subsection"]], "PARAGRAPH": [[58, "paragraph"]], "TABLES": [[58, "tables"]], "Accessibility": [[2, "accessibility"]], "Types": [[2, "types"], [3, "types"], [4, "types"], [5, "types"], [6, "types"], [7, "types"], [8, "types"], [9, "types"], [10, "types"], [11, "types"], [12, "types"], [13, "types"], [14, "types"], [15, "types"], [16, "types"], [17, "types"], [18, "types"], [19, "types"], [20, "types"], [21, "types"], [22, "types"], [23, "types"], [24, "types"], [25, "types"], [26, "types"], [27, "types"], [28, "types"], [29, "types"], [30, "types"], [31, "types"], [32, "types"], [33, "types"], [34, "types"], [35, "types"], [36, "types"], [37, "types"], [38, "types"], [39, "types"], [40, "types"], [41, "types"], [42, "types"], [43, "types"], [44, "types"], [45, "types"], [46, "types"], [47, "types"], [48, "types"], [49, "types"], [50, "types"], [51, "types"]], "Commands": [[2, "commands"], [3, "commands"], [4, "commands"], [5, "commands"], [6, "commands"], [7, "commands"], [8, "commands"], [9, "commands"], [10, "commands"], [11, "commands"], [12, "commands"], [13, "commands"], [14, "commands"], [15, "commands"], [16, "commands"], [17, "commands"], [18, "commands"], [19, "commands"], [20, "commands"], [21, "commands"], [22, "commands"], [23, "commands"], [24, "commands"], [25, "commands"], [26, "commands"], [27, "commands"], [28, "commands"], [29, "commands"], [30, "commands"], [31, "commands"], [32, "commands"], [33, "commands"], [34, "commands"], [35, "commands"], [36, "commands"], [37, "commands"], [38, "commands"], [39, "commands"], [40, "commands"], [41, "commands"], [42, "commands"], [43, "commands"], [44, "commands"], [45, "commands"], [46, "commands"], [47, "commands"], [48, "commands"], [49, "commands"], [50, "commands"], [51, "commands"]], "Events": [[2, "events"], [3, "events"], [4, "events"], [5, "events"], [6, "events"], [7, "events"], [8, "events"], [9, "events"], [10, "events"], [11, "events"], [12, "events"], [13, "events"], [14, "events"], [15, "events"], [16, "events"], [17, "events"], [18, "events"], [19, "events"], [20, "events"], [21, "events"], [22, "events"], [23, "events"], [24, "events"], [25, "events"], [26, "events"], [27, "events"], [28, "events"], [29, "events"], [30, "events"], [31, "events"], [32, "events"], [33, "events"], [34, "events"], [35, "events"], [36, "events"], [37, "events"], [38, "events"], [39, "events"], [40, "events"], [41, "events"], [42, "events"], [43, "events"], [44, "events"], [45, "events"], [46, "events"], [47, "events"], [48, "events"], [49, "events"], [50, "events"], [51, "events"]], "Animation": [[3, "animation"]], "Audits": [[4, "audits"]], "Autofill": [[5, "autofill"]], "BackgroundService": [[6, "backgroundservice"]], "Browser": [[7, "browser"]], "CacheStorage": [[8, "cachestorage"]], "Cast": [[9, "cast"]], "Console": [[10, "console"]], "CSS": [[11, "css"]], "Database": [[12, "database"]], "Debugger": [[13, "debugger"]], "DeviceAccess": [[14, "deviceaccess"]], "DeviceOrientation": [[15, "deviceorientation"]], "DOM": [[16, "dom"]], "DOMDebugger": [[17, "domdebugger"]], "DOMSnapshot": [[18, "domsnapshot"]], "DOMStorage": [[19, "domstorage"]], "Emulation": [[20, "emulation"]], "EventBreakpoints": [[21, "eventbreakpoints"]], "FedCm": [[22, "fedcm"]], "Fetch": [[23, "fetch"]], "HeadlessExperimental": [[24, "headlessexperimental"]], "HeapProfiler": [[25, "heapprofiler"]], "IndexedDB": [[26, "indexeddb"]], "Input": [[27, "module-nodriver.cdp.input_"]], "Inspector": [[28, "inspector"]], "IO": [[29, "io"]], "LayerTree": [[30, "layertree"]], "Log": [[31, "log"]], "Media": [[32, "media"]], "Memory": [[33, "memory"]], "Network": [[34, "network"]], "Overlay": [[35, "overlay"]], "Page": [[36, "page"]], "Performance": [[37, "module-nodriver.cdp.performance"]], "PerformanceTimeline": [[38, "performancetimeline"]], "Preload": [[39, "preload"]], "Profiler": [[40, "module-nodriver.cdp.profiler"]], "Runtime": [[41, "runtime"]], "Schema": [[42, "schema"]], "Security": [[43, "security"]], "ServiceWorker": [[44, "serviceworker"]], "Storage": [[45, "storage"]], "SystemInfo": [[46, "systeminfo"]], "Target": [[47, "target"]], "Tethering": [[48, "tethering"]], "Tracing": [[49, "tracing"]], "WebAudio": [[50, "webaudio"]], "WebAuthn": [[51, "webauthn"]], "Browser class": [[52, "browser-class"], [52, "id1"]], "cookies": [[52, "cookies"]], "Element class": [[53, "element-class"]], "Other classes and Helper classes": [[54, "other-classes-and-helper-classes"]], "Config class": [[54, "config-class"]], "ContraDict class": [[54, "contradict-class"]], "Helper functions": [[54, "module-nodriver.core._contradict"]], "Tab class": [[55, "tab-class"]], "Custom CDP commands": [[55, "custom-cdp-commands"]], "some useful, often needed and simply required methods": [[55, "some-useful-often-needed-and-simply-required-methods"]], "find() | find(text)": [[55, "find-find-text"]], "find() | find(text, best_match=True) or find(text, True)": [[55, "find-find-text-best-match-true-or-find-text-true"]], "select() | select(selector)": [[55, "select-select-selector"]], "select_all() | select_all(selector)": [[55, "select-all-select-all-selector"]], "await Tab": [[55, "await-tab"]], "Using other and custom CDP commands": [[55, "using-other-and-custom-cdp-commands"]], "send()": [[55, "send"]]}, "indexentries": {"activedescendant (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ACTIVEDESCENDANT"]], "atomic (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ATOMIC"]], "attribute (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.ATTRIBUTE"]], "autocomplete (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.AUTOCOMPLETE"]], "axnode (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXNode"]], "axnodeid (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXNodeId"]], "axproperty (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXProperty"]], "axpropertyname (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXPropertyName"]], "axrelatednode (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXRelatedNode"]], "axvalue (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValue"]], "axvaluenativesourcetype (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType"]], "axvaluesource (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValueSource"]], "axvaluesourcetype (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValueSourceType"]], "axvaluetype (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.AXValueType"]], "boolean (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.BOOLEAN"]], "boolean_or_undefined (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.BOOLEAN_OR_UNDEFINED"]], "busy (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.BUSY"]], "checked (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.CHECKED"]], "computed_string (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.COMPUTED_STRING"]], "contents (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.CONTENTS"]], "controls (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.CONTROLS"]], "describedby (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.DESCRIBEDBY"]], "description (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.DESCRIPTION"]], "details (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.DETAILS"]], "disabled (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.DISABLED"]], "dom_relation (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.DOM_RELATION"]], "editable (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.EDITABLE"]], "errormessage (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ERRORMESSAGE"]], "expanded (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.EXPANDED"]], "figcaption (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.FIGCAPTION"]], "flowto (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.FLOWTO"]], "focusable (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.FOCUSABLE"]], "focused (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.FOCUSED"]], "has_popup (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.HAS_POPUP"]], "hidden (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.HIDDEN"]], "hidden_root (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.HIDDEN_ROOT"]], "idref (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.IDREF"]], "idref_list (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.IDREF_LIST"]], "implicit (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.IMPLICIT"]], "integer (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.INTEGER"]], "internal_role (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.INTERNAL_ROLE"]], "invalid (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.INVALID"]], "keyshortcuts (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.KEYSHORTCUTS"]], "label (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.LABEL"]], "labelfor (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.LABELFOR"]], "labelledby (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.LABELLEDBY"]], "labelwrapped (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.LABELWRAPPED"]], "legend (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.LEGEND"]], "level (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.LEVEL"]], "live (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.LIVE"]], "loadcomplete (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.LoadComplete"]], "modal (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.MODAL"]], "multiline (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.MULTILINE"]], "multiselectable (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.MULTISELECTABLE"]], "node (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.NODE"]], "node_list (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.NODE_LIST"]], "number (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.NUMBER"]], "nodesupdated (class in nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.NodesUpdated"]], "orientation (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ORIENTATION"]], "other (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.OTHER"]], "owns (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.OWNS"]], "placeholder (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.PLACEHOLDER"]], "pressed (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.PRESSED"]], "readonly (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.READONLY"]], "related_element (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.RELATED_ELEMENT"]], "relevant (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.RELEVANT"]], "required (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.REQUIRED"]], "role (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.ROLE"]], "roledescription (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ROLEDESCRIPTION"]], "root (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.ROOT"]], "rubyannotation (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.RUBYANNOTATION"]], "selected (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.SELECTED"]], "settable (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.SETTABLE"]], "string (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.STRING"]], "style (axvaluesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueSourceType.STYLE"]], "tablecaption (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.TABLECAPTION"]], "title (axvaluenativesourcetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueNativeSourceType.TITLE"]], "token (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.TOKEN"]], "token_list (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.TOKEN_LIST"]], "tristate (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.TRISTATE"]], "valuemax (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.VALUEMAX"]], "valuemin (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.VALUEMIN"]], "valuetext (axpropertyname attribute)": [[2, "nodriver.cdp.accessibility.AXPropertyName.VALUETEXT"]], "value_undefined (axvaluetype attribute)": [[2, "nodriver.cdp.accessibility.AXValueType.VALUE_UNDEFINED"]], "attribute (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.attribute"]], "attribute_value (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.attribute_value"]], "backend_dom_node_id (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.backend_dom_node_id"]], "backend_dom_node_id (axrelatednode attribute)": [[2, "nodriver.cdp.accessibility.AXRelatedNode.backend_dom_node_id"]], "child_ids (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.child_ids"]], "chrome_role (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.chrome_role"]], "description (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.description"]], "disable() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.disable"]], "enable() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.enable"]], "frame_id (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.frame_id"]], "get_ax_node_and_ancestors() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_ax_node_and_ancestors"]], "get_child_ax_nodes() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_child_ax_nodes"]], "get_full_ax_tree() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_full_ax_tree"]], "get_partial_ax_tree() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_partial_ax_tree"]], "get_root_ax_node() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.get_root_ax_node"]], "idref (axrelatednode attribute)": [[2, "nodriver.cdp.accessibility.AXRelatedNode.idref"]], "ignored (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.ignored"]], "ignored_reasons (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.ignored_reasons"]], "invalid (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.invalid"]], "invalid_reason (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.invalid_reason"]], "module": [[2, "module-nodriver.cdp.accessibility"], [3, "module-nodriver.cdp.animation"], [4, "module-nodriver.cdp.audits"], [5, "module-nodriver.cdp.autofill"], [6, "module-nodriver.cdp.background_service"], [7, "module-nodriver.cdp.browser"], [8, "module-nodriver.cdp.cache_storage"], [9, "module-nodriver.cdp.cast"], [10, "module-nodriver.cdp.console"], [11, "module-nodriver.cdp.css"], [12, "module-nodriver.cdp.database"], [13, "module-nodriver.cdp.debugger"], [14, "module-nodriver.cdp.device_access"], [15, "module-nodriver.cdp.device_orientation"], [16, "module-nodriver.cdp.dom"], [17, "module-nodriver.cdp.dom_debugger"], [18, "module-nodriver.cdp.dom_snapshot"], [19, "module-nodriver.cdp.dom_storage"], [20, "module-nodriver.cdp.emulation"], [21, "module-nodriver.cdp.event_breakpoints"], [22, "module-nodriver.cdp.fed_cm"], [23, "module-nodriver.cdp.fetch"], [24, "module-nodriver.cdp.headless_experimental"], [25, "module-nodriver.cdp.heap_profiler"], [26, "module-nodriver.cdp.indexed_db"], [27, "module-nodriver.cdp.input_"], [28, "module-nodriver.cdp.inspector"], [29, "module-nodriver.cdp.io"], [30, "module-nodriver.cdp.layer_tree"], [31, "module-nodriver.cdp.log"], [32, "module-nodriver.cdp.media"], [33, "module-nodriver.cdp.memory"], [34, "module-nodriver.cdp.network"], [35, "module-nodriver.cdp.overlay"], [36, "module-nodriver.cdp.page"], [37, "module-nodriver.cdp.performance"], [38, "module-nodriver.cdp.performance_timeline"], [39, "module-nodriver.cdp.preload"], [40, "module-nodriver.cdp.profiler"], [41, "module-nodriver.cdp.runtime"], [42, "module-nodriver.cdp.schema"], [43, "module-nodriver.cdp.security"], [44, "module-nodriver.cdp.service_worker"], [45, "module-nodriver.cdp.storage"], [46, "module-nodriver.cdp.system_info"], [47, "module-nodriver.cdp.target"], [48, "module-nodriver.cdp.tethering"], [49, "module-nodriver.cdp.tracing"], [50, "module-nodriver.cdp.web_audio"], [51, "module-nodriver.cdp.web_authn"], [54, "module-nodriver.core._contradict"]], "name (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.name"]], "name (axproperty attribute)": [[2, "nodriver.cdp.accessibility.AXProperty.name"]], "native_source (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.native_source"]], "native_source_value (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.native_source_value"]], "node_id (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.node_id"]], "nodes (nodesupdated attribute)": [[2, "nodriver.cdp.accessibility.NodesUpdated.nodes"]], "nodriver.cdp.accessibility": [[2, "module-nodriver.cdp.accessibility"]], "parent_id (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.parent_id"]], "properties (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.properties"]], "query_ax_tree() (in module nodriver.cdp.accessibility)": [[2, "nodriver.cdp.accessibility.query_ax_tree"]], "related_nodes (axvalue attribute)": [[2, "nodriver.cdp.accessibility.AXValue.related_nodes"]], "role (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.role"]], "root (loadcomplete attribute)": [[2, "nodriver.cdp.accessibility.LoadComplete.root"]], "sources (axvalue attribute)": [[2, "nodriver.cdp.accessibility.AXValue.sources"]], "superseded (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.superseded"]], "text (axrelatednode attribute)": [[2, "nodriver.cdp.accessibility.AXRelatedNode.text"]], "type_ (axvalue attribute)": [[2, "nodriver.cdp.accessibility.AXValue.type_"]], "type_ (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.type_"]], "value (axnode attribute)": [[2, "nodriver.cdp.accessibility.AXNode.value"]], "value (axproperty attribute)": [[2, "nodriver.cdp.accessibility.AXProperty.value"]], "value (axvalue attribute)": [[2, "nodriver.cdp.accessibility.AXValue.value"]], "value (axvaluesource attribute)": [[2, "nodriver.cdp.accessibility.AXValueSource.value"]], "animation (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.Animation"]], "animationcanceled (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.AnimationCanceled"]], "animationcreated (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.AnimationCreated"]], "animationeffect (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.AnimationEffect"]], "animationstarted (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.AnimationStarted"]], "keyframestyle (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.KeyframeStyle"]], "keyframesrule (class in nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.KeyframesRule"]], "animation (animationstarted attribute)": [[3, "nodriver.cdp.animation.AnimationStarted.animation"]], "backend_node_id (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.backend_node_id"]], "css_id (animation attribute)": [[3, "nodriver.cdp.animation.Animation.css_id"]], "current_time (animation attribute)": [[3, "nodriver.cdp.animation.Animation.current_time"]], "delay (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.delay"]], "direction (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.direction"]], "disable() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.disable"]], "duration (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.duration"]], "easing (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.easing"]], "easing (keyframestyle attribute)": [[3, "nodriver.cdp.animation.KeyframeStyle.easing"]], "enable() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.enable"]], "end_delay (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.end_delay"]], "fill (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.fill"]], "get_current_time() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.get_current_time"]], "get_playback_rate() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.get_playback_rate"]], "id_ (animation attribute)": [[3, "nodriver.cdp.animation.Animation.id_"]], "id_ (animationcanceled attribute)": [[3, "nodriver.cdp.animation.AnimationCanceled.id_"]], "id_ (animationcreated attribute)": [[3, "nodriver.cdp.animation.AnimationCreated.id_"]], "iteration_start (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.iteration_start"]], "iterations (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.iterations"]], "keyframes (keyframesrule attribute)": [[3, "nodriver.cdp.animation.KeyframesRule.keyframes"]], "keyframes_rule (animationeffect attribute)": [[3, "nodriver.cdp.animation.AnimationEffect.keyframes_rule"]], "name (animation attribute)": [[3, "nodriver.cdp.animation.Animation.name"]], "name (keyframesrule attribute)": [[3, "nodriver.cdp.animation.KeyframesRule.name"]], "nodriver.cdp.animation": [[3, "module-nodriver.cdp.animation"]], "offset (keyframestyle attribute)": [[3, "nodriver.cdp.animation.KeyframeStyle.offset"]], "paused_state (animation attribute)": [[3, "nodriver.cdp.animation.Animation.paused_state"]], "play_state (animation attribute)": [[3, "nodriver.cdp.animation.Animation.play_state"]], "playback_rate (animation attribute)": [[3, "nodriver.cdp.animation.Animation.playback_rate"]], "release_animations() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.release_animations"]], "resolve_animation() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.resolve_animation"]], "seek_animations() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.seek_animations"]], "set_paused() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.set_paused"]], "set_playback_rate() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.set_playback_rate"]], "set_timing() (in module nodriver.cdp.animation)": [[3, "nodriver.cdp.animation.set_timing"]], "source (animation attribute)": [[3, "nodriver.cdp.animation.Animation.source"]], "start_time (animation attribute)": [[3, "nodriver.cdp.animation.Animation.start_time"]], "type_ (animation attribute)": [[3, "nodriver.cdp.animation.Animation.type_"]], "accounts_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_HTTP_NOT_FOUND"]], "accounts_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_INVALID_CONTENT_TYPE"]], "accounts_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_INVALID_RESPONSE"]], "accounts_list_empty (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_LIST_EMPTY"]], "accounts_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ACCOUNTS_NO_RESPONSE"]], "attribution_reporting_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.ATTRIBUTION_REPORTING_ISSUE"]], "attribution_src (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.ATTRIBUTION_SRC"]], "audio (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.AUDIO"]], "affectedcookie (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AffectedCookie"]], "affectedframe (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AffectedFrame"]], "affectedrequest (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AffectedRequest"]], "attributionreportingissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails"]], "attributionreportingissuetype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType"]], "beacon (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.BEACON"]], "blocked_by_response_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.BLOCKED_BY_RESPONSE_ISSUE"]], "bounce_tracking_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.BOUNCE_TRACKING_ISSUE"]], "blockedbyresponseissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails"]], "blockedbyresponsereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.BlockedByResponseReason"]], "bouncetrackingissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.BounceTrackingIssueDetails"]], "canceled (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CANCELED"]], "client_hint_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.CLIENT_HINT_ISSUE"]], "client_metadata_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CLIENT_METADATA_HTTP_NOT_FOUND"]], "client_metadata_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CLIENT_METADATA_INVALID_CONTENT_TYPE"]], "client_metadata_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CLIENT_METADATA_INVALID_RESPONSE"]], "client_metadata_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CLIENT_METADATA_NO_RESPONSE"]], "coep_frame_resource_needs_coep_header (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.COEP_FRAME_RESOURCE_NEEDS_COEP_HEADER"]], "config_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_HTTP_NOT_FOUND"]], "config_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_INVALID_CONTENT_TYPE"]], "config_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_INVALID_RESPONSE"]], "config_not_in_well_known (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_NOT_IN_WELL_KNOWN"]], "config_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.CONFIG_NO_RESPONSE"]], "content_security_policy_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.CONTENT_SECURITY_POLICY_ISSUE"]], "cookie_deprecation_metadata_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.COOKIE_DEPRECATION_METADATA_ISSUE"]], "cookie_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.COOKIE_ISSUE"]], "coop_sandboxed_i_frame_cannot_navigate_to_coop_page (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.COOP_SANDBOXED_I_FRAME_CANNOT_NAVIGATE_TO_COOP_PAGE"]], "corp_not_same_origin (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.CORP_NOT_SAME_ORIGIN"]], "corp_not_same_origin_after_defaulted_to_same_origin_by_coep (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.CORP_NOT_SAME_ORIGIN_AFTER_DEFAULTED_TO_SAME_ORIGIN_BY_COEP"]], "corp_not_same_site (blockedbyresponsereason attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseReason.CORP_NOT_SAME_SITE"]], "cors_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.CORS_ISSUE"]], "cpu_peak_limit (heavyadreason attribute)": [[4, "nodriver.cdp.audits.HeavyAdReason.CPU_PEAK_LIMIT"]], "cpu_total_limit (heavyadreason attribute)": [[4, "nodriver.cdp.audits.HeavyAdReason.CPU_TOTAL_LIMIT"]], "creation_issue (sharedarraybufferissuetype attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueType.CREATION_ISSUE"]], "cross_origin_portal_post_message_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.CROSS_ORIGIN_PORTAL_POST_MESSAGE_ERROR"]], "csp_report (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.CSP_REPORT"]], "clienthintissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.ClientHintIssueDetails"]], "clienthintissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.ClientHintIssueReason"]], "contentsecuritypolicyissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails"]], "contentsecuritypolicyviolationtype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType"]], "cookiedeprecationmetadataissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieDeprecationMetadataIssueDetails"]], "cookieexclusionreason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieExclusionReason"]], "cookieissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieIssueDetails"]], "cookieoperation (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieOperation"]], "cookiewarningreason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CookieWarningReason"]], "corsissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.CorsIssueDetails"]], "deprecation_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.DEPRECATION_ISSUE"]], "disabled_in_settings (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.DISABLED_IN_SETTINGS"]], "download (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.DOWNLOAD"]], "deprecationissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.DeprecationIssueDetails"]], "error_fetching_signin (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ERROR_FETCHING_SIGNIN"]], "error_id_token (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ERROR_ID_TOKEN"]], "event_source (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.EVENT_SOURCE"]], "exclude_domain_non_ascii (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_DOMAIN_NON_ASCII"]], "exclude_invalid_same_party (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_INVALID_SAME_PARTY"]], "exclude_same_party_cross_party_context (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_PARTY_CROSS_PARTY_CONTEXT"]], "exclude_same_site_lax (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_SITE_LAX"]], "exclude_same_site_none_insecure (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_SITE_NONE_INSECURE"]], "exclude_same_site_strict (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_SITE_STRICT"]], "exclude_same_site_unspecified_treated_as_lax (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "exclude_third_party_cookie_blocked_in_first_party_set (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_THIRD_PARTY_COOKIE_BLOCKED_IN_FIRST_PARTY_SET"]], "exclude_third_party_phaseout (cookieexclusionreason attribute)": [[4, "nodriver.cdp.audits.CookieExclusionReason.EXCLUDE_THIRD_PARTY_PHASEOUT"]], "favicon (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.FAVICON"]], "federated_auth_request_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.FEDERATED_AUTH_REQUEST_ISSUE"]], "federated_auth_user_info_request_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.FEDERATED_AUTH_USER_INFO_REQUEST_ISSUE"]], "font (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.FONT"]], "form (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.FORM"]], "form_aria_labelled_by_to_non_existing_id (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_ARIA_LABELLED_BY_TO_NON_EXISTING_ID"]], "form_autocomplete_attribute_empty_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_AUTOCOMPLETE_ATTRIBUTE_EMPTY_ERROR"]], "form_duplicate_id_for_input_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_DUPLICATE_ID_FOR_INPUT_ERROR"]], "form_empty_id_and_name_attributes_for_input_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_EMPTY_ID_AND_NAME_ATTRIBUTES_FOR_INPUT_ERROR"]], "form_input_assigned_autocomplete_value_to_id_or_name_attribute_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_INPUT_ASSIGNED_AUTOCOMPLETE_VALUE_TO_ID_OR_NAME_ATTRIBUTE_ERROR"]], "form_input_has_wrong_but_well_intended_autocomplete_value_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_INPUT_HAS_WRONG_BUT_WELL_INTENDED_AUTOCOMPLETE_VALUE_ERROR"]], "form_input_with_no_label_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_INPUT_WITH_NO_LABEL_ERROR"]], "form_label_for_matches_non_existing_id_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_LABEL_FOR_MATCHES_NON_EXISTING_ID_ERROR"]], "form_label_for_name_error (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_LABEL_FOR_NAME_ERROR"]], "form_label_has_neither_for_nor_nested_input (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.FORM_LABEL_HAS_NEITHER_FOR_NOR_NESTED_INPUT"]], "frame (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.FRAME"]], "failedrequestinfo (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FailedRequestInfo"]], "federatedauthrequestissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueDetails"]], "federatedauthrequestissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason"]], "federatedauthuserinforequestissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueDetails"]], "federatedauthuserinforequestissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason"]], "generic_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.GENERIC_ISSUE"]], "genericissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.GenericIssueDetails"]], "genericissueerrortype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.GenericIssueErrorType"]], "heavy_ad_blocked (heavyadresolutionstatus attribute)": [[4, "nodriver.cdp.audits.HeavyAdResolutionStatus.HEAVY_AD_BLOCKED"]], "heavy_ad_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.HEAVY_AD_ISSUE"]], "heavy_ad_warning (heavyadresolutionstatus attribute)": [[4, "nodriver.cdp.audits.HeavyAdResolutionStatus.HEAVY_AD_WARNING"]], "heavyadissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.HeavyAdIssueDetails"]], "heavyadreason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.HeavyAdReason"]], "heavyadresolutionstatus (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.HeavyAdResolutionStatus"]], "id_token_cross_site_idp_error_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_CROSS_SITE_IDP_ERROR_RESPONSE"]], "id_token_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_HTTP_NOT_FOUND"]], "id_token_idp_error_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_IDP_ERROR_RESPONSE"]], "id_token_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_INVALID_CONTENT_TYPE"]], "id_token_invalid_request (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_INVALID_REQUEST"]], "id_token_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_INVALID_RESPONSE"]], "id_token_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.ID_TOKEN_NO_RESPONSE"]], "image (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.IMAGE"]], "import (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.IMPORT"]], "insecure_context (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INSECURE_CONTEXT"]], "invalid_accounts_response (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.INVALID_ACCOUNTS_RESPONSE"]], "invalid_config_or_well_known (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.INVALID_CONFIG_OR_WELL_KNOWN"]], "invalid_header (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INVALID_HEADER"]], "invalid_inherits (propertyruleissuereason attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason.INVALID_INHERITS"]], "invalid_initial_value (propertyruleissuereason attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason.INVALID_INITIAL_VALUE"]], "invalid_name (propertyruleissuereason attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason.INVALID_NAME"]], "invalid_register_os_source_header (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INVALID_REGISTER_OS_SOURCE_HEADER"]], "invalid_register_os_trigger_header (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INVALID_REGISTER_OS_TRIGGER_HEADER"]], "invalid_register_trigger_header (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.INVALID_REGISTER_TRIGGER_HEADER"]], "invalid_signin_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.INVALID_SIGNIN_RESPONSE"]], "invalid_syntax (propertyruleissuereason attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason.INVALID_SYNTAX"]], "inspectorissue (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.InspectorIssue"]], "inspectorissuecode (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.InspectorIssueCode"]], "inspectorissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.InspectorIssueDetails"]], "issueadded (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.IssueAdded"]], "issueid (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.IssueId"]], "k_eval_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_EVAL_VIOLATION"]], "k_inline_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_INLINE_VIOLATION"]], "k_trusted_types_policy_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_TRUSTED_TYPES_POLICY_VIOLATION"]], "k_trusted_types_sink_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_TRUSTED_TYPES_SINK_VIOLATION"]], "k_url_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_URL_VIOLATION"]], "k_wasm_eval_violation (contentsecuritypolicyviolationtype attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyViolationType.K_WASM_EVAL_VIOLATION"]], "late_import_rule (stylesheetloadingissuereason attribute)": [[4, "nodriver.cdp.audits.StyleSheetLoadingIssueReason.LATE_IMPORT_RULE"]], "low_text_contrast_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.LOW_TEXT_CONTRAST_ISSUE"]], "lowtextcontrastissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails"]], "manifest (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.MANIFEST"]], "meta_tag_allow_list_invalid_origin (clienthintissuereason attribute)": [[4, "nodriver.cdp.audits.ClientHintIssueReason.META_TAG_ALLOW_LIST_INVALID_ORIGIN"]], "meta_tag_modified_html (clienthintissuereason attribute)": [[4, "nodriver.cdp.audits.ClientHintIssueReason.META_TAG_MODIFIED_HTML"]], "mixed_content_automatically_upgraded (mixedcontentresolutionstatus attribute)": [[4, "nodriver.cdp.audits.MixedContentResolutionStatus.MIXED_CONTENT_AUTOMATICALLY_UPGRADED"]], "mixed_content_blocked (mixedcontentresolutionstatus attribute)": [[4, "nodriver.cdp.audits.MixedContentResolutionStatus.MIXED_CONTENT_BLOCKED"]], "mixed_content_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.MIXED_CONTENT_ISSUE"]], "mixed_content_warning (mixedcontentresolutionstatus attribute)": [[4, "nodriver.cdp.audits.MixedContentResolutionStatus.MIXED_CONTENT_WARNING"]], "mixedcontentissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails"]], "mixedcontentresolutionstatus (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.MixedContentResolutionStatus"]], "mixedcontentresourcetype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.MixedContentResourceType"]], "navigation_registration_without_transient_user_activation (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.NAVIGATION_REGISTRATION_WITHOUT_TRANSIENT_USER_ACTIVATION"]], "navigator_user_agent_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.NAVIGATOR_USER_AGENT_ISSUE"]], "network_total_limit (heavyadreason attribute)": [[4, "nodriver.cdp.audits.HeavyAdReason.NETWORK_TOTAL_LIMIT"]], "not_iframe (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NOT_IFRAME"]], "not_potentially_trustworthy (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NOT_POTENTIALLY_TRUSTWORTHY"]], "not_same_origin (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NOT_SAME_ORIGIN"]], "not_signed_in_with_idp (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.NOT_SIGNED_IN_WITH_IDP"]], "not_signed_in_with_idp (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NOT_SIGNED_IN_WITH_IDP"]], "no_account_sharing_permission (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NO_ACCOUNT_SHARING_PERMISSION"]], "no_api_permission (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NO_API_PERMISSION"]], "no_returning_user_from_fetched_accounts (federatedauthuserinforequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason.NO_RETURNING_USER_FROM_FETCHED_ACCOUNTS"]], "no_web_or_os_support (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.NO_WEB_OR_OS_SUPPORT"]], "navigatoruseragentissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.NavigatorUserAgentIssueDetails"]], "os_source_ignored (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.OS_SOURCE_IGNORED"]], "os_trigger_ignored (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.OS_TRIGGER_IGNORED"]], "permission_policy_disabled (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.PERMISSION_POLICY_DISABLED"]], "ping (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.PING"]], "plugin_data (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.PLUGIN_DATA"]], "plugin_resource (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.PLUGIN_RESOURCE"]], "prefetch (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.PREFETCH"]], "property_rule_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.PROPERTY_RULE_ISSUE"]], "propertyruleissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.PropertyRuleIssueDetails"]], "propertyruleissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.PropertyRuleIssueReason"]], "quirks_mode_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.QUIRKS_MODE_ISSUE"]], "quirksmodeissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails"]], "read_cookie (cookieoperation attribute)": [[4, "nodriver.cdp.audits.CookieOperation.READ_COOKIE"]], "request_failed (stylesheetloadingissuereason attribute)": [[4, "nodriver.cdp.audits.StyleSheetLoadingIssueReason.REQUEST_FAILED"]], "resource (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.RESOURCE"]], "response_was_blocked_by_orb (genericissueerrortype attribute)": [[4, "nodriver.cdp.audits.GenericIssueErrorType.RESPONSE_WAS_BLOCKED_BY_ORB"]], "rp_page_not_visible (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.RP_PAGE_NOT_VISIBLE"]], "script (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.SCRIPT"]], "service_worker (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.SERVICE_WORKER"]], "set_cookie (cookieoperation attribute)": [[4, "nodriver.cdp.audits.CookieOperation.SET_COOKIE"]], "shared_array_buffer_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.SHARED_ARRAY_BUFFER_ISSUE"]], "shared_worker (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.SHARED_WORKER"]], "should_embargo (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.SHOULD_EMBARGO"]], "silent_mediation_failure (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.SILENT_MEDIATION_FAILURE"]], "source_and_trigger_headers (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.SOURCE_AND_TRIGGER_HEADERS"]], "source_ignored (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.SOURCE_IGNORED"]], "speculation_rules (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.SPECULATION_RULES"]], "stylesheet (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.STYLESHEET"]], "stylesheet_loading_issue (inspectorissuecode attribute)": [[4, "nodriver.cdp.audits.InspectorIssueCode.STYLESHEET_LOADING_ISSUE"]], "sharedarraybufferissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueDetails"]], "sharedarraybufferissuetype (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueType"]], "sourcecodelocation (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.SourceCodeLocation"]], "stylesheetloadingissuereason (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.StyleSheetLoadingIssueReason"]], "stylesheetloadingissuedetails (class in nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.StylesheetLoadingIssueDetails"]], "third_party_cookies_blocked (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.THIRD_PARTY_COOKIES_BLOCKED"]], "too_many_requests (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.TOO_MANY_REQUESTS"]], "track (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.TRACK"]], "transfer_issue (sharedarraybufferissuetype attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueType.TRANSFER_ISSUE"]], "trigger_ignored (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.TRIGGER_IGNORED"]], "untrustworthy_reporting_origin (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.UNTRUSTWORTHY_REPORTING_ORIGIN"]], "video (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.VIDEO"]], "warn_attribute_value_exceeds_max_size (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_ATTRIBUTE_VALUE_EXCEEDS_MAX_SIZE"]], "warn_cross_site_redirect_downgrade_changes_inclusion (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_CROSS_SITE_REDIRECT_DOWNGRADE_CHANGES_INCLUSION"]], "warn_domain_non_ascii (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_DOMAIN_NON_ASCII"]], "warn_same_site_lax_cross_downgrade_lax (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_LAX_CROSS_DOWNGRADE_LAX"]], "warn_same_site_lax_cross_downgrade_strict (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_LAX_CROSS_DOWNGRADE_STRICT"]], "warn_same_site_none_insecure (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_NONE_INSECURE"]], "warn_same_site_strict_cross_downgrade_lax (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_STRICT_CROSS_DOWNGRADE_LAX"]], "warn_same_site_strict_cross_downgrade_strict (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_STRICT_CROSS_DOWNGRADE_STRICT"]], "warn_same_site_strict_lax_downgrade_strict (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_STRICT_LAX_DOWNGRADE_STRICT"]], "warn_same_site_unspecified_cross_site_context (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_UNSPECIFIED_CROSS_SITE_CONTEXT"]], "warn_same_site_unspecified_lax_allow_unsafe (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_SAME_SITE_UNSPECIFIED_LAX_ALLOW_UNSAFE"]], "warn_third_party_phaseout (cookiewarningreason attribute)": [[4, "nodriver.cdp.audits.CookieWarningReason.WARN_THIRD_PARTY_PHASEOUT"]], "web_and_os_headers (attributionreportingissuetype attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueType.WEB_AND_OS_HEADERS"]], "well_known_http_not_found (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_HTTP_NOT_FOUND"]], "well_known_invalid_content_type (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_INVALID_CONTENT_TYPE"]], "well_known_invalid_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_INVALID_RESPONSE"]], "well_known_list_empty (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_LIST_EMPTY"]], "well_known_no_response (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_NO_RESPONSE"]], "well_known_too_big (federatedauthrequestissuereason attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueReason.WELL_KNOWN_TOO_BIG"]], "worker (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.WORKER"]], "xml_http_request (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.XML_HTTP_REQUEST"]], "xslt (mixedcontentresourcetype attribute)": [[4, "nodriver.cdp.audits.MixedContentResourceType.XSLT"]], "affected_frame (deprecationissuedetails attribute)": [[4, "nodriver.cdp.audits.DeprecationIssueDetails.affected_frame"]], "allowed_sites (cookiedeprecationmetadataissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieDeprecationMetadataIssueDetails.allowed_sites"]], "attribution_reporting_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.attribution_reporting_issue_details"]], "blocked_by_response_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.blocked_by_response_issue_details"]], "blocked_frame (blockedbyresponseissuedetails attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails.blocked_frame"]], "blocked_url (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.blocked_url"]], "bounce_tracking_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.bounce_tracking_issue_details"]], "check_contrast() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.check_contrast"]], "check_forms_issues() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.check_forms_issues"]], "client_hint_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.client_hint_issue_details"]], "client_hint_issue_reason (clienthintissuedetails attribute)": [[4, "nodriver.cdp.audits.ClientHintIssueDetails.client_hint_issue_reason"]], "client_security_state (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.client_security_state"]], "code (inspectorissue attribute)": [[4, "nodriver.cdp.audits.InspectorIssue.code"]], "column_number (sourcecodelocation attribute)": [[4, "nodriver.cdp.audits.SourceCodeLocation.column_number"]], "content_security_policy_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.content_security_policy_issue_details"]], "content_security_policy_violation_type (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.content_security_policy_violation_type"]], "contrast_ratio (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.contrast_ratio"]], "cookie (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.cookie"]], "cookie_deprecation_metadata_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.cookie_deprecation_metadata_issue_details"]], "cookie_exclusion_reasons (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.cookie_exclusion_reasons"]], "cookie_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.cookie_issue_details"]], "cookie_url (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.cookie_url"]], "cookie_warning_reasons (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.cookie_warning_reasons"]], "cors_error_status (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.cors_error_status"]], "cors_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.cors_issue_details"]], "deprecation_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.deprecation_issue_details"]], "details (inspectorissue attribute)": [[4, "nodriver.cdp.audits.InspectorIssue.details"]], "disable() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.disable"]], "document_node_id (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.document_node_id"]], "domain (affectedcookie attribute)": [[4, "nodriver.cdp.audits.AffectedCookie.domain"]], "enable() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.enable"]], "error_type (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.error_type"]], "failed_request_info (stylesheetloadingissuedetails attribute)": [[4, "nodriver.cdp.audits.StylesheetLoadingIssueDetails.failed_request_info"]], "failure_message (failedrequestinfo attribute)": [[4, "nodriver.cdp.audits.FailedRequestInfo.failure_message"]], "federated_auth_request_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.federated_auth_request_issue_details"]], "federated_auth_request_issue_reason (federatedauthrequestissuedetails attribute)": [[4, "nodriver.cdp.audits.FederatedAuthRequestIssueDetails.federated_auth_request_issue_reason"]], "federated_auth_user_info_request_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.federated_auth_user_info_request_issue_details"]], "federated_auth_user_info_request_issue_reason (federatedauthuserinforequestissuedetails attribute)": [[4, "nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueDetails.federated_auth_user_info_request_issue_reason"]], "font_size (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.font_size"]], "font_weight (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.font_weight"]], "frame (heavyadissuedetails attribute)": [[4, "nodriver.cdp.audits.HeavyAdIssueDetails.frame"]], "frame (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.frame"]], "frame_ancestor (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.frame_ancestor"]], "frame_id (affectedframe attribute)": [[4, "nodriver.cdp.audits.AffectedFrame.frame_id"]], "frame_id (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.frame_id"]], "frame_id (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.frame_id"]], "generic_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.generic_issue_details"]], "get_encoded_response() (in module nodriver.cdp.audits)": [[4, "nodriver.cdp.audits.get_encoded_response"]], "heavy_ad_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.heavy_ad_issue_details"]], "initiator_origin (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.initiator_origin"]], "insecure_url (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.insecure_url"]], "invalid_parameter (attributionreportingissuedetails attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails.invalid_parameter"]], "is_limited_quirks_mode (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.is_limited_quirks_mode"]], "is_report_only (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.is_report_only"]], "is_warning (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.is_warning"]], "is_warning (sharedarraybufferissuedetails attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueDetails.is_warning"]], "issue (issueadded attribute)": [[4, "nodriver.cdp.audits.IssueAdded.issue"]], "issue_id (inspectorissue attribute)": [[4, "nodriver.cdp.audits.InspectorIssue.issue_id"]], "line_number (sourcecodelocation attribute)": [[4, "nodriver.cdp.audits.SourceCodeLocation.line_number"]], "loader_id (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.loader_id"]], "location (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.location"]], "location (navigatoruseragentissuedetails attribute)": [[4, "nodriver.cdp.audits.NavigatorUserAgentIssueDetails.location"]], "low_text_contrast_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.low_text_contrast_issue_details"]], "main_resource_url (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.main_resource_url"]], "mixed_content_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.mixed_content_issue_details"]], "name (affectedcookie attribute)": [[4, "nodriver.cdp.audits.AffectedCookie.name"]], "navigator_user_agent_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.navigator_user_agent_issue_details"]], "nodriver.cdp.audits": [[4, "module-nodriver.cdp.audits"]], "operation (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.operation"]], "parent_frame (blockedbyresponseissuedetails attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails.parent_frame"]], "path (affectedcookie attribute)": [[4, "nodriver.cdp.audits.AffectedCookie.path"]], "property_rule_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.property_rule_issue_details"]], "property_rule_issue_reason (propertyruleissuedetails attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueDetails.property_rule_issue_reason"]], "property_value (propertyruleissuedetails attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueDetails.property_value"]], "quirks_mode_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.quirks_mode_issue_details"]], "raw_cookie_line (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.raw_cookie_line"]], "reason (blockedbyresponseissuedetails attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails.reason"]], "reason (heavyadissuedetails attribute)": [[4, "nodriver.cdp.audits.HeavyAdIssueDetails.reason"]], "request (attributionreportingissuedetails attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails.request"]], "request (blockedbyresponseissuedetails attribute)": [[4, "nodriver.cdp.audits.BlockedByResponseIssueDetails.request"]], "request (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.request"]], "request (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.request"]], "request (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.request"]], "request (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.request"]], "request_id (affectedrequest attribute)": [[4, "nodriver.cdp.audits.AffectedRequest.request_id"]], "request_id (failedrequestinfo attribute)": [[4, "nodriver.cdp.audits.FailedRequestInfo.request_id"]], "resolution (heavyadissuedetails attribute)": [[4, "nodriver.cdp.audits.HeavyAdIssueDetails.resolution"]], "resolution_status (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.resolution_status"]], "resource_ip_address_space (corsissuedetails attribute)": [[4, "nodriver.cdp.audits.CorsIssueDetails.resource_ip_address_space"]], "resource_type (mixedcontentissuedetails attribute)": [[4, "nodriver.cdp.audits.MixedContentIssueDetails.resource_type"]], "script_id (sourcecodelocation attribute)": [[4, "nodriver.cdp.audits.SourceCodeLocation.script_id"]], "shared_array_buffer_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.shared_array_buffer_issue_details"]], "site_for_cookies (cookieissuedetails attribute)": [[4, "nodriver.cdp.audits.CookieIssueDetails.site_for_cookies"]], "source_code_location (clienthintissuedetails attribute)": [[4, "nodriver.cdp.audits.ClientHintIssueDetails.source_code_location"]], "source_code_location (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.source_code_location"]], "source_code_location (deprecationissuedetails attribute)": [[4, "nodriver.cdp.audits.DeprecationIssueDetails.source_code_location"]], "source_code_location (propertyruleissuedetails attribute)": [[4, "nodriver.cdp.audits.PropertyRuleIssueDetails.source_code_location"]], "source_code_location (sharedarraybufferissuedetails attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueDetails.source_code_location"]], "source_code_location (stylesheetloadingissuedetails attribute)": [[4, "nodriver.cdp.audits.StylesheetLoadingIssueDetails.source_code_location"]], "style_sheet_loading_issue_reason (stylesheetloadingissuedetails attribute)": [[4, "nodriver.cdp.audits.StylesheetLoadingIssueDetails.style_sheet_loading_issue_reason"]], "stylesheet_loading_issue_details (inspectorissuedetails attribute)": [[4, "nodriver.cdp.audits.InspectorIssueDetails.stylesheet_loading_issue_details"]], "threshold_aa (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.threshold_aa"]], "threshold_aaa (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.threshold_aaa"]], "tracking_sites (bouncetrackingissuedetails attribute)": [[4, "nodriver.cdp.audits.BounceTrackingIssueDetails.tracking_sites"]], "type_ (deprecationissuedetails attribute)": [[4, "nodriver.cdp.audits.DeprecationIssueDetails.type_"]], "type_ (sharedarraybufferissuedetails attribute)": [[4, "nodriver.cdp.audits.SharedArrayBufferIssueDetails.type_"]], "url (affectedrequest attribute)": [[4, "nodriver.cdp.audits.AffectedRequest.url"]], "url (failedrequestinfo attribute)": [[4, "nodriver.cdp.audits.FailedRequestInfo.url"]], "url (navigatoruseragentissuedetails attribute)": [[4, "nodriver.cdp.audits.NavigatorUserAgentIssueDetails.url"]], "url (quirksmodeissuedetails attribute)": [[4, "nodriver.cdp.audits.QuirksModeIssueDetails.url"]], "url (sourcecodelocation attribute)": [[4, "nodriver.cdp.audits.SourceCodeLocation.url"]], "violated_directive (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.violated_directive"]], "violating_node_attribute (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.violating_node_attribute"]], "violating_node_id (attributionreportingissuedetails attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails.violating_node_id"]], "violating_node_id (contentsecuritypolicyissuedetails attribute)": [[4, "nodriver.cdp.audits.ContentSecurityPolicyIssueDetails.violating_node_id"]], "violating_node_id (genericissuedetails attribute)": [[4, "nodriver.cdp.audits.GenericIssueDetails.violating_node_id"]], "violating_node_id (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.violating_node_id"]], "violating_node_selector (lowtextcontrastissuedetails attribute)": [[4, "nodriver.cdp.audits.LowTextContrastIssueDetails.violating_node_selector"]], "violation_type (attributionreportingissuedetails attribute)": [[4, "nodriver.cdp.audits.AttributionReportingIssueDetails.violation_type"]], "autocomplete_attribute (fillingstrategy attribute)": [[5, "nodriver.cdp.autofill.FillingStrategy.AUTOCOMPLETE_ATTRIBUTE"]], "autofill_inferred (fillingstrategy attribute)": [[5, "nodriver.cdp.autofill.FillingStrategy.AUTOFILL_INFERRED"]], "address (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.Address"]], "addressfield (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.AddressField"]], "addressfields (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.AddressFields"]], "addressformfilled (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.AddressFormFilled"]], "addressui (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.AddressUI"]], "creditcard (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.CreditCard"]], "filledfield (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.FilledField"]], "fillingstrategy (class in nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.FillingStrategy"]], "address_fields (addressui attribute)": [[5, "nodriver.cdp.autofill.AddressUI.address_fields"]], "address_ui (addressformfilled attribute)": [[5, "nodriver.cdp.autofill.AddressFormFilled.address_ui"]], "autofill_type (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.autofill_type"]], "cvc (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.cvc"]], "disable() (in module nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.disable"]], "enable() (in module nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.enable"]], "expiry_month (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.expiry_month"]], "expiry_year (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.expiry_year"]], "field_id (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.field_id"]], "fields (address attribute)": [[5, "nodriver.cdp.autofill.Address.fields"]], "fields (addressfields attribute)": [[5, "nodriver.cdp.autofill.AddressFields.fields"]], "filled_fields (addressformfilled attribute)": [[5, "nodriver.cdp.autofill.AddressFormFilled.filled_fields"]], "filling_strategy (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.filling_strategy"]], "html_type (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.html_type"]], "id_ (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.id_"]], "name (addressfield attribute)": [[5, "nodriver.cdp.autofill.AddressField.name"]], "name (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.name"]], "name (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.name"]], "nodriver.cdp.autofill": [[5, "module-nodriver.cdp.autofill"]], "number (creditcard attribute)": [[5, "nodriver.cdp.autofill.CreditCard.number"]], "set_addresses() (in module nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.set_addresses"]], "trigger() (in module nodriver.cdp.autofill)": [[5, "nodriver.cdp.autofill.trigger"]], "value (addressfield attribute)": [[5, "nodriver.cdp.autofill.AddressField.value"]], "value (filledfield attribute)": [[5, "nodriver.cdp.autofill.FilledField.value"]], "background_fetch (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.BACKGROUND_FETCH"]], "background_sync (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.BACKGROUND_SYNC"]], "backgroundserviceevent (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent"]], "backgroundserviceeventreceived (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.BackgroundServiceEventReceived"]], "eventmetadata (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.EventMetadata"]], "notifications (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.NOTIFICATIONS"]], "payment_handler (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.PAYMENT_HANDLER"]], "periodic_background_sync (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.PERIODIC_BACKGROUND_SYNC"]], "push_messaging (servicename attribute)": [[6, "nodriver.cdp.background_service.ServiceName.PUSH_MESSAGING"]], "recordingstatechanged (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.RecordingStateChanged"]], "servicename (class in nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.ServiceName"]], "background_service_event (backgroundserviceeventreceived attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEventReceived.background_service_event"]], "clear_events() (in module nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.clear_events"]], "event_metadata (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.event_metadata"]], "event_name (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.event_name"]], "instance_id (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.instance_id"]], "is_recording (recordingstatechanged attribute)": [[6, "nodriver.cdp.background_service.RecordingStateChanged.is_recording"]], "key (eventmetadata attribute)": [[6, "nodriver.cdp.background_service.EventMetadata.key"]], "nodriver.cdp.background_service": [[6, "module-nodriver.cdp.background_service"]], "origin (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.origin"]], "service (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.service"]], "service (recordingstatechanged attribute)": [[6, "nodriver.cdp.background_service.RecordingStateChanged.service"]], "service_worker_registration_id (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.service_worker_registration_id"]], "set_recording() (in module nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.set_recording"]], "start_observing() (in module nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.start_observing"]], "stop_observing() (in module nodriver.cdp.background_service)": [[6, "nodriver.cdp.background_service.stop_observing"]], "storage_key (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.storage_key"]], "timestamp (backgroundserviceevent attribute)": [[6, "nodriver.cdp.background_service.BackgroundServiceEvent.timestamp"]], "value (eventmetadata attribute)": [[6, "nodriver.cdp.background_service.EventMetadata.value"]], "accessibility_events (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.ACCESSIBILITY_EVENTS"]], "audio_capture (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.AUDIO_CAPTURE"]], "background_fetch (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.BACKGROUND_FETCH"]], "background_sync (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.BACKGROUND_SYNC"]], "bounds (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.Bounds"]], "browsercommandid (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.BrowserCommandId"]], "browsercontextid (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.BrowserContextID"]], "bucket (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.Bucket"]], "captured_surface_control (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.CAPTURED_SURFACE_CONTROL"]], "clipboard_read_write (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.CLIPBOARD_READ_WRITE"]], "clipboard_sanitized_write (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.CLIPBOARD_SANITIZED_WRITE"]], "close_tab_search (browsercommandid attribute)": [[7, "nodriver.cdp.browser.BrowserCommandId.CLOSE_TAB_SEARCH"]], "denied (permissionsetting attribute)": [[7, "nodriver.cdp.browser.PermissionSetting.DENIED"]], "display_capture (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.DISPLAY_CAPTURE"]], "durable_storage (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.DURABLE_STORAGE"]], "downloadprogress (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.DownloadProgress"]], "downloadwillbegin (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.DownloadWillBegin"]], "flash (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.FLASH"]], "fullscreen (windowstate attribute)": [[7, "nodriver.cdp.browser.WindowState.FULLSCREEN"]], "geolocation (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.GEOLOCATION"]], "granted (permissionsetting attribute)": [[7, "nodriver.cdp.browser.PermissionSetting.GRANTED"]], "histogram (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.Histogram"]], "idle_detection (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.IDLE_DETECTION"]], "local_fonts (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.LOCAL_FONTS"]], "maximized (windowstate attribute)": [[7, "nodriver.cdp.browser.WindowState.MAXIMIZED"]], "midi (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.MIDI"]], "midi_sysex (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.MIDI_SYSEX"]], "minimized (windowstate attribute)": [[7, "nodriver.cdp.browser.WindowState.MINIMIZED"]], "nfc (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.NFC"]], "normal (windowstate attribute)": [[7, "nodriver.cdp.browser.WindowState.NORMAL"]], "notifications (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.NOTIFICATIONS"]], "open_tab_search (browsercommandid attribute)": [[7, "nodriver.cdp.browser.BrowserCommandId.OPEN_TAB_SEARCH"]], "payment_handler (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.PAYMENT_HANDLER"]], "periodic_background_sync (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.PERIODIC_BACKGROUND_SYNC"]], "prompt (permissionsetting attribute)": [[7, "nodriver.cdp.browser.PermissionSetting.PROMPT"]], "protected_media_identifier (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.PROTECTED_MEDIA_IDENTIFIER"]], "permissiondescriptor (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.PermissionDescriptor"]], "permissionsetting (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.PermissionSetting"]], "permissiontype (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.PermissionType"]], "sensors (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.SENSORS"]], "storage_access (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.STORAGE_ACCESS"]], "top_level_storage_access (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.TOP_LEVEL_STORAGE_ACCESS"]], "video_capture (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.VIDEO_CAPTURE"]], "video_capture_pan_tilt_zoom (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.VIDEO_CAPTURE_PAN_TILT_ZOOM"]], "wake_lock_screen (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.WAKE_LOCK_SCREEN"]], "wake_lock_system (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.WAKE_LOCK_SYSTEM"]], "window_management (permissiontype attribute)": [[7, "nodriver.cdp.browser.PermissionType.WINDOW_MANAGEMENT"]], "windowid (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.WindowID"]], "windowstate (class in nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.WindowState"]], "add_privacy_sandbox_enrollment_override() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.add_privacy_sandbox_enrollment_override"]], "allow_without_sanitization (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.allow_without_sanitization"]], "buckets (histogram attribute)": [[7, "nodriver.cdp.browser.Histogram.buckets"]], "cancel_download() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.cancel_download"]], "close() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.close"]], "count (bucket attribute)": [[7, "nodriver.cdp.browser.Bucket.count"]], "count (histogram attribute)": [[7, "nodriver.cdp.browser.Histogram.count"]], "crash() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.crash"]], "crash_gpu_process() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.crash_gpu_process"]], "execute_browser_command() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.execute_browser_command"]], "frame_id (downloadwillbegin attribute)": [[7, "nodriver.cdp.browser.DownloadWillBegin.frame_id"], [36, "nodriver.cdp.page.DownloadWillBegin.frame_id"]], "get_browser_command_line() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_browser_command_line"]], "get_histogram() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_histogram"]], "get_histograms() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_histograms"]], "get_version() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_version"]], "get_window_bounds() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_window_bounds"]], "get_window_for_target() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.get_window_for_target"]], "grant_permissions() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.grant_permissions"]], "guid (downloadprogress attribute)": [[7, "nodriver.cdp.browser.DownloadProgress.guid"], [36, "nodriver.cdp.page.DownloadProgress.guid"]], "guid (downloadwillbegin attribute)": [[7, "nodriver.cdp.browser.DownloadWillBegin.guid"], [36, "nodriver.cdp.page.DownloadWillBegin.guid"]], "height (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.height"]], "high (bucket attribute)": [[7, "nodriver.cdp.browser.Bucket.high"]], "left (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.left"]], "low (bucket attribute)": [[7, "nodriver.cdp.browser.Bucket.low"]], "name (histogram attribute)": [[7, "nodriver.cdp.browser.Histogram.name"]], "name (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.name"]], "nodriver.cdp.browser": [[7, "module-nodriver.cdp.browser"]], "pan_tilt_zoom (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.pan_tilt_zoom"]], "received_bytes (downloadprogress attribute)": [[7, "nodriver.cdp.browser.DownloadProgress.received_bytes"], [36, "nodriver.cdp.page.DownloadProgress.received_bytes"]], "reset_permissions() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.reset_permissions"]], "set_dock_tile() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.set_dock_tile"]], "set_download_behavior() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.set_download_behavior"]], "set_permission() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.set_permission"]], "set_window_bounds() (in module nodriver.cdp.browser)": [[7, "nodriver.cdp.browser.set_window_bounds"]], "state (downloadprogress attribute)": [[7, "nodriver.cdp.browser.DownloadProgress.state"], [36, "nodriver.cdp.page.DownloadProgress.state"]], "suggested_filename (downloadwillbegin attribute)": [[7, "nodriver.cdp.browser.DownloadWillBegin.suggested_filename"], [36, "nodriver.cdp.page.DownloadWillBegin.suggested_filename"]], "sum_ (histogram attribute)": [[7, "nodriver.cdp.browser.Histogram.sum_"]], "sysex (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.sysex"]], "top (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.top"]], "total_bytes (downloadprogress attribute)": [[7, "nodriver.cdp.browser.DownloadProgress.total_bytes"], [36, "nodriver.cdp.page.DownloadProgress.total_bytes"]], "url (downloadwillbegin attribute)": [[7, "nodriver.cdp.browser.DownloadWillBegin.url"], [36, "nodriver.cdp.page.DownloadWillBegin.url"]], "user_visible_only (permissiondescriptor attribute)": [[7, "nodriver.cdp.browser.PermissionDescriptor.user_visible_only"]], "width (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.width"]], "window_state (bounds attribute)": [[7, "nodriver.cdp.browser.Bounds.window_state"]], "basic (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.BASIC"]], "cors (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.CORS"]], "cache (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.Cache"]], "cacheid (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.CacheId"]], "cachedresponse (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.CachedResponse"]], "cachedresponsetype (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.CachedResponseType"]], "default (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.DEFAULT"]], "dataentry (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.DataEntry"]], "error (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.ERROR"]], "header (class in nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.Header"]], "opaque_redirect (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.OPAQUE_REDIRECT"]], "opaque_response (cachedresponsetype attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponseType.OPAQUE_RESPONSE"]], "body (cachedresponse attribute)": [[8, "nodriver.cdp.cache_storage.CachedResponse.body"]], "cache_id (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.cache_id"]], "cache_name (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.cache_name"]], "delete_cache() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.delete_cache"]], "delete_entry() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.delete_entry"]], "name (header attribute)": [[8, "nodriver.cdp.cache_storage.Header.name"]], "nodriver.cdp.cache_storage": [[8, "module-nodriver.cdp.cache_storage"]], "request_cache_names() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.request_cache_names"]], "request_cached_response() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.request_cached_response"]], "request_entries() (in module nodriver.cdp.cache_storage)": [[8, "nodriver.cdp.cache_storage.request_entries"]], "request_headers (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.request_headers"]], "request_method (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.request_method"]], "request_url (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.request_url"]], "response_headers (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_headers"]], "response_status (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_status"]], "response_status_text (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_status_text"]], "response_time (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_time"]], "response_type (dataentry attribute)": [[8, "nodriver.cdp.cache_storage.DataEntry.response_type"]], "security_origin (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.security_origin"]], "storage_bucket (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.storage_bucket"]], "storage_key (cache attribute)": [[8, "nodriver.cdp.cache_storage.Cache.storage_key"]], "value (header attribute)": [[8, "nodriver.cdp.cache_storage.Header.value"]], "issueupdated (class in nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.IssueUpdated"]], "sink (class in nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.Sink"]], "sinksupdated (class in nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.SinksUpdated"]], "disable() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.disable"]], "enable() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.enable"]], "id_ (sink attribute)": [[9, "nodriver.cdp.cast.Sink.id_"]], "issue_message (issueupdated attribute)": [[9, "nodriver.cdp.cast.IssueUpdated.issue_message"]], "name (sink attribute)": [[9, "nodriver.cdp.cast.Sink.name"]], "nodriver.cdp.cast": [[9, "module-nodriver.cdp.cast"]], "session (sink attribute)": [[9, "nodriver.cdp.cast.Sink.session"]], "set_sink_to_use() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.set_sink_to_use"]], "sinks (sinksupdated attribute)": [[9, "nodriver.cdp.cast.SinksUpdated.sinks"]], "start_desktop_mirroring() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.start_desktop_mirroring"]], "start_tab_mirroring() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.start_tab_mirroring"]], "stop_casting() (in module nodriver.cdp.cast)": [[9, "nodriver.cdp.cast.stop_casting"]], "consolemessage (class in nodriver.cdp.console)": [[10, "nodriver.cdp.console.ConsoleMessage"]], "messageadded (class in nodriver.cdp.console)": [[10, "nodriver.cdp.console.MessageAdded"]], "clear_messages() (in module nodriver.cdp.console)": [[10, "nodriver.cdp.console.clear_messages"]], "column (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.column"]], "disable() (in module nodriver.cdp.console)": [[10, "nodriver.cdp.console.disable"]], "enable() (in module nodriver.cdp.console)": [[10, "nodriver.cdp.console.enable"]], "level (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.level"]], "line (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.line"]], "message (messageadded attribute)": [[10, "nodriver.cdp.console.MessageAdded.message"]], "nodriver.cdp.console": [[10, "module-nodriver.cdp.console"]], "source (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.source"]], "text (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.text"]], "url (consolemessage attribute)": [[10, "nodriver.cdp.console.ConsoleMessage.url"]], "container_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.CONTAINER_RULE"]], "csscomputedstyleproperty (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSComputedStyleProperty"]], "csscontainerquery (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSContainerQuery"]], "cssfontpalettevaluesrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule"]], "csskeyframerule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSKeyframeRule"]], "csskeyframesrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSKeyframesRule"]], "csslayer (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSLayer"]], "csslayerdata (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSLayerData"]], "cssmedia (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSMedia"]], "csspositionfallbackrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSPositionFallbackRule"]], "cssproperty (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSProperty"]], "csspropertyregistration (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSPropertyRegistration"]], "csspropertyrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSPropertyRule"]], "cssrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSRule"]], "cssruletype (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSRuleType"]], "cssscope (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSScope"]], "cssstyle (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSStyle"]], "cssstylesheetheader (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader"]], "csssupports (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSSupports"]], "csstryrule (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.CSSTryRule"]], "fontface (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.FontFace"]], "fontvariationaxis (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.FontVariationAxis"]], "fontsupdated (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.FontsUpdated"]], "injected (stylesheetorigin attribute)": [[11, "nodriver.cdp.css.StyleSheetOrigin.INJECTED"]], "inspector (stylesheetorigin attribute)": [[11, "nodriver.cdp.css.StyleSheetOrigin.INSPECTOR"]], "inheritedpseudoelementmatches (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.InheritedPseudoElementMatches"]], "inheritedstyleentry (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.InheritedStyleEntry"]], "layer_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.LAYER_RULE"]], "media_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.MEDIA_RULE"]], "mediaquery (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.MediaQuery"]], "mediaqueryexpression (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.MediaQueryExpression"]], "mediaqueryresultchanged (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.MediaQueryResultChanged"]], "platformfontusage (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.PlatformFontUsage"]], "pseudoelementmatches (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.PseudoElementMatches"]], "regular (stylesheetorigin attribute)": [[11, "nodriver.cdp.css.StyleSheetOrigin.REGULAR"]], "rulematch (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.RuleMatch"]], "ruleusage (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.RuleUsage"]], "scope_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.SCOPE_RULE"]], "style_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.STYLE_RULE"]], "supports_rule (cssruletype attribute)": [[11, "nodriver.cdp.css.CSSRuleType.SUPPORTS_RULE"]], "selectorlist (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.SelectorList"]], "shorthandentry (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.ShorthandEntry"]], "sourcerange (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.SourceRange"]], "specificity (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.Specificity"]], "styledeclarationedit (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleDeclarationEdit"]], "stylesheetadded (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetAdded"]], "stylesheetchanged (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetChanged"]], "stylesheetid (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetId"]], "stylesheetorigin (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetOrigin"]], "stylesheetremoved (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.StyleSheetRemoved"]], "user_agent (stylesheetorigin attribute)": [[11, "nodriver.cdp.css.StyleSheetOrigin.USER_AGENT"]], "value (class in nodriver.cdp.css)": [[11, "nodriver.cdp.css.Value"]], "a (specificity attribute)": [[11, "nodriver.cdp.css.Specificity.a"]], "active (csssupports attribute)": [[11, "nodriver.cdp.css.CSSSupports.active"]], "active (mediaquery attribute)": [[11, "nodriver.cdp.css.MediaQuery.active"]], "add_rule() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.add_rule"]], "animation_name (csskeyframesrule attribute)": [[11, "nodriver.cdp.css.CSSKeyframesRule.animation_name"]], "b (specificity attribute)": [[11, "nodriver.cdp.css.Specificity.b"]], "c (specificity attribute)": [[11, "nodriver.cdp.css.Specificity.c"]], "collect_class_names() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.collect_class_names"]], "computed_length (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.computed_length"]], "container_queries (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.container_queries"]], "create_style_sheet() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.create_style_sheet"]], "css_properties (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.css_properties"]], "css_text (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.css_text"]], "default_value (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.default_value"]], "disable() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.disable"]], "disabled (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.disabled"]], "disabled (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.disabled"]], "enable() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.enable"]], "end_column (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.end_column"]], "end_column (sourcerange attribute)": [[11, "nodriver.cdp.css.SourceRange.end_column"]], "end_line (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.end_line"]], "end_line (sourcerange attribute)": [[11, "nodriver.cdp.css.SourceRange.end_line"]], "end_offset (ruleusage attribute)": [[11, "nodriver.cdp.css.RuleUsage.end_offset"]], "expressions (mediaquery attribute)": [[11, "nodriver.cdp.css.MediaQuery.expressions"]], "family_name (platformfontusage attribute)": [[11, "nodriver.cdp.css.PlatformFontUsage.family_name"]], "feature (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.feature"]], "font (fontsupdated attribute)": [[11, "nodriver.cdp.css.FontsUpdated.font"]], "font_display (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_display"]], "font_family (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_family"]], "font_palette_name (cssfontpalettevaluesrule attribute)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule.font_palette_name"]], "font_stretch (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_stretch"]], "font_style (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_style"]], "font_variant (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_variant"]], "font_variation_axes (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_variation_axes"]], "font_weight (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.font_weight"]], "force_pseudo_state() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.force_pseudo_state"]], "frame_id (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.frame_id"]], "get_background_colors() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_background_colors"]], "get_computed_style_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_computed_style_for_node"]], "get_inline_styles_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_inline_styles_for_node"]], "get_layers_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_layers_for_node"]], "get_matched_styles_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_matched_styles_for_node"]], "get_media_queries() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_media_queries"]], "get_platform_fonts_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_platform_fonts_for_node"]], "get_style_sheet_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.get_style_sheet_text"]], "glyph_count (platformfontusage attribute)": [[11, "nodriver.cdp.css.PlatformFontUsage.glyph_count"]], "has_source_url (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.has_source_url"]], "header (stylesheetadded attribute)": [[11, "nodriver.cdp.css.StyleSheetAdded.header"]], "implicit (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.implicit"]], "important (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.important"]], "important (shorthandentry attribute)": [[11, "nodriver.cdp.css.ShorthandEntry.important"]], "inherits (csspropertyregistration attribute)": [[11, "nodriver.cdp.css.CSSPropertyRegistration.inherits"]], "initial_value (csspropertyregistration attribute)": [[11, "nodriver.cdp.css.CSSPropertyRegistration.initial_value"]], "inline_style (inheritedstyleentry attribute)": [[11, "nodriver.cdp.css.InheritedStyleEntry.inline_style"]], "is_constructed (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.is_constructed"]], "is_custom_font (platformfontusage attribute)": [[11, "nodriver.cdp.css.PlatformFontUsage.is_custom_font"]], "is_inline (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.is_inline"]], "is_mutable (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.is_mutable"]], "key_text (csskeyframerule attribute)": [[11, "nodriver.cdp.css.CSSKeyframeRule.key_text"]], "keyframes (csskeyframesrule attribute)": [[11, "nodriver.cdp.css.CSSKeyframesRule.keyframes"]], "layers (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.layers"]], "length (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.length"]], "loading_failed (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.loading_failed"]], "logical_axes (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.logical_axes"]], "longhand_properties (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.longhand_properties"]], "matched_css_rules (inheritedstyleentry attribute)": [[11, "nodriver.cdp.css.InheritedStyleEntry.matched_css_rules"]], "matches (pseudoelementmatches attribute)": [[11, "nodriver.cdp.css.PseudoElementMatches.matches"]], "matching_selectors (rulematch attribute)": [[11, "nodriver.cdp.css.RuleMatch.matching_selectors"]], "max_value (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.max_value"]], "media (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.media"]], "media_list (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.media_list"]], "min_value (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.min_value"]], "name (csscomputedstyleproperty attribute)": [[11, "nodriver.cdp.css.CSSComputedStyleProperty.name"], [16, "nodriver.cdp.dom.CSSComputedStyleProperty.name"]], "name (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.name"]], "name (csslayerdata attribute)": [[11, "nodriver.cdp.css.CSSLayerData.name"]], "name (csspositionfallbackrule attribute)": [[11, "nodriver.cdp.css.CSSPositionFallbackRule.name"]], "name (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.name"]], "name (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.name"]], "name (shorthandentry attribute)": [[11, "nodriver.cdp.css.ShorthandEntry.name"]], "nesting_selectors (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.nesting_selectors"]], "nodriver.cdp.css": [[11, "module-nodriver.cdp.css"]], "order (csslayerdata attribute)": [[11, "nodriver.cdp.css.CSSLayerData.order"]], "origin (cssfontpalettevaluesrule attribute)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule.origin"]], "origin (csskeyframerule attribute)": [[11, "nodriver.cdp.css.CSSKeyframeRule.origin"]], "origin (csspropertyrule attribute)": [[11, "nodriver.cdp.css.CSSPropertyRule.origin"]], "origin (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.origin"]], "origin (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.origin"]], "origin (csstryrule attribute)": [[11, "nodriver.cdp.css.CSSTryRule.origin"]], "owner_node (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.owner_node"]], "parsed_ok (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.parsed_ok"]], "physical_axes (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.physical_axes"]], "platform_font_family (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.platform_font_family"]], "post_script_name (platformfontusage attribute)": [[11, "nodriver.cdp.css.PlatformFontUsage.post_script_name"]], "property_name (csspropertyregistration attribute)": [[11, "nodriver.cdp.css.CSSPropertyRegistration.property_name"]], "property_name (csspropertyrule attribute)": [[11, "nodriver.cdp.css.CSSPropertyRule.property_name"]], "pseudo_elements (inheritedpseudoelementmatches attribute)": [[11, "nodriver.cdp.css.InheritedPseudoElementMatches.pseudo_elements"]], "pseudo_identifier (pseudoelementmatches attribute)": [[11, "nodriver.cdp.css.PseudoElementMatches.pseudo_identifier"]], "pseudo_type (pseudoelementmatches attribute)": [[11, "nodriver.cdp.css.PseudoElementMatches.pseudo_type"]], "range_ (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.range_"]], "range_ (csslayer attribute)": [[11, "nodriver.cdp.css.CSSLayer.range_"]], "range_ (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.range_"]], "range_ (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.range_"]], "range_ (cssscope attribute)": [[11, "nodriver.cdp.css.CSSScope.range_"]], "range_ (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.range_"]], "range_ (csssupports attribute)": [[11, "nodriver.cdp.css.CSSSupports.range_"]], "range_ (styledeclarationedit attribute)": [[11, "nodriver.cdp.css.StyleDeclarationEdit.range_"]], "range_ (value attribute)": [[11, "nodriver.cdp.css.Value.range_"]], "rule (rulematch attribute)": [[11, "nodriver.cdp.css.RuleMatch.rule"]], "rule_types (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.rule_types"]], "scopes (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.scopes"]], "selector_list (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.selector_list"]], "selectors (selectorlist attribute)": [[11, "nodriver.cdp.css.SelectorList.selectors"]], "set_container_query_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_container_query_text"]], "set_effective_property_value_for_node() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_effective_property_value_for_node"]], "set_keyframe_key() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_keyframe_key"]], "set_local_fonts_enabled() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_local_fonts_enabled"]], "set_media_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_media_text"]], "set_property_rule_property_name() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_property_rule_property_name"]], "set_rule_selector() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_rule_selector"]], "set_scope_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_scope_text"]], "set_style_sheet_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_style_sheet_text"]], "set_style_texts() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_style_texts"]], "set_supports_text() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.set_supports_text"]], "shorthand_entries (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.shorthand_entries"]], "source (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.source"]], "source_map_url (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.source_map_url"]], "source_url (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.source_url"]], "source_url (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.source_url"]], "specificity (value attribute)": [[11, "nodriver.cdp.css.Value.specificity"]], "src (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.src"]], "start_column (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.start_column"]], "start_column (sourcerange attribute)": [[11, "nodriver.cdp.css.SourceRange.start_column"]], "start_line (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.start_line"]], "start_line (sourcerange attribute)": [[11, "nodriver.cdp.css.SourceRange.start_line"]], "start_offset (ruleusage attribute)": [[11, "nodriver.cdp.css.RuleUsage.start_offset"]], "start_rule_usage_tracking() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.start_rule_usage_tracking"]], "stop_rule_usage_tracking() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.stop_rule_usage_tracking"]], "style (cssfontpalettevaluesrule attribute)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule.style"]], "style (csskeyframerule attribute)": [[11, "nodriver.cdp.css.CSSKeyframeRule.style"]], "style (csspropertyrule attribute)": [[11, "nodriver.cdp.css.CSSPropertyRule.style"]], "style (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.style"]], "style (csstryrule attribute)": [[11, "nodriver.cdp.css.CSSTryRule.style"]], "style_sheet_id (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.style_sheet_id"]], "style_sheet_id (cssfontpalettevaluesrule attribute)": [[11, "nodriver.cdp.css.CSSFontPaletteValuesRule.style_sheet_id"]], "style_sheet_id (csskeyframerule attribute)": [[11, "nodriver.cdp.css.CSSKeyframeRule.style_sheet_id"]], "style_sheet_id (csslayer attribute)": [[11, "nodriver.cdp.css.CSSLayer.style_sheet_id"]], "style_sheet_id (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.style_sheet_id"]], "style_sheet_id (csspropertyrule attribute)": [[11, "nodriver.cdp.css.CSSPropertyRule.style_sheet_id"]], "style_sheet_id (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.style_sheet_id"]], "style_sheet_id (cssscope attribute)": [[11, "nodriver.cdp.css.CSSScope.style_sheet_id"]], "style_sheet_id (cssstyle attribute)": [[11, "nodriver.cdp.css.CSSStyle.style_sheet_id"]], "style_sheet_id (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.style_sheet_id"]], "style_sheet_id (csssupports attribute)": [[11, "nodriver.cdp.css.CSSSupports.style_sheet_id"]], "style_sheet_id (csstryrule attribute)": [[11, "nodriver.cdp.css.CSSTryRule.style_sheet_id"]], "style_sheet_id (ruleusage attribute)": [[11, "nodriver.cdp.css.RuleUsage.style_sheet_id"]], "style_sheet_id (styledeclarationedit attribute)": [[11, "nodriver.cdp.css.StyleDeclarationEdit.style_sheet_id"]], "style_sheet_id (stylesheetchanged attribute)": [[11, "nodriver.cdp.css.StyleSheetChanged.style_sheet_id"]], "style_sheet_id (stylesheetremoved attribute)": [[11, "nodriver.cdp.css.StyleSheetRemoved.style_sheet_id"]], "sub_layers (csslayerdata attribute)": [[11, "nodriver.cdp.css.CSSLayerData.sub_layers"]], "supports (cssrule attribute)": [[11, "nodriver.cdp.css.CSSRule.supports"]], "syntax (csspropertyregistration attribute)": [[11, "nodriver.cdp.css.CSSPropertyRegistration.syntax"]], "tag (fontvariationaxis attribute)": [[11, "nodriver.cdp.css.FontVariationAxis.tag"]], "take_computed_style_updates() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.take_computed_style_updates"]], "take_coverage_delta() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.take_coverage_delta"]], "text (csscontainerquery attribute)": [[11, "nodriver.cdp.css.CSSContainerQuery.text"]], "text (csslayer attribute)": [[11, "nodriver.cdp.css.CSSLayer.text"]], "text (cssmedia attribute)": [[11, "nodriver.cdp.css.CSSMedia.text"]], "text (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.text"]], "text (cssscope attribute)": [[11, "nodriver.cdp.css.CSSScope.text"]], "text (csssupports attribute)": [[11, "nodriver.cdp.css.CSSSupports.text"]], "text (selectorlist attribute)": [[11, "nodriver.cdp.css.SelectorList.text"]], "text (styledeclarationedit attribute)": [[11, "nodriver.cdp.css.StyleDeclarationEdit.text"]], "text (value attribute)": [[11, "nodriver.cdp.css.Value.text"]], "title (cssstylesheetheader attribute)": [[11, "nodriver.cdp.css.CSSStyleSheetHeader.title"]], "track_computed_style_updates() (in module nodriver.cdp.css)": [[11, "nodriver.cdp.css.track_computed_style_updates"]], "try_rules (csspositionfallbackrule attribute)": [[11, "nodriver.cdp.css.CSSPositionFallbackRule.try_rules"]], "unicode_range (fontface attribute)": [[11, "nodriver.cdp.css.FontFace.unicode_range"]], "unit (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.unit"]], "used (ruleusage attribute)": [[11, "nodriver.cdp.css.RuleUsage.used"]], "value (csscomputedstyleproperty attribute)": [[11, "nodriver.cdp.css.CSSComputedStyleProperty.value"], [16, "nodriver.cdp.dom.CSSComputedStyleProperty.value"]], "value (cssproperty attribute)": [[11, "nodriver.cdp.css.CSSProperty.value"]], "value (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.value"]], "value (shorthandentry attribute)": [[11, "nodriver.cdp.css.ShorthandEntry.value"]], "value_range (mediaqueryexpression attribute)": [[11, "nodriver.cdp.css.MediaQueryExpression.value_range"]], "adddatabase (class in nodriver.cdp.database)": [[12, "nodriver.cdp.database.AddDatabase"]], "database (class in nodriver.cdp.database)": [[12, "nodriver.cdp.database.Database"]], "databaseid (class in nodriver.cdp.database)": [[12, "nodriver.cdp.database.DatabaseId"]], "error (class in nodriver.cdp.database)": [[12, "nodriver.cdp.database.Error"]], "code (error attribute)": [[12, "nodriver.cdp.database.Error.code"]], "database (adddatabase attribute)": [[12, "nodriver.cdp.database.AddDatabase.database"]], "disable() (in module nodriver.cdp.database)": [[12, "nodriver.cdp.database.disable"]], "domain (database attribute)": [[12, "nodriver.cdp.database.Database.domain"]], "enable() (in module nodriver.cdp.database)": [[12, "nodriver.cdp.database.enable"]], "execute_sql() (in module nodriver.cdp.database)": [[12, "nodriver.cdp.database.execute_sql"]], "get_database_table_names() (in module nodriver.cdp.database)": [[12, "nodriver.cdp.database.get_database_table_names"]], "id_ (database attribute)": [[12, "nodriver.cdp.database.Database.id_"]], "message (error attribute)": [[12, "nodriver.cdp.database.Error.message"]], "name (database attribute)": [[12, "nodriver.cdp.database.Database.name"]], "nodriver.cdp.database": [[12, "module-nodriver.cdp.database"]], "version (database attribute)": [[12, "nodriver.cdp.database.Database.version"]], "breaklocation (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.BreakLocation"]], "breakpointid (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.BreakpointId"]], "breakpointresolved (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.BreakpointResolved"]], "callframe (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.CallFrame"]], "callframeid (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.CallFrameId"]], "debugsymbols (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.DebugSymbols"]], "java_script (scriptlanguage attribute)": [[13, "nodriver.cdp.debugger.ScriptLanguage.JAVA_SCRIPT"]], "location (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.Location"]], "locationrange (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.LocationRange"]], "paused (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.Paused"]], "resumed (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.Resumed"]], "scope (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.Scope"]], "scriptfailedtoparse (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse"]], "scriptlanguage (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.ScriptLanguage"]], "scriptparsed (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.ScriptParsed"]], "scriptposition (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.ScriptPosition"]], "searchmatch (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.SearchMatch"]], "web_assembly (scriptlanguage attribute)": [[13, "nodriver.cdp.debugger.ScriptLanguage.WEB_ASSEMBLY"]], "wasmdisassemblychunk (class in nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.WasmDisassemblyChunk"]], "async_call_stack_trace_id (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.async_call_stack_trace_id"]], "async_stack_trace (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.async_stack_trace"]], "async_stack_trace_id (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.async_stack_trace_id"]], "breakpoint_id (breakpointresolved attribute)": [[13, "nodriver.cdp.debugger.BreakpointResolved.breakpoint_id"]], "bytecode_offsets (wasmdisassemblychunk attribute)": [[13, "nodriver.cdp.debugger.WasmDisassemblyChunk.bytecode_offsets"]], "call_frame_id (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.call_frame_id"]], "call_frames (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.call_frames"]], "can_be_restarted (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.can_be_restarted"]], "code_offset (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.code_offset"]], "code_offset (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.code_offset"]], "column_number (breaklocation attribute)": [[13, "nodriver.cdp.debugger.BreakLocation.column_number"]], "column_number (location attribute)": [[13, "nodriver.cdp.debugger.Location.column_number"]], "column_number (scriptposition attribute)": [[13, "nodriver.cdp.debugger.ScriptPosition.column_number"]], "continue_to_location() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.continue_to_location"]], "data (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.data"]], "debug_symbols (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.debug_symbols"]], "disable() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.disable"]], "disassemble_wasm_module() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.disassemble_wasm_module"]], "embedder_name (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.embedder_name"]], "embedder_name (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.embedder_name"]], "enable() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.enable"]], "end (locationrange attribute)": [[13, "nodriver.cdp.debugger.LocationRange.end"]], "end_column (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.end_column"]], "end_column (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.end_column"]], "end_line (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.end_line"]], "end_line (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.end_line"]], "end_location (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.end_location"]], "evaluate_on_call_frame() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.evaluate_on_call_frame"]], "execution_context_aux_data (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.execution_context_aux_data"]], "execution_context_aux_data (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.execution_context_aux_data"]], "execution_context_id (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.execution_context_id"]], "execution_context_id (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.execution_context_id"]], "external_url (debugsymbols attribute)": [[13, "nodriver.cdp.debugger.DebugSymbols.external_url"]], "function_location (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.function_location"]], "function_name (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.function_name"], [41, "nodriver.cdp.runtime.CallFrame.function_name"]], "get_possible_breakpoints() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.get_possible_breakpoints"]], "get_script_source() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.get_script_source"]], "get_stack_trace() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.get_stack_trace"]], "get_wasm_bytecode() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.get_wasm_bytecode"]], "has_source_url (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.has_source_url"]], "has_source_url (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.has_source_url"]], "hash_ (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.hash_"]], "hash_ (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.hash_"]], "hit_breakpoints (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.hit_breakpoints"]], "is_live_edit (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.is_live_edit"]], "is_module (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.is_module"]], "is_module (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.is_module"]], "length (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.length"]], "length (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.length"]], "line_content (searchmatch attribute)": [[13, "nodriver.cdp.debugger.SearchMatch.line_content"]], "line_number (breaklocation attribute)": [[13, "nodriver.cdp.debugger.BreakLocation.line_number"]], "line_number (location attribute)": [[13, "nodriver.cdp.debugger.Location.line_number"]], "line_number (scriptposition attribute)": [[13, "nodriver.cdp.debugger.ScriptPosition.line_number"]], "line_number (searchmatch attribute)": [[13, "nodriver.cdp.debugger.SearchMatch.line_number"]], "lines (wasmdisassemblychunk attribute)": [[13, "nodriver.cdp.debugger.WasmDisassemblyChunk.lines"]], "location (breakpointresolved attribute)": [[13, "nodriver.cdp.debugger.BreakpointResolved.location"]], "location (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.location"]], "name (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.name"]], "next_wasm_disassembly_chunk() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.next_wasm_disassembly_chunk"]], "nodriver.cdp.debugger": [[13, "module-nodriver.cdp.debugger"]], "object_ (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.object_"]], "pause() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.pause"]], "pause_on_async_call() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.pause_on_async_call"]], "reason (paused attribute)": [[13, "nodriver.cdp.debugger.Paused.reason"]], "remove_breakpoint() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.remove_breakpoint"]], "restart_frame() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.restart_frame"]], "resume() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.resume"]], "return_value (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.return_value"]], "scope_chain (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.scope_chain"]], "script_id (breaklocation attribute)": [[13, "nodriver.cdp.debugger.BreakLocation.script_id"]], "script_id (location attribute)": [[13, "nodriver.cdp.debugger.Location.script_id"]], "script_id (locationrange attribute)": [[13, "nodriver.cdp.debugger.LocationRange.script_id"]], "script_id (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.script_id"]], "script_id (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.script_id"]], "script_language (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.script_language"]], "script_language (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.script_language"]], "search_in_content() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.search_in_content"]], "set_async_call_stack_depth() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_async_call_stack_depth"]], "set_blackbox_patterns() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_blackbox_patterns"]], "set_blackboxed_ranges() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_blackboxed_ranges"]], "set_breakpoint() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_breakpoint"]], "set_breakpoint_by_url() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_breakpoint_by_url"]], "set_breakpoint_on_function_call() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_breakpoint_on_function_call"]], "set_breakpoints_active() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_breakpoints_active"]], "set_instrumentation_breakpoint() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_instrumentation_breakpoint"]], "set_pause_on_exceptions() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_pause_on_exceptions"]], "set_return_value() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_return_value"]], "set_script_source() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_script_source"]], "set_skip_all_pauses() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_skip_all_pauses"]], "set_variable_value() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.set_variable_value"]], "source_map_url (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.source_map_url"]], "source_map_url (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.source_map_url"]], "stack_trace (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.stack_trace"]], "stack_trace (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.stack_trace"]], "start (locationrange attribute)": [[13, "nodriver.cdp.debugger.LocationRange.start"]], "start_column (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.start_column"]], "start_column (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.start_column"]], "start_line (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.start_line"]], "start_line (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.start_line"]], "start_location (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.start_location"]], "step_into() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.step_into"]], "step_out() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.step_out"]], "step_over() (in module nodriver.cdp.debugger)": [[13, "nodriver.cdp.debugger.step_over"]], "this (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.this"]], "type_ (breaklocation attribute)": [[13, "nodriver.cdp.debugger.BreakLocation.type_"]], "type_ (debugsymbols attribute)": [[13, "nodriver.cdp.debugger.DebugSymbols.type_"]], "type_ (scope attribute)": [[13, "nodriver.cdp.debugger.Scope.type_"]], "url (callframe attribute)": [[13, "nodriver.cdp.debugger.CallFrame.url"], [41, "nodriver.cdp.runtime.CallFrame.url"]], "url (scriptfailedtoparse attribute)": [[13, "nodriver.cdp.debugger.ScriptFailedToParse.url"]], "url (scriptparsed attribute)": [[13, "nodriver.cdp.debugger.ScriptParsed.url"]], "deviceid (class in nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.DeviceId"]], "devicerequestprompted (class in nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.DeviceRequestPrompted"]], "promptdevice (class in nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.PromptDevice"]], "requestid (class in nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.RequestId"]], "cancel_prompt() (in module nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.cancel_prompt"]], "devices (devicerequestprompted attribute)": [[14, "nodriver.cdp.device_access.DeviceRequestPrompted.devices"]], "disable() (in module nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.disable"]], "enable() (in module nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.enable"]], "id_ (devicerequestprompted attribute)": [[14, "nodriver.cdp.device_access.DeviceRequestPrompted.id_"]], "id_ (promptdevice attribute)": [[14, "nodriver.cdp.device_access.PromptDevice.id_"]], "name (promptdevice attribute)": [[14, "nodriver.cdp.device_access.PromptDevice.name"]], "nodriver.cdp.device_access": [[14, "module-nodriver.cdp.device_access"]], "select_prompt() (in module nodriver.cdp.device_access)": [[14, "nodriver.cdp.device_access.select_prompt"]], "clear_device_orientation_override() (in module nodriver.cdp.device_orientation)": [[15, "nodriver.cdp.device_orientation.clear_device_orientation_override"]], "nodriver.cdp.device_orientation": [[15, "module-nodriver.cdp.device_orientation"]], "set_device_orientation_override() (in module nodriver.cdp.device_orientation)": [[15, "nodriver.cdp.device_orientation.set_device_orientation_override"]], "after (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.AFTER"]], "attributemodified (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.AttributeModified"]], "attributeremoved (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.AttributeRemoved"]], "backdrop (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.BACKDROP"]], "before (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.BEFORE"]], "block (logicalaxes attribute)": [[16, "nodriver.cdp.dom.LogicalAxes.BLOCK"]], "both (logicalaxes attribute)": [[16, "nodriver.cdp.dom.LogicalAxes.BOTH"]], "both (physicalaxes attribute)": [[16, "nodriver.cdp.dom.PhysicalAxes.BOTH"]], "backendnode (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.BackendNode"]], "backendnodeid (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.BackendNodeId"]], "boxmodel (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.BoxModel"]], "closed (shadowroottype attribute)": [[16, "nodriver.cdp.dom.ShadowRootType.CLOSED"]], "csscomputedstyleproperty (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.CSSComputedStyleProperty"]], "characterdatamodified (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.CharacterDataModified"]], "childnodecountupdated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ChildNodeCountUpdated"]], "childnodeinserted (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ChildNodeInserted"]], "childnoderemoved (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ChildNodeRemoved"]], "compatibilitymode (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.CompatibilityMode"]], "distributednodesupdated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.DistributedNodesUpdated"]], "documentupdated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.DocumentUpdated"]], "first_letter (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.FIRST_LETTER"]], "first_line (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.FIRST_LINE"]], "first_line_inherited (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.FIRST_LINE_INHERITED"]], "grammar_error (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.GRAMMAR_ERROR"]], "highlight (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.HIGHLIGHT"]], "horizontal (physicalaxes attribute)": [[16, "nodriver.cdp.dom.PhysicalAxes.HORIZONTAL"]], "inline (logicalaxes attribute)": [[16, "nodriver.cdp.dom.LogicalAxes.INLINE"]], "input_list_button (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.INPUT_LIST_BUTTON"]], "inlinestyleinvalidated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.InlineStyleInvalidated"]], "limited_quirks_mode (compatibilitymode attribute)": [[16, "nodriver.cdp.dom.CompatibilityMode.LIMITED_QUIRKS_MODE"]], "logicalaxes (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.LogicalAxes"]], "marker (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.MARKER"]], "no_quirks_mode (compatibilitymode attribute)": [[16, "nodriver.cdp.dom.CompatibilityMode.NO_QUIRKS_MODE"]], "node (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.Node"]], "nodeid (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.NodeId"]], "open_ (shadowroottype attribute)": [[16, "nodriver.cdp.dom.ShadowRootType.OPEN_"]], "physicalaxes (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.PhysicalAxes"]], "pseudoelementadded (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.PseudoElementAdded"]], "pseudoelementremoved (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.PseudoElementRemoved"]], "pseudotype (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.PseudoType"]], "quirks_mode (compatibilitymode attribute)": [[16, "nodriver.cdp.dom.CompatibilityMode.QUIRKS_MODE"]], "quad (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.Quad"]], "resizer (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.RESIZER"]], "rgba (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.RGBA"]], "rect (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.Rect"]], "scrollbar (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR"]], "scrollbar_button (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_BUTTON"]], "scrollbar_corner (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_CORNER"]], "scrollbar_thumb (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_THUMB"]], "scrollbar_track (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_TRACK"]], "scrollbar_track_piece (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SCROLLBAR_TRACK_PIECE"]], "selection (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SELECTION"]], "spelling_error (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.SPELLING_ERROR"]], "setchildnodes (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.SetChildNodes"]], "shadowrootpopped (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ShadowRootPopped"]], "shadowrootpushed (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ShadowRootPushed"]], "shadowroottype (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ShadowRootType"]], "shapeoutsideinfo (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.ShapeOutsideInfo"]], "target_text (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.TARGET_TEXT"]], "toplayerelementsupdated (class in nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.TopLayerElementsUpdated"]], "user_agent (shadowroottype attribute)": [[16, "nodriver.cdp.dom.ShadowRootType.USER_AGENT"]], "vertical (physicalaxes attribute)": [[16, "nodriver.cdp.dom.PhysicalAxes.VERTICAL"]], "view_transition (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION"]], "view_transition_group (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION_GROUP"]], "view_transition_image_pair (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION_IMAGE_PAIR"]], "view_transition_new (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION_NEW"]], "view_transition_old (pseudotype attribute)": [[16, "nodriver.cdp.dom.PseudoType.VIEW_TRANSITION_OLD"]], "a (rgba attribute)": [[16, "nodriver.cdp.dom.RGBA.a"]], "assigned_slot (node attribute)": [[16, "nodriver.cdp.dom.Node.assigned_slot"]], "attributes (node attribute)": [[16, "nodriver.cdp.dom.Node.attributes"]], "b (rgba attribute)": [[16, "nodriver.cdp.dom.RGBA.b"]], "backend_node_id (backendnode attribute)": [[16, "nodriver.cdp.dom.BackendNode.backend_node_id"]], "backend_node_id (node attribute)": [[16, "nodriver.cdp.dom.Node.backend_node_id"]], "base_url (node attribute)": [[16, "nodriver.cdp.dom.Node.base_url"]], "border (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.border"]], "bounds (shapeoutsideinfo attribute)": [[16, "nodriver.cdp.dom.ShapeOutsideInfo.bounds"]], "character_data (characterdatamodified attribute)": [[16, "nodriver.cdp.dom.CharacterDataModified.character_data"]], "child_node_count (childnodecountupdated attribute)": [[16, "nodriver.cdp.dom.ChildNodeCountUpdated.child_node_count"]], "child_node_count (node attribute)": [[16, "nodriver.cdp.dom.Node.child_node_count"]], "children (node attribute)": [[16, "nodriver.cdp.dom.Node.children"]], "collect_class_names_from_subtree() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.collect_class_names_from_subtree"]], "compatibility_mode (node attribute)": [[16, "nodriver.cdp.dom.Node.compatibility_mode"]], "content (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.content"]], "content_document (node attribute)": [[16, "nodriver.cdp.dom.Node.content_document"]], "copy_to() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.copy_to"]], "describe_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.describe_node"]], "disable() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.disable"]], "discard_search_results() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.discard_search_results"]], "distributed_nodes (distributednodesupdated attribute)": [[16, "nodriver.cdp.dom.DistributedNodesUpdated.distributed_nodes"]], "distributed_nodes (node attribute)": [[16, "nodriver.cdp.dom.Node.distributed_nodes"]], "document_url (node attribute)": [[16, "nodriver.cdp.dom.Node.document_url"]], "enable() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.enable"]], "focus() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.focus"]], "frame_id (node attribute)": [[16, "nodriver.cdp.dom.Node.frame_id"]], "g (rgba attribute)": [[16, "nodriver.cdp.dom.RGBA.g"]], "get_attributes() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_attributes"]], "get_box_model() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_box_model"]], "get_container_for_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_container_for_node"]], "get_content_quads() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_content_quads"]], "get_document() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_document"]], "get_file_info() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_file_info"]], "get_flattened_document() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_flattened_document"]], "get_frame_owner() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_frame_owner"]], "get_node_for_location() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_node_for_location"]], "get_node_stack_traces() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_node_stack_traces"]], "get_nodes_for_subtree_by_style() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_nodes_for_subtree_by_style"]], "get_outer_html() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_outer_html"]], "get_querying_descendants_for_container() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_querying_descendants_for_container"]], "get_relayout_boundary() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_relayout_boundary"]], "get_search_results() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_search_results"]], "get_top_layer_elements() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.get_top_layer_elements"]], "height (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.height"]], "height (rect attribute)": [[16, "nodriver.cdp.dom.Rect.height"]], "hide_highlight() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.hide_highlight"]], "highlight_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.highlight_node"]], "highlight_rect() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.highlight_rect"]], "host_id (shadowrootpopped attribute)": [[16, "nodriver.cdp.dom.ShadowRootPopped.host_id"]], "host_id (shadowrootpushed attribute)": [[16, "nodriver.cdp.dom.ShadowRootPushed.host_id"]], "imported_document (node attribute)": [[16, "nodriver.cdp.dom.Node.imported_document"]], "insertion_point_id (distributednodesupdated attribute)": [[16, "nodriver.cdp.dom.DistributedNodesUpdated.insertion_point_id"]], "internal_subset (node attribute)": [[16, "nodriver.cdp.dom.Node.internal_subset"]], "is_svg (node attribute)": [[16, "nodriver.cdp.dom.Node.is_svg"]], "local_name (node attribute)": [[16, "nodriver.cdp.dom.Node.local_name"]], "margin (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.margin"]], "margin_shape (shapeoutsideinfo attribute)": [[16, "nodriver.cdp.dom.ShapeOutsideInfo.margin_shape"]], "mark_undoable_state() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.mark_undoable_state"]], "move_to() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.move_to"]], "name (attributemodified attribute)": [[16, "nodriver.cdp.dom.AttributeModified.name"]], "name (attributeremoved attribute)": [[16, "nodriver.cdp.dom.AttributeRemoved.name"]], "name (node attribute)": [[16, "nodriver.cdp.dom.Node.name"]], "node (childnodeinserted attribute)": [[16, "nodriver.cdp.dom.ChildNodeInserted.node"]], "node_id (attributemodified attribute)": [[16, "nodriver.cdp.dom.AttributeModified.node_id"]], "node_id (attributeremoved attribute)": [[16, "nodriver.cdp.dom.AttributeRemoved.node_id"]], "node_id (characterdatamodified attribute)": [[16, "nodriver.cdp.dom.CharacterDataModified.node_id"]], "node_id (childnodecountupdated attribute)": [[16, "nodriver.cdp.dom.ChildNodeCountUpdated.node_id"]], "node_id (childnoderemoved attribute)": [[16, "nodriver.cdp.dom.ChildNodeRemoved.node_id"]], "node_id (node attribute)": [[16, "nodriver.cdp.dom.Node.node_id"]], "node_ids (inlinestyleinvalidated attribute)": [[16, "nodriver.cdp.dom.InlineStyleInvalidated.node_ids"]], "node_name (backendnode attribute)": [[16, "nodriver.cdp.dom.BackendNode.node_name"]], "node_name (node attribute)": [[16, "nodriver.cdp.dom.Node.node_name"]], "node_type (backendnode attribute)": [[16, "nodriver.cdp.dom.BackendNode.node_type"]], "node_type (node attribute)": [[16, "nodriver.cdp.dom.Node.node_type"]], "node_value (node attribute)": [[16, "nodriver.cdp.dom.Node.node_value"]], "nodes (setchildnodes attribute)": [[16, "nodriver.cdp.dom.SetChildNodes.nodes"]], "nodriver.cdp.dom": [[16, "module-nodriver.cdp.dom"]], "padding (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.padding"]], "parent_id (node attribute)": [[16, "nodriver.cdp.dom.Node.parent_id"]], "parent_id (pseudoelementadded attribute)": [[16, "nodriver.cdp.dom.PseudoElementAdded.parent_id"]], "parent_id (pseudoelementremoved attribute)": [[16, "nodriver.cdp.dom.PseudoElementRemoved.parent_id"]], "parent_id (setchildnodes attribute)": [[16, "nodriver.cdp.dom.SetChildNodes.parent_id"]], "parent_node_id (childnodeinserted attribute)": [[16, "nodriver.cdp.dom.ChildNodeInserted.parent_node_id"]], "parent_node_id (childnoderemoved attribute)": [[16, "nodriver.cdp.dom.ChildNodeRemoved.parent_node_id"]], "perform_search() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.perform_search"]], "previous_node_id (childnodeinserted attribute)": [[16, "nodriver.cdp.dom.ChildNodeInserted.previous_node_id"]], "pseudo_element (pseudoelementadded attribute)": [[16, "nodriver.cdp.dom.PseudoElementAdded.pseudo_element"]], "pseudo_element_id (pseudoelementremoved attribute)": [[16, "nodriver.cdp.dom.PseudoElementRemoved.pseudo_element_id"]], "pseudo_elements (node attribute)": [[16, "nodriver.cdp.dom.Node.pseudo_elements"]], "pseudo_identifier (node attribute)": [[16, "nodriver.cdp.dom.Node.pseudo_identifier"]], "pseudo_type (node attribute)": [[16, "nodriver.cdp.dom.Node.pseudo_type"]], "public_id (node attribute)": [[16, "nodriver.cdp.dom.Node.public_id"]], "push_node_by_path_to_frontend() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.push_node_by_path_to_frontend"]], "push_nodes_by_backend_ids_to_frontend() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.push_nodes_by_backend_ids_to_frontend"]], "query_selector() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.query_selector"]], "query_selector_all() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.query_selector_all"]], "r (rgba attribute)": [[16, "nodriver.cdp.dom.RGBA.r"]], "redo() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.redo"]], "remove_attribute() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.remove_attribute"]], "remove_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.remove_node"]], "request_child_nodes() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.request_child_nodes"]], "request_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.request_node"]], "resolve_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.resolve_node"]], "root (shadowrootpushed attribute)": [[16, "nodriver.cdp.dom.ShadowRootPushed.root"]], "root_id (shadowrootpopped attribute)": [[16, "nodriver.cdp.dom.ShadowRootPopped.root_id"]], "scroll_into_view_if_needed() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.scroll_into_view_if_needed"]], "set_attribute_value() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_attribute_value"]], "set_attributes_as_text() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_attributes_as_text"]], "set_file_input_files() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_file_input_files"]], "set_inspected_node() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_inspected_node"]], "set_node_name() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_node_name"]], "set_node_stack_traces_enabled() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_node_stack_traces_enabled"]], "set_node_value() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_node_value"]], "set_outer_html() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.set_outer_html"]], "shadow_root_type (node attribute)": [[16, "nodriver.cdp.dom.Node.shadow_root_type"]], "shadow_roots (node attribute)": [[16, "nodriver.cdp.dom.Node.shadow_roots"]], "shape (shapeoutsideinfo attribute)": [[16, "nodriver.cdp.dom.ShapeOutsideInfo.shape"]], "shape_outside (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.shape_outside"]], "system_id (node attribute)": [[16, "nodriver.cdp.dom.Node.system_id"]], "template_content (node attribute)": [[16, "nodriver.cdp.dom.Node.template_content"]], "undo() (in module nodriver.cdp.dom)": [[16, "nodriver.cdp.dom.undo"]], "value (attributemodified attribute)": [[16, "nodriver.cdp.dom.AttributeModified.value"]], "value (node attribute)": [[16, "nodriver.cdp.dom.Node.value"]], "width (boxmodel attribute)": [[16, "nodriver.cdp.dom.BoxModel.width"]], "width (rect attribute)": [[16, "nodriver.cdp.dom.Rect.width"]], "x (rect attribute)": [[16, "nodriver.cdp.dom.Rect.x"]], "xml_version (node attribute)": [[16, "nodriver.cdp.dom.Node.xml_version"]], "y (rect attribute)": [[16, "nodriver.cdp.dom.Rect.y"]], "attribute_modified (dombreakpointtype attribute)": [[17, "nodriver.cdp.dom_debugger.DOMBreakpointType.ATTRIBUTE_MODIFIED"]], "cspviolationtype (class in nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.CSPViolationType"]], "dombreakpointtype (class in nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.DOMBreakpointType"]], "eventlistener (class in nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.EventListener"]], "node_removed (dombreakpointtype attribute)": [[17, "nodriver.cdp.dom_debugger.DOMBreakpointType.NODE_REMOVED"]], "subtree_modified (dombreakpointtype attribute)": [[17, "nodriver.cdp.dom_debugger.DOMBreakpointType.SUBTREE_MODIFIED"]], "trustedtype_policy_violation (cspviolationtype attribute)": [[17, "nodriver.cdp.dom_debugger.CSPViolationType.TRUSTEDTYPE_POLICY_VIOLATION"]], "trustedtype_sink_violation (cspviolationtype attribute)": [[17, "nodriver.cdp.dom_debugger.CSPViolationType.TRUSTEDTYPE_SINK_VIOLATION"]], "backend_node_id (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.backend_node_id"]], "column_number (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.column_number"]], "get_event_listeners() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.get_event_listeners"]], "handler (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.handler"]], "line_number (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.line_number"]], "nodriver.cdp.dom_debugger": [[17, "module-nodriver.cdp.dom_debugger"]], "once (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.once"]], "original_handler (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.original_handler"]], "passive (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.passive"]], "remove_dom_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.remove_dom_breakpoint"]], "remove_event_listener_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.remove_event_listener_breakpoint"]], "remove_instrumentation_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.remove_instrumentation_breakpoint"]], "remove_xhr_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.remove_xhr_breakpoint"]], "script_id (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.script_id"]], "set_break_on_csp_violation() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_break_on_csp_violation"]], "set_dom_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_dom_breakpoint"]], "set_event_listener_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_event_listener_breakpoint"]], "set_instrumentation_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_instrumentation_breakpoint"]], "set_xhr_breakpoint() (in module nodriver.cdp.dom_debugger)": [[17, "nodriver.cdp.dom_debugger.set_xhr_breakpoint"]], "type_ (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.type_"]], "use_capture (eventlistener attribute)": [[17, "nodriver.cdp.dom_debugger.EventListener.use_capture"]], "arrayofstrings (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.ArrayOfStrings"]], "computedstyle (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.ComputedStyle"]], "domnode (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.DOMNode"]], "documentsnapshot (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot"]], "inlinetextbox (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.InlineTextBox"]], "layouttreenode (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode"]], "layouttreesnapshot (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot"]], "namevalue (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.NameValue"]], "nodetreesnapshot (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot"]], "rarebooleandata (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.RareBooleanData"]], "rareintegerdata (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.RareIntegerData"]], "rarestringdata (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.RareStringData"]], "rectangle (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.Rectangle"]], "stringindex (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.StringIndex"]], "textboxsnapshot (class in nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot"]], "attributes (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.attributes"]], "attributes (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.attributes"]], "backend_node_id (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.backend_node_id"]], "backend_node_id (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.backend_node_id"]], "base_url (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.base_url"]], "base_url (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.base_url"]], "blended_background_colors (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.blended_background_colors"]], "bounding_box (inlinetextbox attribute)": [[18, "nodriver.cdp.dom_snapshot.InlineTextBox.bounding_box"]], "bounding_box (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.bounding_box"]], "bounds (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.bounds"]], "bounds (textboxsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot.bounds"]], "capture_snapshot() (in module nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.capture_snapshot"]], "child_node_indexes (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.child_node_indexes"]], "client_rects (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.client_rects"]], "content_document_index (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.content_document_index"]], "content_document_index (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.content_document_index"]], "content_height (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.content_height"]], "content_language (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.content_language"]], "content_language (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.content_language"]], "content_width (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.content_width"]], "current_source_url (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.current_source_url"]], "current_source_url (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.current_source_url"]], "disable() (in module nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.disable"]], "document_encoding (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.document_encoding"]], "document_url (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.document_url"]], "document_url (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.document_url"]], "dom_node_index (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.dom_node_index"]], "enable() (in module nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.enable"]], "encoding_name (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.encoding_name"]], "event_listeners (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.event_listeners"]], "frame_id (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.frame_id"]], "frame_id (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.frame_id"]], "get_snapshot() (in module nodriver.cdp.dom_snapshot)": [[18, "nodriver.cdp.dom_snapshot.get_snapshot"]], "index (rarebooleandata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareBooleanData.index"]], "index (rareintegerdata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareIntegerData.index"]], "index (rarestringdata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareStringData.index"]], "inline_text_nodes (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.inline_text_nodes"]], "input_checked (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.input_checked"]], "input_checked (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.input_checked"]], "input_value (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.input_value"]], "input_value (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.input_value"]], "is_clickable (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.is_clickable"]], "is_clickable (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.is_clickable"]], "is_stacking_context (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.is_stacking_context"]], "layout (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.layout"]], "layout_index (textboxsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot.layout_index"]], "layout_node_index (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.layout_node_index"]], "layout_text (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.layout_text"]], "length (textboxsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot.length"]], "name (namevalue attribute)": [[18, "nodriver.cdp.dom_snapshot.NameValue.name"]], "node_index (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.node_index"]], "node_name (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.node_name"]], "node_name (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.node_name"]], "node_type (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.node_type"]], "node_type (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.node_type"]], "node_value (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.node_value"]], "node_value (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.node_value"]], "nodes (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.nodes"]], "nodriver.cdp.dom_snapshot": [[18, "module-nodriver.cdp.dom_snapshot"]], "num_characters (inlinetextbox attribute)": [[18, "nodriver.cdp.dom_snapshot.InlineTextBox.num_characters"]], "offset_rects (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.offset_rects"]], "option_selected (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.option_selected"]], "option_selected (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.option_selected"]], "origin_url (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.origin_url"]], "origin_url (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.origin_url"]], "paint_order (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.paint_order"]], "paint_orders (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.paint_orders"]], "parent_index (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.parent_index"]], "properties (computedstyle attribute)": [[18, "nodriver.cdp.dom_snapshot.ComputedStyle.properties"]], "pseudo_element_indexes (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.pseudo_element_indexes"]], "pseudo_identifier (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.pseudo_identifier"]], "pseudo_type (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.pseudo_type"]], "pseudo_type (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.pseudo_type"]], "public_id (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.public_id"]], "public_id (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.public_id"]], "scroll_offset_x (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.scroll_offset_x"]], "scroll_offset_x (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.scroll_offset_x"]], "scroll_offset_y (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.scroll_offset_y"]], "scroll_offset_y (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.scroll_offset_y"]], "scroll_rects (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.scroll_rects"]], "shadow_root_type (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.shadow_root_type"]], "shadow_root_type (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.shadow_root_type"]], "stacking_contexts (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.stacking_contexts"]], "start (textboxsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.TextBoxSnapshot.start"]], "start_character_index (inlinetextbox attribute)": [[18, "nodriver.cdp.dom_snapshot.InlineTextBox.start_character_index"]], "style_index (layouttreenode attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeNode.style_index"]], "styles (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.styles"]], "system_id (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.system_id"]], "system_id (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.system_id"]], "text (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.text"]], "text_boxes (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.text_boxes"]], "text_color_opacities (layouttreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.LayoutTreeSnapshot.text_color_opacities"]], "text_value (domnode attribute)": [[18, "nodriver.cdp.dom_snapshot.DOMNode.text_value"]], "text_value (nodetreesnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.NodeTreeSnapshot.text_value"]], "title (documentsnapshot attribute)": [[18, "nodriver.cdp.dom_snapshot.DocumentSnapshot.title"]], "value (namevalue attribute)": [[18, "nodriver.cdp.dom_snapshot.NameValue.value"]], "value (rareintegerdata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareIntegerData.value"]], "value (rarestringdata attribute)": [[18, "nodriver.cdp.dom_snapshot.RareStringData.value"]], "domstorageitemadded (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.DomStorageItemAdded"]], "domstorageitemremoved (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.DomStorageItemRemoved"]], "domstorageitemupdated (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated"]], "domstorageitemscleared (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.DomStorageItemsCleared"]], "item (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.Item"]], "serializedstoragekey (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.SerializedStorageKey"]], "storageid (class in nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.StorageId"]], "clear() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.clear"]], "disable() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.disable"]], "enable() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.enable"]], "get_dom_storage_items() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.get_dom_storage_items"]], "is_local_storage (storageid attribute)": [[19, "nodriver.cdp.dom_storage.StorageId.is_local_storage"]], "key (domstorageitemadded attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemAdded.key"]], "key (domstorageitemremoved attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemRemoved.key"]], "key (domstorageitemupdated attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated.key"]], "new_value (domstorageitemadded attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemAdded.new_value"]], "new_value (domstorageitemupdated attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated.new_value"]], "nodriver.cdp.dom_storage": [[19, "module-nodriver.cdp.dom_storage"]], "old_value (domstorageitemupdated attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated.old_value"]], "remove_dom_storage_item() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.remove_dom_storage_item"]], "security_origin (storageid attribute)": [[19, "nodriver.cdp.dom_storage.StorageId.security_origin"]], "set_dom_storage_item() (in module nodriver.cdp.dom_storage)": [[19, "nodriver.cdp.dom_storage.set_dom_storage_item"]], "storage_id (domstorageitemadded attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemAdded.storage_id"]], "storage_id (domstorageitemremoved attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemRemoved.storage_id"]], "storage_id (domstorageitemupdated attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemUpdated.storage_id"]], "storage_id (domstorageitemscleared attribute)": [[19, "nodriver.cdp.dom_storage.DomStorageItemsCleared.storage_id"]], "storage_key (storageid attribute)": [[19, "nodriver.cdp.dom_storage.StorageId.storage_key"]], "absolute_orientation (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.ABSOLUTE_ORIENTATION"]], "accelerometer (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.ACCELEROMETER"]], "advance (virtualtimepolicy attribute)": [[20, "nodriver.cdp.emulation.VirtualTimePolicy.ADVANCE"]], "ambient_light (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.AMBIENT_LIGHT"]], "avif (disabledimagetype attribute)": [[20, "nodriver.cdp.emulation.DisabledImageType.AVIF"]], "deviceposture (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.DevicePosture"]], "disabledimagetype (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.DisabledImageType"]], "displayfeature (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.DisplayFeature"]], "gravity (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.GRAVITY"]], "gyroscope (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.GYROSCOPE"]], "linear_acceleration (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.LINEAR_ACCELERATION"]], "magnetometer (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.MAGNETOMETER"]], "mediafeature (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.MediaFeature"]], "pause (virtualtimepolicy attribute)": [[20, "nodriver.cdp.emulation.VirtualTimePolicy.PAUSE"]], "pause_if_network_fetches_pending (virtualtimepolicy attribute)": [[20, "nodriver.cdp.emulation.VirtualTimePolicy.PAUSE_IF_NETWORK_FETCHES_PENDING"]], "proximity (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.PROXIMITY"]], "relative_orientation (sensortype attribute)": [[20, "nodriver.cdp.emulation.SensorType.RELATIVE_ORIENTATION"]], "screenorientation (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.ScreenOrientation"]], "sensormetadata (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorMetadata"]], "sensorreading (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorReading"]], "sensorreadingquaternion (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion"]], "sensorreadingsingle (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorReadingSingle"]], "sensorreadingxyz (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorReadingXYZ"]], "sensortype (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.SensorType"]], "useragentbrandversion (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.UserAgentBrandVersion"]], "useragentmetadata (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.UserAgentMetadata"]], "virtualtimebudgetexpired (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.VirtualTimeBudgetExpired"]], "virtualtimepolicy (class in nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.VirtualTimePolicy"]], "webp (disabledimagetype attribute)": [[20, "nodriver.cdp.emulation.DisabledImageType.WEBP"]], "angle (screenorientation attribute)": [[20, "nodriver.cdp.emulation.ScreenOrientation.angle"]], "architecture (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.architecture"]], "available (sensormetadata attribute)": [[20, "nodriver.cdp.emulation.SensorMetadata.available"]], "bitness (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.bitness"]], "brand (useragentbrandversion attribute)": [[20, "nodriver.cdp.emulation.UserAgentBrandVersion.brand"]], "brands (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.brands"]], "can_emulate() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.can_emulate"]], "clear_device_metrics_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.clear_device_metrics_override"]], "clear_geolocation_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.clear_geolocation_override"]], "clear_idle_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.clear_idle_override"]], "full_version (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.full_version"]], "full_version_list (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.full_version_list"]], "get_overridden_sensor_information() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.get_overridden_sensor_information"]], "mask_length (displayfeature attribute)": [[20, "nodriver.cdp.emulation.DisplayFeature.mask_length"]], "maximum_frequency (sensormetadata attribute)": [[20, "nodriver.cdp.emulation.SensorMetadata.maximum_frequency"]], "minimum_frequency (sensormetadata attribute)": [[20, "nodriver.cdp.emulation.SensorMetadata.minimum_frequency"]], "mobile (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.mobile"]], "model (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.model"]], "name (mediafeature attribute)": [[20, "nodriver.cdp.emulation.MediaFeature.name"]], "nodriver.cdp.emulation": [[20, "module-nodriver.cdp.emulation"]], "offset (displayfeature attribute)": [[20, "nodriver.cdp.emulation.DisplayFeature.offset"]], "orientation (displayfeature attribute)": [[20, "nodriver.cdp.emulation.DisplayFeature.orientation"]], "platform (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.platform"]], "platform_version (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.platform_version"]], "quaternion (sensorreading attribute)": [[20, "nodriver.cdp.emulation.SensorReading.quaternion"]], "reset_page_scale_factor() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.reset_page_scale_factor"]], "set_auto_dark_mode_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_auto_dark_mode_override"]], "set_automation_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_automation_override"]], "set_cpu_throttling_rate() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_cpu_throttling_rate"]], "set_default_background_color_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_default_background_color_override"]], "set_device_metrics_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_device_metrics_override"]], "set_disabled_image_types() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_disabled_image_types"]], "set_document_cookie_disabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_document_cookie_disabled"]], "set_emit_touch_events_for_mouse() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_emit_touch_events_for_mouse"]], "set_emulated_media() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_emulated_media"]], "set_emulated_vision_deficiency() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_emulated_vision_deficiency"]], "set_focus_emulation_enabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_focus_emulation_enabled"]], "set_geolocation_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_geolocation_override"]], "set_hardware_concurrency_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_hardware_concurrency_override"]], "set_idle_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_idle_override"]], "set_locale_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_locale_override"]], "set_navigator_overrides() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_navigator_overrides"]], "set_page_scale_factor() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_page_scale_factor"]], "set_script_execution_disabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_script_execution_disabled"]], "set_scrollbars_hidden() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_scrollbars_hidden"]], "set_sensor_override_enabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_sensor_override_enabled"]], "set_sensor_override_readings() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_sensor_override_readings"]], "set_timezone_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_timezone_override"]], "set_touch_emulation_enabled() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_touch_emulation_enabled"]], "set_user_agent_override() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_user_agent_override"]], "set_virtual_time_policy() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_virtual_time_policy"]], "set_visible_size() (in module nodriver.cdp.emulation)": [[20, "nodriver.cdp.emulation.set_visible_size"]], "single (sensorreading attribute)": [[20, "nodriver.cdp.emulation.SensorReading.single"]], "type_ (deviceposture attribute)": [[20, "nodriver.cdp.emulation.DevicePosture.type_"]], "type_ (screenorientation attribute)": [[20, "nodriver.cdp.emulation.ScreenOrientation.type_"]], "value (mediafeature attribute)": [[20, "nodriver.cdp.emulation.MediaFeature.value"]], "value (sensorreadingsingle attribute)": [[20, "nodriver.cdp.emulation.SensorReadingSingle.value"]], "version (useragentbrandversion attribute)": [[20, "nodriver.cdp.emulation.UserAgentBrandVersion.version"]], "w (sensorreadingquaternion attribute)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion.w"]], "wow64 (useragentmetadata attribute)": [[20, "nodriver.cdp.emulation.UserAgentMetadata.wow64"]], "x (sensorreadingquaternion attribute)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion.x"]], "x (sensorreadingxyz attribute)": [[20, "nodriver.cdp.emulation.SensorReadingXYZ.x"]], "xyz (sensorreading attribute)": [[20, "nodriver.cdp.emulation.SensorReading.xyz"]], "y (sensorreadingquaternion attribute)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion.y"]], "y (sensorreadingxyz attribute)": [[20, "nodriver.cdp.emulation.SensorReadingXYZ.y"]], "z (sensorreadingquaternion attribute)": [[20, "nodriver.cdp.emulation.SensorReadingQuaternion.z"]], "z (sensorreadingxyz attribute)": [[20, "nodriver.cdp.emulation.SensorReadingXYZ.z"]], "disable() (in module nodriver.cdp.event_breakpoints)": [[21, "nodriver.cdp.event_breakpoints.disable"]], "nodriver.cdp.event_breakpoints": [[21, "module-nodriver.cdp.event_breakpoints"]], "remove_instrumentation_breakpoint() (in module nodriver.cdp.event_breakpoints)": [[21, "nodriver.cdp.event_breakpoints.remove_instrumentation_breakpoint"]], "set_instrumentation_breakpoint() (in module nodriver.cdp.event_breakpoints)": [[21, "nodriver.cdp.event_breakpoints.set_instrumentation_breakpoint"]], "account_chooser (dialogtype attribute)": [[22, "nodriver.cdp.fed_cm.DialogType.ACCOUNT_CHOOSER"]], "auto_reauthn (dialogtype attribute)": [[22, "nodriver.cdp.fed_cm.DialogType.AUTO_REAUTHN"]], "account (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.Account"]], "confirm_idp_login (dialogtype attribute)": [[22, "nodriver.cdp.fed_cm.DialogType.CONFIRM_IDP_LOGIN"]], "confirm_idp_login_continue (dialogbutton attribute)": [[22, "nodriver.cdp.fed_cm.DialogButton.CONFIRM_IDP_LOGIN_CONTINUE"]], "dialogbutton (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.DialogButton"]], "dialogclosed (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.DialogClosed"]], "dialogshown (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.DialogShown"]], "dialogtype (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.DialogType"]], "error (dialogtype attribute)": [[22, "nodriver.cdp.fed_cm.DialogType.ERROR"]], "error_got_it (dialogbutton attribute)": [[22, "nodriver.cdp.fed_cm.DialogButton.ERROR_GOT_IT"]], "error_more_details (dialogbutton attribute)": [[22, "nodriver.cdp.fed_cm.DialogButton.ERROR_MORE_DETAILS"]], "loginstate (class in nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.LoginState"]], "sign_in (loginstate attribute)": [[22, "nodriver.cdp.fed_cm.LoginState.SIGN_IN"]], "sign_up (loginstate attribute)": [[22, "nodriver.cdp.fed_cm.LoginState.SIGN_UP"]], "account_id (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.account_id"]], "accounts (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.accounts"]], "click_dialog_button() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.click_dialog_button"]], "dialog_id (dialogclosed attribute)": [[22, "nodriver.cdp.fed_cm.DialogClosed.dialog_id"]], "dialog_id (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.dialog_id"]], "dialog_type (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.dialog_type"]], "disable() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.disable"]], "dismiss_dialog() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.dismiss_dialog"]], "email (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.email"]], "enable() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.enable"]], "given_name (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.given_name"]], "idp_config_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.idp_config_url"]], "idp_login_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.idp_login_url"]], "login_state (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.login_state"]], "name (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.name"]], "nodriver.cdp.fed_cm": [[22, "module-nodriver.cdp.fed_cm"]], "picture_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.picture_url"]], "privacy_policy_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.privacy_policy_url"]], "reset_cooldown() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.reset_cooldown"]], "select_account() (in module nodriver.cdp.fed_cm)": [[22, "nodriver.cdp.fed_cm.select_account"]], "subtitle (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.subtitle"]], "terms_of_service_url (account attribute)": [[22, "nodriver.cdp.fed_cm.Account.terms_of_service_url"]], "title (dialogshown attribute)": [[22, "nodriver.cdp.fed_cm.DialogShown.title"]], "authchallenge (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.AuthChallenge"]], "authchallengeresponse (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.AuthChallengeResponse"]], "authrequired (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.AuthRequired"]], "headerentry (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.HeaderEntry"]], "request (requeststage attribute)": [[23, "nodriver.cdp.fetch.RequestStage.REQUEST"]], "response (requeststage attribute)": [[23, "nodriver.cdp.fetch.RequestStage.RESPONSE"]], "requestid (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.RequestId"]], "requestpattern (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.RequestPattern"]], "requestpaused (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.RequestPaused"]], "requeststage (class in nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.RequestStage"]], "auth_challenge (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.auth_challenge"]], "continue_request() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.continue_request"]], "continue_response() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.continue_response"]], "continue_with_auth() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.continue_with_auth"]], "disable() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.disable"]], "enable() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.enable"]], "fail_request() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.fail_request"]], "frame_id (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.frame_id"]], "frame_id (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.frame_id"]], "fulfill_request() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.fulfill_request"]], "get_response_body() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.get_response_body"]], "name (headerentry attribute)": [[23, "nodriver.cdp.fetch.HeaderEntry.name"]], "network_id (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.network_id"]], "nodriver.cdp.fetch": [[23, "module-nodriver.cdp.fetch"]], "origin (authchallenge attribute)": [[23, "nodriver.cdp.fetch.AuthChallenge.origin"], [34, "nodriver.cdp.network.AuthChallenge.origin"]], "password (authchallengeresponse attribute)": [[23, "nodriver.cdp.fetch.AuthChallengeResponse.password"], [34, "nodriver.cdp.network.AuthChallengeResponse.password"]], "realm (authchallenge attribute)": [[23, "nodriver.cdp.fetch.AuthChallenge.realm"], [34, "nodriver.cdp.network.AuthChallenge.realm"]], "redirected_request_id (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.redirected_request_id"]], "request (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.request"]], "request (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.request"]], "request_id (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.request_id"]], "request_id (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.request_id"]], "request_stage (requestpattern attribute)": [[23, "nodriver.cdp.fetch.RequestPattern.request_stage"]], "resource_type (authrequired attribute)": [[23, "nodriver.cdp.fetch.AuthRequired.resource_type"]], "resource_type (requestpattern attribute)": [[23, "nodriver.cdp.fetch.RequestPattern.resource_type"], [34, "nodriver.cdp.network.RequestPattern.resource_type"]], "resource_type (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.resource_type"]], "response (authchallengeresponse attribute)": [[23, "nodriver.cdp.fetch.AuthChallengeResponse.response"], [34, "nodriver.cdp.network.AuthChallengeResponse.response"]], "response_error_reason (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.response_error_reason"]], "response_headers (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.response_headers"]], "response_status_code (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.response_status_code"]], "response_status_text (requestpaused attribute)": [[23, "nodriver.cdp.fetch.RequestPaused.response_status_text"]], "scheme (authchallenge attribute)": [[23, "nodriver.cdp.fetch.AuthChallenge.scheme"], [34, "nodriver.cdp.network.AuthChallenge.scheme"]], "source (authchallenge attribute)": [[23, "nodriver.cdp.fetch.AuthChallenge.source"], [34, "nodriver.cdp.network.AuthChallenge.source"]], "take_response_body_as_stream() (in module nodriver.cdp.fetch)": [[23, "nodriver.cdp.fetch.take_response_body_as_stream"]], "url_pattern (requestpattern attribute)": [[23, "nodriver.cdp.fetch.RequestPattern.url_pattern"], [34, "nodriver.cdp.network.RequestPattern.url_pattern"]], "username (authchallengeresponse attribute)": [[23, "nodriver.cdp.fetch.AuthChallengeResponse.username"], [34, "nodriver.cdp.network.AuthChallengeResponse.username"]], "value (headerentry attribute)": [[23, "nodriver.cdp.fetch.HeaderEntry.value"]], "screenshotparams (class in nodriver.cdp.headless_experimental)": [[24, "nodriver.cdp.headless_experimental.ScreenshotParams"]], "begin_frame() (in module nodriver.cdp.headless_experimental)": [[24, "nodriver.cdp.headless_experimental.begin_frame"]], "disable() (in module nodriver.cdp.headless_experimental)": [[24, "nodriver.cdp.headless_experimental.disable"]], "enable() (in module nodriver.cdp.headless_experimental)": [[24, "nodriver.cdp.headless_experimental.enable"]], "format_ (screenshotparams attribute)": [[24, "nodriver.cdp.headless_experimental.ScreenshotParams.format_"]], "nodriver.cdp.headless_experimental": [[24, "module-nodriver.cdp.headless_experimental"]], "optimize_for_speed (screenshotparams attribute)": [[24, "nodriver.cdp.headless_experimental.ScreenshotParams.optimize_for_speed"]], "quality (screenshotparams attribute)": [[24, "nodriver.cdp.headless_experimental.ScreenshotParams.quality"]], "addheapsnapshotchunk (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.AddHeapSnapshotChunk"]], "heapsnapshotobjectid (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.HeapSnapshotObjectId"]], "heapstatsupdate (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.HeapStatsUpdate"]], "lastseenobjectid (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.LastSeenObjectId"]], "reportheapsnapshotprogress (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress"]], "resetprofiles (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.ResetProfiles"]], "samplingheapprofile (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfile"]], "samplingheapprofilenode (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode"]], "samplingheapprofilesample (class in nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileSample"]], "add_inspected_heap_object() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.add_inspected_heap_object"]], "call_frame (samplingheapprofilenode attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode.call_frame"]], "children (samplingheapprofilenode attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode.children"]], "chunk (addheapsnapshotchunk attribute)": [[25, "nodriver.cdp.heap_profiler.AddHeapSnapshotChunk.chunk"]], "collect_garbage() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.collect_garbage"]], "disable() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.disable"]], "done (reportheapsnapshotprogress attribute)": [[25, "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress.done"]], "enable() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.enable"]], "finished (reportheapsnapshotprogress attribute)": [[25, "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress.finished"]], "get_heap_object_id() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.get_heap_object_id"]], "get_object_by_heap_object_id() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.get_object_by_heap_object_id"]], "get_sampling_profile() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.get_sampling_profile"]], "head (samplingheapprofile attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfile.head"]], "id_ (samplingheapprofilenode attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode.id_"]], "last_seen_object_id (lastseenobjectid attribute)": [[25, "nodriver.cdp.heap_profiler.LastSeenObjectId.last_seen_object_id"]], "node_id (samplingheapprofilesample attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileSample.node_id"]], "nodriver.cdp.heap_profiler": [[25, "module-nodriver.cdp.heap_profiler"]], "ordinal (samplingheapprofilesample attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileSample.ordinal"]], "samples (samplingheapprofile attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfile.samples"]], "self_size (samplingheapprofilenode attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileNode.self_size"]], "size (samplingheapprofilesample attribute)": [[25, "nodriver.cdp.heap_profiler.SamplingHeapProfileSample.size"]], "start_sampling() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.start_sampling"]], "start_tracking_heap_objects() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.start_tracking_heap_objects"]], "stats_update (heapstatsupdate attribute)": [[25, "nodriver.cdp.heap_profiler.HeapStatsUpdate.stats_update"]], "stop_sampling() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.stop_sampling"]], "stop_tracking_heap_objects() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.stop_tracking_heap_objects"]], "take_heap_snapshot() (in module nodriver.cdp.heap_profiler)": [[25, "nodriver.cdp.heap_profiler.take_heap_snapshot"]], "timestamp (lastseenobjectid attribute)": [[25, "nodriver.cdp.heap_profiler.LastSeenObjectId.timestamp"]], "total (reportheapsnapshotprogress attribute)": [[25, "nodriver.cdp.heap_profiler.ReportHeapSnapshotProgress.total"]], "dataentry (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.DataEntry"]], "databasewithobjectstores (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.DatabaseWithObjectStores"]], "key (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.Key"]], "keypath (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.KeyPath"]], "keyrange (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.KeyRange"]], "objectstore (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.ObjectStore"]], "objectstoreindex (class in nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex"]], "array (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.array"]], "array (keypath attribute)": [[26, "nodriver.cdp.indexed_db.KeyPath.array"]], "auto_increment (objectstore attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStore.auto_increment"]], "clear_object_store() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.clear_object_store"]], "date (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.date"]], "delete_database() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.delete_database"]], "delete_object_store_entries() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.delete_object_store_entries"]], "disable() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.disable"]], "enable() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.enable"]], "get_metadata() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.get_metadata"]], "indexes (objectstore attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStore.indexes"]], "key (dataentry attribute)": [[26, "nodriver.cdp.indexed_db.DataEntry.key"]], "key_path (objectstore attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStore.key_path"]], "key_path (objectstoreindex attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex.key_path"]], "lower (keyrange attribute)": [[26, "nodriver.cdp.indexed_db.KeyRange.lower"]], "lower_open (keyrange attribute)": [[26, "nodriver.cdp.indexed_db.KeyRange.lower_open"]], "multi_entry (objectstoreindex attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex.multi_entry"]], "name (databasewithobjectstores attribute)": [[26, "nodriver.cdp.indexed_db.DatabaseWithObjectStores.name"]], "name (objectstore attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStore.name"]], "name (objectstoreindex attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex.name"]], "nodriver.cdp.indexed_db": [[26, "module-nodriver.cdp.indexed_db"]], "number (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.number"]], "object_stores (databasewithobjectstores attribute)": [[26, "nodriver.cdp.indexed_db.DatabaseWithObjectStores.object_stores"]], "primary_key (dataentry attribute)": [[26, "nodriver.cdp.indexed_db.DataEntry.primary_key"]], "request_data() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.request_data"]], "request_database() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.request_database"]], "request_database_names() (in module nodriver.cdp.indexed_db)": [[26, "nodriver.cdp.indexed_db.request_database_names"]], "string (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.string"]], "string (keypath attribute)": [[26, "nodriver.cdp.indexed_db.KeyPath.string"]], "type_ (key attribute)": [[26, "nodriver.cdp.indexed_db.Key.type_"]], "type_ (keypath attribute)": [[26, "nodriver.cdp.indexed_db.KeyPath.type_"]], "unique (objectstoreindex attribute)": [[26, "nodriver.cdp.indexed_db.ObjectStoreIndex.unique"]], "upper (keyrange attribute)": [[26, "nodriver.cdp.indexed_db.KeyRange.upper"]], "upper_open (keyrange attribute)": [[26, "nodriver.cdp.indexed_db.KeyRange.upper_open"]], "value (dataentry attribute)": [[26, "nodriver.cdp.indexed_db.DataEntry.value"]], "version (databasewithobjectstores attribute)": [[26, "nodriver.cdp.indexed_db.DatabaseWithObjectStores.version"]], "back (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.BACK"]], "default (gesturesourcetype attribute)": [[27, "nodriver.cdp.input_.GestureSourceType.DEFAULT"]], "dragdata (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.DragData"]], "dragdataitem (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.DragDataItem"]], "dragintercepted (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.DragIntercepted"]], "forward (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.FORWARD"]], "gesturesourcetype (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.GestureSourceType"]], "left (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.LEFT"]], "middle (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.MIDDLE"]], "mouse (gesturesourcetype attribute)": [[27, "nodriver.cdp.input_.GestureSourceType.MOUSE"]], "mousebutton (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.MouseButton"]], "none (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.NONE"]], "right (mousebutton attribute)": [[27, "nodriver.cdp.input_.MouseButton.RIGHT"]], "touch (gesturesourcetype attribute)": [[27, "nodriver.cdp.input_.GestureSourceType.TOUCH"]], "timesinceepoch (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.TimeSinceEpoch"]], "touchpoint (class in nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.TouchPoint"]], "base_url (dragdataitem attribute)": [[27, "nodriver.cdp.input_.DragDataItem.base_url"]], "cancel_dragging() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.cancel_dragging"]], "data (dragdataitem attribute)": [[27, "nodriver.cdp.input_.DragDataItem.data"]], "data (dragintercepted attribute)": [[27, "nodriver.cdp.input_.DragIntercepted.data"]], "dispatch_drag_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.dispatch_drag_event"]], "dispatch_key_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.dispatch_key_event"]], "dispatch_mouse_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.dispatch_mouse_event"]], "dispatch_touch_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.dispatch_touch_event"]], "drag_operations_mask (dragdata attribute)": [[27, "nodriver.cdp.input_.DragData.drag_operations_mask"]], "emulate_touch_from_mouse_event() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.emulate_touch_from_mouse_event"]], "files (dragdata attribute)": [[27, "nodriver.cdp.input_.DragData.files"]], "force (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.force"]], "id_ (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.id_"]], "ime_set_composition() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.ime_set_composition"]], "insert_text() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.insert_text"]], "items (dragdata attribute)": [[27, "nodriver.cdp.input_.DragData.items"]], "mime_type (dragdataitem attribute)": [[27, "nodriver.cdp.input_.DragDataItem.mime_type"]], "nodriver.cdp.input_": [[27, "module-nodriver.cdp.input_"]], "radius_x (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.radius_x"]], "radius_y (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.radius_y"]], "rotation_angle (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.rotation_angle"]], "set_ignore_input_events() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.set_ignore_input_events"]], "set_intercept_drags() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.set_intercept_drags"]], "synthesize_pinch_gesture() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.synthesize_pinch_gesture"]], "synthesize_scroll_gesture() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.synthesize_scroll_gesture"]], "synthesize_tap_gesture() (in module nodriver.cdp.input_)": [[27, "nodriver.cdp.input_.synthesize_tap_gesture"]], "tangential_pressure (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.tangential_pressure"]], "tilt_x (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.tilt_x"]], "tilt_y (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.tilt_y"]], "title (dragdataitem attribute)": [[27, "nodriver.cdp.input_.DragDataItem.title"]], "twist (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.twist"]], "x (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.x"]], "y (touchpoint attribute)": [[27, "nodriver.cdp.input_.TouchPoint.y"]], "detached (class in nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.Detached"]], "targetcrashed (class in nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.TargetCrashed"]], "targetreloadedaftercrash (class in nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.TargetReloadedAfterCrash"]], "disable() (in module nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.disable"]], "enable() (in module nodriver.cdp.inspector)": [[28, "nodriver.cdp.inspector.enable"]], "nodriver.cdp.inspector": [[28, "module-nodriver.cdp.inspector"]], "reason (detached attribute)": [[28, "nodriver.cdp.inspector.Detached.reason"]], "streamhandle (class in nodriver.cdp.io)": [[29, "nodriver.cdp.io.StreamHandle"]], "close() (in module nodriver.cdp.io)": [[29, "nodriver.cdp.io.close"]], "nodriver.cdp.io": [[29, "module-nodriver.cdp.io"]], "read() (in module nodriver.cdp.io)": [[29, "nodriver.cdp.io.read"]], "resolve_blob() (in module nodriver.cdp.io)": [[29, "nodriver.cdp.io.resolve_blob"]], "layer (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.Layer"]], "layerid (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.LayerId"]], "layerpainted (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.LayerPainted"]], "layertreedidchange (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.LayerTreeDidChange"]], "paintprofile (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.PaintProfile"]], "picturetile (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.PictureTile"]], "scrollrect (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.ScrollRect"]], "snapshotid (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.SnapshotId"]], "stickypositionconstraint (class in nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint"]], "anchor_x (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.anchor_x"]], "anchor_y (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.anchor_y"]], "anchor_z (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.anchor_z"]], "backend_node_id (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.backend_node_id"]], "clip (layerpainted attribute)": [[30, "nodriver.cdp.layer_tree.LayerPainted.clip"]], "compositing_reasons() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.compositing_reasons"]], "containing_block_rect (stickypositionconstraint attribute)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint.containing_block_rect"]], "disable() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.disable"]], "draws_content (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.draws_content"]], "enable() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.enable"]], "height (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.height"]], "invisible (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.invisible"]], "layer_id (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.layer_id"]], "layer_id (layerpainted attribute)": [[30, "nodriver.cdp.layer_tree.LayerPainted.layer_id"]], "layers (layertreedidchange attribute)": [[30, "nodriver.cdp.layer_tree.LayerTreeDidChange.layers"]], "load_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.load_snapshot"]], "make_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.make_snapshot"]], "nearest_layer_shifting_containing_block (stickypositionconstraint attribute)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint.nearest_layer_shifting_containing_block"]], "nearest_layer_shifting_sticky_box (stickypositionconstraint attribute)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint.nearest_layer_shifting_sticky_box"]], "nodriver.cdp.layer_tree": [[30, "module-nodriver.cdp.layer_tree"]], "offset_x (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.offset_x"]], "offset_y (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.offset_y"]], "paint_count (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.paint_count"]], "parent_layer_id (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.parent_layer_id"]], "picture (picturetile attribute)": [[30, "nodriver.cdp.layer_tree.PictureTile.picture"]], "profile_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.profile_snapshot"]], "rect (scrollrect attribute)": [[30, "nodriver.cdp.layer_tree.ScrollRect.rect"]], "release_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.release_snapshot"]], "replay_snapshot() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.replay_snapshot"]], "scroll_rects (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.scroll_rects"]], "snapshot_command_log() (in module nodriver.cdp.layer_tree)": [[30, "nodriver.cdp.layer_tree.snapshot_command_log"]], "sticky_box_rect (stickypositionconstraint attribute)": [[30, "nodriver.cdp.layer_tree.StickyPositionConstraint.sticky_box_rect"]], "sticky_position_constraint (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.sticky_position_constraint"]], "transform (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.transform"]], "type_ (scrollrect attribute)": [[30, "nodriver.cdp.layer_tree.ScrollRect.type_"]], "width (layer attribute)": [[30, "nodriver.cdp.layer_tree.Layer.width"]], "x (picturetile attribute)": [[30, "nodriver.cdp.layer_tree.PictureTile.x"]], "y (picturetile attribute)": [[30, "nodriver.cdp.layer_tree.PictureTile.y"]], "entryadded (class in nodriver.cdp.log)": [[31, "nodriver.cdp.log.EntryAdded"]], "logentry (class in nodriver.cdp.log)": [[31, "nodriver.cdp.log.LogEntry"]], "violationsetting (class in nodriver.cdp.log)": [[31, "nodriver.cdp.log.ViolationSetting"]], "args (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.args"]], "category (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.category"]], "clear() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.clear"]], "disable() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.disable"]], "enable() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.enable"]], "entry (entryadded attribute)": [[31, "nodriver.cdp.log.EntryAdded.entry"]], "level (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.level"]], "line_number (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.line_number"]], "name (violationsetting attribute)": [[31, "nodriver.cdp.log.ViolationSetting.name"]], "network_request_id (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.network_request_id"]], "nodriver.cdp.log": [[31, "module-nodriver.cdp.log"]], "source (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.source"]], "stack_trace (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.stack_trace"]], "start_violations_report() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.start_violations_report"]], "stop_violations_report() (in module nodriver.cdp.log)": [[31, "nodriver.cdp.log.stop_violations_report"]], "text (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.text"]], "threshold (violationsetting attribute)": [[31, "nodriver.cdp.log.ViolationSetting.threshold"]], "timestamp (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.timestamp"]], "url (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.url"]], "worker_id (logentry attribute)": [[31, "nodriver.cdp.log.LogEntry.worker_id"]], "playererror (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerError"]], "playererrorsourcelocation (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerErrorSourceLocation"]], "playererrorsraised (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerErrorsRaised"]], "playerevent (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerEvent"]], "playereventsadded (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerEventsAdded"]], "playerid (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerId"]], "playermessage (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerMessage"]], "playermessageslogged (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerMessagesLogged"]], "playerpropertieschanged (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerPropertiesChanged"]], "playerproperty (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayerProperty"]], "playerscreated (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.PlayersCreated"]], "timestamp (class in nodriver.cdp.media)": [[32, "nodriver.cdp.media.Timestamp"]], "cause (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.cause"]], "code (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.code"]], "data (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.data"]], "disable() (in module nodriver.cdp.media)": [[32, "nodriver.cdp.media.disable"]], "enable() (in module nodriver.cdp.media)": [[32, "nodriver.cdp.media.enable"]], "error_type (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.error_type"]], "errors (playererrorsraised attribute)": [[32, "nodriver.cdp.media.PlayerErrorsRaised.errors"]], "events (playereventsadded attribute)": [[32, "nodriver.cdp.media.PlayerEventsAdded.events"]], "file (playererrorsourcelocation attribute)": [[32, "nodriver.cdp.media.PlayerErrorSourceLocation.file"]], "level (playermessage attribute)": [[32, "nodriver.cdp.media.PlayerMessage.level"]], "line (playererrorsourcelocation attribute)": [[32, "nodriver.cdp.media.PlayerErrorSourceLocation.line"]], "message (playermessage attribute)": [[32, "nodriver.cdp.media.PlayerMessage.message"]], "messages (playermessageslogged attribute)": [[32, "nodriver.cdp.media.PlayerMessagesLogged.messages"]], "name (playerproperty attribute)": [[32, "nodriver.cdp.media.PlayerProperty.name"]], "nodriver.cdp.media": [[32, "module-nodriver.cdp.media"]], "player_id (playererrorsraised attribute)": [[32, "nodriver.cdp.media.PlayerErrorsRaised.player_id"]], "player_id (playereventsadded attribute)": [[32, "nodriver.cdp.media.PlayerEventsAdded.player_id"]], "player_id (playermessageslogged attribute)": [[32, "nodriver.cdp.media.PlayerMessagesLogged.player_id"]], "player_id (playerpropertieschanged attribute)": [[32, "nodriver.cdp.media.PlayerPropertiesChanged.player_id"]], "players (playerscreated attribute)": [[32, "nodriver.cdp.media.PlayersCreated.players"]], "properties (playerpropertieschanged attribute)": [[32, "nodriver.cdp.media.PlayerPropertiesChanged.properties"]], "stack (playererror attribute)": [[32, "nodriver.cdp.media.PlayerError.stack"]], "timestamp (playerevent attribute)": [[32, "nodriver.cdp.media.PlayerEvent.timestamp"]], "value (playerevent attribute)": [[32, "nodriver.cdp.media.PlayerEvent.value"]], "value (playerproperty attribute)": [[32, "nodriver.cdp.media.PlayerProperty.value"]], "critical (pressurelevel attribute)": [[33, "nodriver.cdp.memory.PressureLevel.CRITICAL"]], "moderate (pressurelevel attribute)": [[33, "nodriver.cdp.memory.PressureLevel.MODERATE"]], "module (class in nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.Module"]], "pressurelevel (class in nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.PressureLevel"]], "samplingprofile (class in nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.SamplingProfile"]], "samplingprofilenode (class in nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.SamplingProfileNode"]], "base_address (module attribute)": [[33, "nodriver.cdp.memory.Module.base_address"]], "forcibly_purge_java_script_memory() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.forcibly_purge_java_script_memory"]], "get_all_time_sampling_profile() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.get_all_time_sampling_profile"]], "get_browser_sampling_profile() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.get_browser_sampling_profile"]], "get_dom_counters() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.get_dom_counters"]], "get_sampling_profile() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.get_sampling_profile"]], "modules (samplingprofile attribute)": [[33, "nodriver.cdp.memory.SamplingProfile.modules"]], "name (module attribute)": [[33, "nodriver.cdp.memory.Module.name"]], "nodriver.cdp.memory": [[33, "module-nodriver.cdp.memory"]], "prepare_for_leak_detection() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.prepare_for_leak_detection"]], "samples (samplingprofile attribute)": [[33, "nodriver.cdp.memory.SamplingProfile.samples"]], "set_pressure_notifications_suppressed() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.set_pressure_notifications_suppressed"]], "simulate_pressure_notification() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.simulate_pressure_notification"]], "size (module attribute)": [[33, "nodriver.cdp.memory.Module.size"]], "size (samplingprofilenode attribute)": [[33, "nodriver.cdp.memory.SamplingProfileNode.size"]], "stack (samplingprofilenode attribute)": [[33, "nodriver.cdp.memory.SamplingProfileNode.stack"]], "start_sampling() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.start_sampling"]], "stop_sampling() (in module nodriver.cdp.memory)": [[33, "nodriver.cdp.memory.stop_sampling"]], "total (samplingprofilenode attribute)": [[33, "nodriver.cdp.memory.SamplingProfileNode.total"]], "uuid (module attribute)": [[33, "nodriver.cdp.memory.Module.uuid"]], "aborted (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.ABORTED"]], "access_denied (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.ACCESS_DENIED"]], "address_unreachable (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.ADDRESS_UNREACHABLE"]], "allow (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.ALLOW"]], "allow_origin_mismatch (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.ALLOW_ORIGIN_MISMATCH"]], "alternative_job_won_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.ALTERNATIVE_JOB_WON_RACE"]], "alternative_job_won_without_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.ALTERNATIVE_JOB_WON_WITHOUT_RACE"]], "alternateprotocolusage (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.AlternateProtocolUsage"]], "authchallenge (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.AuthChallenge"]], "authchallengeresponse (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.AuthChallengeResponse"]], "blocked_by_client (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.BLOCKED_BY_CLIENT"]], "blocked_by_response (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.BLOCKED_BY_RESPONSE"]], "block_from_insecure_to_more_private (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.BLOCK_FROM_INSECURE_TO_MORE_PRIVATE"]], "bluetooth (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.BLUETOOTH"]], "br (contentencoding attribute)": [[34, "nodriver.cdp.network.ContentEncoding.BR"]], "broken (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.BROKEN"]], "blockedcookiewithreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.BlockedCookieWithReason"]], "blockedreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.BlockedReason"]], "blockedsetcookiewithreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.BlockedSetCookieWithReason"]], "cache_storage (serviceworkerresponsesource attribute)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource.CACHE_STORAGE"]], "cellular2g (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.CELLULAR2G"]], "cellular3g (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.CELLULAR3G"]], "cellular4g (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.CELLULAR4G"]], "coep_frame_resource_needs_coep_header (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.COEP_FRAME_RESOURCE_NEEDS_COEP_HEADER"]], "compliant (certificatetransparencycompliance attribute)": [[34, "nodriver.cdp.network.CertificateTransparencyCompliance.COMPLIANT"]], "connection_aborted (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_ABORTED"]], "connection_closed (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_CLOSED"]], "connection_failed (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_FAILED"]], "connection_refused (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_REFUSED"]], "connection_reset (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.CONNECTION_RESET"]], "content_type (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CONTENT_TYPE"]], "coop_sandboxed_iframe_cannot_navigate_to_coop_page (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.COOP_SANDBOXED_IFRAME_CANNOT_NAVIGATE_TO_COOP_PAGE"]], "corp_not_same_origin (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CORP_NOT_SAME_ORIGIN"]], "corp_not_same_origin_after_defaulted_to_same_origin_by_coep (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CORP_NOT_SAME_ORIGIN_AFTER_DEFAULTED_TO_SAME_ORIGIN_BY_COEP"]], "corp_not_same_site (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CORP_NOT_SAME_SITE"]], "cors_disabled_scheme (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.CORS_DISABLED_SCHEME"]], "credentialless (crossoriginembedderpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyValue.CREDENTIALLESS"]], "csp (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.CSP"]], "csp_violation_report (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.CSP_VIOLATION_REPORT"]], "cachedresource (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CachedResource"]], "certificatetransparencycompliance (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CertificateTransparencyCompliance"]], "clientsecuritystate (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ClientSecurityState"]], "connecttiming (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ConnectTiming"]], "connectiontype (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ConnectionType"]], "contentencoding (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ContentEncoding"]], "contentsecuritypolicysource (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ContentSecurityPolicySource"]], "contentsecuritypolicystatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ContentSecurityPolicyStatus"]], "cookie (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Cookie"]], "cookieblockedreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookieBlockedReason"]], "cookieparam (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookieParam"]], "cookiepriority (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookiePriority"]], "cookiesamesite (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookieSameSite"]], "cookiesourcescheme (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CookieSourceScheme"]], "corserror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CorsError"]], "corserrorstatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CorsErrorStatus"]], "crossoriginembedderpolicystatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus"]], "crossoriginembedderpolicyvalue (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyValue"]], "crossoriginopenerpolicystatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus"]], "crossoriginopenerpolicyvalue (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue"]], "deflate (contentencoding attribute)": [[34, "nodriver.cdp.network.ContentEncoding.DEFLATE"]], "disallowed_by_mode (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.DISALLOWED_BY_MODE"]], "disallowed_character (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.DISALLOWED_CHARACTER"]], "dns_alpn_h3_job_won_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.DNS_ALPN_H3_JOB_WON_RACE"]], "dns_alpn_h3_job_won_without_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.DNS_ALPN_H3_JOB_WON_WITHOUT_RACE"]], "document (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.DOCUMENT"]], "domain_mismatch (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.DOMAIN_MISMATCH"]], "datareceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.DataReceived"]], "ethernet (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.ETHERNET"]], "event_source (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.EVENT_SOURCE"]], "errorreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ErrorReason"]], "eventsourcemessagereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.EventSourceMessageReceived"]], "failed (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.FAILED"]], "fallback_code (serviceworkerresponsesource attribute)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource.FALLBACK_CODE"]], "fetch (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.FETCH"]], "font (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.FONT"]], "gzip (contentencoding attribute)": [[34, "nodriver.cdp.network.ContentEncoding.GZIP"]], "headers_received (interceptionstage attribute)": [[34, "nodriver.cdp.network.InterceptionStage.HEADERS_RECEIVED"]], "header_disallowed_by_preflight_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.HEADER_DISALLOWED_BY_PREFLIGHT_RESPONSE"]], "high (cookiepriority attribute)": [[34, "nodriver.cdp.network.CookiePriority.HIGH"]], "high (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.HIGH"]], "http (contentsecuritypolicysource attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicySource.HTTP"]], "http_cache (serviceworkerresponsesource attribute)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource.HTTP_CACHE"]], "headers (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Headers"]], "image (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.IMAGE"]], "insecure_private_network (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INSECURE_PRIVATE_NETWORK"]], "inspector (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.INSPECTOR"]], "internet_disconnected (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.INTERNET_DISCONNECTED"]], "invalid_allow_credentials (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_ALLOW_CREDENTIALS"]], "invalid_allow_headers_preflight_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_ALLOW_HEADERS_PREFLIGHT_RESPONSE"]], "invalid_allow_methods_preflight_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_ALLOW_METHODS_PREFLIGHT_RESPONSE"]], "invalid_allow_origin_value (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_ALLOW_ORIGIN_VALUE"]], "invalid_domain (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.INVALID_DOMAIN"]], "invalid_prefix (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.INVALID_PREFIX"]], "invalid_private_network_access (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_PRIVATE_NETWORK_ACCESS"]], "invalid_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.INVALID_RESPONSE"]], "ipaddressspace (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.IPAddressSpace"]], "issuance (trusttokenoperationtype attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationType.ISSUANCE"]], "initiator (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Initiator"]], "interceptionid (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.InterceptionId"]], "interceptionstage (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.InterceptionStage"]], "lax (cookiesamesite attribute)": [[34, "nodriver.cdp.network.CookieSameSite.LAX"]], "local (ipaddressspace attribute)": [[34, "nodriver.cdp.network.IPAddressSpace.LOCAL"]], "low (cookiepriority attribute)": [[34, "nodriver.cdp.network.CookiePriority.LOW"]], "low (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.LOW"]], "loadnetworkresourceoptions (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoadNetworkResourceOptions"]], "loadnetworkresourcepageresult (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult"]], "loaderid (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoaderId"]], "loadingfailed (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoadingFailed"]], "loadingfinished (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.LoadingFinished"]], "main_job_won_race (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.MAIN_JOB_WON_RACE"]], "manifest (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.MANIFEST"]], "mapping_missing (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.MAPPING_MISSING"]], "marked_for_removal (reportstatus attribute)": [[34, "nodriver.cdp.network.ReportStatus.MARKED_FOR_REMOVAL"]], "media (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.MEDIA"]], "medium (cookiepriority attribute)": [[34, "nodriver.cdp.network.CookiePriority.MEDIUM"]], "medium (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.MEDIUM"]], "meta (contentsecuritypolicysource attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicySource.META"]], "method_disallowed_by_preflight_response (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.METHOD_DISALLOWED_BY_PREFLIGHT_RESPONSE"]], "missing_allow_origin_header (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.MISSING_ALLOW_ORIGIN_HEADER"]], "mixed_content (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.MIXED_CONTENT"]], "multiple_allow_origin_values (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.MULTIPLE_ALLOW_ORIGIN_VALUES"]], "monotonictime (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.MonotonicTime"]], "name_not_resolved (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.NAME_NOT_RESOLVED"]], "name_value_pair_exceeds_max_size (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.NAME_VALUE_PAIR_EXCEEDS_MAX_SIZE"]], "name_value_pair_exceeds_max_size (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.NAME_VALUE_PAIR_EXCEEDS_MAX_SIZE"]], "network (serviceworkerresponsesource attribute)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource.NETWORK"]], "none (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.NONE"]], "none (cookiesamesite attribute)": [[34, "nodriver.cdp.network.CookieSameSite.NONE"]], "none (crossoriginembedderpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyValue.NONE"]], "non_secure (cookiesourcescheme attribute)": [[34, "nodriver.cdp.network.CookieSourceScheme.NON_SECURE"]], "not_compliant (certificatetransparencycompliance attribute)": [[34, "nodriver.cdp.network.CertificateTransparencyCompliance.NOT_COMPLIANT"]], "not_on_path (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.NOT_ON_PATH"]], "no_cookie_content (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.NO_COOKIE_CONTENT"]], "no_cors_redirect_mode_not_follow (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.NO_CORS_REDIRECT_MODE_NOT_FOLLOW"]], "origin (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.ORIGIN"]], "other (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.OTHER"]], "other (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.OTHER"]], "other (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.OTHER"]], "overwrite_secure (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.OVERWRITE_SECURE"]], "pending (reportstatus attribute)": [[34, "nodriver.cdp.network.ReportStatus.PENDING"]], "ping (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.PING"]], "prefetch (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.PREFETCH"]], "preflight (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.PREFLIGHT"]], "preflight_allow_origin_mismatch (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_ALLOW_ORIGIN_MISMATCH"]], "preflight_block (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.PREFLIGHT_BLOCK"]], "preflight_disallowed_redirect (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_DISALLOWED_REDIRECT"]], "preflight_invalid_allow_credentials (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_ALLOW_CREDENTIALS"]], "preflight_invalid_allow_external (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_ALLOW_EXTERNAL"]], "preflight_invalid_allow_origin_value (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_ALLOW_ORIGIN_VALUE"]], "preflight_invalid_allow_private_network (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_ALLOW_PRIVATE_NETWORK"]], "preflight_invalid_status (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_INVALID_STATUS"]], "preflight_missing_allow_external (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_ALLOW_EXTERNAL"]], "preflight_missing_allow_origin_header (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_ALLOW_ORIGIN_HEADER"]], "preflight_missing_allow_private_network (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_ALLOW_PRIVATE_NETWORK"]], "preflight_missing_private_network_access_id (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_PRIVATE_NETWORK_ACCESS_ID"]], "preflight_missing_private_network_access_name (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MISSING_PRIVATE_NETWORK_ACCESS_NAME"]], "preflight_multiple_allow_origin_values (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_MULTIPLE_ALLOW_ORIGIN_VALUES"]], "preflight_warn (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.PREFLIGHT_WARN"]], "preflight_wildcard_origin_not_allowed (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PREFLIGHT_WILDCARD_ORIGIN_NOT_ALLOWED"]], "private (ipaddressspace attribute)": [[34, "nodriver.cdp.network.IPAddressSpace.PRIVATE"]], "private_network_access_permission_denied (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PRIVATE_NETWORK_ACCESS_PERMISSION_DENIED"]], "private_network_access_permission_unavailable (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.PRIVATE_NETWORK_ACCESS_PERMISSION_UNAVAILABLE"]], "public (ipaddressspace attribute)": [[34, "nodriver.cdp.network.IPAddressSpace.PUBLIC"]], "postdataentry (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.PostDataEntry"]], "privatenetworkrequestpolicy (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy"]], "queued (reportstatus attribute)": [[34, "nodriver.cdp.network.ReportStatus.QUEUED"]], "redemption (trusttokenoperationtype attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationType.REDEMPTION"]], "redirect_contains_credentials (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.REDIRECT_CONTAINS_CREDENTIALS"]], "request (interceptionstage attribute)": [[34, "nodriver.cdp.network.InterceptionStage.REQUEST"]], "require_corp (crossoriginembedderpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyValue.REQUIRE_CORP"]], "restrict_properties (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.RESTRICT_PROPERTIES"]], "restrict_properties_plus_coep (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.RESTRICT_PROPERTIES_PLUS_COEP"]], "reportid (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportId"]], "reportstatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportStatus"]], "reportingapiendpoint (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiEndpoint"]], "reportingapiendpointschangedfororigin (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiEndpointsChangedForOrigin"]], "reportingapireport (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiReport"]], "reportingapireportadded (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiReportAdded"]], "reportingapireportupdated (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ReportingApiReportUpdated"]], "request (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Request"]], "requestid (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestId"]], "requestintercepted (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestIntercepted"]], "requestpattern (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestPattern"]], "requestservedfromcache (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestServedFromCache"]], "requestwillbesent (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestWillBeSent"]], "requestwillbesentextrainfo (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo"]], "resourcechangedpriority (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResourceChangedPriority"]], "resourcepriority (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResourcePriority"]], "resourcetiming (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResourceTiming"]], "resourcetype (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResourceType"]], "response (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.Response"]], "responsereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResponseReceived"]], "responsereceivedextrainfo (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo"]], "same_origin (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.SAME_ORIGIN"]], "same_origin_allow_popups (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.SAME_ORIGIN_ALLOW_POPUPS"]], "same_origin_plus_coep (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.SAME_ORIGIN_PLUS_COEP"]], "same_party_conflicts_with_other_attributes (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_PARTY_CONFLICTS_WITH_OTHER_ATTRIBUTES"]], "same_party_from_cross_party_context (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_PARTY_FROM_CROSS_PARTY_CONTEXT"]], "same_party_from_cross_party_context (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_PARTY_FROM_CROSS_PARTY_CONTEXT"]], "same_site_lax (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_SITE_LAX"]], "same_site_lax (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_SITE_LAX"]], "same_site_none_insecure (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_SITE_NONE_INSECURE"]], "same_site_none_insecure (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_SITE_NONE_INSECURE"]], "same_site_strict (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_SITE_STRICT"]], "same_site_strict (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_SITE_STRICT"]], "same_site_unspecified_treated_as_lax (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "same_site_unspecified_treated_as_lax (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "schemeful_same_site_lax (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SCHEMEFUL_SAME_SITE_LAX"]], "schemeful_same_site_lax (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SCHEMEFUL_SAME_SITE_LAX"]], "schemeful_same_site_strict (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SCHEMEFUL_SAME_SITE_STRICT"]], "schemeful_same_site_strict (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SCHEMEFUL_SAME_SITE_STRICT"]], "schemeful_same_site_unspecified_treated_as_lax (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SCHEMEFUL_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "schemeful_same_site_unspecified_treated_as_lax (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SCHEMEFUL_SAME_SITE_UNSPECIFIED_TREATED_AS_LAX"]], "scheme_not_supported (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SCHEME_NOT_SUPPORTED"]], "script (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.SCRIPT"]], "secure (cookiesourcescheme attribute)": [[34, "nodriver.cdp.network.CookieSourceScheme.SECURE"]], "secure_only (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.SECURE_ONLY"]], "secure_only (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SECURE_ONLY"]], "signature_cert_sha256 (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_CERT_SHA256"]], "signature_cert_url (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_CERT_URL"]], "signature_integrity (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_INTEGRITY"]], "signature_sig (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_SIG"]], "signature_timestamps (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_TIMESTAMPS"]], "signature_validity_url (signedexchangeerrorfield attribute)": [[34, "nodriver.cdp.network.SignedExchangeErrorField.SIGNATURE_VALIDITY_URL"]], "signed_exchange (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.SIGNED_EXCHANGE"]], "signing (trusttokenoperationtype attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationType.SIGNING"]], "strict (cookiesamesite attribute)": [[34, "nodriver.cdp.network.CookieSameSite.STRICT"]], "stylesheet (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.STYLESHEET"]], "subresource_filter (blockedreason attribute)": [[34, "nodriver.cdp.network.BlockedReason.SUBRESOURCE_FILTER"]], "success (reportstatus attribute)": [[34, "nodriver.cdp.network.ReportStatus.SUCCESS"]], "syntax_error (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.SYNTAX_ERROR"]], "securitydetails (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SecurityDetails"]], "securityisolationstatus (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SecurityIsolationStatus"]], "serviceworkerresponsesource (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ServiceWorkerResponseSource"]], "serviceworkerrouterinfo (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.ServiceWorkerRouterInfo"]], "setcookieblockedreason (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SetCookieBlockedReason"]], "signedcertificatetimestamp (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp"]], "signedexchangeerror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeError"]], "signedexchangeerrorfield (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeErrorField"]], "signedexchangeheader (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeHeader"]], "signedexchangeinfo (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeInfo"]], "signedexchangereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeReceived"]], "signedexchangesignature (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SignedExchangeSignature"]], "subresourcewebbundleinnerresponseerror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError"]], "subresourcewebbundleinnerresponseparsed (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed"]], "subresourcewebbundlemetadataerror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataError"]], "subresourcewebbundlemetadatareceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataReceived"]], "text_track (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.TEXT_TRACK"]], "third_party_blocked_in_first_party_set (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.THIRD_PARTY_BLOCKED_IN_FIRST_PARTY_SET"]], "third_party_blocked_in_first_party_set (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.THIRD_PARTY_BLOCKED_IN_FIRST_PARTY_SET"]], "third_party_phaseout (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.THIRD_PARTY_PHASEOUT"]], "third_party_phaseout (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.THIRD_PARTY_PHASEOUT"]], "timed_out (errorreason attribute)": [[34, "nodriver.cdp.network.ErrorReason.TIMED_OUT"]], "timesinceepoch (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.TimeSinceEpoch"]], "trusttokenoperationdone (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.TrustTokenOperationDone"]], "trusttokenoperationtype (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.TrustTokenOperationType"]], "trusttokenparams (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.TrustTokenParams"]], "unexpected_private_network_access (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.UNEXPECTED_PRIVATE_NETWORK_ACCESS"]], "unknown (certificatetransparencycompliance attribute)": [[34, "nodriver.cdp.network.CertificateTransparencyCompliance.UNKNOWN"]], "unknown (ipaddressspace attribute)": [[34, "nodriver.cdp.network.IPAddressSpace.UNKNOWN"]], "unknown_error (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.UNKNOWN_ERROR"]], "unknown_error (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.UNKNOWN_ERROR"]], "unsafe_none (crossoriginopenerpolicyvalue attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyValue.UNSAFE_NONE"]], "unset (cookiesourcescheme attribute)": [[34, "nodriver.cdp.network.CookieSourceScheme.UNSET"]], "unspecified_reason (alternateprotocolusage attribute)": [[34, "nodriver.cdp.network.AlternateProtocolUsage.UNSPECIFIED_REASON"]], "user_preferences (cookieblockedreason attribute)": [[34, "nodriver.cdp.network.CookieBlockedReason.USER_PREFERENCES"]], "user_preferences (setcookieblockedreason attribute)": [[34, "nodriver.cdp.network.SetCookieBlockedReason.USER_PREFERENCES"]], "very_high (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.VERY_HIGH"]], "very_low (resourcepriority attribute)": [[34, "nodriver.cdp.network.ResourcePriority.VERY_LOW"]], "warn_from_insecure_to_more_private (privatenetworkrequestpolicy attribute)": [[34, "nodriver.cdp.network.PrivateNetworkRequestPolicy.WARN_FROM_INSECURE_TO_MORE_PRIVATE"]], "web_socket (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.WEB_SOCKET"]], "wifi (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.WIFI"]], "wildcard_origin_not_allowed (corserror attribute)": [[34, "nodriver.cdp.network.CorsError.WILDCARD_ORIGIN_NOT_ALLOWED"]], "wimax (connectiontype attribute)": [[34, "nodriver.cdp.network.ConnectionType.WIMAX"]], "websocketclosed (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketClosed"]], "websocketcreated (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketCreated"]], "websocketframe (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketFrame"]], "websocketframeerror (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketFrameError"]], "websocketframereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketFrameReceived"]], "websocketframesent (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketFrameSent"]], "websockethandshakeresponsereceived (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketHandshakeResponseReceived"]], "websocketrequest (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketRequest"]], "websocketresponse (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketResponse"]], "websocketwillsendhandshakerequest (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest"]], "webtransportclosed (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebTransportClosed"]], "webtransportconnectionestablished (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebTransportConnectionEstablished"]], "webtransportcreated (class in nodriver.cdp.network)": [[34, "nodriver.cdp.network.WebTransportCreated"]], "xhr (resourcetype attribute)": [[34, "nodriver.cdp.network.ResourceType.XHR"]], "zstd (contentencoding attribute)": [[34, "nodriver.cdp.network.ContentEncoding.ZSTD"]], "alternate_protocol_usage (response attribute)": [[34, "nodriver.cdp.network.Response.alternate_protocol_usage"]], "associated_cookies (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.associated_cookies"]], "auth_challenge (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.auth_challenge"]], "blocked_cookies (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.blocked_cookies"]], "blocked_reason (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.blocked_reason"]], "blocked_reasons (blockedcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedCookieWithReason.blocked_reasons"]], "blocked_reasons (blockedsetcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedSetCookieWithReason.blocked_reasons"]], "body (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.body"]], "body_size (cachedresource attribute)": [[34, "nodriver.cdp.network.CachedResource.body_size"]], "bundle_request_id (subresourcewebbundleinnerresponseerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError.bundle_request_id"]], "bundle_request_id (subresourcewebbundleinnerresponseparsed attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed.bundle_request_id"]], "bytes_ (postdataentry attribute)": [[34, "nodriver.cdp.network.PostDataEntry.bytes_"]], "cache_storage_cache_name (response attribute)": [[34, "nodriver.cdp.network.Response.cache_storage_cache_name"]], "can_clear_browser_cache() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.can_clear_browser_cache"]], "can_clear_browser_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.can_clear_browser_cookies"]], "can_emulate_network_conditions() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.can_emulate_network_conditions"]], "canceled (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.canceled"]], "cert_sha256 (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.cert_sha256"]], "cert_url (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.cert_url"]], "certificate_id (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.certificate_id"]], "certificate_transparency_compliance (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.certificate_transparency_compliance"]], "certificates (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.certificates"]], "charset (response attribute)": [[34, "nodriver.cdp.network.Response.charset"]], "cipher (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.cipher"]], "clear_accepted_encodings_override() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.clear_accepted_encodings_override"]], "clear_browser_cache() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.clear_browser_cache"]], "clear_browser_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.clear_browser_cookies"]], "client_security_state (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.client_security_state"]], "coep (securityisolationstatus attribute)": [[34, "nodriver.cdp.network.SecurityIsolationStatus.coep"]], "column_number (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.column_number"]], "completed_attempts (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.completed_attempts"]], "connect_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.connect_end"]], "connect_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.connect_start"]], "connect_timing (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.connect_timing"]], "connection_id (response attribute)": [[34, "nodriver.cdp.network.Response.connection_id"]], "connection_reused (response attribute)": [[34, "nodriver.cdp.network.Response.connection_reused"]], "continue_intercepted_request() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.continue_intercepted_request"]], "cookie (blockedcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedCookieWithReason.cookie"]], "cookie (blockedsetcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedSetCookieWithReason.cookie"]], "cookie_line (blockedsetcookiewithreason attribute)": [[34, "nodriver.cdp.network.BlockedSetCookieWithReason.cookie_line"]], "cookie_partition_key (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.cookie_partition_key"]], "cookie_partition_key_opaque (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.cookie_partition_key_opaque"]], "coop (securityisolationstatus attribute)": [[34, "nodriver.cdp.network.SecurityIsolationStatus.coop"]], "cors_error (corserrorstatus attribute)": [[34, "nodriver.cdp.network.CorsErrorStatus.cors_error"]], "cors_error_status (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.cors_error_status"]], "csp (securityisolationstatus attribute)": [[34, "nodriver.cdp.network.SecurityIsolationStatus.csp"]], "data (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.data"]], "data (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.data"]], "data_length (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.data_length"]], "date (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.date"]], "delete_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.delete_cookies"]], "depth (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.depth"]], "destination (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.destination"]], "disable() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.disable"]], "disable_cache (loadnetworkresourceoptions attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourceOptions.disable_cache"]], "dns_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.dns_end"]], "dns_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.dns_start"]], "document_url (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.document_url"]], "domain (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.domain"]], "domain (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.domain"]], "effective_directives (contentsecuritypolicystatus attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicyStatus.effective_directives"]], "emulate_network_conditions() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.emulate_network_conditions"]], "enable() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.enable"]], "enable_reporting_api() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.enable_reporting_api"]], "encoded_data_length (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.encoded_data_length"]], "encoded_data_length (loadingfinished attribute)": [[34, "nodriver.cdp.network.LoadingFinished.encoded_data_length"]], "encoded_data_length (response attribute)": [[34, "nodriver.cdp.network.Response.encoded_data_length"]], "encrypted_client_hello (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.encrypted_client_hello"]], "endpoints (reportingapiendpointschangedfororigin attribute)": [[34, "nodriver.cdp.network.ReportingApiEndpointsChangedForOrigin.endpoints"]], "error_field (signedexchangeerror attribute)": [[34, "nodriver.cdp.network.SignedExchangeError.error_field"]], "error_message (subresourcewebbundleinnerresponseerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError.error_message"]], "error_message (subresourcewebbundlemetadataerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataError.error_message"]], "error_message (websocketframeerror attribute)": [[34, "nodriver.cdp.network.WebSocketFrameError.error_message"]], "error_text (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.error_text"]], "errors (signedexchangeinfo attribute)": [[34, "nodriver.cdp.network.SignedExchangeInfo.errors"]], "event_id (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.event_id"]], "event_name (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.event_name"]], "expires (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.expires"]], "expires (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.expires"]], "expires (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.expires"]], "failed_parameter (corserrorstatus attribute)": [[34, "nodriver.cdp.network.CorsErrorStatus.failed_parameter"]], "frame_id (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.frame_id"]], "frame_id (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.frame_id"]], "frame_id (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.frame_id"]], "from_disk_cache (response attribute)": [[34, "nodriver.cdp.network.Response.from_disk_cache"]], "from_prefetch_cache (response attribute)": [[34, "nodriver.cdp.network.Response.from_prefetch_cache"]], "from_service_worker (response attribute)": [[34, "nodriver.cdp.network.Response.from_service_worker"]], "get_all_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_all_cookies"]], "get_certificate() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_certificate"]], "get_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_cookies"]], "get_request_post_data() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_request_post_data"]], "get_response_body() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_response_body"]], "get_response_body_for_interception() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_response_body_for_interception"]], "get_security_isolation_status() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.get_security_isolation_status"]], "group_name (reportingapiendpoint attribute)": [[34, "nodriver.cdp.network.ReportingApiEndpoint.group_name"]], "has_extra_info (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.has_extra_info"]], "has_post_data (request attribute)": [[34, "nodriver.cdp.network.Request.has_post_data"]], "has_user_gesture (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.has_user_gesture"]], "hash_algorithm (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.hash_algorithm"]], "header (signedexchangeinfo attribute)": [[34, "nodriver.cdp.network.SignedExchangeInfo.header"]], "header_integrity (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.header_integrity"]], "headers (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.headers"]], "headers (request attribute)": [[34, "nodriver.cdp.network.Request.headers"]], "headers (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.headers"]], "headers (response attribute)": [[34, "nodriver.cdp.network.Response.headers"]], "headers (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.headers"]], "headers (websocketrequest attribute)": [[34, "nodriver.cdp.network.WebSocketRequest.headers"]], "headers (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.headers"]], "headers_text (response attribute)": [[34, "nodriver.cdp.network.Response.headers_text"]], "headers_text (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.headers_text"]], "headers_text (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.headers_text"]], "http_only (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.http_only"]], "http_only (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.http_only"]], "http_status_code (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.http_status_code"]], "id_ (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.id_"]], "include_credentials (loadnetworkresourceoptions attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourceOptions.include_credentials"]], "info (signedexchangereceived attribute)": [[34, "nodriver.cdp.network.SignedExchangeReceived.info"]], "initial_priority (request attribute)": [[34, "nodriver.cdp.network.Request.initial_priority"]], "initiator (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.initiator"]], "initiator (websocketcreated attribute)": [[34, "nodriver.cdp.network.WebSocketCreated.initiator"]], "initiator (webtransportcreated attribute)": [[34, "nodriver.cdp.network.WebTransportCreated.initiator"]], "initiator_ip_address_space (clientsecuritystate attribute)": [[34, "nodriver.cdp.network.ClientSecurityState.initiator_ip_address_space"]], "initiator_is_secure_context (clientsecuritystate attribute)": [[34, "nodriver.cdp.network.ClientSecurityState.initiator_is_secure_context"]], "initiator_url (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.initiator_url"]], "inner_request_id (subresourcewebbundleinnerresponseerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError.inner_request_id"]], "inner_request_id (subresourcewebbundleinnerresponseparsed attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed.inner_request_id"]], "inner_request_url (subresourcewebbundleinnerresponseerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseError.inner_request_url"]], "inner_request_url (subresourcewebbundleinnerresponseparsed attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleInnerResponseParsed.inner_request_url"]], "integrity (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.integrity"]], "interception_id (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.interception_id"]], "interception_stage (requestpattern attribute)": [[34, "nodriver.cdp.network.RequestPattern.interception_stage"]], "is_download (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.is_download"]], "is_enforced (contentsecuritypolicystatus attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicyStatus.is_enforced"]], "is_link_preload (request attribute)": [[34, "nodriver.cdp.network.Request.is_link_preload"]], "is_navigation_request (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.is_navigation_request"]], "is_same_site (request attribute)": [[34, "nodriver.cdp.network.Request.is_same_site"]], "issued_token_count (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.issued_token_count"]], "issuer (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.issuer"]], "issuer_origin (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.issuer_origin"]], "issuers (trusttokenparams attribute)": [[34, "nodriver.cdp.network.TrustTokenParams.issuers"]], "key_exchange (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.key_exchange"]], "key_exchange_group (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.key_exchange_group"]], "label (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.label"]], "line_number (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.line_number"]], "load_network_resource() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.load_network_resource"]], "loader_id (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.loader_id"]], "loader_id (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.loader_id"]], "log_description (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.log_description"]], "log_id (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.log_id"]], "mac (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.mac"]], "mask (websocketframe attribute)": [[34, "nodriver.cdp.network.WebSocketFrame.mask"]], "message (signedexchangeerror attribute)": [[34, "nodriver.cdp.network.SignedExchangeError.message"]], "method (request attribute)": [[34, "nodriver.cdp.network.Request.method"]], "mime_type (response attribute)": [[34, "nodriver.cdp.network.Response.mime_type"]], "mixed_content_type (request attribute)": [[34, "nodriver.cdp.network.Request.mixed_content_type"]], "name (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.name"]], "name (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.name"]], "net_error (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.net_error"]], "net_error_name (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.net_error_name"]], "new_priority (resourcechangedpriority attribute)": [[34, "nodriver.cdp.network.ResourceChangedPriority.new_priority"]], "nodriver.cdp.network": [[34, "module-nodriver.cdp.network"]], "opcode (websocketframe attribute)": [[34, "nodriver.cdp.network.WebSocketFrame.opcode"]], "operation (trusttokenparams attribute)": [[34, "nodriver.cdp.network.TrustTokenParams.operation"]], "origin (reportingapiendpointschangedfororigin attribute)": [[34, "nodriver.cdp.network.ReportingApiEndpointsChangedForOrigin.origin"]], "origin (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.origin"]], "outer_response (signedexchangeinfo attribute)": [[34, "nodriver.cdp.network.SignedExchangeInfo.outer_response"]], "partition_key (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.partition_key"]], "partition_key (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.partition_key"]], "partition_key_opaque (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.partition_key_opaque"]], "path (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.path"]], "path (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.path"]], "payload_data (websocketframe attribute)": [[34, "nodriver.cdp.network.WebSocketFrame.payload_data"]], "post_data (request attribute)": [[34, "nodriver.cdp.network.Request.post_data"]], "post_data_entries (request attribute)": [[34, "nodriver.cdp.network.Request.post_data_entries"]], "priority (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.priority"]], "priority (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.priority"]], "private_network_request_policy (clientsecuritystate attribute)": [[34, "nodriver.cdp.network.ClientSecurityState.private_network_request_policy"]], "protocol (response attribute)": [[34, "nodriver.cdp.network.Response.protocol"]], "protocol (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.protocol"]], "proxy_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.proxy_end"]], "proxy_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.proxy_start"]], "push_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.push_end"]], "push_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.push_start"]], "receive_headers_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.receive_headers_end"]], "receive_headers_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.receive_headers_start"]], "redirect_has_extra_info (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.redirect_has_extra_info"]], "redirect_response (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.redirect_response"]], "redirect_url (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.redirect_url"]], "referrer_policy (request attribute)": [[34, "nodriver.cdp.network.Request.referrer_policy"]], "refresh_policy (trusttokenparams attribute)": [[34, "nodriver.cdp.network.TrustTokenParams.refresh_policy"]], "remote_ip_address (response attribute)": [[34, "nodriver.cdp.network.Response.remote_ip_address"]], "remote_port (response attribute)": [[34, "nodriver.cdp.network.Response.remote_port"]], "replay_xhr() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.replay_xhr"]], "report (reportingapireportadded attribute)": [[34, "nodriver.cdp.network.ReportingApiReportAdded.report"]], "report (reportingapireportupdated attribute)": [[34, "nodriver.cdp.network.ReportingApiReportUpdated.report"]], "report_only_reporting_endpoint (crossoriginembedderpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus.report_only_reporting_endpoint"]], "report_only_reporting_endpoint (crossoriginopenerpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus.report_only_reporting_endpoint"]], "report_only_value (crossoriginembedderpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus.report_only_value"]], "report_only_value (crossoriginopenerpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus.report_only_value"]], "reporting_endpoint (crossoriginembedderpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus.reporting_endpoint"]], "reporting_endpoint (crossoriginopenerpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus.reporting_endpoint"]], "request (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.request"]], "request (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.request"]], "request (websocketwillsendhandshakerequest attribute)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest.request"]], "request_headers (response attribute)": [[34, "nodriver.cdp.network.Response.request_headers"]], "request_headers (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.request_headers"]], "request_headers_text (response attribute)": [[34, "nodriver.cdp.network.Response.request_headers_text"]], "request_headers_text (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.request_headers_text"]], "request_id (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.request_id"]], "request_id (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.request_id"]], "request_id (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.request_id"]], "request_id (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.request_id"]], "request_id (loadingfinished attribute)": [[34, "nodriver.cdp.network.LoadingFinished.request_id"]], "request_id (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.request_id"]], "request_id (requestservedfromcache attribute)": [[34, "nodriver.cdp.network.RequestServedFromCache.request_id"]], "request_id (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.request_id"]], "request_id (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.request_id"]], "request_id (resourcechangedpriority attribute)": [[34, "nodriver.cdp.network.ResourceChangedPriority.request_id"]], "request_id (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.request_id"]], "request_id (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.request_id"]], "request_id (signedexchangereceived attribute)": [[34, "nodriver.cdp.network.SignedExchangeReceived.request_id"]], "request_id (subresourcewebbundlemetadataerror attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataError.request_id"]], "request_id (subresourcewebbundlemetadatareceived attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataReceived.request_id"]], "request_id (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.request_id"]], "request_id (websocketclosed attribute)": [[34, "nodriver.cdp.network.WebSocketClosed.request_id"]], "request_id (websocketcreated attribute)": [[34, "nodriver.cdp.network.WebSocketCreated.request_id"]], "request_id (websocketframeerror attribute)": [[34, "nodriver.cdp.network.WebSocketFrameError.request_id"]], "request_id (websocketframereceived attribute)": [[34, "nodriver.cdp.network.WebSocketFrameReceived.request_id"]], "request_id (websocketframesent attribute)": [[34, "nodriver.cdp.network.WebSocketFrameSent.request_id"]], "request_id (websockethandshakeresponsereceived attribute)": [[34, "nodriver.cdp.network.WebSocketHandshakeResponseReceived.request_id"]], "request_id (websocketwillsendhandshakerequest attribute)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest.request_id"]], "request_time (connecttiming attribute)": [[34, "nodriver.cdp.network.ConnectTiming.request_time"]], "request_time (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.request_time"]], "request_url (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.request_url"]], "resource_ip_address_space (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.resource_ip_address_space"]], "resource_type (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.resource_type"]], "response (cachedresource attribute)": [[34, "nodriver.cdp.network.CachedResource.response"]], "response (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.response"]], "response (websocketframereceived attribute)": [[34, "nodriver.cdp.network.WebSocketFrameReceived.response"]], "response (websocketframesent attribute)": [[34, "nodriver.cdp.network.WebSocketFrameSent.response"]], "response (websockethandshakeresponsereceived attribute)": [[34, "nodriver.cdp.network.WebSocketHandshakeResponseReceived.response"]], "response_code (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.response_code"]], "response_error_reason (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.response_error_reason"]], "response_headers (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.response_headers"]], "response_headers (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.response_headers"]], "response_status_code (requestintercepted attribute)": [[34, "nodriver.cdp.network.RequestIntercepted.response_status_code"]], "response_time (response attribute)": [[34, "nodriver.cdp.network.Response.response_time"]], "rule_id_matched (serviceworkerrouterinfo attribute)": [[34, "nodriver.cdp.network.ServiceWorkerRouterInfo.rule_id_matched"]], "same_party (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.same_party"]], "same_party (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.same_party"]], "same_site (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.same_site"]], "same_site (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.same_site"]], "san_list (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.san_list"]], "search_in_response_body() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.search_in_response_body"]], "secure (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.secure"]], "secure (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.secure"]], "security_details (response attribute)": [[34, "nodriver.cdp.network.Response.security_details"]], "security_details (signedexchangeinfo attribute)": [[34, "nodriver.cdp.network.SignedExchangeInfo.security_details"]], "security_state (response attribute)": [[34, "nodriver.cdp.network.Response.security_state"]], "send_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.send_end"]], "send_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.send_start"]], "server_signature_algorithm (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.server_signature_algorithm"]], "service_worker_response_source (response attribute)": [[34, "nodriver.cdp.network.Response.service_worker_response_source"]], "service_worker_router_info (response attribute)": [[34, "nodriver.cdp.network.Response.service_worker_router_info"]], "session (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.session"]], "set_accepted_encodings() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_accepted_encodings"]], "set_attach_debug_stack() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_attach_debug_stack"]], "set_blocked_ur_ls() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_blocked_ur_ls"]], "set_bypass_service_worker() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_bypass_service_worker"]], "set_cache_disabled() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_cache_disabled"]], "set_cookie() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_cookie"]], "set_cookies() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_cookies"]], "set_extra_http_headers() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_extra_http_headers"]], "set_request_interception() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_request_interception"]], "set_user_agent_override() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.set_user_agent_override"]], "signature (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.signature"]], "signature_algorithm (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.signature_algorithm"]], "signature_data (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.signature_data"]], "signature_index (signedexchangeerror attribute)": [[34, "nodriver.cdp.network.SignedExchangeError.signature_index"]], "signatures (signedexchangeheader attribute)": [[34, "nodriver.cdp.network.SignedExchangeHeader.signatures"]], "signed_certificate_timestamp_list (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.signed_certificate_timestamp_list"]], "site_has_cookie_in_other_partition (requestwillbesentextrainfo attribute)": [[34, "nodriver.cdp.network.RequestWillBeSentExtraInfo.site_has_cookie_in_other_partition"]], "size (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.size"]], "source (contentsecuritypolicystatus attribute)": [[34, "nodriver.cdp.network.ContentSecurityPolicyStatus.source"]], "source_port (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.source_port"]], "source_port (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.source_port"]], "source_scheme (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.source_scheme"]], "source_scheme (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.source_scheme"]], "ssl_end (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.ssl_end"]], "ssl_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.ssl_start"]], "stack (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.stack"]], "status (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.status"]], "status (response attribute)": [[34, "nodriver.cdp.network.Response.status"]], "status (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.status"]], "status (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.status"]], "status (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.status"]], "status_code (responsereceivedextrainfo attribute)": [[34, "nodriver.cdp.network.ResponseReceivedExtraInfo.status_code"]], "status_text (response attribute)": [[34, "nodriver.cdp.network.Response.status_text"]], "status_text (websocketresponse attribute)": [[34, "nodriver.cdp.network.WebSocketResponse.status_text"]], "stream (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.stream"]], "stream_resource_content() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.stream_resource_content"]], "subject_name (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.subject_name"]], "success (loadnetworkresourcepageresult attribute)": [[34, "nodriver.cdp.network.LoadNetworkResourcePageResult.success"]], "take_response_body_for_interception_as_stream() (in module nodriver.cdp.network)": [[34, "nodriver.cdp.network.take_response_body_for_interception_as_stream"]], "timestamp (datareceived attribute)": [[34, "nodriver.cdp.network.DataReceived.timestamp"]], "timestamp (eventsourcemessagereceived attribute)": [[34, "nodriver.cdp.network.EventSourceMessageReceived.timestamp"]], "timestamp (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.timestamp"]], "timestamp (loadingfinished attribute)": [[34, "nodriver.cdp.network.LoadingFinished.timestamp"]], "timestamp (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.timestamp"]], "timestamp (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.timestamp"]], "timestamp (resourcechangedpriority attribute)": [[34, "nodriver.cdp.network.ResourceChangedPriority.timestamp"]], "timestamp (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.timestamp"]], "timestamp (signedcertificatetimestamp attribute)": [[34, "nodriver.cdp.network.SignedCertificateTimestamp.timestamp"]], "timestamp (websocketclosed attribute)": [[34, "nodriver.cdp.network.WebSocketClosed.timestamp"]], "timestamp (websocketframeerror attribute)": [[34, "nodriver.cdp.network.WebSocketFrameError.timestamp"]], "timestamp (websocketframereceived attribute)": [[34, "nodriver.cdp.network.WebSocketFrameReceived.timestamp"]], "timestamp (websocketframesent attribute)": [[34, "nodriver.cdp.network.WebSocketFrameSent.timestamp"]], "timestamp (websockethandshakeresponsereceived attribute)": [[34, "nodriver.cdp.network.WebSocketHandshakeResponseReceived.timestamp"]], "timestamp (websocketwillsendhandshakerequest attribute)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest.timestamp"]], "timestamp (webtransportclosed attribute)": [[34, "nodriver.cdp.network.WebTransportClosed.timestamp"]], "timestamp (webtransportconnectionestablished attribute)": [[34, "nodriver.cdp.network.WebTransportConnectionEstablished.timestamp"]], "timestamp (webtransportcreated attribute)": [[34, "nodriver.cdp.network.WebTransportCreated.timestamp"]], "timing (response attribute)": [[34, "nodriver.cdp.network.Response.timing"]], "top_level_origin (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.top_level_origin"]], "transport_id (webtransportclosed attribute)": [[34, "nodriver.cdp.network.WebTransportClosed.transport_id"]], "transport_id (webtransportconnectionestablished attribute)": [[34, "nodriver.cdp.network.WebTransportConnectionEstablished.transport_id"]], "transport_id (webtransportcreated attribute)": [[34, "nodriver.cdp.network.WebTransportCreated.transport_id"]], "trust_token_params (request attribute)": [[34, "nodriver.cdp.network.Request.trust_token_params"]], "type_ (cachedresource attribute)": [[34, "nodriver.cdp.network.CachedResource.type_"]], "type_ (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.type_"]], "type_ (loadingfailed attribute)": [[34, "nodriver.cdp.network.LoadingFailed.type_"]], "type_ (reportingapireport attribute)": [[34, "nodriver.cdp.network.ReportingApiReport.type_"]], "type_ (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.type_"]], "type_ (responsereceived attribute)": [[34, "nodriver.cdp.network.ResponseReceived.type_"]], "type_ (trusttokenoperationdone attribute)": [[34, "nodriver.cdp.network.TrustTokenOperationDone.type_"]], "url (cachedresource attribute)": [[34, "nodriver.cdp.network.CachedResource.url"]], "url (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.url"]], "url (initiator attribute)": [[34, "nodriver.cdp.network.Initiator.url"]], "url (reportingapiendpoint attribute)": [[34, "nodriver.cdp.network.ReportingApiEndpoint.url"]], "url (request attribute)": [[34, "nodriver.cdp.network.Request.url"]], "url (response attribute)": [[34, "nodriver.cdp.network.Response.url"]], "url (websocketcreated attribute)": [[34, "nodriver.cdp.network.WebSocketCreated.url"]], "url (webtransportcreated attribute)": [[34, "nodriver.cdp.network.WebTransportCreated.url"]], "url_fragment (request attribute)": [[34, "nodriver.cdp.network.Request.url_fragment"]], "urls (subresourcewebbundlemetadatareceived attribute)": [[34, "nodriver.cdp.network.SubresourceWebBundleMetadataReceived.urls"]], "valid_from (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.valid_from"]], "valid_to (securitydetails attribute)": [[34, "nodriver.cdp.network.SecurityDetails.valid_to"]], "validity_url (signedexchangesignature attribute)": [[34, "nodriver.cdp.network.SignedExchangeSignature.validity_url"]], "value (cookie attribute)": [[34, "nodriver.cdp.network.Cookie.value"]], "value (cookieparam attribute)": [[34, "nodriver.cdp.network.CookieParam.value"]], "value (crossoriginembedderpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginEmbedderPolicyStatus.value"]], "value (crossoriginopenerpolicystatus attribute)": [[34, "nodriver.cdp.network.CrossOriginOpenerPolicyStatus.value"]], "wall_time (requestwillbesent attribute)": [[34, "nodriver.cdp.network.RequestWillBeSent.wall_time"]], "wall_time (websocketwillsendhandshakerequest attribute)": [[34, "nodriver.cdp.network.WebSocketWillSendHandshakeRequest.wall_time"]], "worker_fetch_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.worker_fetch_start"]], "worker_ready (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.worker_ready"]], "worker_respond_with_settled (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.worker_respond_with_settled"]], "worker_start (resourcetiming attribute)": [[34, "nodriver.cdp.network.ResourceTiming.worker_start"]], "aa (contrastalgorithm attribute)": [[35, "nodriver.cdp.overlay.ContrastAlgorithm.AA"]], "aaa (contrastalgorithm attribute)": [[35, "nodriver.cdp.overlay.ContrastAlgorithm.AAA"]], "apca (contrastalgorithm attribute)": [[35, "nodriver.cdp.overlay.ContrastAlgorithm.APCA"]], "boxstyle (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.BoxStyle"]], "capture_area_screenshot (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.CAPTURE_AREA_SCREENSHOT"]], "colorformat (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ColorFormat"]], "containerquerycontainerhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ContainerQueryContainerHighlightConfig"]], "containerqueryhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ContainerQueryHighlightConfig"]], "contrastalgorithm (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ContrastAlgorithm"]], "flexcontainerhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig"]], "flexitemhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.FlexItemHighlightConfig"]], "flexnodehighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.FlexNodeHighlightConfig"]], "gridhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.GridHighlightConfig"]], "gridnodehighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.GridNodeHighlightConfig"]], "hex_ (colorformat attribute)": [[35, "nodriver.cdp.overlay.ColorFormat.HEX_"]], "hsl (colorformat attribute)": [[35, "nodriver.cdp.overlay.ColorFormat.HSL"]], "hwb (colorformat attribute)": [[35, "nodriver.cdp.overlay.ColorFormat.HWB"]], "highlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.HighlightConfig"]], "hingeconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.HingeConfig"]], "inspectmode (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.InspectMode"]], "inspectmodecanceled (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.InspectModeCanceled"]], "inspectnoderequested (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.InspectNodeRequested"]], "isolatedelementhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.IsolatedElementHighlightConfig"]], "isolationmodehighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.IsolationModeHighlightConfig"]], "linestyle (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.LineStyle"]], "none (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.NONE"]], "nodehighlightrequested (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.NodeHighlightRequested"]], "rgb (colorformat attribute)": [[35, "nodriver.cdp.overlay.ColorFormat.RGB"]], "search_for_node (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.SEARCH_FOR_NODE"]], "search_for_ua_shadow_dom (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.SEARCH_FOR_UA_SHADOW_DOM"]], "show_distances (inspectmode attribute)": [[35, "nodriver.cdp.overlay.InspectMode.SHOW_DISTANCES"]], "screenshotrequested (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ScreenshotRequested"]], "scrollsnapcontainerhighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig"]], "scrollsnaphighlightconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.ScrollSnapHighlightConfig"]], "sourceorderconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.SourceOrderConfig"]], "windowcontrolsoverlayconfig (class in nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.WindowControlsOverlayConfig"]], "area_border_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.area_border_color"]], "backend_node_id (inspectnoderequested attribute)": [[35, "nodriver.cdp.overlay.InspectNodeRequested.backend_node_id"]], "base_size_border (flexitemhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexItemHighlightConfig.base_size_border"]], "base_size_box (flexitemhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexItemHighlightConfig.base_size_box"]], "border_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.border_color"]], "cell_border_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.cell_border_color"]], "cell_border_dash (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.cell_border_dash"]], "child_outline_color (sourceorderconfig attribute)": [[35, "nodriver.cdp.overlay.SourceOrderConfig.child_outline_color"]], "color (linestyle attribute)": [[35, "nodriver.cdp.overlay.LineStyle.color"]], "color_format (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.color_format"]], "column_gap_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.column_gap_color"]], "column_gap_space (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.column_gap_space"]], "column_hatch_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.column_hatch_color"]], "column_line_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.column_line_color"]], "column_line_dash (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.column_line_dash"]], "container_border (containerquerycontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ContainerQueryContainerHighlightConfig.container_border"]], "container_border (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.container_border"]], "container_query_container_highlight_config (containerqueryhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ContainerQueryHighlightConfig.container_query_container_highlight_config"]], "container_query_container_highlight_config (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.container_query_container_highlight_config"]], "content_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.content_color"]], "content_color (hingeconfig attribute)": [[35, "nodriver.cdp.overlay.HingeConfig.content_color"]], "contrast_algorithm (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.contrast_algorithm"]], "cross_alignment (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.cross_alignment"]], "cross_distributed_space (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.cross_distributed_space"]], "css_grid_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.css_grid_color"]], "descendant_border (containerquerycontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ContainerQueryContainerHighlightConfig.descendant_border"]], "disable() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.disable"]], "enable() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.enable"]], "event_target_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.event_target_color"]], "fill_color (boxstyle attribute)": [[35, "nodriver.cdp.overlay.BoxStyle.fill_color"]], "flex_container_highlight_config (flexnodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexNodeHighlightConfig.flex_container_highlight_config"]], "flex_container_highlight_config (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.flex_container_highlight_config"]], "flex_item_highlight_config (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.flex_item_highlight_config"]], "flexibility_arrow (flexitemhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexItemHighlightConfig.flexibility_arrow"]], "get_grid_highlight_objects_for_test() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.get_grid_highlight_objects_for_test"]], "get_highlight_object_for_test() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.get_highlight_object_for_test"]], "get_source_order_highlight_object_for_test() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.get_source_order_highlight_object_for_test"]], "grid_background_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.grid_background_color"]], "grid_border_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.grid_border_color"]], "grid_border_dash (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.grid_border_dash"]], "grid_highlight_config (gridnodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridNodeHighlightConfig.grid_highlight_config"]], "grid_highlight_config (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.grid_highlight_config"]], "hatch_color (boxstyle attribute)": [[35, "nodriver.cdp.overlay.BoxStyle.hatch_color"]], "hide_highlight() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.hide_highlight"]], "highlight_frame() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_frame"]], "highlight_node() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_node"]], "highlight_quad() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_quad"]], "highlight_rect() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_rect"]], "highlight_source_order() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.highlight_source_order"]], "isolation_mode_highlight_config (isolatedelementhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolatedElementHighlightConfig.isolation_mode_highlight_config"]], "item_separator (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.item_separator"]], "line_separator (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.line_separator"]], "main_distributed_space (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.main_distributed_space"]], "margin_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.margin_color"]], "mask_color (isolationmodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolationModeHighlightConfig.mask_color"]], "node_id (containerqueryhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ContainerQueryHighlightConfig.node_id"]], "node_id (flexnodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexNodeHighlightConfig.node_id"]], "node_id (gridnodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridNodeHighlightConfig.node_id"]], "node_id (isolatedelementhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolatedElementHighlightConfig.node_id"]], "node_id (nodehighlightrequested attribute)": [[35, "nodriver.cdp.overlay.NodeHighlightRequested.node_id"]], "node_id (scrollsnaphighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapHighlightConfig.node_id"]], "nodriver.cdp.overlay": [[35, "module-nodriver.cdp.overlay"]], "outline_color (hingeconfig attribute)": [[35, "nodriver.cdp.overlay.HingeConfig.outline_color"]], "padding_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.padding_color"]], "parent_outline_color (sourceorderconfig attribute)": [[35, "nodriver.cdp.overlay.SourceOrderConfig.parent_outline_color"]], "pattern (linestyle attribute)": [[35, "nodriver.cdp.overlay.LineStyle.pattern"]], "rect (hingeconfig attribute)": [[35, "nodriver.cdp.overlay.HingeConfig.rect"]], "resizer_color (isolationmodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolationModeHighlightConfig.resizer_color"]], "resizer_handle_color (isolationmodehighlightconfig attribute)": [[35, "nodriver.cdp.overlay.IsolationModeHighlightConfig.resizer_handle_color"]], "row_gap_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.row_gap_color"]], "row_gap_space (flexcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.FlexContainerHighlightConfig.row_gap_space"]], "row_hatch_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.row_hatch_color"]], "row_line_color (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.row_line_color"]], "row_line_dash (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.row_line_dash"]], "scroll_margin_color (scrollsnapcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig.scroll_margin_color"]], "scroll_padding_color (scrollsnapcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig.scroll_padding_color"]], "scroll_snap_container_highlight_config (scrollsnaphighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapHighlightConfig.scroll_snap_container_highlight_config"]], "selected_platform (windowcontrolsoverlayconfig attribute)": [[35, "nodriver.cdp.overlay.WindowControlsOverlayConfig.selected_platform"]], "set_inspect_mode() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_inspect_mode"]], "set_paused_in_debugger_message() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_paused_in_debugger_message"]], "set_show_ad_highlights() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_ad_highlights"]], "set_show_container_query_overlays() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_container_query_overlays"]], "set_show_debug_borders() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_debug_borders"]], "set_show_flex_overlays() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_flex_overlays"]], "set_show_fps_counter() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_fps_counter"]], "set_show_grid_overlays() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_grid_overlays"]], "set_show_hinge() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_hinge"]], "set_show_hit_test_borders() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_hit_test_borders"]], "set_show_isolated_elements() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_isolated_elements"]], "set_show_layout_shift_regions() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_layout_shift_regions"]], "set_show_paint_rects() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_paint_rects"]], "set_show_scroll_bottleneck_rects() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_scroll_bottleneck_rects"]], "set_show_scroll_snap_overlays() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_scroll_snap_overlays"]], "set_show_viewport_size_on_resize() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_viewport_size_on_resize"]], "set_show_web_vitals() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_web_vitals"]], "set_show_window_controls_overlay() (in module nodriver.cdp.overlay)": [[35, "nodriver.cdp.overlay.set_show_window_controls_overlay"]], "shape_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.shape_color"]], "shape_margin_color (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.shape_margin_color"]], "show_accessibility_info (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_accessibility_info"]], "show_area_names (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_area_names"]], "show_css (windowcontrolsoverlayconfig attribute)": [[35, "nodriver.cdp.overlay.WindowControlsOverlayConfig.show_css"]], "show_extension_lines (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_extension_lines"]], "show_grid_extension_lines (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_grid_extension_lines"]], "show_info (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_info"]], "show_line_names (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_line_names"]], "show_negative_line_numbers (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_negative_line_numbers"]], "show_positive_line_numbers (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_positive_line_numbers"]], "show_rulers (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_rulers"]], "show_styles (highlightconfig attribute)": [[35, "nodriver.cdp.overlay.HighlightConfig.show_styles"]], "show_track_sizes (gridhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.GridHighlightConfig.show_track_sizes"]], "snap_area_border (scrollsnapcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig.snap_area_border"]], "snapport_border (scrollsnapcontainerhighlightconfig attribute)": [[35, "nodriver.cdp.overlay.ScrollSnapContainerHighlightConfig.snapport_border"]], "theme_color (windowcontrolsoverlayconfig attribute)": [[35, "nodriver.cdp.overlay.WindowControlsOverlayConfig.theme_color"]], "viewport (screenshotrequested attribute)": [[35, "nodriver.cdp.overlay.ScreenshotRequested.viewport"]], "accelerometer (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.ACCELEROMETER"]], "activation_navigations_disallowed_for_bug1234857 (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.ACTIVATION_NAVIGATIONS_DISALLOWED_FOR_BUG1234857"]], "address_bar (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.ADDRESS_BAR"]], "alert (dialogtype attribute)": [[36, "nodriver.cdp.page.DialogType.ALERT"]], "ambient_light_sensor (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.AMBIENT_LIGHT_SENSOR"]], "anchor_click (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.ANCHOR_CLICK"]], "app_banner (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.APP_BANNER"]], "attribution_reporting (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.ATTRIBUTION_REPORTING"]], "autoplay (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.AUTOPLAY"]], "auto_accept (autoresponsemode attribute)": [[36, "nodriver.cdp.page.AutoResponseMode.AUTO_ACCEPT"]], "auto_bookmark (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.AUTO_BOOKMARK"]], "auto_opt_out (autoresponsemode attribute)": [[36, "nodriver.cdp.page.AutoResponseMode.AUTO_OPT_OUT"]], "auto_reject (autoresponsemode attribute)": [[36, "nodriver.cdp.page.AutoResponseMode.AUTO_REJECT"]], "auto_subframe (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.AUTO_SUBFRAME"]], "auto_toplevel (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.AUTO_TOPLEVEL"]], "adframeexplanation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AdFrameExplanation"]], "adframestatus (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AdFrameStatus"]], "adframetype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AdFrameType"]], "adscriptid (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AdScriptId"]], "appmanifesterror (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AppManifestError"]], "appmanifestparsedproperties (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AppManifestParsedProperties"]], "autoresponsemode (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.AutoResponseMode"]], "back_forward_cache_disabled (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED"]], "back_forward_cache_disabled_by_command_line (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED_BY_COMMAND_LINE"]], "back_forward_cache_disabled_by_low_memory (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED_BY_LOW_MEMORY"]], "back_forward_cache_disabled_for_delegate (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED_FOR_DELEGATE"]], "back_forward_cache_disabled_for_prerender (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BACK_FORWARD_CACHE_DISABLED_FOR_PRERENDER"]], "back_forward_cache_restore (navigationtype attribute)": [[36, "nodriver.cdp.page.NavigationType.BACK_FORWARD_CACHE_RESTORE"]], "beforeunload (dialogtype attribute)": [[36, "nodriver.cdp.page.DialogType.BEFOREUNLOAD"]], "bluetooth (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.BLUETOOTH"]], "broadcast_channel (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BROADCAST_CHANNEL"]], "browsing_instance_not_swapped (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.BROWSING_INSTANCE_NOT_SWAPPED"]], "browsing_topics (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.BROWSING_TOPICS"]], "backforwardcacheblockingdetails (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails"]], "backforwardcachenotrestoredexplanation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation"]], "backforwardcachenotrestoredexplanationtree (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree"]], "backforwardcachenotrestoredreason (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason"]], "backforwardcachenotrestoredreasontype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType"]], "backforwardcachenotused (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed"]], "cache_control_no_store (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_CONTROL_NO_STORE"]], "cache_control_no_store_cookie_modified (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_CONTROL_NO_STORE_COOKIE_MODIFIED"]], "cache_control_no_store_http_only_cookie_modified (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_CONTROL_NO_STORE_HTTP_ONLY_COOKIE_MODIFIED"]], "cache_flushed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_FLUSHED"]], "cache_limit (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CACHE_LIMIT"]], "camera (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CAMERA"]], "captured_surface_control (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CAPTURED_SURFACE_CONTROL"]], "child (adframetype attribute)": [[36, "nodriver.cdp.page.AdFrameType.CHILD"]], "ch_device_memory (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_DEVICE_MEMORY"]], "ch_downlink (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_DOWNLINK"]], "ch_dpr (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_DPR"]], "ch_ect (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_ECT"]], "ch_prefers_color_scheme (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_PREFERS_COLOR_SCHEME"]], "ch_prefers_reduced_motion (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_PREFERS_REDUCED_MOTION"]], "ch_prefers_reduced_transparency (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_PREFERS_REDUCED_TRANSPARENCY"]], "ch_rtt (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_RTT"]], "ch_save_data (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_SAVE_DATA"]], "ch_ua (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA"]], "ch_ua_arch (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_ARCH"]], "ch_ua_bitness (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_BITNESS"]], "ch_ua_form_factor (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_FORM_FACTOR"]], "ch_ua_full_version (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_FULL_VERSION"]], "ch_ua_full_version_list (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_FULL_VERSION_LIST"]], "ch_ua_mobile (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_MOBILE"]], "ch_ua_model (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_MODEL"]], "ch_ua_platform (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_PLATFORM"]], "ch_ua_platform_version (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_PLATFORM_VERSION"]], "ch_ua_wow64 (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_UA_WOW64"]], "ch_viewport_height (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_VIEWPORT_HEIGHT"]], "ch_viewport_width (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_VIEWPORT_WIDTH"]], "ch_width (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CH_WIDTH"]], "circumstantial (backforwardcachenotrestoredreasontype attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType.CIRCUMSTANTIAL"]], "clipboard_read (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CLIPBOARD_READ"]], "clipboard_write (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CLIPBOARD_WRITE"]], "compute_pressure (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.COMPUTE_PRESSURE"]], "confirm (dialogtype attribute)": [[36, "nodriver.cdp.page.DialogType.CONFIRM"]], "conflicting_browsing_instance (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONFLICTING_BROWSING_INSTANCE"]], "contains_plugins (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTAINS_PLUGINS"]], "content_file_chooser (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_FILE_CHOOSER"]], "content_file_system_access (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_FILE_SYSTEM_ACCESS"]], "content_media_devices_dispatcher_host (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_MEDIA_DEVICES_DISPATCHER_HOST"]], "content_media_session_service (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_MEDIA_SESSION_SERVICE"]], "content_screen_reader (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_SCREEN_READER"]], "content_security_handler (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_SECURITY_HANDLER"]], "content_serial (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_SERIAL"]], "content_web_authentication_api (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_WEB_AUTHENTICATION_API"]], "content_web_bluetooth (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_WEB_BLUETOOTH"]], "content_web_usb (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.CONTENT_WEB_USB"]], "cookie_disabled (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.COOKIE_DISABLED"]], "cookie_flushed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.COOKIE_FLUSHED"]], "created_by_ad_script (adframeexplanation attribute)": [[36, "nodriver.cdp.page.AdFrameExplanation.CREATED_BY_AD_SCRIPT"]], "cross_origin_isolated (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.CROSS_ORIGIN_ISOLATED"]], "current_tab (clientnavigationdisposition attribute)": [[36, "nodriver.cdp.page.ClientNavigationDisposition.CURRENT_TAB"]], "clientnavigationdisposition (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ClientNavigationDisposition"]], "clientnavigationreason (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ClientNavigationReason"]], "compilationcacheparams (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.CompilationCacheParams"]], "compilationcacheproduced (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.CompilationCacheProduced"]], "crossoriginisolatedcontexttype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.CrossOriginIsolatedContextType"]], "dedicated_worker_or_worklet (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DEDICATED_WORKER_OR_WORKLET"]], "direct_sockets (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.DIRECT_SOCKETS"]], "disable_for_render_frame_host_called (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DISABLE_FOR_RENDER_FRAME_HOST_CALLED"]], "display_capture (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.DISPLAY_CAPTURE"]], "document_domain (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.DOCUMENT_DOMAIN"]], "document_loaded (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DOCUMENT_LOADED"]], "domain_not_allowed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DOMAIN_NOT_ALLOWED"]], "download (clientnavigationdisposition attribute)": [[36, "nodriver.cdp.page.ClientNavigationDisposition.DOWNLOAD"]], "dummy (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.DUMMY"]], "dialogtype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DialogType"]], "documentopened (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DocumentOpened"]], "domcontenteventfired (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DomContentEventFired"]], "downloadprogress (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DownloadProgress"]], "downloadwillbegin (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.DownloadWillBegin"]], "embedder_app_banner_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_APP_BANNER_MANAGER"]], "embedder_chrome_password_manager_client_bind_credential_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_CHROME_PASSWORD_MANAGER_CLIENT_BIND_CREDENTIAL_MANAGER"]], "embedder_dom_distiller_self_deleting_request_delegate (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_DOM_DISTILLER_SELF_DELETING_REQUEST_DELEGATE"]], "embedder_dom_distiller_viewer_source (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_DOM_DISTILLER_VIEWER_SOURCE"]], "embedder_extensions (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_EXTENSIONS"]], "embedder_extension_messaging (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_EXTENSION_MESSAGING"]], "embedder_extension_messaging_for_open_port (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_EXTENSION_MESSAGING_FOR_OPEN_PORT"]], "embedder_extension_sent_message_to_cached_frame (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_EXTENSION_SENT_MESSAGE_TO_CACHED_FRAME"]], "embedder_modal_dialog (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_MODAL_DIALOG"]], "embedder_offline_page (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_OFFLINE_PAGE"]], "embedder_oom_intervention_tab_helper (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_OOM_INTERVENTION_TAB_HELPER"]], "embedder_permission_request_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_PERMISSION_REQUEST_MANAGER"]], "embedder_popup_blocker_tab_helper (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_POPUP_BLOCKER_TAB_HELPER"]], "embedder_safe_browsing_threat_details (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_SAFE_BROWSING_THREAT_DETAILS"]], "embedder_safe_browsing_triggered_popup_blocker (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.EMBEDDER_SAFE_BROWSING_TRIGGERED_POPUP_BLOCKER"]], "enabled (origintrialstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialStatus.ENABLED"]], "encrypted_media (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.ENCRYPTED_MEDIA"]], "entered_back_forward_cache_before_service_worker_host_added (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.ENTERED_BACK_FORWARD_CACHE_BEFORE_SERVICE_WORKER_HOST_ADDED"]], "error_document (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.ERROR_DOCUMENT"]], "execution_while_not_rendered (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.EXECUTION_WHILE_NOT_RENDERED"]], "execution_while_out_of_viewport (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.EXECUTION_WHILE_OUT_OF_VIEWPORT"]], "expired (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.EXPIRED"]], "feature_disabled (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.FEATURE_DISABLED"]], "feature_disabled_for_user (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.FEATURE_DISABLED_FOR_USER"]], "fenced_frames_embedder (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.FENCED_FRAMES_EMBEDDER"]], "focus_without_user_activation (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.FOCUS_WITHOUT_USER_ACTIVATION"]], "foreground_cache_limit (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.FOREGROUND_CACHE_LIMIT"]], "form_submission_get (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.FORM_SUBMISSION_GET"]], "form_submission_post (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.FORM_SUBMISSION_POST"]], "form_submit (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.FORM_SUBMIT"]], "frobulate (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.FROBULATE"]], "fullscreen (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.FULLSCREEN"]], "filechooseropened (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FileChooserOpened"]], "fontfamilies (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FontFamilies"]], "fontsizes (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FontSizes"]], "frame (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.Frame"]], "frameattached (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameAttached"]], "frameclearedschedulednavigation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameClearedScheduledNavigation"]], "framedetached (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameDetached"]], "frameid (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameId"]], "framenavigated (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameNavigated"]], "framerequestednavigation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameRequestedNavigation"]], "frameresized (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameResized"]], "frameresource (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameResource"]], "frameresourcetree (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameResourceTree"]], "frameschedulednavigation (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameScheduledNavigation"]], "framestartedloading (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameStartedLoading"]], "framestoppedloading (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameStoppedLoading"]], "frametree (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.FrameTree"]], "gamepad (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.GAMEPAD"]], "generated (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.GENERATED"]], "geolocation (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.GEOLOCATION"]], "gyroscope (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.GYROSCOPE"]], "gatedapifeatures (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.GatedAPIFeatures"]], "have_inner_contents (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.HAVE_INNER_CONTENTS"]], "header (permissionspolicyblockreason attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason.HEADER"]], "hid (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.HID"]], "http_auth_required (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.HTTP_AUTH_REQUIRED"]], "http_header_refresh (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.HTTP_HEADER_REFRESH"]], "http_method_not_get (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.HTTP_METHOD_NOT_GET"]], "http_status_not_ok (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.HTTP_STATUS_NOT_OK"]], "identity_credentials_get (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.IDENTITY_CREDENTIALS_GET"]], "idle_detection (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.IDLE_DETECTION"]], "idle_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.IDLE_MANAGER"]], "iframe_attribute (permissionspolicyblockreason attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason.IFRAME_ATTRIBUTE"]], "ignore_event_and_evict (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.IGNORE_EVENT_AND_EVICT"]], "indexed_db_event (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.INDEXED_DB_EVENT"]], "injected_javascript (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.INJECTED_JAVASCRIPT"]], "injected_style_sheet (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.INJECTED_STYLE_SHEET"]], "insecure (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.INSECURE"]], "insecure_ancestor (securecontexttype attribute)": [[36, "nodriver.cdp.page.SecureContextType.INSECURE_ANCESTOR"]], "insecure_scheme (securecontexttype attribute)": [[36, "nodriver.cdp.page.SecureContextType.INSECURE_SCHEME"]], "interest_cohort (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.INTEREST_COHORT"]], "invalid_signature (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.INVALID_SIGNATURE"]], "in_fenced_frame_tree (permissionspolicyblockreason attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason.IN_FENCED_FRAME_TREE"]], "in_isolated_app (permissionspolicyblockreason attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason.IN_ISOLATED_APP"]], "isolated (crossoriginisolatedcontexttype attribute)": [[36, "nodriver.cdp.page.CrossOriginIsolatedContextType.ISOLATED"]], "installabilityerror (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.InstallabilityError"]], "installabilityerrorargument (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.InstallabilityErrorArgument"]], "interstitialhidden (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.InterstitialHidden"]], "interstitialshown (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.InterstitialShown"]], "java_script_execution (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.JAVA_SCRIPT_EXECUTION"]], "join_ad_interest_group (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.JOIN_AD_INTEREST_GROUP"]], "js_network_request_received_cache_control_no_store_resource (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.JS_NETWORK_REQUEST_RECEIVED_CACHE_CONTROL_NO_STORE_RESOURCE"]], "javascriptdialogclosed (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.JavascriptDialogClosed"]], "javascriptdialogopening (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.JavascriptDialogOpening"]], "keepalive_request (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.KEEPALIVE_REQUEST"]], "keyboard_lock (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.KEYBOARD_LOCK"]], "keyboard_map (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.KEYBOARD_MAP"]], "keyword (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.KEYWORD"]], "keyword_generated (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.KEYWORD_GENERATED"]], "link (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.LINK"]], "live_media_stream_track (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.LIVE_MEDIA_STREAM_TRACK"]], "loading (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.LOADING"]], "local_fonts (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.LOCAL_FONTS"]], "layoutviewport (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.LayoutViewport"]], "lifecycleevent (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.LifecycleEvent"]], "loadeventfired (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.LoadEventFired"]], "magnetometer (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.MAGNETOMETER"]], "main_resource_has_cache_control_no_cache (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.MAIN_RESOURCE_HAS_CACHE_CONTROL_NO_CACHE"]], "main_resource_has_cache_control_no_store (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.MAIN_RESOURCE_HAS_CACHE_CONTROL_NO_STORE"]], "malformed (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.MALFORMED"]], "manual_subframe (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.MANUAL_SUBFRAME"]], "matched_blocking_rule (adframeexplanation attribute)": [[36, "nodriver.cdp.page.AdFrameExplanation.MATCHED_BLOCKING_RULE"]], "meta_tag_refresh (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.META_TAG_REFRESH"]], "microphone (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.MICROPHONE"]], "midi (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.MIDI"]], "navigation (navigationtype attribute)": [[36, "nodriver.cdp.page.NavigationType.NAVIGATION"]], "navigation_cancelled_while_restoring (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NAVIGATION_CANCELLED_WHILE_RESTORING"]], "network_exceeds_buffer_limit (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NETWORK_EXCEEDS_BUFFER_LIMIT"]], "network_request_datapipe_drained_as_bytes_consumer (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NETWORK_REQUEST_DATAPIPE_DRAINED_AS_BYTES_CONSUMER"]], "network_request_redirected (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NETWORK_REQUEST_REDIRECTED"]], "network_request_timeout (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NETWORK_REQUEST_TIMEOUT"]], "new_tab (clientnavigationdisposition attribute)": [[36, "nodriver.cdp.page.ClientNavigationDisposition.NEW_TAB"]], "new_window (clientnavigationdisposition attribute)": [[36, "nodriver.cdp.page.ClientNavigationDisposition.NEW_WINDOW"]], "none (adframetype attribute)": [[36, "nodriver.cdp.page.AdFrameType.NONE"]], "none (autoresponsemode attribute)": [[36, "nodriver.cdp.page.AutoResponseMode.NONE"]], "none (origintrialusagerestriction attribute)": [[36, "nodriver.cdp.page.OriginTrialUsageRestriction.NONE"]], "not_isolated (crossoriginisolatedcontexttype attribute)": [[36, "nodriver.cdp.page.CrossOriginIsolatedContextType.NOT_ISOLATED"]], "not_isolated_feature_disabled (crossoriginisolatedcontexttype attribute)": [[36, "nodriver.cdp.page.CrossOriginIsolatedContextType.NOT_ISOLATED_FEATURE_DISABLED"]], "not_most_recent_navigation_entry (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NOT_MOST_RECENT_NAVIGATION_ENTRY"]], "not_primary_main_frame (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NOT_PRIMARY_MAIN_FRAME"]], "not_supported (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.NOT_SUPPORTED"]], "no_referrer (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.NO_REFERRER"]], "no_referrer_when_downgrade (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.NO_REFERRER_WHEN_DOWNGRADE"]], "no_response_head (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.NO_RESPONSE_HEAD"]], "navigatedwithindocument (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.NavigatedWithinDocument"]], "navigationentry (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.NavigationEntry"]], "navigationtype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.NavigationType"]], "origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.ORIGIN"]], "origin_when_cross_origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.ORIGIN_WHEN_CROSS_ORIGIN"]], "os_not_supported (origintrialstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialStatus.OS_NOT_SUPPORTED"]], "other (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.OTHER"]], "otp_credentials (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.OTP_CREDENTIALS"]], "outstanding_network_request_direct_socket (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.OUTSTANDING_NETWORK_REQUEST_DIRECT_SOCKET"]], "outstanding_network_request_fetch (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.OUTSTANDING_NETWORK_REQUEST_FETCH"]], "outstanding_network_request_others (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.OUTSTANDING_NETWORK_REQUEST_OTHERS"]], "outstanding_network_request_xhr (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.OUTSTANDING_NETWORK_REQUEST_XHR"]], "origintrial (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrial"]], "origintrialstatus (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialStatus"]], "origintrialtoken (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialToken"]], "origintrialtokenstatus (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus"]], "origintrialtokenwithstatus (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialTokenWithStatus"]], "origintrialusagerestriction (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.OriginTrialUsageRestriction"]], "page_block_interstitial (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.PAGE_BLOCK_INTERSTITIAL"]], "page_support_needed (backforwardcachenotrestoredreasontype attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType.PAGE_SUPPORT_NEEDED"]], "parent_is_ad (adframeexplanation attribute)": [[36, "nodriver.cdp.page.AdFrameExplanation.PARENT_IS_AD"]], "payment (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PAYMENT"]], "payment_manager (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.PAYMENT_MANAGER"]], "performance_measure_memory (gatedapifeatures attribute)": [[36, "nodriver.cdp.page.GatedAPIFeatures.PERFORMANCE_MEASURE_MEMORY"]], "performance_profile (gatedapifeatures attribute)": [[36, "nodriver.cdp.page.GatedAPIFeatures.PERFORMANCE_PROFILE"]], "picture_in_picture (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.PICTURE_IN_PICTURE"]], "picture_in_picture (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PICTURE_IN_PICTURE"]], "portal (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.PORTAL"]], "printing (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.PRINTING"]], "private_aggregation (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PRIVATE_AGGREGATION"]], "private_state_token_issuance (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PRIVATE_STATE_TOKEN_ISSUANCE"]], "private_state_token_redemption (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PRIVATE_STATE_TOKEN_REDEMPTION"]], "prompt (dialogtype attribute)": [[36, "nodriver.cdp.page.DialogType.PROMPT"]], "publickey_credentials_create (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PUBLICKEY_CREDENTIALS_CREATE"]], "publickey_credentials_get (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.PUBLICKEY_CREDENTIALS_GET"]], "permissionspolicyblocklocator (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockLocator"]], "permissionspolicyblockreason (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockReason"]], "permissionspolicyfeature (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature"]], "permissionspolicyfeaturestate (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.PermissionsPolicyFeatureState"]], "related_active_contents_exist (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RELATED_ACTIVE_CONTENTS_EXIST"]], "reload (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.RELOAD"]], "reload (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.RELOAD"]], "renderer_process_crashed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RENDERER_PROCESS_CRASHED"]], "renderer_process_killed (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RENDERER_PROCESS_KILLED"]], "render_frame_host_reused_cross_site (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RENDER_FRAME_HOST_REUSED_CROSS_SITE"]], "render_frame_host_reused_same_site (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.RENDER_FRAME_HOST_REUSED_SAME_SITE"]], "requested_audio_capture_permission (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_AUDIO_CAPTURE_PERMISSION"]], "requested_background_work_permission (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_BACKGROUND_WORK_PERMISSION"]], "requested_back_forward_cache_blocked_sensors (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_BACK_FORWARD_CACHE_BLOCKED_SENSORS"]], "requested_midi_permission (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_MIDI_PERMISSION"]], "requested_storage_access_grant (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_STORAGE_ACCESS_GRANT"]], "requested_video_capture_permission (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.REQUESTED_VIDEO_CAPTURE_PERMISSION"]], "root (adframetype attribute)": [[36, "nodriver.cdp.page.AdFrameType.ROOT"]], "run_ad_auction (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.RUN_AD_AUCTION"]], "referrerpolicy (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ReferrerPolicy"]], "same_origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.SAME_ORIGIN"]], "scheduler_tracked_feature_used (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SCHEDULER_TRACKED_FEATURE_USED"]], "scheme_not_http_or_https (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SCHEME_NOT_HTTP_OR_HTTPS"]], "screen_wake_lock (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SCREEN_WAKE_LOCK"]], "script_initiated (clientnavigationreason attribute)": [[36, "nodriver.cdp.page.ClientNavigationReason.SCRIPT_INITIATED"]], "secure (securecontexttype attribute)": [[36, "nodriver.cdp.page.SecureContextType.SECURE"]], "secure_localhost (securecontexttype attribute)": [[36, "nodriver.cdp.page.SecureContextType.SECURE_LOCALHOST"]], "serial (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SERIAL"]], "service_worker_claim (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SERVICE_WORKER_CLAIM"]], "service_worker_post_message (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SERVICE_WORKER_POST_MESSAGE"]], "service_worker_unregistration (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SERVICE_WORKER_UNREGISTRATION"]], "service_worker_version_activation (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SERVICE_WORKER_VERSION_ACTIVATION"]], "session_restored (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SESSION_RESTORED"]], "shared_array_buffers (gatedapifeatures attribute)": [[36, "nodriver.cdp.page.GatedAPIFeatures.SHARED_ARRAY_BUFFERS"]], "shared_array_buffers_transfer_allowed (gatedapifeatures attribute)": [[36, "nodriver.cdp.page.GatedAPIFeatures.SHARED_ARRAY_BUFFERS_TRANSFER_ALLOWED"]], "shared_autofill (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SHARED_AUTOFILL"]], "shared_storage (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SHARED_STORAGE"]], "shared_storage_select_url (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SHARED_STORAGE_SELECT_URL"]], "shared_worker (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SHARED_WORKER"]], "smart_card (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SMART_CARD"]], "smart_card (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SMART_CARD"]], "speech_recognizer (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SPEECH_RECOGNIZER"]], "speech_synthesis (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SPEECH_SYNTHESIS"]], "storage_access (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.STORAGE_ACCESS"]], "strict_origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.STRICT_ORIGIN"]], "strict_origin_when_cross_origin (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.STRICT_ORIGIN_WHEN_CROSS_ORIGIN"]], "subframe_is_navigating (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SUBFRAME_IS_NAVIGATING"]], "subresource_has_cache_control_no_cache (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SUBRESOURCE_HAS_CACHE_CONTROL_NO_CACHE"]], "subresource_has_cache_control_no_store (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.SUBRESOURCE_HAS_CACHE_CONTROL_NO_STORE"]], "subset (origintrialusagerestriction attribute)": [[36, "nodriver.cdp.page.OriginTrialUsageRestriction.SUBSET"]], "sub_apps (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SUB_APPS"]], "success (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.SUCCESS"]], "support_pending (backforwardcachenotrestoredreasontype attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReasonType.SUPPORT_PENDING"]], "sync_xhr (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.SYNC_XHR"]], "screencastframe (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScreencastFrame"]], "screencastframemetadata (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata"]], "screencastvisibilitychanged (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScreencastVisibilityChanged"]], "scriptfontfamilies (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScriptFontFamilies"]], "scriptidentifier (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.ScriptIdentifier"]], "securecontexttype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.SecureContextType"]], "timeout (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.TIMEOUT"]], "timeout_putting_in_cache (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.TIMEOUT_PUTTING_IN_CACHE"]], "token_disabled (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.TOKEN_DISABLED"]], "trial_not_allowed (origintrialstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialStatus.TRIAL_NOT_ALLOWED"]], "typed (transitiontype attribute)": [[36, "nodriver.cdp.page.TransitionType.TYPED"]], "transitiontype (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.TransitionType"]], "unknown (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.UNKNOWN"]], "unknown_trial (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.UNKNOWN_TRIAL"]], "unload (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.UNLOAD"]], "unload_handler (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.UNLOAD_HANDLER"]], "unload_handler_exists_in_main_frame (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.UNLOAD_HANDLER_EXISTS_IN_MAIN_FRAME"]], "unload_handler_exists_in_sub_frame (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.UNLOAD_HANDLER_EXISTS_IN_SUB_FRAME"]], "unsafe_url (referrerpolicy attribute)": [[36, "nodriver.cdp.page.ReferrerPolicy.UNSAFE_URL"]], "usb (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.USB"]], "usb_unrestricted (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.USB_UNRESTRICTED"]], "user_agent_override_differs (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.USER_AGENT_OVERRIDE_DIFFERS"]], "valid_token_not_provided (origintrialstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialStatus.VALID_TOKEN_NOT_PROVIDED"]], "vertical_scroll (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.VERTICAL_SCROLL"]], "viewport (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.Viewport"]], "visualviewport (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.VisualViewport"]], "was_granted_media_access (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WAS_GRANTED_MEDIA_ACCESS"]], "web_database (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_DATABASE"]], "web_hid (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_HID"]], "web_locks (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_LOCKS"]], "web_nfc (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_NFC"]], "web_otp_service (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_OTP_SERVICE"]], "web_printing (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.WEB_PRINTING"]], "web_rtc (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_RTC"]], "web_rtc_sticky (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_RTC_STICKY"]], "web_share (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_SHARE"]], "web_share (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.WEB_SHARE"]], "web_socket (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_SOCKET"]], "web_socket_sticky (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_SOCKET_STICKY"]], "web_transport (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_TRANSPORT"]], "web_transport_sticky (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_TRANSPORT_STICKY"]], "web_xr (backforwardcachenotrestoredreason attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredReason.WEB_XR"]], "window_management (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.WINDOW_MANAGEMENT"]], "window_placement (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.WINDOW_PLACEMENT"]], "wrong_origin (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.WRONG_ORIGIN"]], "wrong_version (origintrialtokenstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenStatus.WRONG_VERSION"]], "windowopen (class in nodriver.cdp.page)": [[36, "nodriver.cdp.page.WindowOpen"]], "xr_spatial_tracking (permissionspolicyfeature attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeature.XR_SPATIAL_TRACKING"]], "ad_frame_status (frame attribute)": [[36, "nodriver.cdp.page.Frame.ad_frame_status"]], "ad_frame_type (adframestatus attribute)": [[36, "nodriver.cdp.page.AdFrameStatus.ad_frame_type"]], "add_compilation_cache() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.add_compilation_cache"]], "add_script_to_evaluate_on_load() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.add_script_to_evaluate_on_load"]], "add_script_to_evaluate_on_new_document() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.add_script_to_evaluate_on_new_document"]], "allowed (permissionspolicyfeaturestate attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeatureState.allowed"]], "backend_node_id (filechooseropened attribute)": [[36, "nodriver.cdp.page.FileChooserOpened.backend_node_id"]], "block_reason (permissionspolicyblocklocator attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockLocator.block_reason"]], "bring_to_front() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.bring_to_front"]], "canceled (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.canceled"]], "capture_screenshot() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.capture_screenshot"]], "capture_snapshot() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.capture_snapshot"]], "child_frames (frameresourcetree attribute)": [[36, "nodriver.cdp.page.FrameResourceTree.child_frames"]], "child_frames (frametree attribute)": [[36, "nodriver.cdp.page.FrameTree.child_frames"]], "children (backforwardcachenotrestoredexplanationtree attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree.children"]], "clear_compilation_cache() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.clear_compilation_cache"]], "clear_device_metrics_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.clear_device_metrics_override"]], "clear_device_orientation_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.clear_device_orientation_override"]], "clear_geolocation_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.clear_geolocation_override"]], "client_height (layoutviewport attribute)": [[36, "nodriver.cdp.page.LayoutViewport.client_height"]], "client_height (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.client_height"]], "client_width (layoutviewport attribute)": [[36, "nodriver.cdp.page.LayoutViewport.client_width"]], "client_width (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.client_width"]], "close() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.close"]], "column (appmanifesterror attribute)": [[36, "nodriver.cdp.page.AppManifestError.column"]], "column_number (backforwardcacheblockingdetails attribute)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails.column_number"]], "content_size (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.content_size"]], "context (backforwardcachenotrestoredexplanation attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation.context"]], "crash() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.crash"]], "create_isolated_world() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.create_isolated_world"]], "critical (appmanifesterror attribute)": [[36, "nodriver.cdp.page.AppManifestError.critical"]], "cross_origin_isolated_context_type (frame attribute)": [[36, "nodriver.cdp.page.Frame.cross_origin_isolated_context_type"]], "cursive (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.cursive"]], "data (compilationcacheproduced attribute)": [[36, "nodriver.cdp.page.CompilationCacheProduced.data"]], "data (screencastframe attribute)": [[36, "nodriver.cdp.page.ScreencastFrame.data"]], "debugger_id (adscriptid attribute)": [[36, "nodriver.cdp.page.AdScriptId.debugger_id"]], "default_prompt (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.default_prompt"]], "delay (frameschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameScheduledNavigation.delay"]], "delete_cookie() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.delete_cookie"]], "details (backforwardcachenotrestoredexplanation attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation.details"]], "device_height (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.device_height"]], "device_width (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.device_width"]], "disable() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.disable"]], "disposition (framerequestednavigation attribute)": [[36, "nodriver.cdp.page.FrameRequestedNavigation.disposition"]], "domain_and_registry (frame attribute)": [[36, "nodriver.cdp.page.Frame.domain_and_registry"]], "eager (compilationcacheparams attribute)": [[36, "nodriver.cdp.page.CompilationCacheParams.eager"]], "enable() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.enable"]], "error_arguments (installabilityerror attribute)": [[36, "nodriver.cdp.page.InstallabilityError.error_arguments"]], "error_id (installabilityerror attribute)": [[36, "nodriver.cdp.page.InstallabilityError.error_id"]], "expiry_time (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.expiry_time"]], "explanations (adframestatus attribute)": [[36, "nodriver.cdp.page.AdFrameStatus.explanations"]], "explanations (backforwardcachenotrestoredexplanationtree attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree.explanations"]], "failed (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.failed"]], "fantasy (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.fantasy"]], "feature (permissionspolicyfeaturestate attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeatureState.feature"]], "fixed (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.fixed"]], "fixed (fontsizes attribute)": [[36, "nodriver.cdp.page.FontSizes.fixed"]], "font_families (scriptfontfamilies attribute)": [[36, "nodriver.cdp.page.ScriptFontFamilies.font_families"]], "frame (documentopened attribute)": [[36, "nodriver.cdp.page.DocumentOpened.frame"]], "frame (framenavigated attribute)": [[36, "nodriver.cdp.page.FrameNavigated.frame"]], "frame (frameresourcetree attribute)": [[36, "nodriver.cdp.page.FrameResourceTree.frame"]], "frame (frametree attribute)": [[36, "nodriver.cdp.page.FrameTree.frame"]], "frame_id (backforwardcachenotused attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed.frame_id"]], "frame_id (filechooseropened attribute)": [[36, "nodriver.cdp.page.FileChooserOpened.frame_id"]], "frame_id (frameattached attribute)": [[36, "nodriver.cdp.page.FrameAttached.frame_id"]], "frame_id (frameclearedschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameClearedScheduledNavigation.frame_id"]], "frame_id (framedetached attribute)": [[36, "nodriver.cdp.page.FrameDetached.frame_id"]], "frame_id (framerequestednavigation attribute)": [[36, "nodriver.cdp.page.FrameRequestedNavigation.frame_id"]], "frame_id (frameschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameScheduledNavigation.frame_id"]], "frame_id (framestartedloading attribute)": [[36, "nodriver.cdp.page.FrameStartedLoading.frame_id"]], "frame_id (framestoppedloading attribute)": [[36, "nodriver.cdp.page.FrameStoppedLoading.frame_id"]], "frame_id (lifecycleevent attribute)": [[36, "nodriver.cdp.page.LifecycleEvent.frame_id"]], "frame_id (navigatedwithindocument attribute)": [[36, "nodriver.cdp.page.NavigatedWithinDocument.frame_id"]], "frame_id (permissionspolicyblocklocator attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyBlockLocator.frame_id"]], "function (backforwardcacheblockingdetails attribute)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails.function"]], "gated_api_features (frame attribute)": [[36, "nodriver.cdp.page.Frame.gated_api_features"]], "generate_test_report() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.generate_test_report"]], "get_ad_script_id() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_ad_script_id"]], "get_app_id() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_app_id"]], "get_app_manifest() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_app_manifest"]], "get_frame_tree() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_frame_tree"]], "get_installability_errors() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_installability_errors"]], "get_layout_metrics() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_layout_metrics"]], "get_manifest_icons() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_manifest_icons"]], "get_navigation_history() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_navigation_history"]], "get_origin_trials() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_origin_trials"]], "get_permissions_policy_state() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_permissions_policy_state"]], "get_resource_content() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_resource_content"]], "get_resource_tree() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.get_resource_tree"]], "handle_java_script_dialog() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.handle_java_script_dialog"]], "has_browser_handler (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.has_browser_handler"]], "height (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.height"]], "id_ (frame attribute)": [[36, "nodriver.cdp.page.Frame.id_"]], "id_ (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.id_"]], "is_third_party (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.is_third_party"]], "last_modified (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.last_modified"]], "line (appmanifesterror attribute)": [[36, "nodriver.cdp.page.AppManifestError.line"]], "line_number (backforwardcacheblockingdetails attribute)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails.line_number"]], "loader_id (backforwardcachenotused attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed.loader_id"]], "loader_id (frame attribute)": [[36, "nodriver.cdp.page.Frame.loader_id"]], "loader_id (lifecycleevent attribute)": [[36, "nodriver.cdp.page.LifecycleEvent.loader_id"]], "locator (permissionspolicyfeaturestate attribute)": [[36, "nodriver.cdp.page.PermissionsPolicyFeatureState.locator"]], "match_sub_domains (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.match_sub_domains"]], "math (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.math"]], "message (appmanifesterror attribute)": [[36, "nodriver.cdp.page.AppManifestError.message"]], "message (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.message"]], "metadata (screencastframe attribute)": [[36, "nodriver.cdp.page.ScreencastFrame.metadata"]], "mime_type (frame attribute)": [[36, "nodriver.cdp.page.Frame.mime_type"]], "mime_type (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.mime_type"]], "mode (filechooseropened attribute)": [[36, "nodriver.cdp.page.FileChooserOpened.mode"]], "name (frame attribute)": [[36, "nodriver.cdp.page.Frame.name"]], "name (installabilityerrorargument attribute)": [[36, "nodriver.cdp.page.InstallabilityErrorArgument.name"]], "name (lifecycleevent attribute)": [[36, "nodriver.cdp.page.LifecycleEvent.name"]], "navigate() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.navigate"]], "navigate_to_history_entry() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.navigate_to_history_entry"]], "nodriver.cdp.page": [[36, "module-nodriver.cdp.page"]], "not_restored_explanations (backforwardcachenotused attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed.not_restored_explanations"]], "not_restored_explanations_tree (backforwardcachenotused attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotUsed.not_restored_explanations_tree"]], "offset_top (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.offset_top"]], "offset_x (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.offset_x"]], "offset_y (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.offset_y"]], "origin (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.origin"]], "page_scale_factor (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.page_scale_factor"]], "page_x (layoutviewport attribute)": [[36, "nodriver.cdp.page.LayoutViewport.page_x"]], "page_x (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.page_x"]], "page_y (layoutviewport attribute)": [[36, "nodriver.cdp.page.LayoutViewport.page_y"]], "page_y (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.page_y"]], "parent_frame_id (frameattached attribute)": [[36, "nodriver.cdp.page.FrameAttached.parent_frame_id"]], "parent_id (frame attribute)": [[36, "nodriver.cdp.page.Frame.parent_id"]], "parsed_token (origintrialtokenwithstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenWithStatus.parsed_token"]], "print_to_pdf() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.print_to_pdf"]], "produce_compilation_cache() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.produce_compilation_cache"]], "raw_token_text (origintrialtokenwithstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenWithStatus.raw_token_text"]], "reason (backforwardcachenotrestoredexplanation attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation.reason"]], "reason (framedetached attribute)": [[36, "nodriver.cdp.page.FrameDetached.reason"]], "reason (framerequestednavigation attribute)": [[36, "nodriver.cdp.page.FrameRequestedNavigation.reason"]], "reason (frameschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameScheduledNavigation.reason"]], "reload() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.reload"]], "remove_script_to_evaluate_on_load() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.remove_script_to_evaluate_on_load"]], "remove_script_to_evaluate_on_new_document() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.remove_script_to_evaluate_on_new_document"]], "reset_navigation_history() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.reset_navigation_history"]], "resources (frameresourcetree attribute)": [[36, "nodriver.cdp.page.FrameResourceTree.resources"]], "result (javascriptdialogclosed attribute)": [[36, "nodriver.cdp.page.JavascriptDialogClosed.result"]], "sans_serif (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.sans_serif"]], "scale (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.scale"]], "scale (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.scale"]], "scope (appmanifestparsedproperties attribute)": [[36, "nodriver.cdp.page.AppManifestParsedProperties.scope"]], "screencast_frame_ack() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.screencast_frame_ack"]], "script (scriptfontfamilies attribute)": [[36, "nodriver.cdp.page.ScriptFontFamilies.script"]], "script_id (adscriptid attribute)": [[36, "nodriver.cdp.page.AdScriptId.script_id"]], "scroll_offset_x (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.scroll_offset_x"]], "scroll_offset_y (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.scroll_offset_y"]], "search_in_resource() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.search_in_resource"]], "secure_context_type (frame attribute)": [[36, "nodriver.cdp.page.Frame.secure_context_type"]], "security_origin (frame attribute)": [[36, "nodriver.cdp.page.Frame.security_origin"]], "serif (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.serif"]], "session_id (screencastframe attribute)": [[36, "nodriver.cdp.page.ScreencastFrame.session_id"]], "set_ad_blocking_enabled() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_ad_blocking_enabled"]], "set_bypass_csp() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_bypass_csp"]], "set_device_metrics_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_device_metrics_override"]], "set_device_orientation_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_device_orientation_override"]], "set_document_content() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_document_content"]], "set_download_behavior() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_download_behavior"]], "set_font_families() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_font_families"]], "set_font_sizes() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_font_sizes"]], "set_geolocation_override() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_geolocation_override"]], "set_intercept_file_chooser_dialog() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_intercept_file_chooser_dialog"]], "set_lifecycle_events_enabled() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_lifecycle_events_enabled"]], "set_prerendering_allowed() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_prerendering_allowed"]], "set_rph_registration_mode() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_rph_registration_mode"]], "set_spc_transaction_mode() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_spc_transaction_mode"]], "set_touch_emulation_enabled() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_touch_emulation_enabled"]], "set_web_lifecycle_state() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.set_web_lifecycle_state"]], "stack (frameattached attribute)": [[36, "nodriver.cdp.page.FrameAttached.stack"]], "standard (fontfamilies attribute)": [[36, "nodriver.cdp.page.FontFamilies.standard"]], "standard (fontsizes attribute)": [[36, "nodriver.cdp.page.FontSizes.standard"]], "start_screencast() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.start_screencast"]], "status (origintrial attribute)": [[36, "nodriver.cdp.page.OriginTrial.status"]], "status (origintrialtokenwithstatus attribute)": [[36, "nodriver.cdp.page.OriginTrialTokenWithStatus.status"]], "stop_loading() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.stop_loading"]], "stop_screencast() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.stop_screencast"]], "timestamp (domcontenteventfired attribute)": [[36, "nodriver.cdp.page.DomContentEventFired.timestamp"]], "timestamp (lifecycleevent attribute)": [[36, "nodriver.cdp.page.LifecycleEvent.timestamp"]], "timestamp (loadeventfired attribute)": [[36, "nodriver.cdp.page.LoadEventFired.timestamp"]], "timestamp (screencastframemetadata attribute)": [[36, "nodriver.cdp.page.ScreencastFrameMetadata.timestamp"]], "title (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.title"]], "tokens_with_status (origintrial attribute)": [[36, "nodriver.cdp.page.OriginTrial.tokens_with_status"]], "transition_type (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.transition_type"]], "trial_name (origintrial attribute)": [[36, "nodriver.cdp.page.OriginTrial.trial_name"]], "trial_name (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.trial_name"]], "type_ (backforwardcachenotrestoredexplanation attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanation.type_"]], "type_ (framenavigated attribute)": [[36, "nodriver.cdp.page.FrameNavigated.type_"]], "type_ (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.type_"]], "type_ (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.type_"]], "unreachable_url (frame attribute)": [[36, "nodriver.cdp.page.Frame.unreachable_url"]], "url (backforwardcacheblockingdetails attribute)": [[36, "nodriver.cdp.page.BackForwardCacheBlockingDetails.url"]], "url (backforwardcachenotrestoredexplanationtree attribute)": [[36, "nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree.url"]], "url (compilationcacheparams attribute)": [[36, "nodriver.cdp.page.CompilationCacheParams.url"]], "url (compilationcacheproduced attribute)": [[36, "nodriver.cdp.page.CompilationCacheProduced.url"]], "url (frame attribute)": [[36, "nodriver.cdp.page.Frame.url"]], "url (framerequestednavigation attribute)": [[36, "nodriver.cdp.page.FrameRequestedNavigation.url"]], "url (frameresource attribute)": [[36, "nodriver.cdp.page.FrameResource.url"]], "url (frameschedulednavigation attribute)": [[36, "nodriver.cdp.page.FrameScheduledNavigation.url"]], "url (javascriptdialogopening attribute)": [[36, "nodriver.cdp.page.JavascriptDialogOpening.url"]], "url (navigatedwithindocument attribute)": [[36, "nodriver.cdp.page.NavigatedWithinDocument.url"]], "url (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.url"]], "url (windowopen attribute)": [[36, "nodriver.cdp.page.WindowOpen.url"]], "url_fragment (frame attribute)": [[36, "nodriver.cdp.page.Frame.url_fragment"]], "usage_restriction (origintrialtoken attribute)": [[36, "nodriver.cdp.page.OriginTrialToken.usage_restriction"]], "user_gesture (windowopen attribute)": [[36, "nodriver.cdp.page.WindowOpen.user_gesture"]], "user_input (javascriptdialogclosed attribute)": [[36, "nodriver.cdp.page.JavascriptDialogClosed.user_input"]], "user_typed_url (navigationentry attribute)": [[36, "nodriver.cdp.page.NavigationEntry.user_typed_url"]], "value (installabilityerrorargument attribute)": [[36, "nodriver.cdp.page.InstallabilityErrorArgument.value"]], "visible (screencastvisibilitychanged attribute)": [[36, "nodriver.cdp.page.ScreencastVisibilityChanged.visible"]], "wait_for_debugger() (in module nodriver.cdp.page)": [[36, "nodriver.cdp.page.wait_for_debugger"]], "width (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.width"]], "window_features (windowopen attribute)": [[36, "nodriver.cdp.page.WindowOpen.window_features"]], "window_name (windowopen attribute)": [[36, "nodriver.cdp.page.WindowOpen.window_name"]], "x (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.x"]], "y (viewport attribute)": [[36, "nodriver.cdp.page.Viewport.y"]], "zoom (visualviewport attribute)": [[36, "nodriver.cdp.page.VisualViewport.zoom"]], "metric (class in nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.Metric"]], "metrics (class in nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.Metrics"]], "disable() (in module nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.disable"]], "enable() (in module nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.enable"]], "get_metrics() (in module nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.get_metrics"]], "metrics (metrics attribute)": [[37, "nodriver.cdp.performance.Metrics.metrics"]], "name (metric attribute)": [[37, "nodriver.cdp.performance.Metric.name"]], "nodriver.cdp.performance": [[37, "module-nodriver.cdp.performance"]], "set_time_domain() (in module nodriver.cdp.performance)": [[37, "nodriver.cdp.performance.set_time_domain"]], "title (metrics attribute)": [[37, "nodriver.cdp.performance.Metrics.title"]], "value (metric attribute)": [[37, "nodriver.cdp.performance.Metric.value"]], "largestcontentfulpaint (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint"]], "layoutshift (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.LayoutShift"]], "layoutshiftattribution (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.LayoutShiftAttribution"]], "timelineevent (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent"]], "timelineeventadded (class in nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.TimelineEventAdded"]], "current_rect (layoutshiftattribution attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShiftAttribution.current_rect"]], "duration (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.duration"]], "element_id (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.element_id"]], "enable() (in module nodriver.cdp.performance_timeline)": [[38, "nodriver.cdp.performance_timeline.enable"]], "event (timelineeventadded attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEventAdded.event"]], "frame_id (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.frame_id"]], "had_recent_input (layoutshift attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShift.had_recent_input"]], "last_input_time (layoutshift attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShift.last_input_time"]], "layout_shift_details (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.layout_shift_details"]], "lcp_details (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.lcp_details"]], "load_time (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.load_time"]], "name (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.name"]], "node_id (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.node_id"]], "node_id (layoutshiftattribution attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShiftAttribution.node_id"]], "nodriver.cdp.performance_timeline": [[38, "module-nodriver.cdp.performance_timeline"]], "previous_rect (layoutshiftattribution attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShiftAttribution.previous_rect"]], "render_time (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.render_time"]], "size (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.size"]], "sources (layoutshift attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShift.sources"]], "time (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.time"]], "type_ (timelineevent attribute)": [[38, "nodriver.cdp.performance_timeline.TimelineEvent.type_"]], "url (largestcontentfulpaint attribute)": [[38, "nodriver.cdp.performance_timeline.LargestContentfulPaint.url"]], "value (layoutshift attribute)": [[38, "nodriver.cdp.performance_timeline.LayoutShift.value"]], "activated (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED"]], "activated_before_started (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED_BEFORE_STARTED"]], "activated_during_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED_DURING_MAIN_FRAME_NAVIGATION"]], "activated_in_background (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED_IN_BACKGROUND"]], "activated_with_auxiliary_browsing_contexts (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATED_WITH_AUXILIARY_BROWSING_CONTEXTS"]], "activation_frame_policy_not_compatible (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATION_FRAME_POLICY_NOT_COMPATIBLE"]], "activation_navigation_destroyed_before_success (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATION_NAVIGATION_DESTROYED_BEFORE_SUCCESS"]], "activation_navigation_parameter_mismatch (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATION_NAVIGATION_PARAMETER_MISMATCH"]], "activation_url_has_effective_url (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.ACTIVATION_URL_HAS_EFFECTIVE_URL"]], "audio_output_device_requested (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.AUDIO_OUTPUT_DEVICE_REQUESTED"]], "battery_saver_enabled (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.BATTERY_SAVER_ENABLED"]], "blank (speculationtargethint attribute)": [[39, "nodriver.cdp.preload.SpeculationTargetHint.BLANK"]], "blocked_by_client (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.BLOCKED_BY_CLIENT"]], "cancel_all_hosts_for_testing (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CANCEL_ALL_HOSTS_FOR_TESTING"]], "client_cert_requested (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CLIENT_CERT_REQUESTED"]], "cross_site_navigation_in_initial_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CROSS_SITE_NAVIGATION_IN_INITIAL_NAVIGATION"]], "cross_site_navigation_in_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CROSS_SITE_NAVIGATION_IN_MAIN_FRAME_NAVIGATION"]], "cross_site_redirect_in_initial_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CROSS_SITE_REDIRECT_IN_INITIAL_NAVIGATION"]], "cross_site_redirect_in_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.CROSS_SITE_REDIRECT_IN_MAIN_FRAME_NAVIGATION"]], "data_saver_enabled (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.DATA_SAVER_ENABLED"]], "destroyed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.DESTROYED"]], "did_fail_load (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.DID_FAIL_LOAD"]], "download (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.DOWNLOAD"]], "embedder_host_disallowed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.EMBEDDER_HOST_DISALLOWED"]], "failure (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.FAILURE"]], "inactive_page_restriction (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.INACTIVE_PAGE_RESTRICTION"]], "invalid_rules_skipped (ruleseterrortype attribute)": [[39, "nodriver.cdp.preload.RuleSetErrorType.INVALID_RULES_SKIPPED"]], "invalid_scheme_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.INVALID_SCHEME_NAVIGATION"]], "invalid_scheme_redirect (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.INVALID_SCHEME_REDIRECT"]], "login_auth_requested (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.LOGIN_AUTH_REQUESTED"]], "low_end_device (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.LOW_END_DEVICE"]], "main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MAIN_FRAME_NAVIGATION"]], "max_num_of_running_eager_prerenders_exceeded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MAX_NUM_OF_RUNNING_EAGER_PRERENDERS_EXCEEDED"]], "max_num_of_running_embedder_prerenders_exceeded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MAX_NUM_OF_RUNNING_EMBEDDER_PRERENDERS_EXCEEDED"]], "max_num_of_running_non_eager_prerenders_exceeded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MAX_NUM_OF_RUNNING_NON_EAGER_PRERENDERS_EXCEEDED"]], "memory_limit_exceeded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MEMORY_LIMIT_EXCEEDED"]], "memory_pressure_after_triggered (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MEMORY_PRESSURE_AFTER_TRIGGERED"]], "memory_pressure_on_trigger (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MEMORY_PRESSURE_ON_TRIGGER"]], "mixed_content (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MIXED_CONTENT"]], "mojo_binder_policy (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.MOJO_BINDER_POLICY"]], "navigation_bad_http_status (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.NAVIGATION_BAD_HTTP_STATUS"]], "navigation_not_committed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.NAVIGATION_NOT_COMMITTED"]], "navigation_request_blocked_by_csp (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.NAVIGATION_REQUEST_BLOCKED_BY_CSP"]], "navigation_request_network_error (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.NAVIGATION_REQUEST_NETWORK_ERROR"]], "not_supported (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.NOT_SUPPORTED"]], "pending (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.PENDING"]], "prefetch (speculationaction attribute)": [[39, "nodriver.cdp.preload.SpeculationAction.PREFETCH"]], "prefetch_allowed (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_ALLOWED"]], "prefetch_evicted_after_candidate_removed (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_EVICTED_AFTER_CANDIDATE_REMOVED"]], "prefetch_evicted_for_newer_prefetch (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_EVICTED_FOR_NEWER_PREFETCH"]], "prefetch_failed_ineligible_redirect (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_INELIGIBLE_REDIRECT"]], "prefetch_failed_invalid_redirect (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_INVALID_REDIRECT"]], "prefetch_failed_mime_not_supported (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_MIME_NOT_SUPPORTED"]], "prefetch_failed_net_error (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_NET_ERROR"]], "prefetch_failed_non2_xx (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_NON2_XX"]], "prefetch_failed_per_page_limit_exceeded (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_FAILED_PER_PAGE_LIMIT_EXCEEDED"]], "prefetch_heldback (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_HELDBACK"]], "prefetch_ineligible_retry_after (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_INELIGIBLE_RETRY_AFTER"]], "prefetch_is_privacy_decoy (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_IS_PRIVACY_DECOY"]], "prefetch_is_stale (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_IS_STALE"]], "prefetch_not_eligible_battery_saver_enabled (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_BATTERY_SAVER_ENABLED"]], "prefetch_not_eligible_browser_context_off_the_record (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_BROWSER_CONTEXT_OFF_THE_RECORD"]], "prefetch_not_eligible_data_saver_enabled (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_DATA_SAVER_ENABLED"]], "prefetch_not_eligible_existing_proxy (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_EXISTING_PROXY"]], "prefetch_not_eligible_host_is_non_unique (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_HOST_IS_NON_UNIQUE"]], "prefetch_not_eligible_non_default_storage_partition (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_NON_DEFAULT_STORAGE_PARTITION"]], "prefetch_not_eligible_preloading_disabled (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_PRELOADING_DISABLED"]], "prefetch_not_eligible_same_site_cross_origin_prefetch_required_proxy (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_SAME_SITE_CROSS_ORIGIN_PREFETCH_REQUIRED_PROXY"]], "prefetch_not_eligible_scheme_is_not_https (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_SCHEME_IS_NOT_HTTPS"]], "prefetch_not_eligible_user_has_cookies (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_USER_HAS_COOKIES"]], "prefetch_not_eligible_user_has_service_worker (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_ELIGIBLE_USER_HAS_SERVICE_WORKER"]], "prefetch_not_finished_in_time (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_FINISHED_IN_TIME"]], "prefetch_not_started (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_STARTED"]], "prefetch_not_used_cookies_changed (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_USED_COOKIES_CHANGED"]], "prefetch_not_used_probe_failed (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_NOT_USED_PROBE_FAILED"]], "prefetch_proxy_not_available (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_PROXY_NOT_AVAILABLE"]], "prefetch_response_used (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_RESPONSE_USED"]], "prefetch_successful_but_not_used (prefetchstatus attribute)": [[39, "nodriver.cdp.preload.PrefetchStatus.PREFETCH_SUCCESSFUL_BUT_NOT_USED"]], "preloading_disabled (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRELOADING_DISABLED"]], "preloading_unsupported_by_web_contents (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRELOADING_UNSUPPORTED_BY_WEB_CONTENTS"]], "prerender (speculationaction attribute)": [[39, "nodriver.cdp.preload.SpeculationAction.PRERENDER"]], "prerendering_disabled_by_dev_tools (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRERENDERING_DISABLED_BY_DEV_TOOLS"]], "prerendering_url_has_effective_url (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRERENDERING_URL_HAS_EFFECTIVE_URL"]], "primary_main_frame_renderer_process_crashed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRIMARY_MAIN_FRAME_RENDERER_PROCESS_CRASHED"]], "primary_main_frame_renderer_process_killed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.PRIMARY_MAIN_FRAME_RENDERER_PROCESS_KILLED"]], "prefetchstatus (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrefetchStatus"]], "prefetchstatusupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated"]], "preloadenabledstateupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated"]], "preloadingattemptkey (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey"]], "preloadingattemptsource (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadingAttemptSource"]], "preloadingattemptsourcesupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadingAttemptSourcesUpdated"]], "preloadingstatus (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PreloadingStatus"]], "prerenderfinalstatus (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus"]], "prerendermismatchedheaders (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrerenderMismatchedHeaders"]], "prerenderstatusupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated"]], "ready (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.READY"]], "redirected_prerendering_url_has_effective_url (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.REDIRECTED_PRERENDERING_URL_HAS_EFFECTIVE_URL"]], "renderer_process_crashed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.RENDERER_PROCESS_CRASHED"]], "renderer_process_killed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.RENDERER_PROCESS_KILLED"]], "running (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.RUNNING"]], "ruleset (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSet"]], "ruleseterrortype (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSetErrorType"]], "rulesetid (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSetId"]], "rulesetremoved (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSetRemoved"]], "rulesetupdated (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.RuleSetUpdated"]], "same_site_cross_origin_navigation_not_opt_in_in_initial_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SAME_SITE_CROSS_ORIGIN_NAVIGATION_NOT_OPT_IN_IN_INITIAL_NAVIGATION"]], "same_site_cross_origin_navigation_not_opt_in_in_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SAME_SITE_CROSS_ORIGIN_NAVIGATION_NOT_OPT_IN_IN_MAIN_FRAME_NAVIGATION"]], "same_site_cross_origin_redirect_not_opt_in_in_initial_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SAME_SITE_CROSS_ORIGIN_REDIRECT_NOT_OPT_IN_IN_INITIAL_NAVIGATION"]], "same_site_cross_origin_redirect_not_opt_in_in_main_frame_navigation (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SAME_SITE_CROSS_ORIGIN_REDIRECT_NOT_OPT_IN_IN_MAIN_FRAME_NAVIGATION"]], "self (speculationtargethint attribute)": [[39, "nodriver.cdp.preload.SpeculationTargetHint.SELF"]], "source_is_not_json_object (ruleseterrortype attribute)": [[39, "nodriver.cdp.preload.RuleSetErrorType.SOURCE_IS_NOT_JSON_OBJECT"]], "speculation_rule_removed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SPECULATION_RULE_REMOVED"]], "ssl_certificate_error (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.SSL_CERTIFICATE_ERROR"]], "start_failed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.START_FAILED"]], "stop (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.STOP"]], "success (preloadingstatus attribute)": [[39, "nodriver.cdp.preload.PreloadingStatus.SUCCESS"]], "speculationaction (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.SpeculationAction"]], "speculationtargethint (class in nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.SpeculationTargetHint"]], "tab_closed_by_user_gesture (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TAB_CLOSED_BY_USER_GESTURE"]], "tab_closed_without_user_gesture (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TAB_CLOSED_WITHOUT_USER_GESTURE"]], "timeout_backgrounded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TIMEOUT_BACKGROUNDED"]], "trigger_backgrounded (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TRIGGER_BACKGROUNDED"]], "trigger_destroyed (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TRIGGER_DESTROYED"]], "trigger_url_has_effective_url (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.TRIGGER_URL_HAS_EFFECTIVE_URL"]], "ua_change_requires_reload (prerenderfinalstatus attribute)": [[39, "nodriver.cdp.preload.PrerenderFinalStatus.UA_CHANGE_REQUIRES_RELOAD"]], "action (preloadingattemptkey attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey.action"]], "activation_value (prerendermismatchedheaders attribute)": [[39, "nodriver.cdp.preload.PrerenderMismatchedHeaders.activation_value"]], "backend_node_id (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.backend_node_id"]], "disable() (in module nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.disable"]], "disabled_by_battery_saver (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_battery_saver"]], "disabled_by_data_saver (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_data_saver"]], "disabled_by_holdback_prefetch_speculation_rules (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_holdback_prefetch_speculation_rules"]], "disabled_by_holdback_prerender_speculation_rules (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_holdback_prerender_speculation_rules"]], "disabled_by_preference (preloadenabledstateupdated attribute)": [[39, "nodriver.cdp.preload.PreloadEnabledStateUpdated.disabled_by_preference"]], "disallowed_mojo_interface (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.disallowed_mojo_interface"]], "enable() (in module nodriver.cdp.preload)": [[39, "nodriver.cdp.preload.enable"]], "error_message (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.error_message"]], "error_type (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.error_type"]], "header_name (prerendermismatchedheaders attribute)": [[39, "nodriver.cdp.preload.PrerenderMismatchedHeaders.header_name"]], "id_ (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.id_"]], "id_ (rulesetremoved attribute)": [[39, "nodriver.cdp.preload.RuleSetRemoved.id_"]], "initial_value (prerendermismatchedheaders attribute)": [[39, "nodriver.cdp.preload.PrerenderMismatchedHeaders.initial_value"]], "initiating_frame_id (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.initiating_frame_id"]], "key (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.key"]], "key (preloadingattemptsource attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSource.key"]], "key (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.key"]], "loader_id (preloadingattemptkey attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey.loader_id"]], "loader_id (preloadingattemptsourcesupdated attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSourcesUpdated.loader_id"]], "loader_id (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.loader_id"]], "mismatched_headers (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.mismatched_headers"]], "node_ids (preloadingattemptsource attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSource.node_ids"]], "nodriver.cdp.preload": [[39, "module-nodriver.cdp.preload"]], "prefetch_status (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.prefetch_status"]], "prefetch_url (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.prefetch_url"]], "preloading_attempt_sources (preloadingattemptsourcesupdated attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSourcesUpdated.preloading_attempt_sources"]], "prerender_status (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.prerender_status"]], "request_id (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.request_id"]], "request_id (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.request_id"]], "rule_set (rulesetupdated attribute)": [[39, "nodriver.cdp.preload.RuleSetUpdated.rule_set"]], "rule_set_ids (preloadingattemptsource attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptSource.rule_set_ids"]], "source_text (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.source_text"]], "status (prefetchstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrefetchStatusUpdated.status"]], "status (prerenderstatusupdated attribute)": [[39, "nodriver.cdp.preload.PrerenderStatusUpdated.status"]], "target_hint (preloadingattemptkey attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey.target_hint"]], "url (preloadingattemptkey attribute)": [[39, "nodriver.cdp.preload.PreloadingAttemptKey.url"]], "url (ruleset attribute)": [[39, "nodriver.cdp.preload.RuleSet.url"]], "consoleprofilefinished (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished"]], "consoleprofilestarted (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.ConsoleProfileStarted"]], "coveragerange (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.CoverageRange"]], "functioncoverage (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.FunctionCoverage"]], "positiontickinfo (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.PositionTickInfo"]], "precisecoveragedeltaupdate (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate"]], "profile (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.Profile"]], "profilenode (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.ProfileNode"]], "scriptcoverage (class in nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.ScriptCoverage"]], "call_frame (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.call_frame"]], "children (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.children"]], "count (coveragerange attribute)": [[40, "nodriver.cdp.profiler.CoverageRange.count"]], "deopt_reason (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.deopt_reason"]], "disable() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.disable"]], "enable() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.enable"]], "end_offset (coveragerange attribute)": [[40, "nodriver.cdp.profiler.CoverageRange.end_offset"]], "end_time (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.end_time"]], "function_name (functioncoverage attribute)": [[40, "nodriver.cdp.profiler.FunctionCoverage.function_name"]], "functions (scriptcoverage attribute)": [[40, "nodriver.cdp.profiler.ScriptCoverage.functions"]], "get_best_effort_coverage() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.get_best_effort_coverage"]], "hit_count (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.hit_count"]], "id_ (consoleprofilefinished attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished.id_"]], "id_ (consoleprofilestarted attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileStarted.id_"]], "id_ (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.id_"]], "is_block_coverage (functioncoverage attribute)": [[40, "nodriver.cdp.profiler.FunctionCoverage.is_block_coverage"]], "line (positiontickinfo attribute)": [[40, "nodriver.cdp.profiler.PositionTickInfo.line"]], "location (consoleprofilefinished attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished.location"]], "location (consoleprofilestarted attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileStarted.location"]], "nodes (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.nodes"]], "nodriver.cdp.profiler": [[40, "module-nodriver.cdp.profiler"]], "occasion (precisecoveragedeltaupdate attribute)": [[40, "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate.occasion"]], "position_ticks (profilenode attribute)": [[40, "nodriver.cdp.profiler.ProfileNode.position_ticks"]], "profile (consoleprofilefinished attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished.profile"]], "ranges (functioncoverage attribute)": [[40, "nodriver.cdp.profiler.FunctionCoverage.ranges"]], "result (precisecoveragedeltaupdate attribute)": [[40, "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate.result"]], "samples (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.samples"]], "script_id (scriptcoverage attribute)": [[40, "nodriver.cdp.profiler.ScriptCoverage.script_id"]], "set_sampling_interval() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.set_sampling_interval"]], "start() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.start"]], "start_offset (coveragerange attribute)": [[40, "nodriver.cdp.profiler.CoverageRange.start_offset"]], "start_precise_coverage() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.start_precise_coverage"]], "start_time (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.start_time"]], "stop() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.stop"]], "stop_precise_coverage() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.stop_precise_coverage"]], "take_precise_coverage() (in module nodriver.cdp.profiler)": [[40, "nodriver.cdp.profiler.take_precise_coverage"]], "ticks (positiontickinfo attribute)": [[40, "nodriver.cdp.profiler.PositionTickInfo.ticks"]], "time_deltas (profile attribute)": [[40, "nodriver.cdp.profiler.Profile.time_deltas"]], "timestamp (precisecoveragedeltaupdate attribute)": [[40, "nodriver.cdp.profiler.PreciseCoverageDeltaUpdate.timestamp"]], "title (consoleprofilefinished attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileFinished.title"]], "title (consoleprofilestarted attribute)": [[40, "nodriver.cdp.profiler.ConsoleProfileStarted.title"]], "url (scriptcoverage attribute)": [[40, "nodriver.cdp.profiler.ScriptCoverage.url"]], "bindingcalled (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.BindingCalled"]], "callargument (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.CallArgument"]], "callframe (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.CallFrame"]], "consoleapicalled (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled"]], "custompreview (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.CustomPreview"]], "deepserializedvalue (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.DeepSerializedValue"]], "entrypreview (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.EntryPreview"]], "exceptiondetails (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExceptionDetails"]], "exceptionrevoked (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExceptionRevoked"]], "exceptionthrown (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExceptionThrown"]], "executioncontextcreated (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextCreated"]], "executioncontextdescription (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription"]], "executioncontextdestroyed (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextDestroyed"]], "executioncontextid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextId"]], "executioncontextscleared (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ExecutionContextsCleared"]], "inspectrequested (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.InspectRequested"]], "internalpropertydescriptor (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.InternalPropertyDescriptor"]], "objectpreview (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ObjectPreview"]], "privatepropertydescriptor (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor"]], "propertydescriptor (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.PropertyDescriptor"]], "propertypreview (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.PropertyPreview"]], "remoteobject (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.RemoteObject"]], "remoteobjectid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.RemoteObjectId"]], "scriptid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.ScriptId"]], "serializationoptions (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.SerializationOptions"]], "stacktrace (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.StackTrace"]], "stacktraceid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.StackTraceId"]], "timedelta (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.TimeDelta"]], "timestamp (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.Timestamp"]], "uniquedebuggerid (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.UniqueDebuggerId"]], "unserializablevalue (class in nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.UnserializableValue"]], "add_binding() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.add_binding"]], "additional_parameters (serializationoptions attribute)": [[41, "nodriver.cdp.runtime.SerializationOptions.additional_parameters"]], "args (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.args"]], "aux_data (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.aux_data"]], "await_promise() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.await_promise"]], "body_getter_id (custompreview attribute)": [[41, "nodriver.cdp.runtime.CustomPreview.body_getter_id"]], "call_frames (stacktrace attribute)": [[41, "nodriver.cdp.runtime.StackTrace.call_frames"]], "call_function_on() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.call_function_on"]], "class_name (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.class_name"]], "column_number (callframe attribute)": [[41, "nodriver.cdp.runtime.CallFrame.column_number"]], "column_number (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.column_number"]], "compile_script() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.compile_script"]], "configurable (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.configurable"]], "context (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.context"]], "context (executioncontextcreated attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextCreated.context"]], "custom_preview (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.custom_preview"]], "debugger_id (stacktraceid attribute)": [[41, "nodriver.cdp.runtime.StackTraceId.debugger_id"]], "deep_serialized_value (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.deep_serialized_value"]], "description (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.description"]], "description (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.description"]], "description (stacktrace attribute)": [[41, "nodriver.cdp.runtime.StackTrace.description"]], "disable() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.disable"]], "discard_console_entries() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.discard_console_entries"]], "enable() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.enable"]], "entries (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.entries"]], "enumerable (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.enumerable"]], "evaluate() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.evaluate"]], "exception (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.exception"]], "exception_details (exceptionthrown attribute)": [[41, "nodriver.cdp.runtime.ExceptionThrown.exception_details"]], "exception_id (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.exception_id"]], "exception_id (exceptionrevoked attribute)": [[41, "nodriver.cdp.runtime.ExceptionRevoked.exception_id"]], "exception_meta_data (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.exception_meta_data"]], "execution_context_id (bindingcalled attribute)": [[41, "nodriver.cdp.runtime.BindingCalled.execution_context_id"]], "execution_context_id (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.execution_context_id"]], "execution_context_id (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.execution_context_id"]], "execution_context_id (executioncontextdestroyed attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDestroyed.execution_context_id"]], "execution_context_id (inspectrequested attribute)": [[41, "nodriver.cdp.runtime.InspectRequested.execution_context_id"]], "execution_context_unique_id (executioncontextdestroyed attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDestroyed.execution_context_unique_id"]], "get (privatepropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor.get"]], "get (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.get"]], "get_exception_details() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.get_exception_details"]], "get_heap_usage() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.get_heap_usage"]], "get_isolate_id() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.get_isolate_id"]], "get_properties() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.get_properties"]], "global_lexical_scope_names() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.global_lexical_scope_names"]], "header (custompreview attribute)": [[41, "nodriver.cdp.runtime.CustomPreview.header"]], "hints (inspectrequested attribute)": [[41, "nodriver.cdp.runtime.InspectRequested.hints"]], "id_ (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.id_"]], "id_ (stacktraceid attribute)": [[41, "nodriver.cdp.runtime.StackTraceId.id_"]], "is_own (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.is_own"]], "key (entrypreview attribute)": [[41, "nodriver.cdp.runtime.EntryPreview.key"]], "line_number (callframe attribute)": [[41, "nodriver.cdp.runtime.CallFrame.line_number"]], "line_number (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.line_number"]], "max_depth (serializationoptions attribute)": [[41, "nodriver.cdp.runtime.SerializationOptions.max_depth"]], "name (bindingcalled attribute)": [[41, "nodriver.cdp.runtime.BindingCalled.name"]], "name (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.name"]], "name (internalpropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.InternalPropertyDescriptor.name"]], "name (privatepropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor.name"]], "name (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.name"]], "name (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.name"]], "nodriver.cdp.runtime": [[41, "module-nodriver.cdp.runtime"]], "object_ (inspectrequested attribute)": [[41, "nodriver.cdp.runtime.InspectRequested.object_"]], "object_id (callargument attribute)": [[41, "nodriver.cdp.runtime.CallArgument.object_id"]], "object_id (deepserializedvalue attribute)": [[41, "nodriver.cdp.runtime.DeepSerializedValue.object_id"]], "object_id (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.object_id"]], "origin (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.origin"]], "overflow (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.overflow"]], "parent (stacktrace attribute)": [[41, "nodriver.cdp.runtime.StackTrace.parent"]], "parent_id (stacktrace attribute)": [[41, "nodriver.cdp.runtime.StackTrace.parent_id"]], "payload (bindingcalled attribute)": [[41, "nodriver.cdp.runtime.BindingCalled.payload"]], "preview (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.preview"]], "properties (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.properties"]], "query_objects() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.query_objects"]], "reason (exceptionrevoked attribute)": [[41, "nodriver.cdp.runtime.ExceptionRevoked.reason"]], "release_object() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.release_object"]], "release_object_group() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.release_object_group"]], "remove_binding() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.remove_binding"]], "run_if_waiting_for_debugger() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.run_if_waiting_for_debugger"]], "run_script() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.run_script"]], "script_id (callframe attribute)": [[41, "nodriver.cdp.runtime.CallFrame.script_id"]], "script_id (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.script_id"]], "serialization (serializationoptions attribute)": [[41, "nodriver.cdp.runtime.SerializationOptions.serialization"]], "set_ (privatepropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor.set_"]], "set_ (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.set_"]], "set_async_call_stack_depth() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.set_async_call_stack_depth"]], "set_custom_object_formatter_enabled() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.set_custom_object_formatter_enabled"]], "set_max_call_stack_size_to_capture() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.set_max_call_stack_size_to_capture"]], "stack_trace (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.stack_trace"]], "stack_trace (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.stack_trace"]], "subtype (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.subtype"]], "subtype (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.subtype"]], "subtype (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.subtype"]], "symbol (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.symbol"]], "terminate_execution() (in module nodriver.cdp.runtime)": [[41, "nodriver.cdp.runtime.terminate_execution"]], "text (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.text"]], "timestamp (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.timestamp"]], "timestamp (exceptionthrown attribute)": [[41, "nodriver.cdp.runtime.ExceptionThrown.timestamp"]], "type_ (consoleapicalled attribute)": [[41, "nodriver.cdp.runtime.ConsoleAPICalled.type_"]], "type_ (deepserializedvalue attribute)": [[41, "nodriver.cdp.runtime.DeepSerializedValue.type_"]], "type_ (objectpreview attribute)": [[41, "nodriver.cdp.runtime.ObjectPreview.type_"]], "type_ (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.type_"]], "type_ (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.type_"]], "unique_id (executioncontextdescription attribute)": [[41, "nodriver.cdp.runtime.ExecutionContextDescription.unique_id"]], "unserializable_value (callargument attribute)": [[41, "nodriver.cdp.runtime.CallArgument.unserializable_value"]], "unserializable_value (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.unserializable_value"]], "url (exceptiondetails attribute)": [[41, "nodriver.cdp.runtime.ExceptionDetails.url"]], "value (callargument attribute)": [[41, "nodriver.cdp.runtime.CallArgument.value"]], "value (deepserializedvalue attribute)": [[41, "nodriver.cdp.runtime.DeepSerializedValue.value"]], "value (entrypreview attribute)": [[41, "nodriver.cdp.runtime.EntryPreview.value"]], "value (internalpropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.InternalPropertyDescriptor.value"]], "value (privatepropertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PrivatePropertyDescriptor.value"]], "value (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.value"]], "value (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.value"]], "value (remoteobject attribute)": [[41, "nodriver.cdp.runtime.RemoteObject.value"]], "value_preview (propertypreview attribute)": [[41, "nodriver.cdp.runtime.PropertyPreview.value_preview"]], "was_thrown (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.was_thrown"]], "weak_local_object_reference (deepserializedvalue attribute)": [[41, "nodriver.cdp.runtime.DeepSerializedValue.weak_local_object_reference"]], "writable (propertydescriptor attribute)": [[41, "nodriver.cdp.runtime.PropertyDescriptor.writable"]], "domain (class in nodriver.cdp.schema)": [[42, "nodriver.cdp.schema.Domain"]], "get_domains() (in module nodriver.cdp.schema)": [[42, "nodriver.cdp.schema.get_domains"]], "name (domain attribute)": [[42, "nodriver.cdp.schema.Domain.name"]], "nodriver.cdp.schema": [[42, "module-nodriver.cdp.schema"]], "version (domain attribute)": [[42, "nodriver.cdp.schema.Domain.version"]], "bad_reputation (safetytipstatus attribute)": [[43, "nodriver.cdp.security.SafetyTipStatus.BAD_REPUTATION"]], "blockable (mixedcontenttype attribute)": [[43, "nodriver.cdp.security.MixedContentType.BLOCKABLE"]], "cancel (certificateerroraction attribute)": [[43, "nodriver.cdp.security.CertificateErrorAction.CANCEL"]], "continue (certificateerroraction attribute)": [[43, "nodriver.cdp.security.CertificateErrorAction.CONTINUE"]], "certificateerror (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.CertificateError"]], "certificateerroraction (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.CertificateErrorAction"]], "certificateid (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.CertificateId"]], "certificatesecuritystate (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.CertificateSecurityState"]], "info (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.INFO"]], "insecure (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.INSECURE"]], "insecure_broken (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.INSECURE_BROKEN"]], "insecurecontentstatus (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.InsecureContentStatus"]], "lookalike (safetytipstatus attribute)": [[43, "nodriver.cdp.security.SafetyTipStatus.LOOKALIKE"]], "mixedcontenttype (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.MixedContentType"]], "neutral (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.NEUTRAL"]], "none (mixedcontenttype attribute)": [[43, "nodriver.cdp.security.MixedContentType.NONE"]], "optionally_blockable (mixedcontenttype attribute)": [[43, "nodriver.cdp.security.MixedContentType.OPTIONALLY_BLOCKABLE"]], "secure (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.SECURE"]], "safetytipinfo (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SafetyTipInfo"]], "safetytipstatus (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SafetyTipStatus"]], "securitystate (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SecurityState"]], "securitystatechanged (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SecurityStateChanged"]], "securitystateexplanation (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.SecurityStateExplanation"]], "unknown (securitystate attribute)": [[43, "nodriver.cdp.security.SecurityState.UNKNOWN"]], "visiblesecuritystate (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.VisibleSecurityState"]], "visiblesecuritystatechanged (class in nodriver.cdp.security)": [[43, "nodriver.cdp.security.VisibleSecurityStateChanged"]], "certificate (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.certificate"]], "certificate (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.certificate"]], "certificate_has_sha1_signature (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.certificate_has_sha1_signature"]], "certificate_has_weak_signature (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.certificate_has_weak_signature"]], "certificate_network_error (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.certificate_network_error"]], "certificate_security_state (visiblesecuritystate attribute)": [[43, "nodriver.cdp.security.VisibleSecurityState.certificate_security_state"]], "cipher (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.cipher"]], "contained_mixed_form (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.contained_mixed_form"]], "description (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.description"]], "disable() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.disable"]], "displayed_content_with_cert_errors (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.displayed_content_with_cert_errors"]], "displayed_insecure_content_style (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.displayed_insecure_content_style"]], "displayed_mixed_content (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.displayed_mixed_content"]], "enable() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.enable"]], "error_type (certificateerror attribute)": [[43, "nodriver.cdp.security.CertificateError.error_type"]], "event_id (certificateerror attribute)": [[43, "nodriver.cdp.security.CertificateError.event_id"]], "explanations (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.explanations"]], "handle_certificate_error() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.handle_certificate_error"]], "insecure_content_status (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.insecure_content_status"]], "issuer (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.issuer"]], "key_exchange (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.key_exchange"]], "key_exchange_group (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.key_exchange_group"]], "mac (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.mac"]], "mixed_content_type (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.mixed_content_type"]], "modern_ssl (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.modern_ssl"]], "nodriver.cdp.security": [[43, "module-nodriver.cdp.security"]], "obsolete_ssl_cipher (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.obsolete_ssl_cipher"]], "obsolete_ssl_key_exchange (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.obsolete_ssl_key_exchange"]], "obsolete_ssl_protocol (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.obsolete_ssl_protocol"]], "obsolete_ssl_signature (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.obsolete_ssl_signature"]], "protocol (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.protocol"]], "ran_content_with_cert_errors (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.ran_content_with_cert_errors"]], "ran_insecure_content_style (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.ran_insecure_content_style"]], "ran_mixed_content (insecurecontentstatus attribute)": [[43, "nodriver.cdp.security.InsecureContentStatus.ran_mixed_content"]], "recommendations (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.recommendations"]], "request_url (certificateerror attribute)": [[43, "nodriver.cdp.security.CertificateError.request_url"]], "safe_url (safetytipinfo attribute)": [[43, "nodriver.cdp.security.SafetyTipInfo.safe_url"]], "safety_tip_info (visiblesecuritystate attribute)": [[43, "nodriver.cdp.security.VisibleSecurityState.safety_tip_info"]], "safety_tip_status (safetytipinfo attribute)": [[43, "nodriver.cdp.security.SafetyTipInfo.safety_tip_status"]], "scheme_is_cryptographic (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.scheme_is_cryptographic"]], "security_state (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.security_state"]], "security_state (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.security_state"]], "security_state (visiblesecuritystate attribute)": [[43, "nodriver.cdp.security.VisibleSecurityState.security_state"]], "security_state_issue_ids (visiblesecuritystate attribute)": [[43, "nodriver.cdp.security.VisibleSecurityState.security_state_issue_ids"]], "set_ignore_certificate_errors() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.set_ignore_certificate_errors"]], "set_override_certificate_errors() (in module nodriver.cdp.security)": [[43, "nodriver.cdp.security.set_override_certificate_errors"]], "subject_name (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.subject_name"]], "summary (securitystatechanged attribute)": [[43, "nodriver.cdp.security.SecurityStateChanged.summary"]], "summary (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.summary"]], "title (securitystateexplanation attribute)": [[43, "nodriver.cdp.security.SecurityStateExplanation.title"]], "valid_from (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.valid_from"]], "valid_to (certificatesecuritystate attribute)": [[43, "nodriver.cdp.security.CertificateSecurityState.valid_to"]], "visible_security_state (visiblesecuritystatechanged attribute)": [[43, "nodriver.cdp.security.VisibleSecurityStateChanged.visible_security_state"]], "activated (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.ACTIVATED"]], "activating (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.ACTIVATING"]], "installed (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.INSTALLED"]], "installing (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.INSTALLING"]], "new (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.NEW"]], "redundant (serviceworkerversionstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus.REDUNDANT"]], "running (serviceworkerversionrunningstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus.RUNNING"]], "registrationid (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.RegistrationID"]], "starting (serviceworkerversionrunningstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus.STARTING"]], "stopped (serviceworkerversionrunningstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus.STOPPED"]], "stopping (serviceworkerversionrunningstatus attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus.STOPPING"]], "serviceworkererrormessage (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage"]], "serviceworkerregistration (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerRegistration"]], "serviceworkerversion (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion"]], "serviceworkerversionrunningstatus (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionRunningStatus"]], "serviceworkerversionstatus (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersionStatus"]], "workererrorreported (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.WorkerErrorReported"]], "workerregistrationupdated (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.WorkerRegistrationUpdated"]], "workerversionupdated (class in nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.WorkerVersionUpdated"]], "column_number (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.column_number"]], "controlled_clients (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.controlled_clients"]], "deliver_push_message() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.deliver_push_message"]], "disable() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.disable"]], "dispatch_periodic_sync_event() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.dispatch_periodic_sync_event"]], "dispatch_sync_event() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.dispatch_sync_event"]], "enable() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.enable"]], "error_message (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.error_message"]], "error_message (workererrorreported attribute)": [[44, "nodriver.cdp.service_worker.WorkerErrorReported.error_message"]], "inspect_worker() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.inspect_worker"]], "is_deleted (serviceworkerregistration attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerRegistration.is_deleted"]], "line_number (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.line_number"]], "nodriver.cdp.service_worker": [[44, "module-nodriver.cdp.service_worker"]], "registration_id (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.registration_id"]], "registration_id (serviceworkerregistration attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerRegistration.registration_id"]], "registration_id (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.registration_id"]], "registrations (workerregistrationupdated attribute)": [[44, "nodriver.cdp.service_worker.WorkerRegistrationUpdated.registrations"]], "router_rules (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.router_rules"]], "running_status (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.running_status"]], "scope_url (serviceworkerregistration attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerRegistration.scope_url"]], "script_last_modified (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.script_last_modified"]], "script_response_time (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.script_response_time"]], "script_url (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.script_url"]], "set_force_update_on_page_load() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.set_force_update_on_page_load"]], "skip_waiting() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.skip_waiting"]], "source_url (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.source_url"]], "start_worker() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.start_worker"]], "status (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.status"]], "stop_all_workers() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.stop_all_workers"]], "stop_worker() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.stop_worker"]], "target_id (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.target_id"]], "unregister() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.unregister"]], "update_registration() (in module nodriver.cdp.service_worker)": [[44, "nodriver.cdp.service_worker.update_registration"]], "version_id (serviceworkererrormessage attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerErrorMessage.version_id"]], "version_id (serviceworkerversion attribute)": [[44, "nodriver.cdp.service_worker.ServiceWorkerVersion.version_id"]], "versions (workerversionupdated attribute)": [[44, "nodriver.cdp.service_worker.WorkerVersionUpdated.versions"]], "additional_bid (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.ADDITIONAL_BID"]], "additional_bid_win (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.ADDITIONAL_BID_WIN"]], "all_ (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.ALL_"]], "appcache (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.APPCACHE"]], "attributionreportingaggregatablededupkey (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableDedupKey"]], "attributionreportingaggregatableresult (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult"]], "attributionreportingaggregatabletriggerdata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData"]], "attributionreportingaggregatablevalueentry (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableValueEntry"]], "attributionreportingaggregationkeysentry (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingAggregationKeysEntry"]], "attributionreportingeventlevelresult (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult"]], "attributionreportingeventreportwindows (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingEventReportWindows"]], "attributionreportingeventtriggerdata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData"]], "attributionreportingfilterconfig (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingFilterConfig"]], "attributionreportingfilterdataentry (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingFilterDataEntry"]], "attributionreportingfilterpair (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingFilterPair"]], "attributionreportingsourceregistered (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistered"]], "attributionreportingsourceregistration (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration"]], "attributionreportingsourceregistrationresult (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult"]], "attributionreportingsourceregistrationtimeconfig (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig"]], "attributionreportingsourcetype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingSourceType"]], "attributionreportingtriggerdatamatching (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerDataMatching"]], "attributionreportingtriggerregistered (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistered"]], "attributionreportingtriggerregistration (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration"]], "attributionreportingtriggerspec (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerSpec"]], "bid (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.BID"]], "cache_storage (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.CACHE_STORAGE"]], "clear (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.CLEAR"]], "cookies (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.COOKIES"]], "cachestoragecontentupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated"]], "cachestoragelistupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.CacheStorageListUpdated"]], "deduplicated (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.DEDUPLICATED"]], "deduplicated (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.DEDUPLICATED"]], "destination_both_limits_reached (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.DESTINATION_BOTH_LIMITS_REACHED"]], "destination_global_limit_reached (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.DESTINATION_GLOBAL_LIMIT_REACHED"]], "destination_reporting_limit_reached (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.DESTINATION_REPORTING_LIMIT_REACHED"]], "document_add_module (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_ADD_MODULE"]], "document_append (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_APPEND"]], "document_clear (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_CLEAR"]], "document_delete (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_DELETE"]], "document_run (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_RUN"]], "document_select_url (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_SELECT_URL"]], "document_set (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.DOCUMENT_SET"]], "event (attributionreportingsourcetype attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceType.EVENT"]], "exact (attributionreportingtriggerdatamatching attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerDataMatching.EXACT"]], "exceeds_max_channel_capacity (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.EXCEEDS_MAX_CHANNEL_CAPACITY"]], "excessive_attributions (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.EXCESSIVE_ATTRIBUTIONS"]], "excessive_attributions (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.EXCESSIVE_ATTRIBUTIONS"]], "excessive_reporting_origins (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.EXCESSIVE_REPORTING_ORIGINS"]], "excessive_reporting_origins (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.EXCESSIVE_REPORTING_ORIGINS"]], "excessive_reporting_origins (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.EXCESSIVE_REPORTING_ORIGINS"]], "excessive_reports (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.EXCESSIVE_REPORTS"]], "excessive_reports (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.EXCESSIVE_REPORTS"]], "exclude (attributionreportingsourceregistrationtimeconfig attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig.EXCLUDE"]], "falsely_attributed_source (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.FALSELY_ATTRIBUTED_SOURCE"]], "file_systems (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.FILE_SYSTEMS"]], "include (attributionreportingsourceregistrationtimeconfig attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig.INCLUDE"]], "indexeddb (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.INDEXEDDB"]], "insufficient_budget (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.INSUFFICIENT_BUDGET"]], "insufficient_source_capacity (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.INSUFFICIENT_SOURCE_CAPACITY"]], "insufficient_unique_destination_capacity (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.INSUFFICIENT_UNIQUE_DESTINATION_CAPACITY"]], "interest_groups (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.INTEREST_GROUPS"]], "internal_error (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.INTERNAL_ERROR"]], "internal_error (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.INTERNAL_ERROR"]], "internal_error (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.INTERNAL_ERROR"]], "indexeddbcontentupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated"]], "indexeddblistupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.IndexedDBListUpdated"]], "interestgroupaccesstype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.InterestGroupAccessType"]], "interestgroupaccessed (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.InterestGroupAccessed"]], "interestgroupad (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.InterestGroupAd"]], "interestgroupdetails (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.InterestGroupDetails"]], "join (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.JOIN"]], "leave (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.LEAVE"]], "loaded (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.LOADED"]], "local_storage (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.LOCAL_STORAGE"]], "modulus (attributionreportingtriggerdatamatching attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerDataMatching.MODULUS"]], "navigation (attributionreportingsourcetype attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceType.NAVIGATION"]], "never_attributed_source (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NEVER_ATTRIBUTED_SOURCE"]], "not_registered (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NOT_REGISTERED"]], "not_registered (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NOT_REGISTERED"]], "no_capacity_for_attribution_destination (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NO_CAPACITY_FOR_ATTRIBUTION_DESTINATION"]], "no_capacity_for_attribution_destination (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_CAPACITY_FOR_ATTRIBUTION_DESTINATION"]], "no_histograms (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NO_HISTOGRAMS"]], "no_matching_configurations (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_MATCHING_CONFIGURATIONS"]], "no_matching_sources (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NO_MATCHING_SOURCES"]], "no_matching_sources (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_MATCHING_SOURCES"]], "no_matching_source_filter_data (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.NO_MATCHING_SOURCE_FILTER_DATA"]], "no_matching_source_filter_data (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_MATCHING_SOURCE_FILTER_DATA"]], "no_matching_trigger_data (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.NO_MATCHING_TRIGGER_DATA"]], "other (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.OTHER"]], "priority_too_low (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.PRIORITY_TOO_LOW"]], "prohibited_by_browser_policy (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.PROHIBITED_BY_BROWSER_POLICY"]], "prohibited_by_browser_policy (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.PROHIBITED_BY_BROWSER_POLICY"]], "prohibited_by_browser_policy (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.PROHIBITED_BY_BROWSER_POLICY"]], "relaxed (storagebucketsdurability attribute)": [[45, "nodriver.cdp.storage.StorageBucketsDurability.RELAXED"]], "reporting_origins_per_site_limit_reached (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.REPORTING_ORIGINS_PER_SITE_LIMIT_REACHED"]], "report_window_not_started (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.REPORT_WINDOW_NOT_STARTED"]], "report_window_passed (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.REPORT_WINDOW_PASSED"]], "report_window_passed (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.REPORT_WINDOW_PASSED"]], "service_workers (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.SERVICE_WORKERS"]], "shader_cache (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.SHADER_CACHE"]], "shared_storage (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.SHARED_STORAGE"]], "storage_buckets (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.STORAGE_BUCKETS"]], "strict (storagebucketsdurability attribute)": [[45, "nodriver.cdp.storage.StorageBucketsDurability.STRICT"]], "success (attributionreportingaggregatableresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableResult.SUCCESS"]], "success (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.SUCCESS"]], "success (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.SUCCESS"]], "success_dropped_lower_priority (attributionreportingeventlevelresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventLevelResult.SUCCESS_DROPPED_LOWER_PRIORITY"]], "success_noised (attributionreportingsourceregistrationresult attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistrationResult.SUCCESS_NOISED"]], "serializedstoragekey (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SerializedStorageKey"]], "sharedstorageaccessparams (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams"]], "sharedstorageaccesstype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageAccessType"]], "sharedstorageaccessed (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageAccessed"]], "sharedstorageentry (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageEntry"]], "sharedstoragemetadata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageMetadata"]], "sharedstoragereportingmetadata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageReportingMetadata"]], "sharedstorageurlwithmetadata (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SharedStorageUrlWithMetadata"]], "signedint64asbase10 (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.SignedInt64AsBase10"]], "storagebucket (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucket"]], "storagebucketcreatedorupdated (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucketCreatedOrUpdated"]], "storagebucketdeleted (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucketDeleted"]], "storagebucketinfo (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucketInfo"]], "storagebucketsdurability (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageBucketsDurability"]], "storagetype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.StorageType"]], "trusttokens (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.TrustTokens"]], "update (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.UPDATE"]], "unsignedint128asbase16 (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.UnsignedInt128AsBase16"]], "unsignedint64asbase10 (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.UnsignedInt64AsBase10"]], "usagefortype (class in nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.UsageForType"]], "websql (storagetype attribute)": [[45, "nodriver.cdp.storage.StorageType.WEBSQL"]], "win (interestgroupaccesstype attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessType.WIN"]], "worklet_append (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_APPEND"]], "worklet_clear (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_CLEAR"]], "worklet_delete (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_DELETE"]], "worklet_entries (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_ENTRIES"]], "worklet_get (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_GET"]], "worklet_keys (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_KEYS"]], "worklet_length (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_LENGTH"]], "worklet_remaining_budget (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_REMAINING_BUDGET"]], "worklet_set (sharedstorageaccesstype attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessType.WORKLET_SET"]], "access_time (interestgroupaccessed attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessed.access_time"]], "access_time (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.access_time"]], "ad_components (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.ad_components"]], "ads (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.ads"]], "aggregatable (attributionreportingtriggerregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistered.aggregatable"]], "aggregatable_dedup_keys (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.aggregatable_dedup_keys"]], "aggregatable_report_window (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.aggregatable_report_window"]], "aggregatable_trigger_data (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.aggregatable_trigger_data"]], "aggregatable_values (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.aggregatable_values"]], "aggregation_coordinator_origin (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.aggregation_coordinator_origin"]], "aggregation_keys (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.aggregation_keys"]], "bidding_logic_url (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.bidding_logic_url"]], "bidding_wasm_helper_url (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.bidding_wasm_helper_url"]], "bucket (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.bucket"]], "bucket_id (cachestoragecontentupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated.bucket_id"]], "bucket_id (cachestoragelistupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageListUpdated.bucket_id"]], "bucket_id (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.bucket_id"]], "bucket_id (indexeddblistupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBListUpdated.bucket_id"]], "bucket_id (storagebucketdeleted attribute)": [[45, "nodriver.cdp.storage.StorageBucketDeleted.bucket_id"]], "bucket_info (storagebucketcreatedorupdated attribute)": [[45, "nodriver.cdp.storage.StorageBucketCreatedOrUpdated.bucket_info"]], "cache_name (cachestoragecontentupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated.cache_name"]], "clear_cookies() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_cookies"]], "clear_data_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_data_for_origin"]], "clear_data_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_data_for_storage_key"]], "clear_shared_storage_entries() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_shared_storage_entries"]], "clear_trust_tokens() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.clear_trust_tokens"]], "count (trusttokens attribute)": [[45, "nodriver.cdp.storage.TrustTokens.count"]], "creation_time (sharedstoragemetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageMetadata.creation_time"]], "data (attributionreportingeventtriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData.data"]], "database_name (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.database_name"]], "debug_key (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.debug_key"]], "debug_key (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.debug_key"]], "debug_reporting (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.debug_reporting"]], "dedup_key (attributionreportingaggregatablededupkey attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableDedupKey.dedup_key"]], "dedup_key (attributionreportingeventtriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData.dedup_key"]], "delete_shared_storage_entry() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.delete_shared_storage_entry"]], "delete_storage_bucket() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.delete_storage_bucket"]], "destination_sites (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.destination_sites"]], "durability (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.durability"]], "ends (attributionreportingeventreportwindows attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventReportWindows.ends"]], "event_id (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.event_id"]], "event_level (attributionreportingtriggerregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistered.event_level"]], "event_report_windows (attributionreportingtriggerspec attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerSpec.event_report_windows"]], "event_trigger_data (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.event_trigger_data"]], "event_type (sharedstoragereportingmetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageReportingMetadata.event_type"]], "expiration (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.expiration"]], "expiration_time (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.expiration_time"]], "expiry (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.expiry"]], "filter_data (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.filter_data"]], "filter_values (attributionreportingfilterconfig attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterConfig.filter_values"]], "filters (attributionreportingaggregatablededupkey attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableDedupKey.filters"]], "filters (attributionreportingaggregatabletriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData.filters"]], "filters (attributionreportingeventtriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData.filters"]], "filters (attributionreportingfilterpair attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterPair.filters"]], "filters (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.filters"]], "get_cookies() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_cookies"]], "get_interest_group_details() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_interest_group_details"]], "get_shared_storage_entries() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_shared_storage_entries"]], "get_shared_storage_metadata() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_shared_storage_metadata"]], "get_storage_key_for_frame() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_storage_key_for_frame"]], "get_trust_tokens() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_trust_tokens"]], "get_usage_and_quota() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.get_usage_and_quota"]], "id_ (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.id_"]], "ignore_if_present (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.ignore_if_present"]], "issuer_origin (trusttokens attribute)": [[45, "nodriver.cdp.storage.TrustTokens.issuer_origin"]], "joining_origin (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.joining_origin"]], "key (attributionreportingaggregatablevalueentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableValueEntry.key"]], "key (attributionreportingaggregationkeysentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregationKeysEntry.key"]], "key (attributionreportingfilterdataentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterDataEntry.key"]], "key (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.key"]], "key (sharedstorageentry attribute)": [[45, "nodriver.cdp.storage.SharedStorageEntry.key"]], "key_piece (attributionreportingaggregatabletriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData.key_piece"]], "length (sharedstoragemetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageMetadata.length"]], "lookback_window (attributionreportingfilterconfig attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterConfig.lookback_window"]], "main_frame_id (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.main_frame_id"]], "metadata (interestgroupad attribute)": [[45, "nodriver.cdp.storage.InterestGroupAd.metadata"]], "name (interestgroupaccessed attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessed.name"]], "name (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.name"]], "name (storagebucket attribute)": [[45, "nodriver.cdp.storage.StorageBucket.name"]], "nodriver.cdp.storage": [[45, "module-nodriver.cdp.storage"]], "not_filters (attributionreportingfilterpair attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterPair.not_filters"]], "object_store_name (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.object_store_name"]], "operation_name (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.operation_name"]], "origin (cachestoragecontentupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated.origin"]], "origin (cachestoragelistupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageListUpdated.origin"]], "origin (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.origin"]], "origin (indexeddblistupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBListUpdated.origin"]], "override_quota_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.override_quota_for_origin"]], "owner_origin (interestgroupaccessed attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessed.owner_origin"]], "owner_origin (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.owner_origin"]], "owner_origin (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.owner_origin"]], "params (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.params"]], "persistent (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.persistent"]], "priority (attributionreportingeventtriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventTriggerData.priority"]], "priority (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.priority"]], "quota (storagebucketinfo attribute)": [[45, "nodriver.cdp.storage.StorageBucketInfo.quota"]], "registration (attributionreportingsourceregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistered.registration"]], "registration (attributionreportingtriggerregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistered.registration"]], "remaining_budget (sharedstoragemetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageMetadata.remaining_budget"]], "render_url (interestgroupad attribute)": [[45, "nodriver.cdp.storage.InterestGroupAd.render_url"]], "reporting_metadata (sharedstorageurlwithmetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageUrlWithMetadata.reporting_metadata"]], "reporting_origin (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.reporting_origin"]], "reporting_url (sharedstoragereportingmetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageReportingMetadata.reporting_url"]], "reset_shared_storage_budget() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.reset_shared_storage_budget"]], "result (attributionreportingsourceregistered attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistered.result"]], "run_bounce_tracking_mitigations() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.run_bounce_tracking_mitigations"]], "script_source_url (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.script_source_url"]], "serialized_data (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.serialized_data"]], "set_attribution_reporting_local_testing_mode() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_attribution_reporting_local_testing_mode"]], "set_attribution_reporting_tracking() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_attribution_reporting_tracking"]], "set_cookies() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_cookies"]], "set_interest_group_tracking() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_interest_group_tracking"]], "set_shared_storage_entry() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_shared_storage_entry"]], "set_shared_storage_tracking() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_shared_storage_tracking"]], "set_storage_bucket_tracking() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.set_storage_bucket_tracking"]], "source_keys (attributionreportingaggregatabletriggerdata attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableTriggerData.source_keys"]], "source_origin (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.source_origin"]], "source_registration_time_config (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.source_registration_time_config"]], "start (attributionreportingeventreportwindows attribute)": [[45, "nodriver.cdp.storage.AttributionReportingEventReportWindows.start"]], "storage_key (cachestoragecontentupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageContentUpdated.storage_key"]], "storage_key (cachestoragelistupdated attribute)": [[45, "nodriver.cdp.storage.CacheStorageListUpdated.storage_key"]], "storage_key (indexeddbcontentupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBContentUpdated.storage_key"]], "storage_key (indexeddblistupdated attribute)": [[45, "nodriver.cdp.storage.IndexedDBListUpdated.storage_key"]], "storage_key (storagebucket attribute)": [[45, "nodriver.cdp.storage.StorageBucket.storage_key"]], "storage_type (usagefortype attribute)": [[45, "nodriver.cdp.storage.UsageForType.storage_type"]], "time (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.time"]], "track_cache_storage_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.track_cache_storage_for_origin"]], "track_cache_storage_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.track_cache_storage_for_storage_key"]], "track_indexed_db_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.track_indexed_db_for_origin"]], "track_indexed_db_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.track_indexed_db_for_storage_key"]], "trigger_context_id (attributionreportingtriggerregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerRegistration.trigger_context_id"]], "trigger_data (attributionreportingtriggerspec attribute)": [[45, "nodriver.cdp.storage.AttributionReportingTriggerSpec.trigger_data"]], "trigger_data_matching (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.trigger_data_matching"]], "trigger_specs (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.trigger_specs"]], "trusted_bidding_signals_keys (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.trusted_bidding_signals_keys"]], "trusted_bidding_signals_url (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.trusted_bidding_signals_url"]], "type_ (attributionreportingsourceregistration attribute)": [[45, "nodriver.cdp.storage.AttributionReportingSourceRegistration.type_"]], "type_ (interestgroupaccessed attribute)": [[45, "nodriver.cdp.storage.InterestGroupAccessed.type_"]], "type_ (sharedstorageaccessed attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessed.type_"]], "untrack_cache_storage_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.untrack_cache_storage_for_origin"]], "untrack_cache_storage_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.untrack_cache_storage_for_storage_key"]], "untrack_indexed_db_for_origin() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.untrack_indexed_db_for_origin"]], "untrack_indexed_db_for_storage_key() (in module nodriver.cdp.storage)": [[45, "nodriver.cdp.storage.untrack_indexed_db_for_storage_key"]], "update_url (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.update_url"]], "url (sharedstorageurlwithmetadata attribute)": [[45, "nodriver.cdp.storage.SharedStorageUrlWithMetadata.url"]], "urls_with_metadata (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.urls_with_metadata"]], "usage (usagefortype attribute)": [[45, "nodriver.cdp.storage.UsageForType.usage"]], "user_bidding_signals (interestgroupdetails attribute)": [[45, "nodriver.cdp.storage.InterestGroupDetails.user_bidding_signals"]], "value (attributionreportingaggregatablevalueentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregatableValueEntry.value"]], "value (attributionreportingaggregationkeysentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingAggregationKeysEntry.value"]], "value (sharedstorageaccessparams attribute)": [[45, "nodriver.cdp.storage.SharedStorageAccessParams.value"]], "value (sharedstorageentry attribute)": [[45, "nodriver.cdp.storage.SharedStorageEntry.value"]], "values (attributionreportingfilterdataentry attribute)": [[45, "nodriver.cdp.storage.AttributionReportingFilterDataEntry.values"]], "gpudevice (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.GPUDevice"]], "gpuinfo (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.GPUInfo"]], "imagedecodeacceleratorcapability (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability"]], "imagetype (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.ImageType"]], "jpeg (imagetype attribute)": [[46, "nodriver.cdp.system_info.ImageType.JPEG"]], "processinfo (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.ProcessInfo"]], "size (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.Size"]], "subsamplingformat (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.SubsamplingFormat"]], "unknown (imagetype attribute)": [[46, "nodriver.cdp.system_info.ImageType.UNKNOWN"]], "videodecodeacceleratorcapability (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability"]], "videoencodeacceleratorcapability (class in nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability"]], "webp (imagetype attribute)": [[46, "nodriver.cdp.system_info.ImageType.WEBP"]], "yuv420 (subsamplingformat attribute)": [[46, "nodriver.cdp.system_info.SubsamplingFormat.YUV420"]], "yuv422 (subsamplingformat attribute)": [[46, "nodriver.cdp.system_info.SubsamplingFormat.YUV422"]], "yuv444 (subsamplingformat attribute)": [[46, "nodriver.cdp.system_info.SubsamplingFormat.YUV444"]], "aux_attributes (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.aux_attributes"]], "cpu_time (processinfo attribute)": [[46, "nodriver.cdp.system_info.ProcessInfo.cpu_time"]], "device_id (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.device_id"]], "device_string (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.device_string"]], "devices (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.devices"]], "driver_bug_workarounds (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.driver_bug_workarounds"]], "driver_vendor (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.driver_vendor"]], "driver_version (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.driver_version"]], "feature_status (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.feature_status"]], "get_feature_state() (in module nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.get_feature_state"]], "get_info() (in module nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.get_info"]], "get_process_info() (in module nodriver.cdp.system_info)": [[46, "nodriver.cdp.system_info.get_process_info"]], "height (size attribute)": [[46, "nodriver.cdp.system_info.Size.height"]], "id_ (processinfo attribute)": [[46, "nodriver.cdp.system_info.ProcessInfo.id_"]], "image_decoding (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.image_decoding"]], "image_type (imagedecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability.image_type"]], "max_dimensions (imagedecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability.max_dimensions"]], "max_framerate_denominator (videoencodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability.max_framerate_denominator"]], "max_framerate_numerator (videoencodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability.max_framerate_numerator"]], "max_resolution (videodecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability.max_resolution"]], "max_resolution (videoencodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability.max_resolution"]], "min_dimensions (imagedecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability.min_dimensions"]], "min_resolution (videodecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability.min_resolution"]], "nodriver.cdp.system_info": [[46, "module-nodriver.cdp.system_info"]], "profile (videodecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoDecodeAcceleratorCapability.profile"]], "profile (videoencodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.VideoEncodeAcceleratorCapability.profile"]], "revision (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.revision"]], "sub_sys_id (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.sub_sys_id"]], "subsamplings (imagedecodeacceleratorcapability attribute)": [[46, "nodriver.cdp.system_info.ImageDecodeAcceleratorCapability.subsamplings"]], "type_ (processinfo attribute)": [[46, "nodriver.cdp.system_info.ProcessInfo.type_"]], "vendor_id (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.vendor_id"]], "vendor_string (gpudevice attribute)": [[46, "nodriver.cdp.system_info.GPUDevice.vendor_string"]], "video_decoding (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.video_decoding"]], "video_encoding (gpuinfo attribute)": [[46, "nodriver.cdp.system_info.GPUInfo.video_encoding"]], "width (size attribute)": [[46, "nodriver.cdp.system_info.Size.width"]], "attachedtotarget (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.AttachedToTarget"]], "detachedfromtarget (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.DetachedFromTarget"]], "filterentry (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.FilterEntry"]], "receivedmessagefromtarget (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.ReceivedMessageFromTarget"]], "remotelocation (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.RemoteLocation"]], "sessionid (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.SessionID"]], "targetcrashed (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetCrashed"]], "targetcreated (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetCreated"]], "targetdestroyed (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetDestroyed"]], "targetfilter (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetFilter"]], "targetid (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetID"]], "targetinfo (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetInfo"]], "targetinfochanged (class in nodriver.cdp.target)": [[47, "nodriver.cdp.target.TargetInfoChanged"]], "activate_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.activate_target"]], "attach_to_browser_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.attach_to_browser_target"]], "attach_to_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.attach_to_target"]], "attached (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.attached"]], "auto_attach_related() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.auto_attach_related"]], "browser_context_id (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.browser_context_id"]], "can_access_opener (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.can_access_opener"]], "close_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.close_target"]], "create_browser_context() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.create_browser_context"]], "create_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.create_target"]], "detach_from_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.detach_from_target"]], "dispose_browser_context() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.dispose_browser_context"]], "error_code (targetcrashed attribute)": [[47, "nodriver.cdp.target.TargetCrashed.error_code"]], "exclude (filterentry attribute)": [[47, "nodriver.cdp.target.FilterEntry.exclude"]], "expose_dev_tools_protocol() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.expose_dev_tools_protocol"]], "get_browser_contexts() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.get_browser_contexts"]], "get_target_info() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.get_target_info"]], "get_targets() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.get_targets"]], "host (remotelocation attribute)": [[47, "nodriver.cdp.target.RemoteLocation.host"]], "message (receivedmessagefromtarget attribute)": [[47, "nodriver.cdp.target.ReceivedMessageFromTarget.message"]], "nodriver.cdp.target": [[47, "module-nodriver.cdp.target"]], "opener_frame_id (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.opener_frame_id"]], "opener_id (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.opener_id"]], "port (remotelocation attribute)": [[47, "nodriver.cdp.target.RemoteLocation.port"]], "send_message_to_target() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.send_message_to_target"]], "session_id (attachedtotarget attribute)": [[47, "nodriver.cdp.target.AttachedToTarget.session_id"]], "session_id (detachedfromtarget attribute)": [[47, "nodriver.cdp.target.DetachedFromTarget.session_id"]], "session_id (receivedmessagefromtarget attribute)": [[47, "nodriver.cdp.target.ReceivedMessageFromTarget.session_id"]], "set_auto_attach() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.set_auto_attach"]], "set_discover_targets() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.set_discover_targets"]], "set_remote_locations() (in module nodriver.cdp.target)": [[47, "nodriver.cdp.target.set_remote_locations"]], "status (targetcrashed attribute)": [[47, "nodriver.cdp.target.TargetCrashed.status"]], "subtype (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.subtype"]], "target_id (detachedfromtarget attribute)": [[47, "nodriver.cdp.target.DetachedFromTarget.target_id"]], "target_id (receivedmessagefromtarget attribute)": [[47, "nodriver.cdp.target.ReceivedMessageFromTarget.target_id"]], "target_id (targetcrashed attribute)": [[47, "nodriver.cdp.target.TargetCrashed.target_id"]], "target_id (targetdestroyed attribute)": [[47, "nodriver.cdp.target.TargetDestroyed.target_id"]], "target_id (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.target_id"]], "target_info (attachedtotarget attribute)": [[47, "nodriver.cdp.target.AttachedToTarget.target_info"]], "target_info (targetcreated attribute)": [[47, "nodriver.cdp.target.TargetCreated.target_info"]], "target_info (targetinfochanged attribute)": [[47, "nodriver.cdp.target.TargetInfoChanged.target_info"]], "title (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.title"]], "type_ (filterentry attribute)": [[47, "nodriver.cdp.target.FilterEntry.type_"]], "type_ (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.type_"]], "url (targetinfo attribute)": [[47, "nodriver.cdp.target.TargetInfo.url"]], "waiting_for_debugger (attachedtotarget attribute)": [[47, "nodriver.cdp.target.AttachedToTarget.waiting_for_debugger"]], "accepted (class in nodriver.cdp.tethering)": [[48, "nodriver.cdp.tethering.Accepted"]], "bind() (in module nodriver.cdp.tethering)": [[48, "nodriver.cdp.tethering.bind"]], "connection_id (accepted attribute)": [[48, "nodriver.cdp.tethering.Accepted.connection_id"]], "nodriver.cdp.tethering": [[48, "module-nodriver.cdp.tethering"]], "port (accepted attribute)": [[48, "nodriver.cdp.tethering.Accepted.port"]], "unbind() (in module nodriver.cdp.tethering)": [[48, "nodriver.cdp.tethering.unbind"]], "auto (tracingbackend attribute)": [[49, "nodriver.cdp.tracing.TracingBackend.AUTO"]], "background (memorydumplevelofdetail attribute)": [[49, "nodriver.cdp.tracing.MemoryDumpLevelOfDetail.BACKGROUND"]], "bufferusage (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.BufferUsage"]], "chrome (tracingbackend attribute)": [[49, "nodriver.cdp.tracing.TracingBackend.CHROME"]], "detailed (memorydumplevelofdetail attribute)": [[49, "nodriver.cdp.tracing.MemoryDumpLevelOfDetail.DETAILED"]], "datacollected (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.DataCollected"]], "gzip (streamcompression attribute)": [[49, "nodriver.cdp.tracing.StreamCompression.GZIP"]], "json (streamformat attribute)": [[49, "nodriver.cdp.tracing.StreamFormat.JSON"]], "light (memorydumplevelofdetail attribute)": [[49, "nodriver.cdp.tracing.MemoryDumpLevelOfDetail.LIGHT"]], "memorydumpconfig (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.MemoryDumpConfig"]], "memorydumplevelofdetail (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.MemoryDumpLevelOfDetail"]], "none (streamcompression attribute)": [[49, "nodriver.cdp.tracing.StreamCompression.NONE"]], "proto (streamformat attribute)": [[49, "nodriver.cdp.tracing.StreamFormat.PROTO"]], "system (tracingbackend attribute)": [[49, "nodriver.cdp.tracing.TracingBackend.SYSTEM"]], "streamcompression (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.StreamCompression"]], "streamformat (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.StreamFormat"]], "traceconfig (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.TraceConfig"]], "tracingbackend (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.TracingBackend"]], "tracingcomplete (class in nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.TracingComplete"]], "data_loss_occurred (tracingcomplete attribute)": [[49, "nodriver.cdp.tracing.TracingComplete.data_loss_occurred"]], "enable_argument_filter (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.enable_argument_filter"]], "enable_sampling (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.enable_sampling"]], "enable_systrace (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.enable_systrace"]], "end() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.end"]], "event_count (bufferusage attribute)": [[49, "nodriver.cdp.tracing.BufferUsage.event_count"]], "excluded_categories (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.excluded_categories"]], "get_categories() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.get_categories"]], "included_categories (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.included_categories"]], "memory_dump_config (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.memory_dump_config"]], "nodriver.cdp.tracing": [[49, "module-nodriver.cdp.tracing"]], "percent_full (bufferusage attribute)": [[49, "nodriver.cdp.tracing.BufferUsage.percent_full"]], "record_clock_sync_marker() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.record_clock_sync_marker"]], "record_mode (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.record_mode"]], "request_memory_dump() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.request_memory_dump"]], "start() (in module nodriver.cdp.tracing)": [[49, "nodriver.cdp.tracing.start"]], "stream (tracingcomplete attribute)": [[49, "nodriver.cdp.tracing.TracingComplete.stream"]], "stream_compression (tracingcomplete attribute)": [[49, "nodriver.cdp.tracing.TracingComplete.stream_compression"]], "synthetic_delays (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.synthetic_delays"]], "trace_buffer_size_in_kb (traceconfig attribute)": [[49, "nodriver.cdp.tracing.TraceConfig.trace_buffer_size_in_kb"]], "trace_format (tracingcomplete attribute)": [[49, "nodriver.cdp.tracing.TracingComplete.trace_format"]], "value (bufferusage attribute)": [[49, "nodriver.cdp.tracing.BufferUsage.value"]], "value (datacollected attribute)": [[49, "nodriver.cdp.tracing.DataCollected.value"]], "a_rate (automationrate attribute)": [[50, "nodriver.cdp.web_audio.AutomationRate.A_RATE"]], "audiolistener (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioListener"]], "audiolistenercreated (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioListenerCreated"]], "audiolistenerwillbedestroyed (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioListenerWillBeDestroyed"]], "audionode (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioNode"]], "audionodecreated (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioNodeCreated"]], "audionodewillbedestroyed (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioNodeWillBeDestroyed"]], "audioparam (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioParam"]], "audioparamcreated (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioParamCreated"]], "audioparamwillbedestroyed (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AudioParamWillBeDestroyed"]], "automationrate (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.AutomationRate"]], "baseaudiocontext (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.BaseAudioContext"]], "clamped_max (channelcountmode attribute)": [[50, "nodriver.cdp.web_audio.ChannelCountMode.CLAMPED_MAX"]], "closed (contextstate attribute)": [[50, "nodriver.cdp.web_audio.ContextState.CLOSED"]], "channelcountmode (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ChannelCountMode"]], "channelinterpretation (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ChannelInterpretation"]], "contextchanged (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextChanged"]], "contextcreated (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextCreated"]], "contextrealtimedata (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData"]], "contextstate (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextState"]], "contexttype (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextType"]], "contextwillbedestroyed (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ContextWillBeDestroyed"]], "discrete (channelinterpretation attribute)": [[50, "nodriver.cdp.web_audio.ChannelInterpretation.DISCRETE"]], "explicit (channelcountmode attribute)": [[50, "nodriver.cdp.web_audio.ChannelCountMode.EXPLICIT"]], "graphobjectid (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.GraphObjectId"]], "k_rate (automationrate attribute)": [[50, "nodriver.cdp.web_audio.AutomationRate.K_RATE"]], "max_ (channelcountmode attribute)": [[50, "nodriver.cdp.web_audio.ChannelCountMode.MAX_"]], "nodeparamconnected (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodeParamConnected"]], "nodeparamdisconnected (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected"]], "nodetype (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodeType"]], "nodesconnected (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodesConnected"]], "nodesdisconnected (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.NodesDisconnected"]], "offline (contexttype attribute)": [[50, "nodriver.cdp.web_audio.ContextType.OFFLINE"]], "paramtype (class in nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.ParamType"]], "realtime (contexttype attribute)": [[50, "nodriver.cdp.web_audio.ContextType.REALTIME"]], "running (contextstate attribute)": [[50, "nodriver.cdp.web_audio.ContextState.RUNNING"]], "speakers (channelinterpretation attribute)": [[50, "nodriver.cdp.web_audio.ChannelInterpretation.SPEAKERS"]], "suspended (contextstate attribute)": [[50, "nodriver.cdp.web_audio.ContextState.SUSPENDED"]], "callback_buffer_size (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.callback_buffer_size"]], "callback_interval_mean (contextrealtimedata attribute)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData.callback_interval_mean"]], "callback_interval_variance (contextrealtimedata attribute)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData.callback_interval_variance"]], "channel_count (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.channel_count"]], "channel_count_mode (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.channel_count_mode"]], "channel_interpretation (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.channel_interpretation"]], "context (contextchanged attribute)": [[50, "nodriver.cdp.web_audio.ContextChanged.context"]], "context (contextcreated attribute)": [[50, "nodriver.cdp.web_audio.ContextCreated.context"]], "context_id (audiolistener attribute)": [[50, "nodriver.cdp.web_audio.AudioListener.context_id"]], "context_id (audiolistenerwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioListenerWillBeDestroyed.context_id"]], "context_id (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.context_id"]], "context_id (audionodewillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioNodeWillBeDestroyed.context_id"]], "context_id (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.context_id"]], "context_id (audioparamwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioParamWillBeDestroyed.context_id"]], "context_id (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.context_id"]], "context_id (contextwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.ContextWillBeDestroyed.context_id"]], "context_id (nodeparamconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamConnected.context_id"]], "context_id (nodeparamdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected.context_id"]], "context_id (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.context_id"]], "context_id (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.context_id"]], "context_state (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.context_state"]], "context_type (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.context_type"]], "current_time (contextrealtimedata attribute)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData.current_time"]], "default_value (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.default_value"]], "destination_id (nodeparamconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamConnected.destination_id"]], "destination_id (nodeparamdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected.destination_id"]], "destination_id (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.destination_id"]], "destination_id (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.destination_id"]], "destination_input_index (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.destination_input_index"]], "destination_input_index (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.destination_input_index"]], "disable() (in module nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.disable"]], "enable() (in module nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.enable"]], "get_realtime_data() (in module nodriver.cdp.web_audio)": [[50, "nodriver.cdp.web_audio.get_realtime_data"]], "listener (audiolistenercreated attribute)": [[50, "nodriver.cdp.web_audio.AudioListenerCreated.listener"]], "listener_id (audiolistener attribute)": [[50, "nodriver.cdp.web_audio.AudioListener.listener_id"]], "listener_id (audiolistenerwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioListenerWillBeDestroyed.listener_id"]], "max_output_channel_count (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.max_output_channel_count"]], "max_value (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.max_value"]], "min_value (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.min_value"]], "node (audionodecreated attribute)": [[50, "nodriver.cdp.web_audio.AudioNodeCreated.node"]], "node_id (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.node_id"]], "node_id (audionodewillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioNodeWillBeDestroyed.node_id"]], "node_id (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.node_id"]], "node_id (audioparamwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioParamWillBeDestroyed.node_id"]], "node_type (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.node_type"]], "nodriver.cdp.web_audio": [[50, "module-nodriver.cdp.web_audio"]], "number_of_inputs (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.number_of_inputs"]], "number_of_outputs (audionode attribute)": [[50, "nodriver.cdp.web_audio.AudioNode.number_of_outputs"]], "param (audioparamcreated attribute)": [[50, "nodriver.cdp.web_audio.AudioParamCreated.param"]], "param_id (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.param_id"]], "param_id (audioparamwillbedestroyed attribute)": [[50, "nodriver.cdp.web_audio.AudioParamWillBeDestroyed.param_id"]], "param_type (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.param_type"]], "rate (audioparam attribute)": [[50, "nodriver.cdp.web_audio.AudioParam.rate"]], "realtime_data (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.realtime_data"]], "render_capacity (contextrealtimedata attribute)": [[50, "nodriver.cdp.web_audio.ContextRealtimeData.render_capacity"]], "sample_rate (baseaudiocontext attribute)": [[50, "nodriver.cdp.web_audio.BaseAudioContext.sample_rate"]], "source_id (nodeparamconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamConnected.source_id"]], "source_id (nodeparamdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected.source_id"]], "source_id (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.source_id"]], "source_id (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.source_id"]], "source_output_index (nodeparamconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamConnected.source_output_index"]], "source_output_index (nodeparamdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodeParamDisconnected.source_output_index"]], "source_output_index (nodesconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesConnected.source_output_index"]], "source_output_index (nodesdisconnected attribute)": [[50, "nodriver.cdp.web_audio.NodesDisconnected.source_output_index"]], "authenticatorid (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.AuthenticatorId"]], "authenticatorprotocol (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.AuthenticatorProtocol"]], "authenticatortransport (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport"]], "ble (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.BLE"]], "cable (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.CABLE"]], "ctap2 (authenticatorprotocol attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorProtocol.CTAP2"]], "ctap2_0 (ctap2version attribute)": [[51, "nodriver.cdp.web_authn.Ctap2Version.CTAP2_0"]], "ctap2_1 (ctap2version attribute)": [[51, "nodriver.cdp.web_authn.Ctap2Version.CTAP2_1"]], "credential (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.Credential"]], "credentialadded (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.CredentialAdded"]], "credentialasserted (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.CredentialAsserted"]], "ctap2version (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.Ctap2Version"]], "internal (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.INTERNAL"]], "nfc (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.NFC"]], "u2f (authenticatorprotocol attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorProtocol.U2F"]], "usb (authenticatortransport attribute)": [[51, "nodriver.cdp.web_authn.AuthenticatorTransport.USB"]], "virtualauthenticatoroptions (class in nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions"]], "add_credential() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.add_credential"]], "add_virtual_authenticator() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.add_virtual_authenticator"]], "authenticator_id (credentialadded attribute)": [[51, "nodriver.cdp.web_authn.CredentialAdded.authenticator_id"]], "authenticator_id (credentialasserted attribute)": [[51, "nodriver.cdp.web_authn.CredentialAsserted.authenticator_id"]], "automatic_presence_simulation (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.automatic_presence_simulation"]], "clear_credentials() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.clear_credentials"]], "credential (credentialadded attribute)": [[51, "nodriver.cdp.web_authn.CredentialAdded.credential"]], "credential (credentialasserted attribute)": [[51, "nodriver.cdp.web_authn.CredentialAsserted.credential"]], "credential_id (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.credential_id"]], "ctap2_version (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.ctap2_version"]], "default_backup_eligibility (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.default_backup_eligibility"]], "default_backup_state (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.default_backup_state"]], "disable() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.disable"]], "enable() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.enable"]], "get_credential() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.get_credential"]], "get_credentials() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.get_credentials"]], "has_cred_blob (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_cred_blob"]], "has_large_blob (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_large_blob"]], "has_min_pin_length (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_min_pin_length"]], "has_prf (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_prf"]], "has_resident_key (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_resident_key"]], "has_user_verification (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.has_user_verification"]], "is_resident_credential (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.is_resident_credential"]], "is_user_verified (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.is_user_verified"]], "large_blob (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.large_blob"]], "nodriver.cdp.web_authn": [[51, "module-nodriver.cdp.web_authn"]], "private_key (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.private_key"]], "protocol (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.protocol"]], "remove_credential() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.remove_credential"]], "remove_virtual_authenticator() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.remove_virtual_authenticator"]], "rp_id (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.rp_id"]], "set_automatic_presence_simulation() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.set_automatic_presence_simulation"]], "set_response_override_bits() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.set_response_override_bits"]], "set_user_verified() (in module nodriver.cdp.web_authn)": [[51, "nodriver.cdp.web_authn.set_user_verified"]], "sign_count (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.sign_count"]], "transport (virtualauthenticatoroptions attribute)": [[51, "nodriver.cdp.web_authn.VirtualAuthenticatorOptions.transport"]], "user_handle (credential attribute)": [[51, "nodriver.cdp.web_authn.Credential.user_handle"]], "browser (class in nodriver)": [[52, "nodriver.Browser"]], "config (browser attribute)": [[52, "nodriver.Browser.config"]], "connection (browser attribute)": [[52, "nodriver.Browser.connection"]], "cookies (browser property)": [[52, "nodriver.Browser.cookies"]], "create() (browser class method)": [[52, "nodriver.Browser.create"]], "get() (browser method)": [[52, "nodriver.Browser.get"]], "grant_all_permissions() (browser method)": [[52, "nodriver.Browser.grant_all_permissions"]], "main_tab (browser property)": [[52, "nodriver.Browser.main_tab"]], "sleep() (browser method)": [[52, "nodriver.Browser.sleep"]], "start() (browser method)": [[52, "nodriver.Browser.start"]], "stop() (browser method)": [[52, "nodriver.Browser.stop"]], "stopped (browser property)": [[52, "nodriver.Browser.stopped"]], "tabs (browser property)": [[52, "nodriver.Browser.tabs"]], "targets (browser attribute)": [[52, "nodriver.Browser.targets"]], "tile_windows() (browser method)": [[52, "nodriver.Browser.tile_windows"]], "update_targets() (browser method)": [[52, "nodriver.Browser.update_targets"]], "wait() (browser method)": [[52, "nodriver.Browser.wait"]], "websocket_url (browser property)": [[52, "nodriver.Browser.websocket_url"]], "element (class in nodriver)": [[53, "nodriver.Element"]], "apply() (element method)": [[53, "nodriver.Element.apply"]], "assigned_slot (element property)": [[53, "nodriver.Element.assigned_slot"]], "attributes (element property)": [[53, "nodriver.Element.attributes"]], "attrs (element property)": [[53, "nodriver.Element.attrs"]], "backend_node_id (element property)": [[53, "nodriver.Element.backend_node_id"]], "base_url (element property)": [[53, "nodriver.Element.base_url"]], "child_node_count (element property)": [[53, "nodriver.Element.child_node_count"]], "children (element property)": [[53, "nodriver.Element.children"]], "clear_input() (element method)": [[53, "nodriver.Element.clear_input"]], "click() (element method)": [[53, "nodriver.Element.click"]], "compatibility_mode (element property)": [[53, "nodriver.Element.compatibility_mode"]], "content_document (element property)": [[53, "nodriver.Element.content_document"]], "distributed_nodes (element property)": [[53, "nodriver.Element.distributed_nodes"]], "document_url (element property)": [[53, "nodriver.Element.document_url"]], "flash() (element method)": [[53, "nodriver.Element.flash"]], "focus() (element method)": [[53, "nodriver.Element.focus"]], "frame_id (element property)": [[53, "nodriver.Element.frame_id"]], "get_html() (element method)": [[53, "nodriver.Element.get_html"]], "get_js_attributes() (element method)": [[53, "nodriver.Element.get_js_attributes"]], "get_position() (element method)": [[53, "nodriver.Element.get_position"]], "highlight_overlay() (element method)": [[53, "nodriver.Element.highlight_overlay"]], "imported_document (element property)": [[53, "nodriver.Element.imported_document"]], "internal_subset (element property)": [[53, "nodriver.Element.internal_subset"]], "is_recording() (element method)": [[53, "nodriver.Element.is_recording"]], "is_svg (element property)": [[53, "nodriver.Element.is_svg"]], "local_name (element property)": [[53, "nodriver.Element.local_name"]], "mouse_click() (element method)": [[53, "nodriver.Element.mouse_click"]], "mouse_drag() (element method)": [[53, "nodriver.Element.mouse_drag"]], "mouse_move() (element method)": [[53, "nodriver.Element.mouse_move"]], "node (element property)": [[53, "nodriver.Element.node"]], "node_id (element property)": [[53, "nodriver.Element.node_id"]], "node_name (element property)": [[53, "nodriver.Element.node_name"]], "node_type (element property)": [[53, "nodriver.Element.node_type"]], "node_value (element property)": [[53, "nodriver.Element.node_value"]], "object_id (element property)": [[53, "nodriver.Element.object_id"]], "parent (element property)": [[53, "nodriver.Element.parent"]], "parent_id (element property)": [[53, "nodriver.Element.parent_id"]], "pseudo_elements (element property)": [[53, "nodriver.Element.pseudo_elements"]], "pseudo_identifier (element property)": [[53, "nodriver.Element.pseudo_identifier"]], "pseudo_type (element property)": [[53, "nodriver.Element.pseudo_type"]], "public_id (element property)": [[53, "nodriver.Element.public_id"]], "query_selector() (element method)": [[53, "nodriver.Element.query_selector"]], "query_selector_all() (element method)": [[53, "nodriver.Element.query_selector_all"]], "record_video() (element method)": [[53, "nodriver.Element.record_video"]], "remote_object (element property)": [[53, "nodriver.Element.remote_object"]], "remove_from_dom() (element method)": [[53, "nodriver.Element.remove_from_dom"]], "save_screenshot() (element method)": [[53, "nodriver.Element.save_screenshot"]], "save_to_dom() (element method)": [[53, "nodriver.Element.save_to_dom"]], "scroll_into_view() (element method)": [[53, "nodriver.Element.scroll_into_view"]], "select_option() (element method)": [[53, "nodriver.Element.select_option"]], "send_file() (element method)": [[53, "nodriver.Element.send_file"]], "send_keys() (element method)": [[53, "nodriver.Element.send_keys"]], "set_text() (element method)": [[53, "nodriver.Element.set_text"]], "set_value() (element method)": [[53, "nodriver.Element.set_value"]], "shadow_root_type (element property)": [[53, "nodriver.Element.shadow_root_type"]], "shadow_roots (element property)": [[53, "nodriver.Element.shadow_roots"]], "system_id (element property)": [[53, "nodriver.Element.system_id"]], "tab (element property)": [[53, "nodriver.Element.tab"]], "tag (element property)": [[53, "nodriver.Element.tag"]], "tag_name (element property)": [[53, "nodriver.Element.tag_name"]], "template_content (element property)": [[53, "nodriver.Element.template_content"]], "text (element property)": [[53, "nodriver.Element.text"]], "text_all (element property)": [[53, "nodriver.Element.text_all"]], "tree (element property)": [[53, "nodriver.Element.tree"]], "update() (element method)": [[53, "nodriver.Element.update"]], "value (element property)": [[53, "nodriver.Element.value"]], "xml_version (element property)": [[53, "nodriver.Element.xml_version"]], "config (class in nodriver)": [[54, "nodriver.Config"]], "contradict (class in nodriver.core._contradict)": [[54, "nodriver.core._contradict.ContraDict"]], "add_argument() (config method)": [[54, "nodriver.Config.add_argument"]], "add_extension() (config method)": [[54, "nodriver.Config.add_extension"]], "browser_args (config property)": [[54, "nodriver.Config.browser_args"]], "clear() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.clear"]], "copy() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.copy"]], "fromkeys() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.fromkeys"]], "get() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.get"]], "items() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.items"]], "keys() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.keys"]], "nodriver.core._contradict": [[54, "module-nodriver.core._contradict"]], "pop() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.pop"]], "popitem() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.popitem"]], "setdefault() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.setdefault"]], "update() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.update"]], "user_data_dir (config property)": [[54, "nodriver.Config.user_data_dir"]], "uses_custom_data_dir (config property)": [[54, "nodriver.Config.uses_custom_data_dir"]], "values() (contradict method)": [[54, "nodriver.core._contradict.ContraDict.values"]], "tab (class in nodriver)": [[55, "nodriver.Tab"]], "aclose() (tab method)": [[55, "nodriver.Tab.aclose"]], "activate() (tab method)": [[55, "nodriver.Tab.activate"]], "add_handler() (tab method)": [[55, "nodriver.Tab.add_handler"]], "aopen() (tab method)": [[55, "nodriver.Tab.aopen"]], "attached (tab attribute)": [[55, "nodriver.Tab.attached"]], "back() (tab method)": [[55, "nodriver.Tab.back"]], "bring_to_front() (tab method)": [[55, "nodriver.Tab.bring_to_front"]], "browser (tab attribute)": [[55, "nodriver.Tab.browser"]], "close() (tab method)": [[55, "nodriver.Tab.close"]], "closed (tab property)": [[55, "nodriver.Tab.closed"]], "download_file() (tab method)": [[55, "nodriver.Tab.download_file"]], "evaluate() (tab method)": [[55, "nodriver.Tab.evaluate"]], "find() (tab method)": [[55, "nodriver.Tab.find"]], "find_all() (tab method)": [[55, "nodriver.Tab.find_all"]], "find_element_by_text() (tab method)": [[55, "nodriver.Tab.find_element_by_text"]], "find_elements_by_text() (tab method)": [[55, "nodriver.Tab.find_elements_by_text"]], "forward() (tab method)": [[55, "nodriver.Tab.forward"]], "fullscreen() (tab method)": [[55, "nodriver.Tab.fullscreen"]], "get() (tab method)": [[55, "nodriver.Tab.get"]], "get_all_linked_sources() (tab method)": [[55, "nodriver.Tab.get_all_linked_sources"]], "get_all_urls() (tab method)": [[55, "nodriver.Tab.get_all_urls"]], "get_content() (tab method)": [[55, "nodriver.Tab.get_content"]], "get_window() (tab method)": [[55, "nodriver.Tab.get_window"]], "inspector_open() (tab method)": [[55, "nodriver.Tab.inspector_open"]], "inspector_url (tab property)": [[55, "nodriver.Tab.inspector_url"]], "js_dumps() (tab method)": [[55, "nodriver.Tab.js_dumps"]], "maximize() (tab method)": [[55, "nodriver.Tab.maximize"]], "medimize() (tab method)": [[55, "nodriver.Tab.medimize"]], "minimize() (tab method)": [[55, "nodriver.Tab.minimize"]], "open_external_inspector() (tab method)": [[55, "nodriver.Tab.open_external_inspector"]], "query_selector() (tab method)": [[55, "nodriver.Tab.query_selector"]], "query_selector_all() (tab method)": [[55, "nodriver.Tab.query_selector_all"]], "reload() (tab method)": [[55, "nodriver.Tab.reload"]], "save_screenshot() (tab method)": [[55, "nodriver.Tab.save_screenshot"]], "scroll_down() (tab method)": [[55, "nodriver.Tab.scroll_down"]], "scroll_up() (tab method)": [[55, "nodriver.Tab.scroll_up"]], "select() (tab method)": [[55, "nodriver.Tab.select"]], "select_all() (tab method)": [[55, "nodriver.Tab.select_all"]], "send() (tab method)": [[55, "nodriver.Tab.send"]], "set_download_path() (tab method)": [[55, "nodriver.Tab.set_download_path"]], "set_window_size() (tab method)": [[55, "nodriver.Tab.set_window_size"]], "set_window_state() (tab method)": [[55, "nodriver.Tab.set_window_state"]], "sleep() (tab method)": [[55, "nodriver.Tab.sleep"]], "target (tab property)": [[55, "nodriver.Tab.target"]], "update_target() (tab method)": [[55, "nodriver.Tab.update_target"]], "verify_cf() (tab method)": [[55, "nodriver.Tab.verify_cf"]], "wait() (tab method)": [[55, "nodriver.Tab.wait"]], "wait_for() (tab method)": [[55, "nodriver.Tab.wait_for"]], "websocket (tab attribute)": [[55, "nodriver.Tab.websocket"]]}})
\ No newline at end of file
diff --git a/docs/_build/markdown/index.md b/docs/_build/markdown/index.md
index 0e6d22c..27af825 100644
--- a/docs/_build/markdown/index.md
+++ b/docs/_build/markdown/index.md
@@ -116,6 +116,7 @@ to fully customizable everything using the entire array of
* [`Tab.get_all_urls()`](nodriver/classes/tab.md#nodriver.Tab.get_all_urls)
* [`Tab.get_content()`](nodriver/classes/tab.md#nodriver.Tab.get_content)
* [`Tab.get_window()`](nodriver/classes/tab.md#nodriver.Tab.get_window)
+ * [`Tab.inspector_open()`](nodriver/classes/tab.md#nodriver.Tab.inspector_open)
* [`Tab.inspector_url`](nodriver/classes/tab.md#nodriver.Tab.inspector_url)
* [`Tab.js_dumps()`](nodriver/classes/tab.md#nodriver.Tab.js_dumps)
* [`Tab.maximize()`](nodriver/classes/tab.md#nodriver.Tab.maximize)
@@ -180,8 +181,8 @@ to fully customizable everything using the entire array of
* [`Element.update()`](nodriver/classes/element.md#nodriver.Element.update)
* [`Element.node`](nodriver/classes/element.md#nodriver.Element.node)
* [`Element.tree`](nodriver/classes/element.md#nodriver.Element.tree)
- * [`Element.parent`](nodriver/classes/element.md#nodriver.Element.parent)
* [`Element.attrs`](nodriver/classes/element.md#nodriver.Element.attrs)
+ * [`Element.parent`](nodriver/classes/element.md#nodriver.Element.parent)
* [`Element.children`](nodriver/classes/element.md#nodriver.Element.children)
* [`Element.remote_object`](nodriver/classes/element.md#nodriver.Element.remote_object)
* [`Element.object_id`](nodriver/classes/element.md#nodriver.Element.object_id)
@@ -191,6 +192,7 @@ to fully customizable everything using the entire array of
* [`Element.get_position()`](nodriver/classes/element.md#nodriver.Element.get_position)
* [`Element.mouse_click()`](nodriver/classes/element.md#nodriver.Element.mouse_click)
* [`Element.mouse_move()`](nodriver/classes/element.md#nodriver.Element.mouse_move)
+ * [`Element.mouse_drag()`](nodriver/classes/element.md#nodriver.Element.mouse_drag)
* [`Element.scroll_into_view()`](nodriver/classes/element.md#nodriver.Element.scroll_into_view)
* [`Element.clear_input()`](nodriver/classes/element.md#nodriver.Element.clear_input)
* [`Element.send_keys()`](nodriver/classes/element.md#nodriver.Element.send_keys)
@@ -206,6 +208,7 @@ to fully customizable everything using the entire array of
* [`Element.query_selector()`](nodriver/classes/element.md#nodriver.Element.query_selector)
* [`Element.save_screenshot()`](nodriver/classes/element.md#nodriver.Element.save_screenshot)
* [`Element.flash()`](nodriver/classes/element.md#nodriver.Element.flash)
+ * [`Element.highlight_overlay()`](nodriver/classes/element.md#nodriver.Element.highlight_overlay)
* [`Element.record_video()`](nodriver/classes/element.md#nodriver.Element.record_video)
* [`Element.is_recording()`](nodriver/classes/element.md#nodriver.Element.is_recording)
* [Other classes and Helper classes](nodriver/classes/others_and_helpers.md)
@@ -214,6 +217,7 @@ to fully customizable everything using the entire array of
* [`Config.browser_args`](nodriver/classes/others_and_helpers.md#nodriver.Config.browser_args)
* [`Config.user_data_dir`](nodriver/classes/others_and_helpers.md#nodriver.Config.user_data_dir)
* [`Config.uses_custom_data_dir`](nodriver/classes/others_and_helpers.md#nodriver.Config.uses_custom_data_dir)
+ * [`Config.add_extension()`](nodriver/classes/others_and_helpers.md#nodriver.Config.add_extension)
* [`Config.add_argument()`](nodriver/classes/others_and_helpers.md#nodriver.Config.add_argument)
* [ContraDict class](nodriver/classes/others_and_helpers.md#contradict-class)
* [`ContraDict`](nodriver/classes/others_and_helpers.md#nodriver.core._contradict.ContraDict)
diff --git a/docs/_build/markdown/nodriver/cdp/animation.md b/docs/_build/markdown/nodriver/cdp/animation.md
index 574941d..92d006f 100644
--- a/docs/_build/markdown/nodriver/cdp/animation.md
+++ b/docs/_build/markdown/nodriver/cdp/animation.md
@@ -18,43 +18,43 @@ arguments to other commands.
Animation instance.
-#### id_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### id_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`Animation`’s id.
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`Animation`’s name.
-#### paused_state *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### paused_state*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
`Animation`’s internal paused state.
-#### play_state *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### play_state*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`Animation`’s play state.
-#### playback_rate *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### playback_rate*: [`float`](https://docs.python.org/3/library/functions.html#float)*
`Animation`’s playback rate.
-#### start_time *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### start_time*: [`float`](https://docs.python.org/3/library/functions.html#float)*
`Animation`’s start time.
-#### current_time *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### current_time*: [`float`](https://docs.python.org/3/library/functions.html#float)*
`Animation`’s current time.
-#### type_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### type_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Animation type of `Animation`.
-#### source *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AnimationEffect`](#nodriver.cdp.animation.AnimationEffect)]* *= None*
+#### source*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AnimationEffect`](#nodriver.cdp.animation.AnimationEffect)]* *= None*
`Animation`’s source animation node.
-#### css_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### css_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
A unique ID for `Animation` representing the sources that triggered this CSS
animation/transition.
@@ -63,43 +63,43 @@ animation/transition.
AnimationEffect instance
-#### delay *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### delay*: [`float`](https://docs.python.org/3/library/functions.html#float)*
`AnimationEffect`’s delay.
-#### end_delay *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### end_delay*: [`float`](https://docs.python.org/3/library/functions.html#float)*
`AnimationEffect`’s end delay.
-#### iteration_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### iteration_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
`AnimationEffect`’s iteration start.
-#### iterations *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### iterations*: [`float`](https://docs.python.org/3/library/functions.html#float)*
`AnimationEffect`’s iterations.
-#### duration *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### duration*: [`float`](https://docs.python.org/3/library/functions.html#float)*
`AnimationEffect`’s iteration duration.
-#### direction *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### direction*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`AnimationEffect`’s playback direction.
-#### fill *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### fill*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`AnimationEffect`’s fill mode.
-#### easing *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### easing*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`AnimationEffect`’s timing function.
-#### backend_node_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
+#### backend_node_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
`AnimationEffect`’s target node.
-#### keyframes_rule *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`KeyframesRule`](#nodriver.cdp.animation.KeyframesRule)]* *= None*
+#### keyframes_rule*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`KeyframesRule`](#nodriver.cdp.animation.KeyframesRule)]* *= None*
`AnimationEffect`’s keyframes.
@@ -107,11 +107,11 @@ AnimationEffect instance
Keyframes Rule
-#### keyframes *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`KeyframeStyle`](#nodriver.cdp.animation.KeyframeStyle)]*
+#### keyframes*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`KeyframeStyle`](#nodriver.cdp.animation.KeyframeStyle)]*
List of animation keyframes.
-#### name *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### name*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
CSS keyframed animation’s name.
@@ -119,11 +119,11 @@ CSS keyframed animation’s name.
Keyframe Style
-#### offset *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### offset*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Keyframe’s time offset.
-#### easing *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### easing*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`AnimationEffect`’s timing function.
@@ -242,7 +242,7 @@ you use the event’s attributes.
Event for when an animation has been cancelled.
-#### id_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### id_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Id of the animation that was cancelled.
@@ -250,7 +250,7 @@ Id of the animation that was cancelled.
Event for each animation that has been created.
-#### id_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### id_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Id of the animation that was created.
@@ -258,6 +258,6 @@ Id of the animation that was created.
Event for animation that has been started.
-#### animation *: [`Animation`](#nodriver.cdp.animation.Animation)*
+#### animation*: [`Animation`](#nodriver.cdp.animation.Animation)*
Animation that was started.
diff --git a/docs/_build/markdown/nodriver/cdp/audits.md b/docs/_build/markdown/nodriver/cdp/audits.md
index 833de1e..07fc365 100644
--- a/docs/_build/markdown/nodriver/cdp/audits.md
+++ b/docs/_build/markdown/nodriver/cdp/audits.md
@@ -20,29 +20,29 @@ arguments to other commands.
Information about a cookie that is affected by an inspector issue.
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The following three properties uniquely identify a cookie
-#### path *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### path*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### domain *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### domain*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* AffectedRequest(request_id, url=None)
Information about a request that is affected by an inspector issue.
-#### request_id *: [`RequestId`](network.md#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](network.md#nodriver.cdp.network.RequestId)*
The unique request id.
-#### url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
### *class* AffectedFrame(frame_id)
Information about the frame affected by an inspector issue.
-#### frame_id *: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
### *class* CookieExclusionReason(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -102,29 +102,29 @@ This information is currently necessary, as the front-end has a difficult
time finding a specific cookie. With this, we can convey specific error
information without the cookie.
-#### cookie_warning_reasons *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CookieWarningReason`](#nodriver.cdp.audits.CookieWarningReason)]*
+#### cookie_warning_reasons*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CookieWarningReason`](#nodriver.cdp.audits.CookieWarningReason)]*
-#### cookie_exclusion_reasons *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CookieExclusionReason`](#nodriver.cdp.audits.CookieExclusionReason)]*
+#### cookie_exclusion_reasons*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CookieExclusionReason`](#nodriver.cdp.audits.CookieExclusionReason)]*
-#### operation *: [`CookieOperation`](#nodriver.cdp.audits.CookieOperation)*
+#### operation*: [`CookieOperation`](#nodriver.cdp.audits.CookieOperation)*
Optionally identifies the site-for-cookies and the cookie url, which
may be used by the front-end as additional context.
-#### cookie *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedCookie`](#nodriver.cdp.audits.AffectedCookie)]* *= None*
+#### cookie*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedCookie`](#nodriver.cdp.audits.AffectedCookie)]* *= None*
If AffectedCookie is not set then rawCookieLine contains the raw
Set-Cookie header string. This hints at a problem where the
cookie line is syntactically or semantically malformed in a way
that no valid cookie could be created.
-#### raw_cookie_line *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### raw_cookie_line*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### site_for_cookies *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### site_for_cookies*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### cookie_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### cookie_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### request *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)]* *= None*
+#### request*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)]* *= None*
### *class* MixedContentResolutionStatus(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -194,31 +194,31 @@ that no valid cookie could be created.
### *class* MixedContentIssueDetails(resolution_status, insecure_url, main_resource_url, resource_type=None, request=None, frame=None)
-#### resolution_status *: [`MixedContentResolutionStatus`](#nodriver.cdp.audits.MixedContentResolutionStatus)*
+#### resolution_status*: [`MixedContentResolutionStatus`](#nodriver.cdp.audits.MixedContentResolutionStatus)*
The way the mixed content issue is being resolved.
-#### insecure_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### insecure_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The unsafe http url causing the mixed content issue.
-#### main_resource_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### main_resource_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The url responsible for the call to an unsafe url.
-#### resource_type *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MixedContentResourceType`](#nodriver.cdp.audits.MixedContentResourceType)]* *= None*
+#### resource_type*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MixedContentResourceType`](#nodriver.cdp.audits.MixedContentResourceType)]* *= None*
The type of resource causing the mixed content issue (css, js, iframe,
form,…). Marked as optional because it is mapped to from
blink::mojom::RequestContextType, which will be replaced
by network::mojom::RequestDestination
-#### request *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)]* *= None*
+#### request*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)]* *= None*
The mixed content request.
Does not always exist (e.g. for unsafe form submission urls).
-#### frame *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
+#### frame*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
Optional because not every mixed content issue is necessarily linked to a frame.
@@ -243,13 +243,13 @@ Details for a request that has been blocked with the BLOCKED_BY_RESPONSE
code. Currently only used for COEP/COOP, but may be extended to include
some CSP errors in the future.
-#### request *: [`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)*
+#### request*: [`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)*
-#### reason *: [`BlockedByResponseReason`](#nodriver.cdp.audits.BlockedByResponseReason)*
+#### reason*: [`BlockedByResponseReason`](#nodriver.cdp.audits.BlockedByResponseReason)*
-#### parent_frame *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
+#### parent_frame*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
-#### blocked_frame *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
+#### blocked_frame*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
### *class* HeavyAdResolutionStatus(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -267,15 +267,15 @@ some CSP errors in the future.
### *class* HeavyAdIssueDetails(resolution, reason, frame)
-#### resolution *: [`HeavyAdResolutionStatus`](#nodriver.cdp.audits.HeavyAdResolutionStatus)*
+#### resolution*: [`HeavyAdResolutionStatus`](#nodriver.cdp.audits.HeavyAdResolutionStatus)*
The resolution status, either blocking the content or warning.
-#### reason *: [`HeavyAdReason`](#nodriver.cdp.audits.HeavyAdReason)*
+#### reason*: [`HeavyAdReason`](#nodriver.cdp.audits.HeavyAdReason)*
The reason the ad was blocked, total network or cpu or peak cpu.
-#### frame *: [`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)*
+#### frame*: [`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)*
The frame that was blocked.
@@ -295,33 +295,33 @@ The frame that was blocked.
### *class* SourceCodeLocation(url, line_number, column_number, script_id=None)
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### line_number *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### line_number*: [`int`](https://docs.python.org/3/library/functions.html#int)*
-#### column_number *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### column_number*: [`int`](https://docs.python.org/3/library/functions.html#int)*
-#### script_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ScriptId`](runtime.md#nodriver.cdp.runtime.ScriptId)]* *= None*
+#### script_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ScriptId`](runtime.md#nodriver.cdp.runtime.ScriptId)]* *= None*
### *class* ContentSecurityPolicyIssueDetails(violated_directive, is_report_only, content_security_policy_violation_type, blocked_url=None, frame_ancestor=None, source_code_location=None, violating_node_id=None)
-#### violated_directive *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### violated_directive*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Specific directive that is violated, causing the CSP issue.
-#### is_report_only *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_report_only*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### content_security_policy_violation_type *: [`ContentSecurityPolicyViolationType`](#nodriver.cdp.audits.ContentSecurityPolicyViolationType)*
+#### content_security_policy_violation_type*: [`ContentSecurityPolicyViolationType`](#nodriver.cdp.audits.ContentSecurityPolicyViolationType)*
-#### blocked_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### blocked_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The url not included in allowed sources.
-#### frame_ancestor *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
+#### frame_ancestor*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
-#### source_code_location *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)]* *= None*
+#### source_code_location*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)]* *= None*
-#### violating_node_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
+#### violating_node_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
### *class* SharedArrayBufferIssueType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -334,46 +334,46 @@ The url not included in allowed sources.
Details for a issue arising from an SAB being instantiated in, or
transferred to a context that is not cross-origin isolated.
-#### source_code_location *: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
+#### source_code_location*: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
-#### is_warning *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_warning*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### type_ *: [`SharedArrayBufferIssueType`](#nodriver.cdp.audits.SharedArrayBufferIssueType)*
+#### type_*: [`SharedArrayBufferIssueType`](#nodriver.cdp.audits.SharedArrayBufferIssueType)*
### *class* LowTextContrastIssueDetails(violating_node_id, violating_node_selector, contrast_ratio, threshold_aa, threshold_aaa, font_size, font_weight)
-#### violating_node_id *: [`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)*
+#### violating_node_id*: [`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)*
-#### violating_node_selector *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### violating_node_selector*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### contrast_ratio *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### contrast_ratio*: [`float`](https://docs.python.org/3/library/functions.html#float)*
-#### threshold_aa *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### threshold_aa*: [`float`](https://docs.python.org/3/library/functions.html#float)*
-#### threshold_aaa *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### threshold_aaa*: [`float`](https://docs.python.org/3/library/functions.html#float)*
-#### font_size *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### font_size*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### font_weight *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### font_weight*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* CorsIssueDetails(cors_error_status, is_warning, request, location=None, initiator_origin=None, resource_ip_address_space=None, client_security_state=None)
Details for a CORS related issue, e.g. a warning or error related to
CORS RFC1918 enforcement.
-#### cors_error_status *: [`CorsErrorStatus`](network.md#nodriver.cdp.network.CorsErrorStatus)*
+#### cors_error_status*: [`CorsErrorStatus`](network.md#nodriver.cdp.network.CorsErrorStatus)*
-#### is_warning *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_warning*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### request *: [`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)*
+#### request*: [`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)*
-#### location *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)]* *= None*
+#### location*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)]* *= None*
-#### initiator_origin *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### initiator_origin*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### resource_ip_address_space *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`IPAddressSpace`](network.md#nodriver.cdp.network.IPAddressSpace)]* *= None*
+#### resource_ip_address_space*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`IPAddressSpace`](network.md#nodriver.cdp.network.IPAddressSpace)]* *= None*
-#### client_security_state *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ClientSecurityState`](network.md#nodriver.cdp.network.ClientSecurityState)]* *= None*
+#### client_security_state*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ClientSecurityState`](network.md#nodriver.cdp.network.ClientSecurityState)]* *= None*
### *class* AttributionReportingIssueType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -412,37 +412,37 @@ CORS RFC1918 enforcement.
Details for issues around “Attribution Reporting API” usage.
Explainer: [https://github.com/WICG/attribution-reporting-api](https://github.com/WICG/attribution-reporting-api)
-#### violation_type *: [`AttributionReportingIssueType`](#nodriver.cdp.audits.AttributionReportingIssueType)*
+#### violation_type*: [`AttributionReportingIssueType`](#nodriver.cdp.audits.AttributionReportingIssueType)*
-#### request *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)]* *= None*
+#### request*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)]* *= None*
-#### violating_node_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
+#### violating_node_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
-#### invalid_parameter *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### invalid_parameter*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
### *class* QuirksModeIssueDetails(is_limited_quirks_mode, document_node_id, url, frame_id, loader_id)
Details for issues about documents in Quirks Mode
or Limited Quirks Mode that affects page layouting.
-#### is_limited_quirks_mode *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_limited_quirks_mode*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
If false, it means the document’s mode is “quirks”
instead of “limited-quirks”.
-#### document_node_id *: [`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)*
+#### document_node_id*: [`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)*
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### frame_id *: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
-#### loader_id *: [`LoaderId`](network.md#nodriver.cdp.network.LoaderId)*
+#### loader_id*: [`LoaderId`](network.md#nodriver.cdp.network.LoaderId)*
### *class* NavigatorUserAgentIssueDetails(url, location=None)
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### location *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)]* *= None*
+#### location*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)]* *= None*
### *class* GenericIssueErrorType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -474,30 +474,30 @@ instead of “limited-quirks”.
Depending on the concrete errorType, different properties are set.
-#### error_type *: [`GenericIssueErrorType`](#nodriver.cdp.audits.GenericIssueErrorType)*
+#### error_type*: [`GenericIssueErrorType`](#nodriver.cdp.audits.GenericIssueErrorType)*
Issues with the same errorType are aggregated in the frontend.
-#### frame_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]* *= None*
+#### frame_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]* *= None*
-#### violating_node_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
+#### violating_node_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
-#### violating_node_attribute *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### violating_node_attribute*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### request *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)]* *= None*
+#### request*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedRequest`](#nodriver.cdp.audits.AffectedRequest)]* *= None*
### *class* DeprecationIssueDetails(source_code_location, type_, affected_frame=None)
This issue tracks information needed to print a deprecation message.
[https://source.chromium.org/chromium/chromium/src/+/main:third_party/blink/renderer/core/frame/third_party/blink/renderer/core/frame/deprecation/README.md](https://source.chromium.org/chromium/chromium/src/+/main:third_party/blink/renderer/core/frame/third_party/blink/renderer/core/frame/deprecation/README.md)
-#### source_code_location *: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
+#### source_code_location*: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
-#### type_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### type_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
One of the deprecation names from third_party/blink/renderer/core/frame/deprecation/deprecation.json5
-#### affected_frame *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
+#### affected_frame*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AffectedFrame`](#nodriver.cdp.audits.AffectedFrame)]* *= None*
### *class* BounceTrackingIssueDetails(tracking_sites)
@@ -507,7 +507,7 @@ receive a user interaction. Note that in this context ‘site’ means eTLD+1.
For example, if the URL `https://example.test:80/bounce` was in the
redirect chain, the site reported would be `example.test`.
-#### tracking_sites *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### tracking_sites*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
### *class* CookieDeprecationMetadataIssueDetails(allowed_sites)
@@ -517,7 +517,7 @@ Note that in this context ‘site’ means eTLD+1. For example, if the URL
`https://example.test:80/web_page` was accessing cookies, the site reported
would be `example.test`.
-#### allowed_sites *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### allowed_sites*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
### *class* ClientHintIssueReason(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -527,7 +527,7 @@ would be `example.test`.
### *class* FederatedAuthRequestIssueDetails(federated_auth_request_issue_reason)
-#### federated_auth_request_issue_reason *: [`FederatedAuthRequestIssueReason`](#nodriver.cdp.audits.FederatedAuthRequestIssueReason)*
+#### federated_auth_request_issue_reason*: [`FederatedAuthRequestIssueReason`](#nodriver.cdp.audits.FederatedAuthRequestIssueReason)*
### *class* FederatedAuthRequestIssueReason(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -614,7 +614,7 @@ all cases except for success.
### *class* FederatedAuthUserInfoRequestIssueDetails(federated_auth_user_info_request_issue_reason)
-#### federated_auth_user_info_request_issue_reason *: [`FederatedAuthUserInfoRequestIssueReason`](#nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason)*
+#### federated_auth_user_info_request_issue_reason*: [`FederatedAuthUserInfoRequestIssueReason`](#nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueReason)*
### *class* FederatedAuthUserInfoRequestIssueReason(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -645,21 +645,21 @@ third_party/blink/public/mojom/devtools/inspector_issue.mojom.
This issue tracks client hints related issues. It’s used to deprecate old
features, encourage the use of new ones, and provide general guidance.
-#### source_code_location *: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
+#### source_code_location*: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
-#### client_hint_issue_reason *: [`ClientHintIssueReason`](#nodriver.cdp.audits.ClientHintIssueReason)*
+#### client_hint_issue_reason*: [`ClientHintIssueReason`](#nodriver.cdp.audits.ClientHintIssueReason)*
### *class* FailedRequestInfo(url, failure_message, request_id=None)
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The URL that failed to load.
-#### failure_message *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### failure_message*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The failure message for the failed request.
-#### request_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](network.md#nodriver.cdp.network.RequestId)]* *= None*
+#### request_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](network.md#nodriver.cdp.network.RequestId)]* *= None*
### *class* StyleSheetLoadingIssueReason(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -671,15 +671,15 @@ The failure message for the failed request.
This issue warns when a referenced stylesheet couldn’t be loaded.
-#### source_code_location *: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
+#### source_code_location*: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
Source code position that referenced the failing stylesheet.
-#### style_sheet_loading_issue_reason *: [`StyleSheetLoadingIssueReason`](#nodriver.cdp.audits.StyleSheetLoadingIssueReason)*
+#### style_sheet_loading_issue_reason*: [`StyleSheetLoadingIssueReason`](#nodriver.cdp.audits.StyleSheetLoadingIssueReason)*
Reason why the stylesheet couldn’t be loaded.
-#### failed_request_info *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FailedRequestInfo`](#nodriver.cdp.audits.FailedRequestInfo)]* *= None*
+#### failed_request_info*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FailedRequestInfo`](#nodriver.cdp.audits.FailedRequestInfo)]* *= None*
Contains additional info when the failure was due to a request.
@@ -698,15 +698,15 @@ Contains additional info when the failure was due to a request.
This issue warns about errors in property rules that lead to property
registrations being ignored.
-#### source_code_location *: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
+#### source_code_location*: [`SourceCodeLocation`](#nodriver.cdp.audits.SourceCodeLocation)*
Source code position of the property rule.
-#### property_rule_issue_reason *: [`PropertyRuleIssueReason`](#nodriver.cdp.audits.PropertyRuleIssueReason)*
+#### property_rule_issue_reason*: [`PropertyRuleIssueReason`](#nodriver.cdp.audits.PropertyRuleIssueReason)*
Reason why the property rule was discarded.
-#### property_value *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### property_value*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The value of the property rule property that failed to parse
@@ -762,45 +762,45 @@ This struct holds a list of optional fields with additional information
specific to the kind of issue. When adding a new issue code, please also
add a new optional field to this type.
-#### cookie_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieIssueDetails`](#nodriver.cdp.audits.CookieIssueDetails)]* *= None*
+#### cookie_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieIssueDetails`](#nodriver.cdp.audits.CookieIssueDetails)]* *= None*
-#### mixed_content_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MixedContentIssueDetails`](#nodriver.cdp.audits.MixedContentIssueDetails)]* *= None*
+#### mixed_content_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MixedContentIssueDetails`](#nodriver.cdp.audits.MixedContentIssueDetails)]* *= None*
-#### blocked_by_response_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BlockedByResponseIssueDetails`](#nodriver.cdp.audits.BlockedByResponseIssueDetails)]* *= None*
+#### blocked_by_response_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BlockedByResponseIssueDetails`](#nodriver.cdp.audits.BlockedByResponseIssueDetails)]* *= None*
-#### heavy_ad_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`HeavyAdIssueDetails`](#nodriver.cdp.audits.HeavyAdIssueDetails)]* *= None*
+#### heavy_ad_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`HeavyAdIssueDetails`](#nodriver.cdp.audits.HeavyAdIssueDetails)]* *= None*
-#### content_security_policy_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ContentSecurityPolicyIssueDetails`](#nodriver.cdp.audits.ContentSecurityPolicyIssueDetails)]* *= None*
+#### content_security_policy_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ContentSecurityPolicyIssueDetails`](#nodriver.cdp.audits.ContentSecurityPolicyIssueDetails)]* *= None*
-#### shared_array_buffer_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SharedArrayBufferIssueDetails`](#nodriver.cdp.audits.SharedArrayBufferIssueDetails)]* *= None*
+#### shared_array_buffer_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SharedArrayBufferIssueDetails`](#nodriver.cdp.audits.SharedArrayBufferIssueDetails)]* *= None*
-#### low_text_contrast_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`LowTextContrastIssueDetails`](#nodriver.cdp.audits.LowTextContrastIssueDetails)]* *= None*
+#### low_text_contrast_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`LowTextContrastIssueDetails`](#nodriver.cdp.audits.LowTextContrastIssueDetails)]* *= None*
-#### cors_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CorsIssueDetails`](#nodriver.cdp.audits.CorsIssueDetails)]* *= None*
+#### cors_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CorsIssueDetails`](#nodriver.cdp.audits.CorsIssueDetails)]* *= None*
-#### attribution_reporting_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AttributionReportingIssueDetails`](#nodriver.cdp.audits.AttributionReportingIssueDetails)]* *= None*
+#### attribution_reporting_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AttributionReportingIssueDetails`](#nodriver.cdp.audits.AttributionReportingIssueDetails)]* *= None*
-#### quirks_mode_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`QuirksModeIssueDetails`](#nodriver.cdp.audits.QuirksModeIssueDetails)]* *= None*
+#### quirks_mode_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`QuirksModeIssueDetails`](#nodriver.cdp.audits.QuirksModeIssueDetails)]* *= None*
-#### navigator_user_agent_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NavigatorUserAgentIssueDetails`](#nodriver.cdp.audits.NavigatorUserAgentIssueDetails)]* *= None*
+#### navigator_user_agent_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NavigatorUserAgentIssueDetails`](#nodriver.cdp.audits.NavigatorUserAgentIssueDetails)]* *= None*
-#### generic_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`GenericIssueDetails`](#nodriver.cdp.audits.GenericIssueDetails)]* *= None*
+#### generic_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`GenericIssueDetails`](#nodriver.cdp.audits.GenericIssueDetails)]* *= None*
-#### deprecation_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`DeprecationIssueDetails`](#nodriver.cdp.audits.DeprecationIssueDetails)]* *= None*
+#### deprecation_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`DeprecationIssueDetails`](#nodriver.cdp.audits.DeprecationIssueDetails)]* *= None*
-#### client_hint_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ClientHintIssueDetails`](#nodriver.cdp.audits.ClientHintIssueDetails)]* *= None*
+#### client_hint_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ClientHintIssueDetails`](#nodriver.cdp.audits.ClientHintIssueDetails)]* *= None*
-#### federated_auth_request_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FederatedAuthRequestIssueDetails`](#nodriver.cdp.audits.FederatedAuthRequestIssueDetails)]* *= None*
+#### federated_auth_request_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FederatedAuthRequestIssueDetails`](#nodriver.cdp.audits.FederatedAuthRequestIssueDetails)]* *= None*
-#### bounce_tracking_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BounceTrackingIssueDetails`](#nodriver.cdp.audits.BounceTrackingIssueDetails)]* *= None*
+#### bounce_tracking_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BounceTrackingIssueDetails`](#nodriver.cdp.audits.BounceTrackingIssueDetails)]* *= None*
-#### cookie_deprecation_metadata_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieDeprecationMetadataIssueDetails`](#nodriver.cdp.audits.CookieDeprecationMetadataIssueDetails)]* *= None*
+#### cookie_deprecation_metadata_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieDeprecationMetadataIssueDetails`](#nodriver.cdp.audits.CookieDeprecationMetadataIssueDetails)]* *= None*
-#### stylesheet_loading_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StylesheetLoadingIssueDetails`](#nodriver.cdp.audits.StylesheetLoadingIssueDetails)]* *= None*
+#### stylesheet_loading_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StylesheetLoadingIssueDetails`](#nodriver.cdp.audits.StylesheetLoadingIssueDetails)]* *= None*
-#### property_rule_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PropertyRuleIssueDetails`](#nodriver.cdp.audits.PropertyRuleIssueDetails)]* *= None*
+#### property_rule_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PropertyRuleIssueDetails`](#nodriver.cdp.audits.PropertyRuleIssueDetails)]* *= None*
-#### federated_auth_user_info_request_issue_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FederatedAuthUserInfoRequestIssueDetails`](#nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueDetails)]* *= None*
+#### federated_auth_user_info_request_issue_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FederatedAuthUserInfoRequestIssueDetails`](#nodriver.cdp.audits.FederatedAuthUserInfoRequestIssueDetails)]* *= None*
### *class* IssueId
@@ -811,11 +811,11 @@ exceptions, CDP message, console messages, etc.) to reference an issue.
An inspector issue reported from the back-end.
-#### code *: [`InspectorIssueCode`](#nodriver.cdp.audits.InspectorIssueCode)*
+#### code*: [`InspectorIssueCode`](#nodriver.cdp.audits.InspectorIssueCode)*
-#### details *: [`InspectorIssueDetails`](#nodriver.cdp.audits.InspectorIssueDetails)*
+#### details*: [`InspectorIssueDetails`](#nodriver.cdp.audits.InspectorIssueDetails)*
-#### issue_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`IssueId`](#nodriver.cdp.audits.IssueId)]* *= None*
+#### issue_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`IssueId`](#nodriver.cdp.audits.IssueId)]* *= None*
A unique id for this issue. May be omitted if no other entity (e.g.
exception, CDP message, etc.) is referencing this issue.
@@ -837,7 +837,7 @@ Runs the contrast check for the target page. Found issues are reported
using Audits.issueAdded event.
* **Parameters:**
- **report_aaa** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to report WCAG AAA level issues. Default is false.
+ **report_aaa** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to report WCAG AAA level issues. Default is false.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -873,13 +873,13 @@ applies to images.
* **Parameters:**
* **request_id** ([`RequestId`](network.md#nodriver.cdp.network.RequestId)) – Identifier of the network request to get content for.
* **encoding** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – The encoding to use.
- * **quality** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* The quality of the encoding (0-1). (defaults to 1)
- * **size_only** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to only return the size information (defaults to false).
+ * **quality** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* The quality of the encoding (0-1). (defaults to 1)
+ * **size_only** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to only return the size information (defaults to false).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)], [`int`](https://docs.python.org/3/library/functions.html#int), [`int`](https://docs.python.org/3/library/functions.html#int)]]
* **Returns:**
A tuple with the following items:
- 1. **body** - *(Optional)* The encoded body as a base64 string. Omitted if sizeOnly is true. (Encoded as a base64 string when passed over JSON)
+ 1. **body** - *(Optional)* The encoded body as a base64 string. Omitted if sizeOnly is true. (Encoded as a base64 string when passed over JSON)
2. **originalSize** - Size before re-encoding.
3. **encodedSize** - Size after re-encoding.
@@ -891,4 +891,4 @@ you use the event’s attributes.
### *class* IssueAdded(issue)
-#### issue *: [`InspectorIssue`](#nodriver.cdp.audits.InspectorIssue)*
+#### issue*: [`InspectorIssue`](#nodriver.cdp.audits.InspectorIssue)*
diff --git a/docs/_build/markdown/nodriver/cdp/css.md b/docs/_build/markdown/nodriver/cdp/css.md
index 5f8e5fd..f7f4404 100644
--- a/docs/_build/markdown/nodriver/cdp/css.md
+++ b/docs/_build/markdown/nodriver/cdp/css.md
@@ -41,15 +41,15 @@ inspector” rules), “regular” for regular stylesheets.
CSS rule collection for a single pseudo style.
-#### pseudo_type *: [`PseudoType`](dom.md#nodriver.cdp.dom.PseudoType)*
+#### pseudo_type*: [`PseudoType`](dom.md#nodriver.cdp.dom.PseudoType)*
Pseudo element type.
-#### matches *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`RuleMatch`](#nodriver.cdp.css.RuleMatch)]*
+#### matches*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`RuleMatch`](#nodriver.cdp.css.RuleMatch)]*
Matches of CSS rules applicable to the pseudo style.
-#### pseudo_identifier *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### pseudo_identifier*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Pseudo element custom ident.
@@ -57,11 +57,11 @@ Pseudo element custom ident.
Inherited CSS rule collection from ancestor node.
-#### matched_css_rules *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`RuleMatch`](#nodriver.cdp.css.RuleMatch)]*
+#### matched_css_rules*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`RuleMatch`](#nodriver.cdp.css.RuleMatch)]*
Matches of CSS rules matching the ancestor node in the style inheritance chain.
-#### inline_style *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CSSStyle`](#nodriver.cdp.css.CSSStyle)]* *= None*
+#### inline_style*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CSSStyle`](#nodriver.cdp.css.CSSStyle)]* *= None*
The ancestor node’s inline style, if any, in the style inheritance chain.
@@ -69,7 +69,7 @@ The ancestor node’s inline style, if any, in the style inheritance chain.
Inherited pseudo element matches from pseudos of an ancestor node.
-#### pseudo_elements *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`PseudoElementMatches`](#nodriver.cdp.css.PseudoElementMatches)]*
+#### pseudo_elements*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`PseudoElementMatches`](#nodriver.cdp.css.PseudoElementMatches)]*
Matches of pseudo styles from the pseudos of an ancestor node.
@@ -77,11 +77,11 @@ Matches of pseudo styles from the pseudos of an ancestor node.
Match data for a CSS rule.
-#### rule *: [`CSSRule`](#nodriver.cdp.css.CSSRule)*
+#### rule*: [`CSSRule`](#nodriver.cdp.css.CSSRule)*
CSS rule in the match.
-#### matching_selectors *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`int`](https://docs.python.org/3/library/functions.html#int)]*
+#### matching_selectors*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`int`](https://docs.python.org/3/library/functions.html#int)]*
Matching selector indices in the rule’s selectorList selectors (0-based).
@@ -89,15 +89,15 @@ Matching selector indices in the rule’s selectorList selectors (0-based).
Data for a simple selector (these are delimited by commas in a selector list).
-#### text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Value text.
-#### range_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### range_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
Value range in the underlying resource (if available).
-#### specificity *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Specificity`](#nodriver.cdp.css.Specificity)]* *= None*
+#### specificity*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Specificity`](#nodriver.cdp.css.Specificity)]* *= None*
Specificity of the selector.
@@ -106,16 +106,16 @@ Specificity of the selector.
Specificity:
[https://drafts.csswg.org/selectors/#specificity-rules](https://drafts.csswg.org/selectors/#specificity-rules)
-#### a *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### a*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The a component, which represents the number of ID selectors.
-#### b *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### b*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The b component, which represents the number of class selectors, attributes selectors, and
pseudo-classes.
-#### c *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### c*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The c component, which represents the number of type selectors and pseudo-elements.
@@ -123,11 +123,11 @@ The c component, which represents the number of type selectors and pseudo-elemen
Selector list data.
-#### selectors *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Value`](#nodriver.cdp.css.Value)]*
+#### selectors*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Value`](#nodriver.cdp.css.Value)]*
Selectors in the list.
-#### text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Rule selector text.
@@ -135,82 +135,82 @@ Rule selector text.
CSS stylesheet metainformation.
-#### style_sheet_id *: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
+#### style_sheet_id*: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
The stylesheet identifier.
-#### frame_id *: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
Owner frame identifier.
-#### source_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### source_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Stylesheet resource URL. Empty if this is a constructed stylesheet created using
new CSSStyleSheet() (but non-empty if this is a constructed sylesheet imported
as a CSS module script).
-#### origin *: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
+#### origin*: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
Stylesheet origin.
-#### title *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### title*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Stylesheet title.
-#### disabled *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### disabled*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Denotes whether the stylesheet is disabled.
-#### is_inline *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_inline*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Whether this stylesheet is created for STYLE tag by parser. This flag is not set for
document.written STYLE tags.
-#### is_mutable *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_mutable*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Whether this stylesheet is mutable. Inline stylesheets become mutable
after they have been modified via CSSOM API.
`` element’s stylesheets become mutable only if DevTools modifies them.
Constructed stylesheets (new CSSStyleSheet()) are mutable immediately after creation.
-#### is_constructed *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_constructed*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
True if this stylesheet is created through new CSSStyleSheet() or imported as a
CSS module script.
-#### start_line *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### start_line*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Line offset of the stylesheet within the resource (zero based).
-#### start_column *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### start_column*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Column offset of the stylesheet within the resource (zero based).
-#### length *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### length*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Size of the content (in characters).
-#### end_line *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### end_line*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Line offset of the end of the stylesheet within the resource (zero based).
-#### end_column *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### end_column*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Column offset of the end of the stylesheet within the resource (zero based).
-#### source_map_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### source_map_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
URL of source map associated with the stylesheet (if any).
-#### owner_node *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
+#### owner_node*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]* *= None*
The backend id for the owner node of the stylesheet.
-#### has_source_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### has_source_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether the sourceURL field value comes from the sourceURL comment.
-#### loading_failed *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### loading_failed*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
If the style sheet was loaded from a network resource, this indicates when the resource failed to load
@@ -218,53 +218,53 @@ If the style sheet was loaded from a network resource, this indicates when the r
CSS rule representation.
-#### selector_list *: [`SelectorList`](#nodriver.cdp.css.SelectorList)*
+#### selector_list*: [`SelectorList`](#nodriver.cdp.css.SelectorList)*
Rule selector data.
-#### origin *: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
+#### origin*: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
Parent stylesheet’s origin.
-#### style *: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
+#### style*: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
Associated style declaration.
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
-#### nesting_selectors *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
+#### nesting_selectors*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
Array of selectors from ancestor style rules, sorted by distance from the current rule.
-#### media *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSMedia`](#nodriver.cdp.css.CSSMedia)]]* *= None*
+#### media*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSMedia`](#nodriver.cdp.css.CSSMedia)]]* *= None*
Media list array (for rules involving media queries). The array enumerates media queries
starting with the innermost one, going outwards.
-#### container_queries *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSContainerQuery`](#nodriver.cdp.css.CSSContainerQuery)]]* *= None*
+#### container_queries*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSContainerQuery`](#nodriver.cdp.css.CSSContainerQuery)]]* *= None*
Container query list array (for rules involving container queries).
The array enumerates container queries starting with the innermost one, going outwards.
-#### supports *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSSupports`](#nodriver.cdp.css.CSSSupports)]]* *= None*
+#### supports*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSSupports`](#nodriver.cdp.css.CSSSupports)]]* *= None*
@supports CSS at-rule array.
The array enumerates @supports at-rules starting with the innermost one, going outwards.
-#### layers *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSLayer`](#nodriver.cdp.css.CSSLayer)]]* *= None*
+#### layers*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSLayer`](#nodriver.cdp.css.CSSLayer)]]* *= None*
Cascade layer array. Contains the layer hierarchy that this rule belongs to starting
with the innermost layer and going outwards.
-#### scopes *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSScope`](#nodriver.cdp.css.CSSScope)]]* *= None*
+#### scopes*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSScope`](#nodriver.cdp.css.CSSScope)]]* *= None*
@scope CSS at-rule array.
The array enumerates @scope at-rules starting with the innermost one, going outwards.
-#### rule_types *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSRuleType`](#nodriver.cdp.css.CSSRuleType)]]* *= None*
+#### rule_types*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSRuleType`](#nodriver.cdp.css.CSSRuleType)]]* *= None*
The array keeps the types of ancestor CSSRules from the innermost going outwards.
@@ -289,20 +289,20 @@ This list only contains rule types that are collected during the ancestor rule c
CSS coverage information.
-#### style_sheet_id *: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
+#### style_sheet_id*: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
-#### start_offset *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### start_offset*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Offset of the start of the rule (including selector) from the beginning of the stylesheet.
-#### end_offset *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### end_offset*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Offset of the end of the rule body from the beginning of the stylesheet.
-#### used *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### used*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Indicates whether the rule was actually used by some element in the page.
@@ -310,43 +310,43 @@ Indicates whether the rule was actually used by some element in the page.
Text range within a resource. All numbers are zero-based.
-#### start_line *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### start_line*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Start line of range.
-#### start_column *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### start_column*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Start column of range (inclusive).
-#### end_line *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### end_line*: [`int`](https://docs.python.org/3/library/functions.html#int)*
End line of range
-#### end_column *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### end_column*: [`int`](https://docs.python.org/3/library/functions.html#int)*
End column of range (exclusive).
### *class* ShorthandEntry(name, value, important=None)
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Shorthand name.
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Shorthand value.
-#### important *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### important*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether the property has “!important” annotation (implies `false` if absent).
### *class* CSSComputedStyleProperty(name, value)
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Computed style property name.
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Computed style property value.
@@ -354,24 +354,24 @@ Computed style property value.
CSS style representation.
-#### css_properties *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSProperty`](#nodriver.cdp.css.CSSProperty)]*
+#### css_properties*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSProperty`](#nodriver.cdp.css.CSSProperty)]*
CSS properties in the style.
-#### shorthand_entries *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`ShorthandEntry`](#nodriver.cdp.css.ShorthandEntry)]*
+#### shorthand_entries*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`ShorthandEntry`](#nodriver.cdp.css.ShorthandEntry)]*
Computed values for all shorthands found in the style.
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
-#### css_text *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### css_text*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Style declaration text (if available).
-#### range_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### range_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
Style declaration range in the enclosing stylesheet (if available).
@@ -379,39 +379,39 @@ Style declaration range in the enclosing stylesheet (if available).
CSS property declaration data.
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The property name.
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The property value.
-#### important *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### important*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether the property has “!important” annotation (implies `false` if absent).
-#### implicit *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### implicit*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether the property is implicit (implies `false` if absent).
-#### text *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### text*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The full property text as specified in the style.
-#### parsed_ok *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### parsed_ok*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether the property is understood by the browser (implies `true` if absent).
-#### disabled *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### disabled*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether the property is disabled by the user (present for source-based properties only).
-#### range_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### range_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
The entire property range in the enclosing style declaration (if available).
-#### longhand_properties *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSProperty`](#nodriver.cdp.css.CSSProperty)]]* *= None*
+#### longhand_properties*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSProperty`](#nodriver.cdp.css.CSSProperty)]]* *= None*
Parsed longhand components of this property if it is a shorthand.
This field will be empty if the given property is not a shorthand.
@@ -420,11 +420,11 @@ This field will be empty if the given property is not a shorthand.
CSS media rule descriptor.
-#### text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Media query text.
-#### source *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### source*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
“mediaRule” if specified by a @media rule, “importRule” if
specified by an @import rule, “linkedSheet” if specified by a “media” attribute in a linked
@@ -434,20 +434,20 @@ stylesheet’s STYLE tag.
* **Type:**
Source of the media query
-#### source_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### source_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
URL of the document containing the media query description.
-#### range_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### range_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
The associated rule (@media or @import) header range in the enclosing stylesheet (if
available).
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
Identifier of the stylesheet containing this object (if exists).
-#### media_list *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`MediaQuery`](#nodriver.cdp.css.MediaQuery)]]* *= None*
+#### media_list*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`MediaQuery`](#nodriver.cdp.css.MediaQuery)]]* *= None*
Array of media queries.
@@ -455,11 +455,11 @@ Array of media queries.
Media query descriptor.
-#### expressions *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`MediaQueryExpression`](#nodriver.cdp.css.MediaQueryExpression)]*
+#### expressions*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`MediaQueryExpression`](#nodriver.cdp.css.MediaQueryExpression)]*
Array of media query expressions.
-#### active *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### active*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Whether the media query condition is satisfied.
@@ -467,23 +467,23 @@ Whether the media query condition is satisfied.
Media query expression descriptor.
-#### value *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### value*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Media query expression value.
-#### unit *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### unit*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Media query expression units.
-#### feature *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### feature*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Media query expression feature.
-#### value_range *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### value_range*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
The associated range of the value text in the enclosing stylesheet (if available).
-#### computed_length *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### computed_length*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
Computed length of media query expression (if applicable).
@@ -491,28 +491,28 @@ Computed length of media query expression (if applicable).
CSS container query rule descriptor.
-#### text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Container query text.
-#### range_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### range_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
The associated rule header range in the enclosing stylesheet (if
available).
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
Identifier of the stylesheet containing this object (if exists).
-#### name *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### name*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Optional name for the container.
-#### physical_axes *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PhysicalAxes`](dom.md#nodriver.cdp.dom.PhysicalAxes)]* *= None*
+#### physical_axes*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PhysicalAxes`](dom.md#nodriver.cdp.dom.PhysicalAxes)]* *= None*
Optional physical axes queried for the container.
-#### logical_axes *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`LogicalAxes`](dom.md#nodriver.cdp.dom.LogicalAxes)]* *= None*
+#### logical_axes*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`LogicalAxes`](dom.md#nodriver.cdp.dom.LogicalAxes)]* *= None*
Optional logical axes queried for the container.
@@ -520,20 +520,20 @@ Optional logical axes queried for the container.
CSS Supports at-rule descriptor.
-#### text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Supports rule text.
-#### active *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### active*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Whether the supports condition is satisfied.
-#### range_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### range_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
The associated rule header range in the enclosing stylesheet (if
available).
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
Identifier of the stylesheet containing this object (if exists).
@@ -541,16 +541,16 @@ Identifier of the stylesheet containing this object (if exists).
CSS Scope at-rule descriptor.
-#### text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Scope rule text.
-#### range_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### range_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
The associated rule header range in the enclosing stylesheet (if
available).
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
Identifier of the stylesheet containing this object (if exists).
@@ -558,16 +558,16 @@ Identifier of the stylesheet containing this object (if exists).
CSS Layer at-rule descriptor.
-#### text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Layer name.
-#### range_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
+#### range_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SourceRange`](#nodriver.cdp.css.SourceRange)]* *= None*
The associated rule header range in the enclosing stylesheet (if
available).
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
Identifier of the stylesheet containing this object (if exists).
@@ -575,16 +575,16 @@ Identifier of the stylesheet containing this object (if exists).
CSS Layer data.
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Layer name.
-#### order *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### order*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Layer order. The order determines the order of the layer in the cascade order.
A higher number has higher priority in the cascade order.
-#### sub_layers *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSLayerData`](#nodriver.cdp.css.CSSLayerData)]]* *= None*
+#### sub_layers*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSLayerData`](#nodriver.cdp.css.CSSLayerData)]]* *= None*
Direct sub-layers
@@ -592,19 +592,19 @@ Direct sub-layers
Information about amount of glyphs that were rendered with given font.
-#### family_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### family_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Font’s family name reported by platform.
-#### post_script_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### post_script_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Font’s PostScript name reported by platform.
-#### is_custom_font *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_custom_font*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Indicates if the font was downloaded or resolved locally.
-#### glyph_count *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### glyph_count*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Amount of glyphs that were rendered with this font.
@@ -612,23 +612,23 @@ Amount of glyphs that were rendered with this font.
Information about font variation axes for variable fonts
-#### tag *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### tag*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The font-variation-setting tag (a.k.a. “axis tag”).
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Human-readable variation name in the default language (normally, “en”).
-#### min_value *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### min_value*: [`float`](https://docs.python.org/3/library/functions.html#float)*
The minimum value (inclusive) the font supports for this tag.
-#### max_value *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### max_value*: [`float`](https://docs.python.org/3/library/functions.html#float)*
The maximum value (inclusive) the font supports for this tag.
-#### default_value *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### default_value*: [`float`](https://docs.python.org/3/library/functions.html#float)*
The default value.
@@ -637,43 +637,43 @@ The default value.
Properties of a web font: [https://www.w3.org/TR/2008/REC-CSS2-20080411/fonts.html#font-descriptions](https://www.w3.org/TR/2008/REC-CSS2-20080411/fonts.html#font-descriptions)
and additional information such as platformFontFamily and fontVariationAxes.
-#### font_family *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### font_family*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The font-family.
-#### font_style *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### font_style*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The font-style.
-#### font_variant *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### font_variant*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The font-variant.
-#### font_weight *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### font_weight*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The font-weight.
-#### font_stretch *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### font_stretch*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The font-stretch.
-#### font_display *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### font_display*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The font-display.
-#### unicode_range *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### unicode_range*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The unicode-range.
-#### src *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### src*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The src.
-#### platform_font_family *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### platform_font_family*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The resolved platform font family
-#### font_variation_axes *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`FontVariationAxis`](#nodriver.cdp.css.FontVariationAxis)]]* *= None*
+#### font_variation_axes*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`FontVariationAxis`](#nodriver.cdp.css.FontVariationAxis)]]* *= None*
Available variation settings (a.k.a. “axes”).
@@ -681,15 +681,15 @@ Available variation settings (a.k.a. “axes”).
CSS try rule representation.
-#### origin *: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
+#### origin*: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
Parent stylesheet’s origin.
-#### style *: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
+#### style*: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
Associated style declaration.
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
@@ -698,9 +698,9 @@ stylesheet rules) this rule came from.
CSS position-fallback rule representation.
-#### name *: [`Value`](#nodriver.cdp.css.Value)*
+#### name*: [`Value`](#nodriver.cdp.css.Value)*
-#### try_rules *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSTryRule`](#nodriver.cdp.css.CSSTryRule)]*
+#### try_rules*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSTryRule`](#nodriver.cdp.css.CSSTryRule)]*
List of keyframes.
@@ -708,11 +708,11 @@ List of keyframes.
CSS keyframes rule representation.
-#### animation_name *: [`Value`](#nodriver.cdp.css.Value)*
+#### animation_name*: [`Value`](#nodriver.cdp.css.Value)*
Animation name.
-#### keyframes *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSKeyframeRule`](#nodriver.cdp.css.CSSKeyframeRule)]*
+#### keyframes*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSKeyframeRule`](#nodriver.cdp.css.CSSKeyframeRule)]*
List of keyframes.
@@ -720,31 +720,31 @@ List of keyframes.
Representation of a custom property registration through CSS.registerProperty
-#### property_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### property_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### inherits *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### inherits*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### syntax *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### syntax*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### initial_value *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Value`](#nodriver.cdp.css.Value)]* *= None*
+#### initial_value*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Value`](#nodriver.cdp.css.Value)]* *= None*
### *class* CSSFontPaletteValuesRule(origin, font_palette_name, style, style_sheet_id=None)
CSS font-palette-values rule representation.
-#### origin *: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
+#### origin*: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
Parent stylesheet’s origin.
-#### font_palette_name *: [`Value`](#nodriver.cdp.css.Value)*
+#### font_palette_name*: [`Value`](#nodriver.cdp.css.Value)*
Associated font palette name.
-#### style *: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
+#### style*: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
Associated style declaration.
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
@@ -753,19 +753,19 @@ stylesheet rules) this rule came from.
CSS property at-rule representation.
-#### origin *: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
+#### origin*: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
Parent stylesheet’s origin.
-#### property_name *: [`Value`](#nodriver.cdp.css.Value)*
+#### property_name*: [`Value`](#nodriver.cdp.css.Value)*
Associated property name.
-#### style *: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
+#### style*: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
Associated style declaration.
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
@@ -774,19 +774,19 @@ stylesheet rules) this rule came from.
CSS keyframe rule representation.
-#### origin *: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
+#### origin*: [`StyleSheetOrigin`](#nodriver.cdp.css.StyleSheetOrigin)*
Parent stylesheet’s origin.
-#### key_text *: [`Value`](#nodriver.cdp.css.Value)*
+#### key_text*: [`Value`](#nodriver.cdp.css.Value)*
Associated key text.
-#### style *: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
+#### style*: [`CSSStyle`](#nodriver.cdp.css.CSSStyle)*
Associated style declaration.
-#### style_sheet_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
+#### style_sheet_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)]* *= None*
The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
@@ -795,15 +795,15 @@ stylesheet rules) this rule came from.
A descriptor of operation to mutate style declaration text.
-#### style_sheet_id *: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
+#### style_sheet_id*: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
The css style sheet identifier.
-#### range_ *: [`SourceRange`](#nodriver.cdp.css.SourceRange)*
+#### range_*: [`SourceRange`](#nodriver.cdp.css.SourceRange)*
The range of the style text in the enclosing stylesheet.
-#### text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
New style text.
@@ -827,7 +827,7 @@ position specified by `location`.
* **style_sheet_id** ([`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)) – The css style sheet identifier where a new rule should be inserted.
* **rule_text** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – The text of a new rule.
* **location** ([`SourceRange`](#nodriver.cdp.css.SourceRange)) – Text position of a new rule in the target style sheet.
- * **node_for_property_syntax_validation** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](dom.md#nodriver.cdp.dom.NodeId)]) – **(EXPERIMENTAL)** *(Optional)* NodeId for the DOM node in whose context custom property declarations for registered properties should be validated. If omitted, declarations in the new rule text can only be validated statically, which may produce incorrect results if the declaration contains a var() for example.
+ * **node_for_property_syntax_validation** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](dom.md#nodriver.cdp.dom.NodeId)]) – **(EXPERIMENTAL)** *(Optional)* NodeId for the DOM node in whose context custom property declarations for registered properties should be validated. If omitted, declarations in the new rule text can only be validated statically, which may produce incorrect results if the declaration contains a var() for example.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`CSSRule`](#nodriver.cdp.css.CSSRule)]
* **Returns:**
@@ -889,9 +889,9 @@ the browser.
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]]
* **Returns:**
A tuple with the following items:
- 1. **backgroundColors** - *(Optional)* The range of background colors behind this element, if it contains any visible text. If no visible text is present, this will be undefined. In the case of a flat background color, this will consist of simply that color. In the case of a gradient, this will consist of each of the color stops. For anything more complicated, this will be an empty array. Images will be ignored (as if the image had failed to load).
- 2. **computedFontSize** - *(Optional)* The computed font size for this node, as a CSS computed value string (e.g. ‘12px’).
- 3. **computedFontWeight** - *(Optional)* The computed font weight for this node, as a CSS computed value string (e.g. ‘normal’ or ‘100’).
+ 1. **backgroundColors** - *(Optional)* The range of background colors behind this element, if it contains any visible text. If no visible text is present, this will be undefined. In the case of a flat background color, this will consist of simply that color. In the case of a gradient, this will consist of each of the color stops. For anything more complicated, this will be an empty array. Images will be ignored (as if the image had failed to load).
+ 2. **computedFontSize** - *(Optional)* The computed font size for this node, as a CSS computed value string (e.g. ‘12px’).
+ 3. **computedFontWeight** - *(Optional)* The computed font weight for this node, as a CSS computed value string (e.g. ‘normal’ or ‘100’).
### get_computed_style_for_node(node_id)
@@ -915,8 +915,8 @@ attributes) for a DOM node identified by `nodeId`.
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CSSStyle`](#nodriver.cdp.css.CSSStyle)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CSSStyle`](#nodriver.cdp.css.CSSStyle)]]]
* **Returns:**
A tuple with the following items:
- 1. **inlineStyle** - *(Optional)* Inline style for the specified DOM node.
- 2. **attributesStyle** - *(Optional)* Attribute-defined element style (e.g. resulting from “width=20 height=100%”).
+ 1. **inlineStyle** - *(Optional)* Inline style for the specified DOM node.
+ 2. **attributesStyle** - *(Optional)* Attribute-defined element style (e.g. resulting from “width=20 height=100%”).
### get_layers_for_node(node_id)
@@ -943,18 +943,18 @@ Returns requested styles for a DOM node identified by `nodeId`.
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CSSStyle`](#nodriver.cdp.css.CSSStyle)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CSSStyle`](#nodriver.cdp.css.CSSStyle)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`RuleMatch`](#nodriver.cdp.css.RuleMatch)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`PseudoElementMatches`](#nodriver.cdp.css.PseudoElementMatches)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`InheritedStyleEntry`](#nodriver.cdp.css.InheritedStyleEntry)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`InheritedPseudoElementMatches`](#nodriver.cdp.css.InheritedPseudoElementMatches)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSKeyframesRule`](#nodriver.cdp.css.CSSKeyframesRule)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSPositionFallbackRule`](#nodriver.cdp.css.CSSPositionFallbackRule)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSPropertyRule`](#nodriver.cdp.css.CSSPropertyRule)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSPropertyRegistration`](#nodriver.cdp.css.CSSPropertyRegistration)]], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CSSFontPaletteValuesRule`](#nodriver.cdp.css.CSSFontPaletteValuesRule)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](dom.md#nodriver.cdp.dom.NodeId)]]]
* **Returns:**
A tuple with the following items:
- 1. **inlineStyle** - *(Optional)* Inline style for the specified DOM node.
- 2. **attributesStyle** - *(Optional)* Attribute-defined element style (e.g. resulting from “width=20 height=100%”).
- 3. **matchedCSSRules** - *(Optional)* CSS rules matching this node, from all applicable stylesheets.
- 4. **pseudoElements** - *(Optional)* Pseudo style matches for this node.
- 5. **inherited** - *(Optional)* A chain of inherited styles (from the immediate node parent up to the DOM tree root).
- 6. **inheritedPseudoElements** - *(Optional)* A chain of inherited pseudo element styles (from the immediate node parent up to the DOM tree root).
- 7. **cssKeyframesRules** - *(Optional)* A list of CSS keyframed animations matching this node.
- 8. **cssPositionFallbackRules** - *(Optional)* A list of CSS position fallbacks matching this node.
- 9. **cssPropertyRules** - *(Optional)* A list of CSS at-property rules matching this node.
- 10. **cssPropertyRegistrations** - *(Optional)* A list of CSS property registrations matching this node.
- 11. **cssFontPaletteValuesRule** - *(Optional)* A font-palette-values rule matching this node.
- 12. **parentLayoutNodeId** - *(Optional)* Id of the first parent element that does not have display: contents.
+ 1. **inlineStyle** - *(Optional)* Inline style for the specified DOM node.
+ 2. **attributesStyle** - *(Optional)* Attribute-defined element style (e.g. resulting from “width=20 height=100%”).
+ 3. **matchedCSSRules** - *(Optional)* CSS rules matching this node, from all applicable stylesheets.
+ 4. **pseudoElements** - *(Optional)* Pseudo style matches for this node.
+ 5. **inherited** - *(Optional)* A chain of inherited styles (from the immediate node parent up to the DOM tree root).
+ 6. **inheritedPseudoElements** - *(Optional)* A chain of inherited pseudo element styles (from the immediate node parent up to the DOM tree root).
+ 7. **cssKeyframesRules** - *(Optional)* A list of CSS keyframed animations matching this node.
+ 8. **cssPositionFallbackRules** - *(Optional)* A list of CSS position fallbacks matching this node.
+ 9. **cssPropertyRules** - *(Optional)* A list of CSS at-property rules matching this node.
+ 10. **cssPropertyRegistrations** - *(Optional)* A list of CSS property registrations matching this node.
+ 11. **cssFontPaletteValuesRule** - *(Optional)* A font-palette-values rule matching this node.
+ 12. **parentLayoutNodeId** - *(Optional)* Id of the first parent element that does not have display: contents.
### get_media_queries()
@@ -1102,7 +1102,7 @@ Sets the new stylesheet text.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]
* **Returns:**
- *(Optional)* URL of source map associated with script (if any).
+ *(Optional)* URL of source map associated with script (if any).
### set_style_texts(edits, node_for_property_syntax_validation=None)
@@ -1110,7 +1110,7 @@ Applies specified style edits one after another in the given order.
* **Parameters:**
* **edits** ([`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`StyleDeclarationEdit`](#nodriver.cdp.css.StyleDeclarationEdit)]) –
- * **node_for_property_syntax_validation** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](dom.md#nodriver.cdp.dom.NodeId)]) – **(EXPERIMENTAL)** *(Optional)* NodeId for the DOM node in whose context custom property declarations for registered properties should be validated. If omitted, declarations in the new rule text can only be validated statically, which may produce incorrect results if the declaration contains a var() for example.
+ * **node_for_property_syntax_validation** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](dom.md#nodriver.cdp.dom.NodeId)]) – **(EXPERIMENTAL)** *(Optional)* NodeId for the DOM node in whose context custom property declarations for registered properties should be validated. If omitted, declarations in the new rule text can only be validated statically, which may produce incorrect results if the declaration contains a var() for example.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSStyle`](#nodriver.cdp.css.CSSStyle)]]
* **Returns:**
@@ -1197,7 +1197,7 @@ you use the event’s attributes.
Fires whenever a web font is updated. A non-empty font parameter indicates a successfully loaded
web font.
-#### font *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FontFace`](#nodriver.cdp.css.FontFace)]*
+#### font*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FontFace`](#nodriver.cdp.css.FontFace)]*
The web font that has loaded.
@@ -1210,7 +1210,7 @@ resized.) The current implementation considers only viewport-dependent media fea
Fired whenever an active document stylesheet is added.
-#### header *: [`CSSStyleSheetHeader`](#nodriver.cdp.css.CSSStyleSheetHeader)*
+#### header*: [`CSSStyleSheetHeader`](#nodriver.cdp.css.CSSStyleSheetHeader)*
Added stylesheet metainfo.
@@ -1218,12 +1218,12 @@ Added stylesheet metainfo.
Fired whenever a stylesheet is changed as a result of the client operation.
-#### style_sheet_id *: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
+#### style_sheet_id*: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
### *class* StyleSheetRemoved(style_sheet_id)
Fired whenever an active document stylesheet is removed.
-#### style_sheet_id *: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
+#### style_sheet_id*: [`StyleSheetId`](#nodriver.cdp.css.StyleSheetId)*
Identifier of the removed stylesheet.
diff --git a/docs/_build/markdown/nodriver/cdp/dom.md b/docs/_build/markdown/nodriver/cdp/dom.md
index 098b502..095ce05 100644
--- a/docs/_build/markdown/nodriver/cdp/dom.md
+++ b/docs/_build/markdown/nodriver/cdp/dom.md
@@ -33,15 +33,15 @@ front-end.
Backend node with a friendly name.
-#### node_type *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### node_type*: [`int`](https://docs.python.org/3/library/functions.html#int)*
`Node`’s nodeType.
-#### node_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### node_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`Node`’s nodeName.
-#### backend_node_id *: [`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)*
+#### backend_node_id*: [`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)*
### *class* PseudoType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -142,148 +142,148 @@ ContainerSelector logical axes
DOM interaction is implemented in terms of mirror objects that represent the actual DOM nodes.
DOMNode is a base node mirror type.
-#### node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Node identifier that is passed into the rest of the DOM messages as the `nodeId`. Backend
will only push node with given `id` once. It is aware of all requested nodes and will only
fire DOM events for nodes known to the client.
-#### backend_node_id *: [`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)*
+#### backend_node_id*: [`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)*
The BackendNodeId for this node.
-#### node_type *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### node_type*: [`int`](https://docs.python.org/3/library/functions.html#int)*
`Node`’s nodeType.
-#### node_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### node_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`Node`’s nodeName.
-#### local_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### local_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`Node`’s localName.
-#### node_value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### node_value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
`Node`’s nodeValue.
-#### parent_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]* *= None*
+#### parent_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]* *= None*
The id of the parent node if any.
-#### child_node_count *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
+#### child_node_count*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
Child count for `Container` nodes.
-#### children *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]]* *= None*
+#### children*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]]* *= None*
Child nodes of this node when requested with children.
-#### attributes *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
+#### attributes*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
Attributes of the `Element` node in the form of flat array `[name1, value1, name2, value2]`.
-#### document_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### document_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Document URL that `Document` or `FrameOwner` node points to.
-#### base_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### base_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Base URL that `Document` or `FrameOwner` node uses for URL completion.
-#### public_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### public_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
`DocumentType`’s publicId.
-#### system_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### system_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
`DocumentType`’s systemId.
-#### internal_subset *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### internal_subset*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
`DocumentType`’s internalSubset.
-#### xml_version *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### xml_version*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
`Document`’s XML version in case of XML documents.
-#### name *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### name*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
`Attr`’s name.
-#### value *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### value*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
`Attr`’s value.
-#### pseudo_type *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PseudoType`](#nodriver.cdp.dom.PseudoType)]* *= None*
+#### pseudo_type*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PseudoType`](#nodriver.cdp.dom.PseudoType)]* *= None*
Pseudo element type for this node.
-#### pseudo_identifier *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### pseudo_identifier*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Pseudo element identifier for this node. Only present if there is a
valid pseudoType.
-#### shadow_root_type *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ShadowRootType`](#nodriver.cdp.dom.ShadowRootType)]* *= None*
+#### shadow_root_type*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ShadowRootType`](#nodriver.cdp.dom.ShadowRootType)]* *= None*
Shadow root type.
-#### frame_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]* *= None*
+#### frame_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]* *= None*
Frame ID for frame owner elements.
-#### content_document *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Node`](#nodriver.cdp.dom.Node)]* *= None*
+#### content_document*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Node`](#nodriver.cdp.dom.Node)]* *= None*
Content document for frame owner elements.
-#### shadow_roots *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]]* *= None*
+#### shadow_roots*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]]* *= None*
Shadow root list for given element host.
-#### template_content *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Node`](#nodriver.cdp.dom.Node)]* *= None*
+#### template_content*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Node`](#nodriver.cdp.dom.Node)]* *= None*
Content document fragment for template elements.
-#### pseudo_elements *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]]* *= None*
+#### pseudo_elements*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]]* *= None*
Pseudo elements associated with this node.
-#### imported_document *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Node`](#nodriver.cdp.dom.Node)]* *= None*
+#### imported_document*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Node`](#nodriver.cdp.dom.Node)]* *= None*
Deprecated, as the HTML Imports API has been removed (crbug.com/937746).
This property used to return the imported document for the HTMLImport links.
The property is always undefined now.
-#### distributed_nodes *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackendNode`](#nodriver.cdp.dom.BackendNode)]]* *= None*
+#### distributed_nodes*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackendNode`](#nodriver.cdp.dom.BackendNode)]]* *= None*
Distributed nodes for given insertion point.
-#### is_svg *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### is_svg*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether the node is SVG.
-#### compatibility_mode *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CompatibilityMode`](#nodriver.cdp.dom.CompatibilityMode)]* *= None*
+#### compatibility_mode*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CompatibilityMode`](#nodriver.cdp.dom.CompatibilityMode)]* *= None*
-#### assigned_slot *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNode`](#nodriver.cdp.dom.BackendNode)]* *= None*
+#### assigned_slot*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNode`](#nodriver.cdp.dom.BackendNode)]* *= None*
### *class* RGBA(r, g, b, a=None)
A structure holding an RGBA color.
-#### r *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### r*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The red component, in the [0-255] range.
-#### g *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### g*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The green component, in the [0-255] range.
-#### b *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### b*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The blue component, in the [0-255] range.
-#### a *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### a*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
1).
@@ -298,31 +298,31 @@ An array of quad vertices, x immediately followed by y for each point, points cl
Box model.
-#### content *: [`Quad`](#nodriver.cdp.dom.Quad)*
+#### content*: [`Quad`](#nodriver.cdp.dom.Quad)*
Content box
-#### padding *: [`Quad`](#nodriver.cdp.dom.Quad)*
+#### padding*: [`Quad`](#nodriver.cdp.dom.Quad)*
Padding box
-#### border *: [`Quad`](#nodriver.cdp.dom.Quad)*
+#### border*: [`Quad`](#nodriver.cdp.dom.Quad)*
Border box
-#### margin *: [`Quad`](#nodriver.cdp.dom.Quad)*
+#### margin*: [`Quad`](#nodriver.cdp.dom.Quad)*
Margin box
-#### width *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### width*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Node width
-#### height *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### height*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Node height
-#### shape_outside *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ShapeOutsideInfo`](#nodriver.cdp.dom.ShapeOutsideInfo)]* *= None*
+#### shape_outside*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ShapeOutsideInfo`](#nodriver.cdp.dom.ShapeOutsideInfo)]* *= None*
Shape outside coordinates
@@ -330,15 +330,15 @@ Shape outside coordinates
CSS Shape Outside details.
-#### bounds *: [`Quad`](#nodriver.cdp.dom.Quad)*
+#### bounds*: [`Quad`](#nodriver.cdp.dom.Quad)*
Shape bounds
-#### shape *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Any`](https://docs.python.org/3/library/typing.html#typing.Any)]*
+#### shape*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Any`](https://docs.python.org/3/library/typing.html#typing.Any)]*
Shape coordinate details
-#### margin_shape *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Any`](https://docs.python.org/3/library/typing.html#typing.Any)]*
+#### margin_shape*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Any`](https://docs.python.org/3/library/typing.html#typing.Any)]*
Margin shape bounds
@@ -346,29 +346,29 @@ Margin shape bounds
Rectangle.
-#### x *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### x*: [`float`](https://docs.python.org/3/library/functions.html#float)*
X coordinate
-#### y *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### y*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Y coordinate
-#### width *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### width*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Rectangle width
-#### height *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### height*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Rectangle height
### *class* CSSComputedStyleProperty(name, value)
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Computed style property name.
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Computed style property value.
@@ -406,7 +406,7 @@ given anchor.
* **Parameters:**
* **node_id** ([`NodeId`](#nodriver.cdp.dom.NodeId)) – Id of the node to copy.
* **target_node_id** ([`NodeId`](#nodriver.cdp.dom.NodeId)) – Id of the element to drop the copy into.
- * **insert_before_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Drop the copy before this node (if absent, the copy becomes the last child of ``targetNodeId``).
+ * **insert_before_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Drop the copy before this node (if absent, the copy becomes the last child of ``targetNodeId``).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`NodeId`](#nodriver.cdp.dom.NodeId)]
* **Returns:**
@@ -418,11 +418,11 @@ Describes node given its id, does not require domain to be enabled. Does not sta
objects, can be used for automation.
* **Parameters:**
- * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
- * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
- * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
- * **depth** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* The maximum depth at which children should be retrieved, defaults to 1. Use -1 for the entire subtree or provide an integer larger than 0.
- * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots should be traversed when returning the subtree (default is false).
+ * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
+ * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
+ * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
+ * **depth** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* The maximum depth at which children should be retrieved, defaults to 1. Use -1 for the entire subtree or provide an integer larger than 0.
+ * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots should be traversed when returning the subtree (default is false).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Node`](#nodriver.cdp.dom.Node)]
* **Returns:**
@@ -452,7 +452,7 @@ be called for that search.
Enables DOM agent for the given page.
* **Parameters:**
- **include_whitespace** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(EXPERIMENTAL)** *(Optional)* Whether to include whitespaces in the children array of returned Nodes.
+ **include_whitespace** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(EXPERIMENTAL)** *(Optional)* Whether to include whitespaces in the children array of returned Nodes.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -461,9 +461,9 @@ Enables DOM agent for the given page.
Focuses the given element.
* **Parameters:**
- * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
- * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
- * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
+ * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
+ * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
+ * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -483,9 +483,9 @@ Returns attributes for the specified node.
Returns boxes for the given node.
* **Parameters:**
- * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
- * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
- * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
+ * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
+ * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
+ * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`BoxModel`](#nodriver.cdp.dom.BoxModel)]
* **Returns:**
@@ -502,13 +502,13 @@ closest element with a matching container-name.
* **Parameters:**
* **node_id** ([`NodeId`](#nodriver.cdp.dom.NodeId)) –
- * **container_name** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)*
- * **physical_axes** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PhysicalAxes`](#nodriver.cdp.dom.PhysicalAxes)]) – *(Optional)*
- * **logical_axes** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`LogicalAxes`](#nodriver.cdp.dom.LogicalAxes)]) – *(Optional)*
+ * **container_name** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)*
+ * **physical_axes** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PhysicalAxes`](#nodriver.cdp.dom.PhysicalAxes)]) – *(Optional)*
+ * **logical_axes** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`LogicalAxes`](#nodriver.cdp.dom.LogicalAxes)]) – *(Optional)*
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]]
* **Returns:**
- *(Optional)* The container node for the given node, or null if not found.
+ *(Optional)* The container node for the given node, or null if not found.
### get_content_quads(node_id=None, backend_node_id=None, object_id=None)
@@ -518,9 +518,9 @@ might return multiple quads for inline nodes.
**EXPERIMENTAL**
* **Parameters:**
- * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
- * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
- * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
+ * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
+ * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
+ * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Quad`](#nodriver.cdp.dom.Quad)]]
* **Returns:**
@@ -532,8 +532,8 @@ Returns the root DOM node (and optionally the subtree) to the caller.
Implicitly enables the DOM domain events for the current target.
* **Parameters:**
- * **depth** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* The maximum depth at which children should be retrieved, defaults to 1. Use -1 for the entire subtree or provide an integer larger than 0.
- * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots should be traversed when returning the subtree (default is false).
+ * **depth** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* The maximum depth at which children should be retrieved, defaults to 1. Use -1 for the entire subtree or provide an integer larger than 0.
+ * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots should be traversed when returning the subtree (default is false).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Node`](#nodriver.cdp.dom.Node)]
* **Returns:**
@@ -562,8 +562,8 @@ Use DOMSnapshot.captureSnapshot instead.
Deprecated since version 1.3.
* **Parameters:**
- * **depth** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* The maximum depth at which children should be retrieved, defaults to 1. Use -1 for the entire subtree or provide an integer larger than 0.
- * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots should be traversed when returning the subtree (default is false).
+ * **depth** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* The maximum depth at which children should be retrieved, defaults to 1. Use -1 for the entire subtree or provide an integer larger than 0.
+ * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots should be traversed when returning the subtree (default is false).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]]
* **Returns:**
@@ -585,7 +585,7 @@ Returns iframe node that owns iframe with the given domain.
* **Returns:**
A tuple with the following items:
1. **backendNodeId** - Resulting node.
- 2. **nodeId** - *(Optional)* Id of the node at given coordinates, only when enabled and requested document.
+ 2. **nodeId** - *(Optional)* Id of the node at given coordinates, only when enabled and requested document.
### get_node_for_location(x, y, include_user_agent_shadow_dom=None, ignore_pointer_events_none=None)
@@ -595,15 +595,15 @@ either returned or not.
* **Parameters:**
* **x** ([`int`](https://docs.python.org/3/library/functions.html#int)) – X coordinate.
* **y** ([`int`](https://docs.python.org/3/library/functions.html#int)) – Y coordinate.
- * **include_user_agent_shadow_dom** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* False to skip to the nearest non-UA shadow root ancestor (default: false).
- * **ignore_pointer_events_none** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to ignore pointer-events: none on elements and hit test them.
+ * **include_user_agent_shadow_dom** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* False to skip to the nearest non-UA shadow root ancestor (default: false).
+ * **ignore_pointer_events_none** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to ignore pointer-events: none on elements and hit test them.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId), [`FrameId`](page.md#nodriver.cdp.page.FrameId), [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]]]
* **Returns:**
A tuple with the following items:
1. **backendNodeId** - Resulting node.
2. **frameId** - Frame this node belongs to.
- 3. **nodeId** - *(Optional)* Id of the node at given coordinates, only when enabled and requested document.
+ 3. **nodeId** - *(Optional)* Id of the node at given coordinates, only when enabled and requested document.
### get_node_stack_traces(node_id)
@@ -616,7 +616,7 @@ Gets stack traces associated with a Node. As of now, only provides stack trace f
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StackTrace`](runtime.md#nodriver.cdp.runtime.StackTrace)]]
* **Returns:**
- *(Optional)* Creation stack trace, if available.
+ *(Optional)* Creation stack trace, if available.
### get_nodes_for_subtree_by_style(node_id, computed_styles, pierce=None)
@@ -627,7 +627,7 @@ Finds nodes with a given computed style in a subtree.
* **Parameters:**
* **node_id** ([`NodeId`](#nodriver.cdp.dom.NodeId)) – Node ID pointing to the root of a subtree.
* **computed_styles** ([`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CSSComputedStyleProperty`](#nodriver.cdp.dom.CSSComputedStyleProperty)]) – The style to filter nodes by (includes nodes if any of properties matches).
- * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots in the same target should be traversed when returning the results (default is false).
+ * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots in the same target should be traversed when returning the results (default is false).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`NodeId`](#nodriver.cdp.dom.NodeId)]]
* **Returns:**
@@ -638,9 +638,9 @@ Finds nodes with a given computed style in a subtree.
Returns node’s HTML markup.
* **Parameters:**
- * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
- * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
- * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
+ * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
+ * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
+ * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`str`](https://docs.python.org/3/library/stdtypes.html#str)]
* **Returns:**
@@ -739,7 +739,7 @@ Moves node into the new container, places it before the given anchor.
* **Parameters:**
* **node_id** ([`NodeId`](#nodriver.cdp.dom.NodeId)) – Id of the node to move.
* **target_node_id** ([`NodeId`](#nodriver.cdp.dom.NodeId)) – Id of the element to drop the moved node into.
- * **insert_before_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Drop node before this one (if absent, the moved node becomes the last child of ``targetNodeId``).
+ * **insert_before_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Drop node before this one (if absent, the moved node becomes the last child of ``targetNodeId``).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`NodeId`](#nodriver.cdp.dom.NodeId)]
* **Returns:**
@@ -754,7 +754,7 @@ Searches for a given string in the DOM tree. Use `getSearchResults` to access se
* **Parameters:**
* **query** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – Plain text or query selector or XPath search query.
- * **include_user_agent_shadow_dom** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* True to search in user agent shadow DOM.
+ * **include_user_agent_shadow_dom** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* True to search in user agent shadow DOM.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`int`](https://docs.python.org/3/library/functions.html#int)]]
* **Returns:**
@@ -848,8 +848,8 @@ the specified depth.
* **Parameters:**
* **node_id** ([`NodeId`](#nodriver.cdp.dom.NodeId)) – Id of the node to get children for.
- * **depth** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* The maximum depth at which children should be retrieved, defaults to 1. Use -1 for the entire subtree or provide an integer larger than 0.
- * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots should be traversed when returning the sub-tree (default is false).
+ * **depth** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* The maximum depth at which children should be retrieved, defaults to 1. Use -1 for the entire subtree or provide an integer larger than 0.
+ * **pierce** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not iframes and shadow roots should be traversed when returning the sub-tree (default is false).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -871,10 +871,10 @@ nodes that form the path from the node to the root are also sent to the client a
Resolves the JavaScript node object for a given NodeId or BackendNodeId.
* **Parameters:**
- * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Id of the node to resolve.
- * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Backend identifier of the node to resolve.
- * **object_group** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Symbolic group name that can be used to release multiple objects.
- * **execution_context_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ExecutionContextId`](runtime.md#nodriver.cdp.runtime.ExecutionContextId)]) – *(Optional)* Execution context in which to resolve the node.
+ * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Id of the node to resolve.
+ * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Backend identifier of the node to resolve.
+ * **object_group** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Symbolic group name that can be used to release multiple objects.
+ * **execution_context_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ExecutionContextId`](runtime.md#nodriver.cdp.runtime.ExecutionContextId)]) – *(Optional)* Execution context in which to resolve the node.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`RemoteObject`](runtime.md#nodriver.cdp.runtime.RemoteObject)]
* **Returns:**
@@ -887,10 +887,10 @@ Note: exactly one between nodeId, backendNodeId and objectId should be passed
to identify the node.
* **Parameters:**
- * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
- * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
- * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
- * **rect** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Rect`](#nodriver.cdp.dom.Rect)]) – *(Optional)* The rect to be scrolled into view, relative to the node’s border box, in CSS pixels. When omitted, center of the node will be used, similar to Element.scrollIntoView.
+ * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
+ * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
+ * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
+ * **rect** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Rect`](#nodriver.cdp.dom.Rect)]) – *(Optional)* The rect to be scrolled into view, relative to the node’s border box, in CSS pixels. When omitted, center of the node will be used, similar to Element.scrollIntoView.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -913,7 +913,7 @@ attribute value and types in several attribute name/value pairs.
* **Parameters:**
* **node_id** ([`NodeId`](#nodriver.cdp.dom.NodeId)) – Id of the element to set attributes for.
* **text** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – Text with a number of attributes. Will parse this text using HTML parser.
- * **name** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Attribute name to replace with new attributes derived from text in case text parsed successfully.
+ * **name** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Attribute name to replace with new attributes derived from text in case text parsed successfully.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -923,9 +923,9 @@ Sets files for the given file input element.
* **Parameters:**
* **files** ([`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – Array of file paths to set.
- * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
- * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
- * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
+ * **node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`NodeId`](#nodriver.cdp.dom.NodeId)]) – *(Optional)* Identifier of the node.
+ * **backend_node_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](#nodriver.cdp.dom.BackendNodeId)]) – *(Optional)* Identifier of the backend node.
+ * **object_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RemoteObjectId`](runtime.md#nodriver.cdp.runtime.RemoteObjectId)]) – *(Optional)* JavaScript object id of the node wrapper.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1003,15 +1003,15 @@ you use the event’s attributes.
Fired when `Element`’s attribute is modified.
-#### node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Id of the node that has changed.
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Attribute name.
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Attribute value.
@@ -1019,11 +1019,11 @@ Attribute value.
Fired when `Element`’s attribute is removed.
-#### node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Id of the node that has changed.
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
A ttribute name.
@@ -1031,11 +1031,11 @@ A ttribute name.
Mirrors `DOMCharacterDataModified` event.
-#### node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Id of the node that has changed.
-#### character_data *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### character_data*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
New text value.
@@ -1043,11 +1043,11 @@ New text value.
Fired when `Container`’s child node count has changed.
-#### node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Id of the node that has changed.
-#### child_node_count *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### child_node_count*: [`int`](https://docs.python.org/3/library/functions.html#int)*
New node count.
@@ -1055,15 +1055,15 @@ New node count.
Mirrors `DOMNodeInserted` event.
-#### parent_node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### parent_node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Id of the node that has changed.
-#### previous_node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### previous_node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Id of the previous sibling.
-#### node *: [`Node`](#nodriver.cdp.dom.Node)*
+#### node*: [`Node`](#nodriver.cdp.dom.Node)*
Inserted node data.
@@ -1071,11 +1071,11 @@ Inserted node data.
Mirrors `DOMNodeRemoved` event.
-#### parent_node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### parent_node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Parent id.
-#### node_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### node_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Id of the node that has been removed.
@@ -1085,11 +1085,11 @@ Id of the node that has been removed.
Called when distribution is changed.
-#### insertion_point_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### insertion_point_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Insertion point where distributed nodes were updated.
-#### distributed_nodes *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackendNode`](#nodriver.cdp.dom.BackendNode)]*
+#### distributed_nodes*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackendNode`](#nodriver.cdp.dom.BackendNode)]*
Distributed nodes for given insertion point.
@@ -1103,7 +1103,7 @@ Fired when `Document` has been totally updated. Node ids are no longer valid.
Fired when `Element`’s inline style is modified via a CSS property modification.
-#### node_ids *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`NodeId`](#nodriver.cdp.dom.NodeId)]*
+#### node_ids*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`NodeId`](#nodriver.cdp.dom.NodeId)]*
Ids of the nodes for which the inline styles have been invalidated.
@@ -1113,11 +1113,11 @@ Ids of the nodes for which the inline styles have been invalidated.
Called when a pseudo element is added to an element.
-#### parent_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### parent_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Pseudo element’s parent element id.
-#### pseudo_element *: [`Node`](#nodriver.cdp.dom.Node)*
+#### pseudo_element*: [`Node`](#nodriver.cdp.dom.Node)*
The added pseudo element.
@@ -1133,11 +1133,11 @@ Called when top layer elements are changed.
Called when a pseudo element is removed from an element.
-#### parent_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### parent_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Pseudo element’s parent element id.
-#### pseudo_element_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### pseudo_element_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
The removed pseudo element id.
@@ -1146,11 +1146,11 @@ The removed pseudo element id.
Fired when backend wants to provide client with the missing DOM structure. This happens upon
most of the calls requesting node ids.
-#### parent_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### parent_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Parent node id to populate with children.
-#### nodes *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]*
+#### nodes*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Node`](#nodriver.cdp.dom.Node)]*
Child nodes array.
@@ -1160,11 +1160,11 @@ Child nodes array.
Called when shadow root is popped from the element.
-#### host_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### host_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Host element id.
-#### root_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### root_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Shadow root id.
@@ -1174,10 +1174,10 @@ Shadow root id.
Called when shadow root is pushed into the element.
-#### host_id *: [`NodeId`](#nodriver.cdp.dom.NodeId)*
+#### host_id*: [`NodeId`](#nodriver.cdp.dom.NodeId)*
Host element id.
-#### root *: [`Node`](#nodriver.cdp.dom.Node)*
+#### root*: [`Node`](#nodriver.cdp.dom.Node)*
Shadow root.
diff --git a/docs/_build/markdown/nodriver/cdp/emulation.md b/docs/_build/markdown/nodriver/cdp/emulation.md
index 20e292a..f647296 100644
--- a/docs/_build/markdown/nodriver/cdp/emulation.md
+++ b/docs/_build/markdown/nodriver/cdp/emulation.md
@@ -18,26 +18,26 @@ arguments to other commands.
Screen orientation.
-#### type_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### type_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Orientation type.
-#### angle *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### angle*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Orientation angle.
### *class* DisplayFeature(orientation, offset, mask_length)
-#### orientation *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### orientation*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Orientation of a display feature in relation to screen
-#### offset *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### offset*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The offset from the screen origin in either the x (for vertical
orientation) or y (for horizontal orientation) direction.
-#### mask_length *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### mask_length*: [`int`](https://docs.python.org/3/library/functions.html#int)*
A display feature may mask content such that it is not physically
displayed - this length along with the offset describes this area.
@@ -45,15 +45,15 @@ A display feature that only splits content will have a 0 mask_length.
### *class* DevicePosture(type_)
-#### type_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### type_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Current posture of the device
### *class* MediaFeature(name, value)
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* VirtualTimePolicy(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -72,38 +72,38 @@ resource fetches.
Used to specify User Agent Cient Hints to emulate. See [https://wicg.github.io/ua-client-hints](https://wicg.github.io/ua-client-hints)
-#### brand *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### brand*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### version *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### version*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* UserAgentMetadata(platform, platform_version, architecture, model, mobile, brands=None, full_version_list=None, full_version=None, bitness=None, wow64=None)
Used to specify User Agent Cient Hints to emulate. See [https://wicg.github.io/ua-client-hints](https://wicg.github.io/ua-client-hints)
Missing optional values will be filled in by the target with what it would normally use.
-#### platform *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### platform*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### platform_version *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### platform_version*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### architecture *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### architecture*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### model *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### model*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### mobile *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### mobile*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### brands *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`UserAgentBrandVersion`](#nodriver.cdp.emulation.UserAgentBrandVersion)]]* *= None*
+#### brands*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`UserAgentBrandVersion`](#nodriver.cdp.emulation.UserAgentBrandVersion)]]* *= None*
Brands appearing in Sec-CH-UA.
-#### full_version_list *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`UserAgentBrandVersion`](#nodriver.cdp.emulation.UserAgentBrandVersion)]]* *= None*
+#### full_version_list*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`UserAgentBrandVersion`](#nodriver.cdp.emulation.UserAgentBrandVersion)]]* *= None*
Brands appearing in Sec-CH-UA-Full-Version-List.
-#### full_version *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### full_version*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### bitness *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### bitness*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### wow64 *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### wow64*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
### *class* SensorType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -130,41 +130,41 @@ See [https://w3c.github.io/sensors/#automation](https://w3c.github.io/sensors/#a
### *class* SensorMetadata(available=None, minimum_frequency=None, maximum_frequency=None)
-#### available *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### available*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
-#### minimum_frequency *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### minimum_frequency*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
-#### maximum_frequency *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### maximum_frequency*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
### *class* SensorReadingSingle(value)
-#### value *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### value*: [`float`](https://docs.python.org/3/library/functions.html#float)*
### *class* SensorReadingXYZ(x, y, z)
-#### x *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### x*: [`float`](https://docs.python.org/3/library/functions.html#float)*
-#### y *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### y*: [`float`](https://docs.python.org/3/library/functions.html#float)*
-#### z *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### z*: [`float`](https://docs.python.org/3/library/functions.html#float)*
### *class* SensorReadingQuaternion(x, y, z, w)
-#### x *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### x*: [`float`](https://docs.python.org/3/library/functions.html#float)*
-#### y *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### y*: [`float`](https://docs.python.org/3/library/functions.html#float)*
-#### z *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### z*: [`float`](https://docs.python.org/3/library/functions.html#float)*
-#### w *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### w*: [`float`](https://docs.python.org/3/library/functions.html#float)*
### *class* SensorReading(single=None, xyz=None, quaternion=None)
-#### single *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SensorReadingSingle`](#nodriver.cdp.emulation.SensorReadingSingle)]* *= None*
+#### single*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SensorReadingSingle`](#nodriver.cdp.emulation.SensorReadingSingle)]* *= None*
-#### xyz *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SensorReadingXYZ`](#nodriver.cdp.emulation.SensorReadingXYZ)]* *= None*
+#### xyz*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SensorReadingXYZ`](#nodriver.cdp.emulation.SensorReadingXYZ)]* *= None*
-#### quaternion *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SensorReadingQuaternion`](#nodriver.cdp.emulation.SensorReadingQuaternion)]* *= None*
+#### quaternion*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SensorReadingQuaternion`](#nodriver.cdp.emulation.SensorReadingQuaternion)]* *= None*
### *class* DisabledImageType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -241,7 +241,7 @@ Automatically render all web contents using a dark theme.
**EXPERIMENTAL**
* **Parameters:**
- **enabled** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to enable or disable automatic dark mode. If not specified, any existing override will be cleared.
+ **enabled** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to enable or disable automatic dark mode. If not specified, any existing override will be cleared.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -271,7 +271,7 @@ Sets or clears an override of the default background color of the frame. This ov
if the content does not specify one.
* **Parameters:**
- **color** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RGBA`](dom.md#nodriver.cdp.dom.RGBA)]) – *(Optional)* RGBA of the default background color. If not specified, any existing override will be cleared.
+ **color** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RGBA`](dom.md#nodriver.cdp.dom.RGBA)]) – *(Optional)* RGBA of the default background color. If not specified, any existing override will be cleared.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -286,16 +286,16 @@ query results).
* **height** ([`int`](https://docs.python.org/3/library/functions.html#int)) – Overriding height value in pixels (minimum 0, maximum 10000000). 0 disables the override.
* **device_scale_factor** ([`float`](https://docs.python.org/3/library/functions.html#float)) – Overriding device scale factor value. 0 disables the override.
* **mobile** ([`bool`](https://docs.python.org/3/library/functions.html#bool)) – Whether to emulate mobile device. This includes viewport meta tag, overlay scrollbars, text autosizing and more.
- * **scale** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – **(EXPERIMENTAL)** *(Optional)* Scale to apply to resulting view image.
- * **screen_width** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Overriding screen width value in pixels (minimum 0, maximum 10000000).
- * **screen_height** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Overriding screen height value in pixels (minimum 0, maximum 10000000).
- * **position_x** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Overriding view X position on screen in pixels (minimum 0, maximum 10000000).
- * **position_y** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Overriding view Y position on screen in pixels (minimum 0, maximum 10000000).
- * **dont_set_visible_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Do not set visible view size, rely upon explicit setVisibleSize call.
- * **screen_orientation** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ScreenOrientation`](#nodriver.cdp.emulation.ScreenOrientation)]) – *(Optional)* Screen orientation override.
- * **viewport** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Viewport`](page.md#nodriver.cdp.page.Viewport)]) – **(EXPERIMENTAL)** *(Optional)* If set, the visible area of the page will be overridden to this viewport. This viewport change is not observed by the page, e.g. viewport-relative elements do not change positions.
- * **display_feature** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`DisplayFeature`](#nodriver.cdp.emulation.DisplayFeature)]) – **(EXPERIMENTAL)** *(Optional)* If set, the display feature of a multi-segment screen. If not set, multi-segment support is turned-off.
- * **device_posture** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`DevicePosture`](#nodriver.cdp.emulation.DevicePosture)]) – **(EXPERIMENTAL)** *(Optional)* If set, the posture of a foldable device. If not set the posture is set to continuous.
+ * **scale** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – **(EXPERIMENTAL)** *(Optional)* Scale to apply to resulting view image.
+ * **screen_width** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Overriding screen width value in pixels (minimum 0, maximum 10000000).
+ * **screen_height** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Overriding screen height value in pixels (minimum 0, maximum 10000000).
+ * **position_x** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Overriding view X position on screen in pixels (minimum 0, maximum 10000000).
+ * **position_y** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Overriding view Y position on screen in pixels (minimum 0, maximum 10000000).
+ * **dont_set_visible_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Do not set visible view size, rely upon explicit setVisibleSize call.
+ * **screen_orientation** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ScreenOrientation`](#nodriver.cdp.emulation.ScreenOrientation)]) – *(Optional)* Screen orientation override.
+ * **viewport** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Viewport`](page.md#nodriver.cdp.page.Viewport)]) – **(EXPERIMENTAL)** *(Optional)* If set, the visible area of the page will be overridden to this viewport. This viewport change is not observed by the page, e.g. viewport-relative elements do not change positions.
+ * **display_feature** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`DisplayFeature`](#nodriver.cdp.emulation.DisplayFeature)]) – **(EXPERIMENTAL)** *(Optional)* If set, the display feature of a multi-segment screen. If not set, multi-segment support is turned-off.
+ * **device_posture** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`DevicePosture`](#nodriver.cdp.emulation.DevicePosture)]) – **(EXPERIMENTAL)** *(Optional)* If set, the posture of a foldable device. If not set the posture is set to continuous.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -323,7 +323,7 @@ query results).
* **Parameters:**
* **enabled** ([`bool`](https://docs.python.org/3/library/functions.html#bool)) – Whether touch emulation based on mouse input should be enabled.
- * **configuration** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Touch/gesture events configuration. Default: current platform.
+ * **configuration** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Touch/gesture events configuration. Default: current platform.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -332,8 +332,8 @@ query results).
Emulates the given media type or media feature for CSS media queries.
* **Parameters:**
- * **media** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Media type to emulate. Empty string disables the override.
- * **features** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`MediaFeature`](#nodriver.cdp.emulation.MediaFeature)]]) – *(Optional)* Media features to emulate.
+ * **media** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Media type to emulate. Empty string disables the override.
+ * **features** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`MediaFeature`](#nodriver.cdp.emulation.MediaFeature)]]) – *(Optional)* Media features to emulate.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -363,9 +363,9 @@ Overrides the Geolocation Position or Error. Omitting any of the parameters emul
unavailable.
* **Parameters:**
- * **latitude** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock latitude
- * **longitude** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock longitude
- * **accuracy** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock accuracy
+ * **latitude** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock latitude
+ * **longitude** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock longitude
+ * **accuracy** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock accuracy
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -395,7 +395,7 @@ Overrides default host system locale with the specified one.
**EXPERIMENTAL**
* **Parameters:**
- **locale** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* ICU style C locale (e.g. “en_US”). If not specified or empty, disables the override and restores default host system locale.
+ **locale** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* ICU style C locale (e.g. “en_US”). If not specified or empty, disables the override and restores default host system locale.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -458,7 +458,7 @@ Sensor.start() will attempt to use a real sensor instead.
* **Parameters:**
* **enabled** ([`bool`](https://docs.python.org/3/library/functions.html#bool)) –
* **type** –
- * **metadata** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SensorMetadata`](#nodriver.cdp.emulation.SensorMetadata)]) – *(Optional)*
+ * **metadata** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SensorMetadata`](#nodriver.cdp.emulation.SensorMetadata)]) – *(Optional)*
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -490,7 +490,7 @@ Enables touch on platforms which do not support them.
* **Parameters:**
* **enabled** ([`bool`](https://docs.python.org/3/library/functions.html#bool)) – Whether the touch event emulation should be enabled.
- * **max_touch_points** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Maximum touch points supported. Defaults to one.
+ * **max_touch_points** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Maximum touch points supported. Defaults to one.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -500,9 +500,9 @@ Allows overriding user agent with the given string.
* **Parameters:**
* **user_agent** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – User agent to use.
- * **accept_language** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Browser language to emulate.
- * **platform** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The platform navigator.platform should return.
- * **user_agent_metadata** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UserAgentMetadata`](#nodriver.cdp.emulation.UserAgentMetadata)]) – **(EXPERIMENTAL)** *(Optional)* To be sent in Sec-CH-UA-\* headers and returned in navigator.userAgentData
+ * **accept_language** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Browser language to emulate.
+ * **platform** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The platform navigator.platform should return.
+ * **user_agent_metadata** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UserAgentMetadata`](#nodriver.cdp.emulation.UserAgentMetadata)]) – **(EXPERIMENTAL)** *(Optional)* To be sent in Sec-CH-UA-\* headers and returned in navigator.userAgentData
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -515,9 +515,9 @@ the current virtual time policy. Note this supersedes any previous time budget.
* **Parameters:**
* **policy** ([`VirtualTimePolicy`](#nodriver.cdp.emulation.VirtualTimePolicy)) –
- * **budget** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* If set, after this many virtual milliseconds have elapsed virtual time will be paused and a virtualTimeBudgetExpired event is sent.
- * **max_virtual_time_task_starvation_count** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* If set this specifies the maximum number of tasks that can be run before virtual is forced forwards to prevent deadlock.
- * **initial_virtual_time** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)]) – *(Optional)* If set, base::Time::Now will be overridden to initially return this value.
+ * **budget** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* If set, after this many virtual milliseconds have elapsed virtual time will be paused and a virtualTimeBudgetExpired event is sent.
+ * **max_virtual_time_task_starvation_count** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* If set this specifies the maximum number of tasks that can be run before virtual is forced forwards to prevent deadlock.
+ * **initial_virtual_time** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)]) – *(Optional)* If set, base::Time::Now will be overridden to initially return this value.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`float`](https://docs.python.org/3/library/functions.html#float)]
* **Returns:**
diff --git a/docs/_build/markdown/nodriver/cdp/fed_cm.md b/docs/_build/markdown/nodriver/cdp/fed_cm.md
index c1a41c4..36cdd60 100644
--- a/docs/_build/markdown/nodriver/cdp/fed_cm.md
+++ b/docs/_build/markdown/nodriver/cdp/fed_cm.md
@@ -51,27 +51,27 @@ The buttons on the FedCM dialog.
Corresponds to IdentityRequestAccount
-#### account_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### account_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### email *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### email*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### given_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### given_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### picture_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### picture_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### idp_config_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### idp_config_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### idp_login_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### idp_login_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### login_state *: [`LoginState`](#nodriver.cdp.fed_cm.LoginState)*
+#### login_state*: [`LoginState`](#nodriver.cdp.fed_cm.LoginState)*
-#### terms_of_service_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### terms_of_service_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
These two are only set if the loginState is signUp
-#### privacy_policy_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### privacy_policy_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
## Commands
@@ -101,14 +101,14 @@ to. For more information, see
* **Parameters:**
* **dialog_id** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) –
- * **trigger_cooldown** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)*
+ * **trigger_cooldown** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)*
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
### enable(disable_rejection_delay=None)
* **Parameters:**
- **disable_rejection_delay** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Allows callers to disable the promise rejection delay that would normally happen, if this is unimportant to what’s being tested. (step 4 of [https://fedidcg.github.io/FedCM/#browser-api-rp-sign-in](https://fedidcg.github.io/FedCM/#browser-api-rp-sign-in))
+ **disable_rejection_delay** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Allows callers to disable the promise rejection delay that would normally happen, if this is unimportant to what’s being tested. (step 4 of [https://fedidcg.github.io/FedCM/#browser-api-rp-sign-in](https://fedidcg.github.io/FedCM/#browser-api-rp-sign-in))
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -136,22 +136,22 @@ you use the event’s attributes.
### *class* DialogShown(dialog_id, dialog_type, accounts, title, subtitle)
-#### dialog_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### dialog_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### dialog_type *: [`DialogType`](#nodriver.cdp.fed_cm.DialogType)*
+#### dialog_type*: [`DialogType`](#nodriver.cdp.fed_cm.DialogType)*
-#### accounts *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Account`](#nodriver.cdp.fed_cm.Account)]*
+#### accounts*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Account`](#nodriver.cdp.fed_cm.Account)]*
-#### title *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### title*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
These exist primarily so that the caller can verify the
RP context was used appropriately.
-#### subtitle *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### subtitle*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
### *class* DialogClosed(dialog_id)
Triggered when a dialog is closed, either by user action, JS abort,
or a command below.
-#### dialog_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### dialog_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
diff --git a/docs/_build/markdown/nodriver/cdp/network.md b/docs/_build/markdown/nodriver/cdp/network.md
index 39b9197..96f63c9 100644
--- a/docs/_build/markdown/nodriver/cdp/network.md
+++ b/docs/_build/markdown/nodriver/cdp/network.md
@@ -171,80 +171,80 @@ This is a temporary ability and it will be removed in the future.
Timing information for the request.
-#### request_time *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### request_time*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Timing’s requestTime is a baseline in seconds, while the other numbers are ticks in
milliseconds relatively to this requestTime.
-#### proxy_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### proxy_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Started resolving proxy.
-#### proxy_end *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### proxy_end*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Finished resolving proxy.
-#### dns_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### dns_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Started DNS address resolve.
-#### dns_end *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### dns_end*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Finished DNS address resolve.
-#### connect_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### connect_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Started connecting to the remote host.
-#### connect_end *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### connect_end*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Connected to the remote host.
-#### ssl_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### ssl_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Started SSL handshake.
-#### ssl_end *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### ssl_end*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Finished SSL handshake.
-#### worker_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### worker_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Started running ServiceWorker.
-#### worker_ready *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### worker_ready*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Finished Starting ServiceWorker.
-#### worker_fetch_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### worker_fetch_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Started fetch event.
-#### worker_respond_with_settled *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### worker_respond_with_settled*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Settled fetch event respondWith promise.
-#### send_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### send_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Started sending request.
-#### send_end *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### send_end*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Finished sending request.
-#### push_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### push_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Time the server started pushing request.
-#### push_end *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### push_end*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Time the server finished pushing request.
-#### receive_headers_start *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### receive_headers_start*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Started receiving response headers.
-#### receive_headers_end *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### receive_headers_end*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Finished receiving response headers.
@@ -266,65 +266,65 @@ Loading priority of a resource request.
Post data entry for HTTP request
-#### bytes_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### bytes_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
### *class* Request(url, method, headers, initial_priority, referrer_policy, url_fragment=None, post_data=None, has_post_data=None, post_data_entries=None, mixed_content_type=None, is_link_preload=None, trust_token_params=None, is_same_site=None)
HTTP request data.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Request URL (without fragment).
-#### method *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### method*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
HTTP request method.
-#### headers *: [`Headers`](#nodriver.cdp.network.Headers)*
+#### headers*: [`Headers`](#nodriver.cdp.network.Headers)*
HTTP request headers.
-#### initial_priority *: [`ResourcePriority`](#nodriver.cdp.network.ResourcePriority)*
+#### initial_priority*: [`ResourcePriority`](#nodriver.cdp.network.ResourcePriority)*
Priority of the resource request at the time request is sent.
-#### referrer_policy *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### referrer_policy*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
//www.w3.org/TR/referrer-policy/
* **Type:**
The referrer policy of the request, as defined in https
-#### url_fragment *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### url_fragment*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Fragment of the requested URL starting with hash, if present.
-#### post_data *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### post_data*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
HTTP POST request data.
-#### has_post_data *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### has_post_data*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
True when the request has POST data. Note that postData might still be omitted when this flag is true when the data is too long.
-#### post_data_entries *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`PostDataEntry`](#nodriver.cdp.network.PostDataEntry)]]* *= None*
+#### post_data_entries*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`PostDataEntry`](#nodriver.cdp.network.PostDataEntry)]]* *= None*
Request body elements. This will be converted from base64 to binary
-#### mixed_content_type *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MixedContentType`](security.md#nodriver.cdp.security.MixedContentType)]* *= None*
+#### mixed_content_type*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MixedContentType`](security.md#nodriver.cdp.security.MixedContentType)]* *= None*
The mixed content type of the request.
-#### is_link_preload *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### is_link_preload*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether is loaded via link preload.
-#### trust_token_params *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TrustTokenParams`](#nodriver.cdp.network.TrustTokenParams)]* *= None*
+#### trust_token_params*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TrustTokenParams`](#nodriver.cdp.network.TrustTokenParams)]* *= None*
Set for requests when the TrustToken API is used. Contains the parameters
passed by the developer (e.g. via “fetch”) as understood by the backend.
-#### is_same_site *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### is_same_site*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
True if this resource request is considered to be the ‘same site’ as the
request correspondinfg to the main frame.
@@ -333,36 +333,36 @@ request correspondinfg to the main frame.
Details of a signed certificate timestamp (SCT).
-#### status *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### status*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Validation status.
-#### origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Origin.
-#### log_description *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### log_description*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Log name / description.
-#### log_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### log_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Log ID.
-#### timestamp *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### timestamp*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Issuance date. Unlike TimeSinceEpoch, this contains the number of
milliseconds since January 1, 1970, UTC, not the number of seconds.
-#### hash_algorithm *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### hash_algorithm*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Hash algorithm.
-#### signature_algorithm *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### signature_algorithm*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Signature algorithm.
-#### signature_data *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### signature_data*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Signature data.
@@ -370,63 +370,63 @@ Signature data.
Security details about a request.
-#### protocol *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### protocol*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Protocol name (e.g. “TLS 1.2” or “QUIC”).
-#### key_exchange *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### key_exchange*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Key Exchange used by the connection, or the empty string if not applicable.
-#### cipher *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### cipher*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Cipher name.
-#### certificate_id *: [`CertificateId`](security.md#nodriver.cdp.security.CertificateId)*
+#### certificate_id*: [`CertificateId`](security.md#nodriver.cdp.security.CertificateId)*
Certificate ID value.
-#### subject_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### subject_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Certificate subject name.
-#### san_list *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### san_list*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
Subject Alternative Name (SAN) DNS names and IP addresses.
-#### issuer *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### issuer*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Name of the issuing CA.
-#### valid_from *: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
+#### valid_from*: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
Certificate valid from date.
-#### valid_to *: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
+#### valid_to*: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
Certificate valid to (expiration) date
-#### signed_certificate_timestamp_list *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SignedCertificateTimestamp`](#nodriver.cdp.network.SignedCertificateTimestamp)]*
+#### signed_certificate_timestamp_list*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SignedCertificateTimestamp`](#nodriver.cdp.network.SignedCertificateTimestamp)]*
List of signed certificate timestamps (SCTs).
-#### certificate_transparency_compliance *: [`CertificateTransparencyCompliance`](#nodriver.cdp.network.CertificateTransparencyCompliance)*
+#### certificate_transparency_compliance*: [`CertificateTransparencyCompliance`](#nodriver.cdp.network.CertificateTransparencyCompliance)*
Whether the request complied with Certificate Transparency policy
-#### encrypted_client_hello *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### encrypted_client_hello*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Whether the connection used Encrypted ClientHello
-#### key_exchange_group *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### key_exchange_group*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
(EC)DH group used by the connection, if applicable.
-#### mac *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### mac*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
TLS MAC. Note that AEAD ciphers do not have separate MACs.
-#### server_signature_algorithm *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
+#### server_signature_algorithm*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
The signature algorithm used by the server in the TLS server signature,
represented as a TLS SignatureScheme code point. Omitted if not
@@ -544,9 +544,9 @@ The reason why request was blocked.
### *class* CorsErrorStatus(cors_error, failed_parameter)
-#### cors_error *: [`CorsError`](#nodriver.cdp.network.CorsError)*
+#### cors_error*: [`CorsError`](#nodriver.cdp.network.CorsError)*
-#### failed_parameter *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### failed_parameter*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* ServiceWorkerResponseSource(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -566,14 +566,14 @@ Determines what type of Trust Token operation is executed and
depending on the type, some additional parameters. The values
are specified in third_party/blink/renderer/core/fetch/trust_token.idl.
-#### operation *: [`TrustTokenOperationType`](#nodriver.cdp.network.TrustTokenOperationType)*
+#### operation*: [`TrustTokenOperationType`](#nodriver.cdp.network.TrustTokenOperationType)*
-#### refresh_policy *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### refresh_policy*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Only set for “token-redemption” operation and determine whether
to request a fresh SRR or use a still valid cached SRR.
-#### issuers *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
+#### issuers*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
Origins of issuers from whom to request tokens or redemption
records.
@@ -608,113 +608,113 @@ The reason why Chrome uses a specific transport protocol for HTTP semantics.
### *class* ServiceWorkerRouterInfo(rule_id_matched)
-#### rule_id_matched *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### rule_id_matched*: [`int`](https://docs.python.org/3/library/functions.html#int)*
### *class* Response(url, status, status_text, headers, mime_type, charset, connection_reused, connection_id, encoded_data_length, security_state, headers_text=None, request_headers=None, request_headers_text=None, remote_ip_address=None, remote_port=None, from_disk_cache=None, from_service_worker=None, from_prefetch_cache=None, service_worker_router_info=None, timing=None, service_worker_response_source=None, response_time=None, cache_storage_cache_name=None, protocol=None, alternate_protocol_usage=None, security_details=None)
HTTP response data.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Response URL. This URL can be different from CachedResource.url in case of redirect.
-#### status *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### status*: [`int`](https://docs.python.org/3/library/functions.html#int)*
HTTP response status code.
-#### status_text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### status_text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
HTTP response status text.
-#### headers *: [`Headers`](#nodriver.cdp.network.Headers)*
+#### headers*: [`Headers`](#nodriver.cdp.network.Headers)*
HTTP response headers.
-#### mime_type *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### mime_type*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Resource mimeType as determined by the browser.
-#### charset *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### charset*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Resource charset as determined by the browser (if applicable).
-#### connection_reused *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### connection_reused*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Specifies whether physical connection was actually reused for this request.
-#### connection_id *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### connection_id*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Physical connection id that was actually used for this request.
-#### encoded_data_length *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### encoded_data_length*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Total number of bytes received for this request so far.
-#### security_state *: [`SecurityState`](security.md#nodriver.cdp.security.SecurityState)*
+#### security_state*: [`SecurityState`](security.md#nodriver.cdp.security.SecurityState)*
Security state of the request resource.
-#### headers_text *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### headers_text*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
HTTP response headers text. This has been replaced by the headers in Network.responseReceivedExtraInfo.
-#### request_headers *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]* *= None*
+#### request_headers*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]* *= None*
Refined HTTP request headers that were actually transmitted over the network.
-#### request_headers_text *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### request_headers_text*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
HTTP request headers text. This has been replaced by the headers in Network.requestWillBeSentExtraInfo.
-#### remote_ip_address *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### remote_ip_address*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Remote IP address.
-#### remote_port *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
+#### remote_port*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
Remote port.
-#### from_disk_cache *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### from_disk_cache*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Specifies that the request was served from the disk cache.
-#### from_service_worker *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### from_service_worker*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Specifies that the request was served from the ServiceWorker.
-#### from_prefetch_cache *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### from_prefetch_cache*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Specifies that the request was served from the prefetch cache.
-#### service_worker_router_info *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ServiceWorkerRouterInfo`](#nodriver.cdp.network.ServiceWorkerRouterInfo)]* *= None*
+#### service_worker_router_info*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ServiceWorkerRouterInfo`](#nodriver.cdp.network.ServiceWorkerRouterInfo)]* *= None*
Infomation about how Service Worker Static Router was used.
-#### timing *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ResourceTiming`](#nodriver.cdp.network.ResourceTiming)]* *= None*
+#### timing*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ResourceTiming`](#nodriver.cdp.network.ResourceTiming)]* *= None*
Timing information for the given request.
-#### service_worker_response_source *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ServiceWorkerResponseSource`](#nodriver.cdp.network.ServiceWorkerResponseSource)]* *= None*
+#### service_worker_response_source*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ServiceWorkerResponseSource`](#nodriver.cdp.network.ServiceWorkerResponseSource)]* *= None*
Response source of response from ServiceWorker.
-#### response_time *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)]* *= None*
+#### response_time*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)]* *= None*
The time at which the returned response was generated.
-#### cache_storage_cache_name *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### cache_storage_cache_name*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Cache Storage Cache Name.
-#### protocol *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### protocol*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Protocol used to fetch this request.
-#### alternate_protocol_usage *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AlternateProtocolUsage`](#nodriver.cdp.network.AlternateProtocolUsage)]* *= None*
+#### alternate_protocol_usage*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AlternateProtocolUsage`](#nodriver.cdp.network.AlternateProtocolUsage)]* *= None*
The reason why Chrome uses a specific transport protocol for HTTP semantics.
-#### security_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SecurityDetails`](#nodriver.cdp.network.SecurityDetails)]* *= None*
+#### security_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SecurityDetails`](#nodriver.cdp.network.SecurityDetails)]* *= None*
Security details for the request.
@@ -722,7 +722,7 @@ Security details for the request.
WebSocket request data.
-#### headers *: [`Headers`](#nodriver.cdp.network.Headers)*
+#### headers*: [`Headers`](#nodriver.cdp.network.Headers)*
HTTP request headers.
@@ -730,27 +730,27 @@ HTTP request headers.
WebSocket response data.
-#### status *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### status*: [`int`](https://docs.python.org/3/library/functions.html#int)*
HTTP response status code.
-#### status_text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### status_text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
HTTP response status text.
-#### headers *: [`Headers`](#nodriver.cdp.network.Headers)*
+#### headers*: [`Headers`](#nodriver.cdp.network.Headers)*
HTTP response headers.
-#### headers_text *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### headers_text*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
HTTP response headers text.
-#### request_headers *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]* *= None*
+#### request_headers*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]* *= None*
HTTP request headers.
-#### request_headers_text *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### request_headers_text*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
HTTP request headers text.
@@ -758,15 +758,15 @@ HTTP request headers text.
WebSocket message data. This represents an entire WebSocket message, not just a fragmented frame as the name suggests.
-#### opcode *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### opcode*: [`float`](https://docs.python.org/3/library/functions.html#float)*
WebSocket message opcode.
-#### mask *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### mask*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
WebSocket message mask.
-#### payload_data *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### payload_data*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
WebSocket message payload data.
If the opcode is 1, this is a text message and payloadData is a UTF-8 string.
@@ -776,19 +776,19 @@ If the opcode isn’t 1, then payloadData is a base64 encoded string representin
Information about the cached resource.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Resource URL. This is the url of the original network request.
-#### type_ *: [`ResourceType`](#nodriver.cdp.network.ResourceType)*
+#### type_*: [`ResourceType`](#nodriver.cdp.network.ResourceType)*
Type of this resource.
-#### body_size *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### body_size*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Cached response body size.
-#### response *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Response`](#nodriver.cdp.network.Response)]* *= None*
+#### response*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Response`](#nodriver.cdp.network.Response)]* *= None*
Cached response data.
@@ -796,29 +796,29 @@ Cached response data.
Information about the request initiator.
-#### type_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### type_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Type of this initiator.
-#### stack *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StackTrace`](runtime.md#nodriver.cdp.runtime.StackTrace)]* *= None*
+#### stack*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StackTrace`](runtime.md#nodriver.cdp.runtime.StackTrace)]* *= None*
Initiator JavaScript stack trace, set for Script only.
-#### url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Initiator URL, set for Parser type or for Script type (when script is importing module) or for SignedExchange type.
-#### line_number *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### line_number*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
Initiator line number, set for Parser type or for Script type (when script is importing
module) (0-based).
-#### column_number *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### column_number*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
Initiator column number, set for Parser type or for Script type (when script is importing
module) (0-based).
-#### request_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](#nodriver.cdp.network.RequestId)]* *= None*
+#### request_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](#nodriver.cdp.network.RequestId)]* *= None*
Set if another request triggered this request (e.g. preflight).
@@ -826,70 +826,70 @@ Set if another request triggered this request (e.g. preflight).
Cookie object
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Cookie name.
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Cookie value.
-#### domain *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### domain*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Cookie domain.
-#### path *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### path*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Cookie path.
-#### size *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### size*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Cookie size.
-#### http_only *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### http_only*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
True if cookie is http-only.
-#### secure *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### secure*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
True if cookie is secure.
-#### session *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### session*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
True in case of session cookie.
-#### priority *: [`CookiePriority`](#nodriver.cdp.network.CookiePriority)*
+#### priority*: [`CookiePriority`](#nodriver.cdp.network.CookiePriority)*
Cookie Priority
-#### same_party *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### same_party*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
True if cookie is SameParty.
-#### source_scheme *: [`CookieSourceScheme`](#nodriver.cdp.network.CookieSourceScheme)*
+#### source_scheme*: [`CookieSourceScheme`](#nodriver.cdp.network.CookieSourceScheme)*
Cookie source scheme type.
-#### source_port *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### source_port*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Cookie source port. Valid values are {-1, [1, 65535]}, -1 indicates an unspecified port.
An unspecified port value allows protocol clients to emulate legacy cookie scope for the port.
This is a temporary ability and it will be removed in the future.
-#### expires *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### expires*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
Cookie expiration date as the number of seconds since the UNIX epoch.
-#### same_site *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSameSite`](#nodriver.cdp.network.CookieSameSite)]* *= None*
+#### same_site*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSameSite`](#nodriver.cdp.network.CookieSameSite)]* *= None*
Cookie SameSite type.
-#### partition_key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### partition_key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Cookie partition key. The site of the top-level URL the browser was visiting at the start
of the request to the endpoint that set the cookie.
-#### partition_key_opaque *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### partition_key_opaque*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
True if cookie partition key is opaque.
@@ -981,16 +981,16 @@ Types of reasons why a cookie may not be sent with a request.
A cookie which was not stored from a response with the corresponding reason.
-#### blocked_reasons *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SetCookieBlockedReason`](#nodriver.cdp.network.SetCookieBlockedReason)]*
+#### blocked_reasons*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SetCookieBlockedReason`](#nodriver.cdp.network.SetCookieBlockedReason)]*
The reason(s) this cookie was blocked.
-#### cookie_line *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### cookie_line*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The string representing this individual cookie as it would appear in the header.
This is not the entire “cookie” or “set-cookie” header which could have multiple cookies.
-#### cookie *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Cookie`](#nodriver.cdp.network.Cookie)]* *= None*
+#### cookie*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Cookie`](#nodriver.cdp.network.Cookie)]* *= None*
The cookie object which represents the cookie which was not stored. It is optional because
sometimes complete cookie information is not available, such as in the case of parsing
@@ -1000,11 +1000,11 @@ errors.
A cookie with was not sent with a request with the corresponding reason.
-#### blocked_reasons *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CookieBlockedReason`](#nodriver.cdp.network.CookieBlockedReason)]*
+#### blocked_reasons*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CookieBlockedReason`](#nodriver.cdp.network.CookieBlockedReason)]*
The reason(s) the cookie was blocked.
-#### cookie *: [`Cookie`](#nodriver.cdp.network.Cookie)*
+#### cookie*: [`Cookie`](#nodriver.cdp.network.Cookie)*
The cookie object representing the cookie which was not sent.
@@ -1012,62 +1012,62 @@ The cookie object representing the cookie which was not sent.
Cookie parameter object
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Cookie name.
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Cookie value.
-#### url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The request-URI to associate with the setting of the cookie. This value can affect the
default domain, path, source port, and source scheme values of the created cookie.
-#### domain *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### domain*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Cookie domain.
-#### path *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### path*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Cookie path.
-#### secure *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### secure*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
True if cookie is secure.
-#### http_only *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### http_only*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
True if cookie is http-only.
-#### same_site *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSameSite`](#nodriver.cdp.network.CookieSameSite)]* *= None*
+#### same_site*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSameSite`](#nodriver.cdp.network.CookieSameSite)]* *= None*
Cookie SameSite type.
-#### expires *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)]* *= None*
+#### expires*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)]* *= None*
Cookie expiration date, session cookie if not set
-#### priority *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookiePriority`](#nodriver.cdp.network.CookiePriority)]* *= None*
+#### priority*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookiePriority`](#nodriver.cdp.network.CookiePriority)]* *= None*
Cookie Priority.
-#### same_party *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### same_party*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
True if cookie is SameParty.
-#### source_scheme *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSourceScheme`](#nodriver.cdp.network.CookieSourceScheme)]* *= None*
+#### source_scheme*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSourceScheme`](#nodriver.cdp.network.CookieSourceScheme)]* *= None*
Cookie source scheme type.
-#### source_port *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
+#### source_port*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
Cookie source port. Valid values are {-1, [1, 65535]}, -1 indicates an unspecified port.
An unspecified port value allows protocol clients to emulate legacy cookie scope for the port.
This is a temporary ability and it will be removed in the future.
-#### partition_key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### partition_key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Cookie partition key. The site of the top-level URL the browser was visiting at the start
of the request to the endpoint that set the cookie.
@@ -1077,19 +1077,19 @@ If not set, the cookie will be set as not partitioned.
Authorization challenge for HTTP status code 401 or 407.
-#### origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Origin of the challenger.
-#### scheme *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### scheme*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The authentication scheme used, such as basic or digest
-#### realm *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### realm*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The realm of the challenge. May be empty.
-#### source *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### source*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Source of the authentication challenge.
@@ -1097,18 +1097,18 @@ Source of the authentication challenge.
Response to an AuthChallenge.
-#### response *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### response*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The decision on what to do in response to the authorization challenge. Default means
deferring to the default behavior of the net stack, which will likely either the Cancel
authentication or display a popup dialog box.
-#### username *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### username*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The username to provide, possibly empty. Should only be set if response is
ProvideCredentials.
-#### password *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### password*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The password to provide, possibly empty. Should only be set if response is
ProvideCredentials.
@@ -1126,16 +1126,16 @@ sent. Response will intercept after the response is received.
Request pattern for interception.
-#### url_pattern *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### url_pattern*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Wildcards (`'*'` -> zero or more, `'?'` -> exactly one) are allowed. Escape character is
backslash. Omitting is equivalent to `"*"`.
-#### resource_type *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ResourceType`](#nodriver.cdp.network.ResourceType)]* *= None*
+#### resource_type*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ResourceType`](#nodriver.cdp.network.ResourceType)]* *= None*
If set, only requests for matching resource types will be intercepted.
-#### interception_stage *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`InterceptionStage`](#nodriver.cdp.network.InterceptionStage)]* *= None*
+#### interception_stage*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`InterceptionStage`](#nodriver.cdp.network.InterceptionStage)]* *= None*
Stage at which to begin intercepting requests. Default is Request.
@@ -1144,39 +1144,39 @@ Stage at which to begin intercepting requests. Default is Request.
Information about a signed exchange signature.
[https://wicg.github.io/webpackage/draft-yasskin-httpbis-origin-signed-exchanges-impl.html#rfc.section.3.1](https://wicg.github.io/webpackage/draft-yasskin-httpbis-origin-signed-exchanges-impl.html#rfc.section.3.1)
-#### label *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### label*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Signed exchange signature label.
-#### signature *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### signature*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The hex string of signed exchange signature.
-#### integrity *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### integrity*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Signed exchange signature integrity.
-#### validity_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### validity_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Signed exchange signature validity Url.
-#### date *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### date*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Signed exchange signature date.
-#### expires *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### expires*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Signed exchange signature expires.
-#### cert_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### cert_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Signed exchange signature cert Url.
-#### cert_sha256 *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### cert_sha256*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The hex string of signed exchange signature cert sha256.
-#### certificates *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
+#### certificates*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
The encoded certificates.
@@ -1185,23 +1185,23 @@ The encoded certificates.
Information about a signed exchange header.
[https://wicg.github.io/webpackage/draft-yasskin-httpbis-origin-signed-exchanges-impl.html#cbor-representation](https://wicg.github.io/webpackage/draft-yasskin-httpbis-origin-signed-exchanges-impl.html#cbor-representation)
-#### request_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### request_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Signed exchange request URL.
-#### response_code *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### response_code*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Signed exchange response code.
-#### response_headers *: [`Headers`](#nodriver.cdp.network.Headers)*
+#### response_headers*: [`Headers`](#nodriver.cdp.network.Headers)*
Signed exchange response headers.
-#### signatures *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SignedExchangeSignature`](#nodriver.cdp.network.SignedExchangeSignature)]*
+#### signatures*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SignedExchangeSignature`](#nodriver.cdp.network.SignedExchangeSignature)]*
Signed exchange response signature.
-#### header_integrity *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### header_integrity*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Signed exchange header integrity hash in the form of `sha256-`.
@@ -1225,15 +1225,15 @@ Field type for a signed exchange related error.
Information about a signed exchange response.
-#### message *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### message*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Error message.
-#### signature_index *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
+#### signature_index*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
The index of the signature which caused the error.
-#### error_field *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SignedExchangeErrorField`](#nodriver.cdp.network.SignedExchangeErrorField)]* *= None*
+#### error_field*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SignedExchangeErrorField`](#nodriver.cdp.network.SignedExchangeErrorField)]* *= None*
The field which caused the error.
@@ -1241,19 +1241,19 @@ The field which caused the error.
Information about a signed exchange response.
-#### outer_response *: [`Response`](#nodriver.cdp.network.Response)*
+#### outer_response*: [`Response`](#nodriver.cdp.network.Response)*
The outer response of signed HTTP exchange which was received from network.
-#### header *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SignedExchangeHeader`](#nodriver.cdp.network.SignedExchangeHeader)]* *= None*
+#### header*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SignedExchangeHeader`](#nodriver.cdp.network.SignedExchangeHeader)]* *= None*
Information about the signed exchange header.
-#### security_details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SecurityDetails`](#nodriver.cdp.network.SecurityDetails)]* *= None*
+#### security_details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`SecurityDetails`](#nodriver.cdp.network.SecurityDetails)]* *= None*
Security details for the signed exchange header.
-#### errors *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SignedExchangeError`](#nodriver.cdp.network.SignedExchangeError)]]* *= None*
+#### errors*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SignedExchangeError`](#nodriver.cdp.network.SignedExchangeError)]]* *= None*
Errors occurred while handling the signed exchagne.
@@ -1293,7 +1293,7 @@ List of content encodings supported by the backend.
### *class* ConnectTiming(request_time)
-#### request_time *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### request_time*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Timing’s requestTime is a baseline in seconds, while the other numbers are ticks in
milliseconds relatively to this requestTime. Matches ResourceTiming’s requestTime for
@@ -1301,11 +1301,11 @@ the same request (but not for redirected requests).
### *class* ClientSecurityState(initiator_is_secure_context, initiator_ip_address_space, private_network_request_policy)
-#### initiator_is_secure_context *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### initiator_is_secure_context*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### initiator_ip_address_space *: [`IPAddressSpace`](#nodriver.cdp.network.IPAddressSpace)*
+#### initiator_ip_address_space*: [`IPAddressSpace`](#nodriver.cdp.network.IPAddressSpace)*
-#### private_network_request_policy *: [`PrivateNetworkRequestPolicy`](#nodriver.cdp.network.PrivateNetworkRequestPolicy)*
+#### private_network_request_policy*: [`PrivateNetworkRequestPolicy`](#nodriver.cdp.network.PrivateNetworkRequestPolicy)*
### *class* CrossOriginOpenerPolicyValue(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -1323,13 +1323,13 @@ the same request (but not for redirected requests).
### *class* CrossOriginOpenerPolicyStatus(value, report_only_value, reporting_endpoint=None, report_only_reporting_endpoint=None)
-#### value *: [`CrossOriginOpenerPolicyValue`](#nodriver.cdp.network.CrossOriginOpenerPolicyValue)*
+#### value*: [`CrossOriginOpenerPolicyValue`](#nodriver.cdp.network.CrossOriginOpenerPolicyValue)*
-#### report_only_value *: [`CrossOriginOpenerPolicyValue`](#nodriver.cdp.network.CrossOriginOpenerPolicyValue)*
+#### report_only_value*: [`CrossOriginOpenerPolicyValue`](#nodriver.cdp.network.CrossOriginOpenerPolicyValue)*
-#### reporting_endpoint *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### reporting_endpoint*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### report_only_reporting_endpoint *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### report_only_reporting_endpoint*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
### *class* CrossOriginEmbedderPolicyValue(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -1341,13 +1341,13 @@ the same request (but not for redirected requests).
### *class* CrossOriginEmbedderPolicyStatus(value, report_only_value, reporting_endpoint=None, report_only_reporting_endpoint=None)
-#### value *: [`CrossOriginEmbedderPolicyValue`](#nodriver.cdp.network.CrossOriginEmbedderPolicyValue)*
+#### value*: [`CrossOriginEmbedderPolicyValue`](#nodriver.cdp.network.CrossOriginEmbedderPolicyValue)*
-#### report_only_value *: [`CrossOriginEmbedderPolicyValue`](#nodriver.cdp.network.CrossOriginEmbedderPolicyValue)*
+#### report_only_value*: [`CrossOriginEmbedderPolicyValue`](#nodriver.cdp.network.CrossOriginEmbedderPolicyValue)*
-#### reporting_endpoint *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### reporting_endpoint*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### report_only_reporting_endpoint *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### report_only_reporting_endpoint*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
### *class* ContentSecurityPolicySource(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -1357,19 +1357,19 @@ the same request (but not for redirected requests).
### *class* ContentSecurityPolicyStatus(effective_directives, is_enforced, source)
-#### effective_directives *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### effective_directives*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### is_enforced *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_enforced*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### source *: [`ContentSecurityPolicySource`](#nodriver.cdp.network.ContentSecurityPolicySource)*
+#### source*: [`ContentSecurityPolicySource`](#nodriver.cdp.network.ContentSecurityPolicySource)*
### *class* SecurityIsolationStatus(coop=None, coep=None, csp=None)
-#### coop *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CrossOriginOpenerPolicyStatus`](#nodriver.cdp.network.CrossOriginOpenerPolicyStatus)]* *= None*
+#### coop*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CrossOriginOpenerPolicyStatus`](#nodriver.cdp.network.CrossOriginOpenerPolicyStatus)]* *= None*
-#### coep *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CrossOriginEmbedderPolicyStatus`](#nodriver.cdp.network.CrossOriginEmbedderPolicyStatus)]* *= None*
+#### coep*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CrossOriginEmbedderPolicyStatus`](#nodriver.cdp.network.CrossOriginEmbedderPolicyStatus)]* *= None*
-#### csp *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`ContentSecurityPolicyStatus`](#nodriver.cdp.network.ContentSecurityPolicyStatus)]]* *= None*
+#### csp*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`ContentSecurityPolicyStatus`](#nodriver.cdp.network.ContentSecurityPolicyStatus)]]* *= None*
### *class* ReportStatus(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -1389,43 +1389,43 @@ The status of a Reporting API report.
An object representing a report generated by the Reporting API.
-#### id_ *: [`ReportId`](#nodriver.cdp.network.ReportId)*
+#### id_*: [`ReportId`](#nodriver.cdp.network.ReportId)*
-#### initiator_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### initiator_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The URL of the document that triggered the report.
-#### destination *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### destination*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The name of the endpoint group that should be used to deliver the report.
-#### type_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### type_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The type of the report (specifies the set of data that is contained in the report body).
-#### timestamp *: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
+#### timestamp*: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
When the report was generated.
-#### depth *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### depth*: [`int`](https://docs.python.org/3/library/functions.html#int)*
How many uploads deep the related request was.
-#### completed_attempts *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### completed_attempts*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The number of delivery attempts made so far, not including an active attempt.
-#### body *: [`dict`](https://docs.python.org/3/library/stdtypes.html#dict)*
+#### body*: [`dict`](https://docs.python.org/3/library/stdtypes.html#dict)*
-#### status *: [`ReportStatus`](#nodriver.cdp.network.ReportStatus)*
+#### status*: [`ReportStatus`](#nodriver.cdp.network.ReportStatus)*
### *class* ReportingApiEndpoint(url, group_name)
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The URL of the endpoint to which reports may be delivered.
-#### group_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### group_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Name of the endpoint group.
@@ -1433,21 +1433,21 @@ Name of the endpoint group.
An object providing the result of a network resource load.
-#### success *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### success*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### net_error *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### net_error*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
Optional values used for error reporting.
-#### net_error_name *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### net_error_name*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### http_status_code *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### http_status_code*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
-#### stream *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamHandle`](io.md#nodriver.cdp.io.StreamHandle)]* *= None*
+#### stream*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamHandle`](io.md#nodriver.cdp.io.StreamHandle)]* *= None*
If successful, one of the following two fields holds the result.
-#### headers *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]* *= None*
+#### headers*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]* *= None*
Response headers.
@@ -1456,9 +1456,9 @@ Response headers.
An options object that may be extended later to better support CORS,
CORB and streaming.
-#### disable_cache *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### disable_cache*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### include_credentials *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### include_credentials*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
## Commands
@@ -1554,13 +1554,13 @@ Deprecated since version 1.3.
* **Parameters:**
* **interception_id** ([`InterceptionId`](#nodriver.cdp.network.InterceptionId)) –
- * **error_reason** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ErrorReason`](#nodriver.cdp.network.ErrorReason)]) – *(Optional)* If set this causes the request to fail with the given reason. Passing ``Aborted``` for requests marked with ```isNavigationRequest`` also cancels the navigation. Must not be set in response to an authChallenge.
- * **raw_response** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set the requests completes using with the provided base64 encoded raw response, including HTTP status line and headers etc… Must not be set in response to an authChallenge. (Encoded as a base64 string when passed over JSON)
- * **url** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set the request url will be modified in a way that’s not observable by page. Must not be set in response to an authChallenge.
- * **method** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set this allows the request method to be overridden. Must not be set in response to an authChallenge.
- * **post_data** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set this allows postData to be set. Must not be set in response to an authChallenge.
- * **headers** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]) – *(Optional)* If set this allows the request headers to be changed. Must not be set in response to an authChallenge.
- * **auth_challenge_response** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AuthChallengeResponse`](#nodriver.cdp.network.AuthChallengeResponse)]) – *(Optional)* Response to a requestIntercepted with an authChallenge. Must not be set otherwise.
+ * **error_reason** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ErrorReason`](#nodriver.cdp.network.ErrorReason)]) – *(Optional)* If set this causes the request to fail with the given reason. Passing ``Aborted``` for requests marked with ```isNavigationRequest`` also cancels the navigation. Must not be set in response to an authChallenge.
+ * **raw_response** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set the requests completes using with the provided base64 encoded raw response, including HTTP status line and headers etc… Must not be set in response to an authChallenge. (Encoded as a base64 string when passed over JSON)
+ * **url** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set the request url will be modified in a way that’s not observable by page. Must not be set in response to an authChallenge.
+ * **method** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set this allows the request method to be overridden. Must not be set in response to an authChallenge.
+ * **post_data** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set this allows postData to be set. Must not be set in response to an authChallenge.
+ * **headers** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]) – *(Optional)* If set this allows the request headers to be changed. Must not be set in response to an authChallenge.
+ * **auth_challenge_response** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AuthChallengeResponse`](#nodriver.cdp.network.AuthChallengeResponse)]) – *(Optional)* Response to a requestIntercepted with an authChallenge. Must not be set otherwise.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1573,9 +1573,9 @@ Deletes browser cookies with matching name and url or domain/path pair.
* **Parameters:**
* **name** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – Name of the cookies to remove.
- * **url** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If specified, deletes all the cookies with the given name where domain and path match provided URL.
- * **domain** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If specified, deletes only cookies with the exact domain.
- * **path** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If specified, deletes only cookies with the exact path.
+ * **url** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If specified, deletes all the cookies with the given name where domain and path match provided URL.
+ * **domain** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If specified, deletes only cookies with the exact domain.
+ * **path** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If specified, deletes only cookies with the exact path.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1595,7 +1595,7 @@ Activates emulation of network conditions.
* **latency** ([`float`](https://docs.python.org/3/library/functions.html#float)) – Minimum latency from request sent to response headers received (ms).
* **download_throughput** ([`float`](https://docs.python.org/3/library/functions.html#float)) – Maximal aggregated download throughput (bytes/sec). -1 disables download throttling.
* **upload_throughput** ([`float`](https://docs.python.org/3/library/functions.html#float)) – Maximal aggregated upload throughput (bytes/sec). -1 disables upload throttling.
- * **connection_type** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ConnectionType`](#nodriver.cdp.network.ConnectionType)]) – *(Optional)* Connection type if known.
+ * **connection_type** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ConnectionType`](#nodriver.cdp.network.ConnectionType)]) – *(Optional)* Connection type if known.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1604,9 +1604,9 @@ Activates emulation of network conditions.
Enables network tracking, network events will now be delivered to the client.
* **Parameters:**
- * **max_total_buffer_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Buffer size in bytes to use when preserving network payloads (XHRs, etc).
- * **max_resource_buffer_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Per-resource buffer size in bytes to use when preserving network payloads (XHRs, etc).
- * **max_post_data_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Longest post body size (in bytes) that would be included in requestWillBeSent notification
+ * **max_total_buffer_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Buffer size in bytes to use when preserving network payloads (XHRs, etc).
+ * **max_resource_buffer_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Per-resource buffer size in bytes to use when preserving network payloads (XHRs, etc).
+ * **max_post_data_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Longest post body size (in bytes) that would be included in requestWillBeSent notification
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1657,7 +1657,7 @@ Returns all browser cookies for the current URL. Depending on the backend suppor
detailed cookie information in the `cookies` field.
* **Parameters:**
- **urls** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]) – *(Optional)* The list of URLs for which applicable cookies will be fetched. If not specified, it’s assumed to be set to the list containing the URLs of the page and all of its subframes.
+ **urls** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]) – *(Optional)* The list of URLs for which applicable cookies will be fetched. If not specified, it’s assumed to be set to the list containing the URLs of the page and all of its subframes.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Cookie`](#nodriver.cdp.network.Cookie)]]
* **Returns:**
@@ -1709,7 +1709,7 @@ Returns information about the COEP/COOP isolation status.
**EXPERIMENTAL**
* **Parameters:**
- **frame_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]) – *(Optional)* If no frameId is provided, the status of the target is provided.
+ **frame_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]) – *(Optional)* If no frameId is provided, the status of the target is provided.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`SecurityIsolationStatus`](#nodriver.cdp.network.SecurityIsolationStatus)]
* **Returns:**
@@ -1721,7 +1721,7 @@ Fetches the resource and returns the content.
**EXPERIMENTAL**
* **Parameters:**
- * **frame_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]) – *(Optional)* Frame id to get the resource for. Mandatory for frame targets, and should be omitted for worker targets.
+ * **frame_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]) – *(Optional)* Frame id to get the resource for. Mandatory for frame targets, and should be omitted for worker targets.
* **url** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – URL of the resource to get content for.
* **options** ([`LoadNetworkResourceOptions`](#nodriver.cdp.network.LoadNetworkResourceOptions)) – Options for the request.
* **Return type:**
@@ -1750,8 +1750,8 @@ Searches for given string in response content.
* **Parameters:**
* **request_id** ([`RequestId`](#nodriver.cdp.network.RequestId)) – Identifier of the network response to search.
* **query** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – String to search for.
- * **case_sensitive** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, search is case sensitive.
- * **is_regex** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, treats string parameter as regex.
+ * **case_sensitive** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, search is case sensitive.
+ * **is_regex** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, treats string parameter as regex.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SearchMatch`](debugger.md#nodriver.cdp.debugger.SearchMatch)]]
* **Returns:**
@@ -1815,18 +1815,18 @@ Sets a cookie with the given cookie data; may overwrite equivalent cookies if th
* **Parameters:**
* **name** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – Cookie name.
* **value** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – Cookie value.
- * **url** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The request-URI to associate with the setting of the cookie. This value can affect the default domain, path, source port, and source scheme values of the created cookie.
- * **domain** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Cookie domain.
- * **path** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Cookie path.
- * **secure** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* True if cookie is secure.
- * **http_only** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* True if cookie is http-only.
- * **same_site** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSameSite`](#nodriver.cdp.network.CookieSameSite)]) – *(Optional)* Cookie SameSite type.
- * **expires** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)]) – *(Optional)* Cookie expiration date, session cookie if not set
- * **priority** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookiePriority`](#nodriver.cdp.network.CookiePriority)]) – **(EXPERIMENTAL)** *(Optional)* Cookie Priority type.
- * **same_party** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* True if cookie is SameParty.
- * **source_scheme** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSourceScheme`](#nodriver.cdp.network.CookieSourceScheme)]) – **(EXPERIMENTAL)** *(Optional)* Cookie source scheme type.
- * **source_port** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Cookie source port. Valid values are {-1, [1, 65535]}, -1 indicates an unspecified port. An unspecified port value allows protocol clients to emulate legacy cookie scope for the port. This is a temporary ability and it will be removed in the future.
- * **partition_key** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(EXPERIMENTAL)** *(Optional)* Cookie partition key. The site of the top-level URL the browser was visiting at the start of the request to the endpoint that set the cookie. If not set, the cookie will be set as not partitioned.
+ * **url** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The request-URI to associate with the setting of the cookie. This value can affect the default domain, path, source port, and source scheme values of the created cookie.
+ * **domain** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Cookie domain.
+ * **path** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Cookie path.
+ * **secure** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* True if cookie is secure.
+ * **http_only** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* True if cookie is http-only.
+ * **same_site** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSameSite`](#nodriver.cdp.network.CookieSameSite)]) – *(Optional)* Cookie SameSite type.
+ * **expires** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)]) – *(Optional)* Cookie expiration date, session cookie if not set
+ * **priority** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookiePriority`](#nodriver.cdp.network.CookiePriority)]) – **(EXPERIMENTAL)** *(Optional)* Cookie Priority type.
+ * **same_party** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* True if cookie is SameParty.
+ * **source_scheme** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CookieSourceScheme`](#nodriver.cdp.network.CookieSourceScheme)]) – **(EXPERIMENTAL)** *(Optional)* Cookie source scheme type.
+ * **source_port** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – **(EXPERIMENTAL)** *(Optional)* Cookie source port. Valid values are {-1, [1, 65535]}, -1 indicates an unspecified port. An unspecified port value allows protocol clients to emulate legacy cookie scope for the port. This is a temporary ability and it will be removed in the future.
+ * **partition_key** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(EXPERIMENTAL)** *(Optional)* Cookie partition key. The site of the top-level URL the browser was visiting at the start of the request to the endpoint that set the cookie. If not set, the cookie will be set as not partitioned.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`bool`](https://docs.python.org/3/library/functions.html#bool)]
* **Returns:**
@@ -1874,9 +1874,9 @@ Allows overriding user agent with the given string.
* **Parameters:**
* **user_agent** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – User agent to use.
- * **accept_language** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Browser language to emulate.
- * **platform** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The platform navigator.platform should return.
- * **user_agent_metadata** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UserAgentMetadata`](emulation.md#nodriver.cdp.emulation.UserAgentMetadata)]) – **(EXPERIMENTAL)** *(Optional)* To be sent in Sec-CH-UA-\* headers and returned in navigator.userAgentData
+ * **accept_language** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Browser language to emulate.
+ * **platform** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The platform navigator.platform should return.
+ * **user_agent_metadata** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UserAgentMetadata`](emulation.md#nodriver.cdp.emulation.UserAgentMetadata)]) – **(EXPERIMENTAL)** *(Optional)* To be sent in Sec-CH-UA-\* headers and returned in navigator.userAgentData
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1919,23 +1919,23 @@ you use the event’s attributes.
Fired when data chunk was received over the network.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### data_length *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### data_length*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Data chunk length.
-#### encoded_data_length *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### encoded_data_length*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Actual bytes received (might be less than dataLength for compressed encodings).
-#### data *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### data*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
Data that was received. (Encoded as a base64 string when passed over JSON)
@@ -1943,23 +1943,23 @@ Data that was received. (Encoded as a base64 string when passed over JSON)
Fired when EventSource message is received.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### event_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### event_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Message type.
-#### event_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### event_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Message identifier.
-#### data *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### data*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Message content.
@@ -1967,31 +1967,31 @@ Message content.
Fired when HTTP request has failed to load.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### type_ *: [`ResourceType`](#nodriver.cdp.network.ResourceType)*
+#### type_*: [`ResourceType`](#nodriver.cdp.network.ResourceType)*
Resource type.
-#### error_text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### error_text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
User friendly error message.
-#### canceled *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
+#### canceled*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
True if loading was canceled.
-#### blocked_reason *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BlockedReason`](#nodriver.cdp.network.BlockedReason)]*
+#### blocked_reason*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BlockedReason`](#nodriver.cdp.network.BlockedReason)]*
The reason why loading was blocked, if any.
-#### cors_error_status *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CorsErrorStatus`](#nodriver.cdp.network.CorsErrorStatus)]*
+#### cors_error_status*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`CorsErrorStatus`](#nodriver.cdp.network.CorsErrorStatus)]*
The reason why loading was blocked by CORS, if any.
@@ -1999,15 +1999,15 @@ The reason why loading was blocked by CORS, if any.
Fired when HTTP request has finished loading.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### encoded_data_length *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### encoded_data_length*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Total number of bytes received for this request.
@@ -2022,56 +2022,56 @@ Deprecated, use Fetch.requestPaused instead.
#### Deprecated
Deprecated since version 1.3.
-#### interception_id *: [`InterceptionId`](#nodriver.cdp.network.InterceptionId)*
+#### interception_id*: [`InterceptionId`](#nodriver.cdp.network.InterceptionId)*
Each request the page makes will have a unique id, however if any redirects are encountered
while processing that fetch, they will be reported with the same id as the original fetch.
Likewise if HTTP authentication is needed then the same fetch id will be used.
-#### request *: [`Request`](#nodriver.cdp.network.Request)*
+#### request*: [`Request`](#nodriver.cdp.network.Request)*
-#### frame_id *: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
The id of the frame that initiated the request.
-#### resource_type *: [`ResourceType`](#nodriver.cdp.network.ResourceType)*
+#### resource_type*: [`ResourceType`](#nodriver.cdp.network.ResourceType)*
How the requested resource will be used.
-#### is_navigation_request *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_navigation_request*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Whether this is a navigation request, which can abort the navigation completely.
-#### is_download *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
+#### is_download*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
Set if the request is a navigation that will result in a download.
Only present after response is received from the server (i.e. HeadersReceived stage).
-#### redirect_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### redirect_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
Redirect location, only sent if a redirect was intercepted.
-#### auth_challenge *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AuthChallenge`](#nodriver.cdp.network.AuthChallenge)]*
+#### auth_challenge*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AuthChallenge`](#nodriver.cdp.network.AuthChallenge)]*
Details of the Authorization Challenge encountered. If this is set then
continueInterceptedRequest must contain an authChallengeResponse.
-#### response_error_reason *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ErrorReason`](#nodriver.cdp.network.ErrorReason)]*
+#### response_error_reason*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ErrorReason`](#nodriver.cdp.network.ErrorReason)]*
Response error if intercepted at response stage or if redirect occurred while intercepting
request.
-#### response_status_code *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]*
+#### response_status_code*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]*
Response code if intercepted at response stage or if redirect occurred while intercepting
request or auth retry occurred.
-#### response_headers *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]*
+#### response_headers*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Headers`](#nodriver.cdp.network.Headers)]*
Response headers if intercepted at the response stage or if redirect occurred while
intercepting request or auth retry occurred.
-#### request_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](#nodriver.cdp.network.RequestId)]*
+#### request_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](#nodriver.cdp.network.RequestId)]*
If the intercepted request had a corresponding requestWillBeSent event fired for it, then
this requestId will be the same as the requestId present in the requestWillBeSent event.
@@ -2080,7 +2080,7 @@ this requestId will be the same as the requestId present in the requestWillBeSen
Fired if request ended up loading from cache.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
@@ -2088,53 +2088,53 @@ Request identifier.
Fired when page is about to send HTTP request.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### loader_id *: [`LoaderId`](#nodriver.cdp.network.LoaderId)*
+#### loader_id*: [`LoaderId`](#nodriver.cdp.network.LoaderId)*
Loader identifier. Empty string if the request is fetched from worker.
-#### document_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### document_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
URL of the document this request is loaded for.
-#### request *: [`Request`](#nodriver.cdp.network.Request)*
+#### request*: [`Request`](#nodriver.cdp.network.Request)*
Request data.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### wall_time *: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
+#### wall_time*: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
Timestamp.
-#### initiator *: [`Initiator`](#nodriver.cdp.network.Initiator)*
+#### initiator*: [`Initiator`](#nodriver.cdp.network.Initiator)*
Request initiator.
-#### redirect_has_extra_info *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### redirect_has_extra_info*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
In the case that redirectResponse is populated, this flag indicates whether
requestWillBeSentExtraInfo and responseReceivedExtraInfo events will be or were emitted
for the request which was just redirected.
-#### redirect_response *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Response`](#nodriver.cdp.network.Response)]*
+#### redirect_response*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Response`](#nodriver.cdp.network.Response)]*
Redirect response data.
-#### type_ *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ResourceType`](#nodriver.cdp.network.ResourceType)]*
+#### type_*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ResourceType`](#nodriver.cdp.network.ResourceType)]*
Type of this resource.
-#### frame_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]*
+#### frame_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]*
Frame identifier.
-#### has_user_gesture *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
+#### has_user_gesture*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
Whether the request is initiated by a user gesture. Defaults to false.
@@ -2144,15 +2144,15 @@ Whether the request is initiated by a user gesture. Defaults to false.
Fired when resource loading priority is changed
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### new_priority *: [`ResourcePriority`](#nodriver.cdp.network.ResourcePriority)*
+#### new_priority*: [`ResourcePriority`](#nodriver.cdp.network.ResourcePriority)*
New priority
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
@@ -2162,11 +2162,11 @@ Timestamp.
Fired when a signed exchange was received over the network
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### info *: [`SignedExchangeInfo`](#nodriver.cdp.network.SignedExchangeInfo)*
+#### info*: [`SignedExchangeInfo`](#nodriver.cdp.network.SignedExchangeInfo)*
Information about the signed exchange response.
@@ -2174,32 +2174,32 @@ Information about the signed exchange response.
Fired when HTTP response is available.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### loader_id *: [`LoaderId`](#nodriver.cdp.network.LoaderId)*
+#### loader_id*: [`LoaderId`](#nodriver.cdp.network.LoaderId)*
Loader identifier. Empty string if the request is fetched from worker.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### type_ *: [`ResourceType`](#nodriver.cdp.network.ResourceType)*
+#### type_*: [`ResourceType`](#nodriver.cdp.network.ResourceType)*
Resource type.
-#### response *: [`Response`](#nodriver.cdp.network.Response)*
+#### response*: [`Response`](#nodriver.cdp.network.Response)*
Response data.
-#### has_extra_info *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### has_extra_info*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Indicates whether requestWillBeSentExtraInfo and responseReceivedExtraInfo events will be
or were emitted for this request.
-#### frame_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]*
+#### frame_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](page.md#nodriver.cdp.page.FrameId)]*
Frame identifier.
@@ -2207,11 +2207,11 @@ Frame identifier.
Fired when WebSocket is closed.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
@@ -2219,15 +2219,15 @@ Timestamp.
Fired upon WebSocket creation.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
WebSocket request URL.
-#### initiator *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Initiator`](#nodriver.cdp.network.Initiator)]*
+#### initiator*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Initiator`](#nodriver.cdp.network.Initiator)]*
Request initiator.
@@ -2235,15 +2235,15 @@ Request initiator.
Fired when WebSocket message error occurs.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### error_message *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### error_message*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
WebSocket error message.
@@ -2251,15 +2251,15 @@ WebSocket error message.
Fired when WebSocket message is received.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### response *: [`WebSocketFrame`](#nodriver.cdp.network.WebSocketFrame)*
+#### response*: [`WebSocketFrame`](#nodriver.cdp.network.WebSocketFrame)*
WebSocket response data.
@@ -2267,15 +2267,15 @@ WebSocket response data.
Fired when WebSocket message is sent.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### response *: [`WebSocketFrame`](#nodriver.cdp.network.WebSocketFrame)*
+#### response*: [`WebSocketFrame`](#nodriver.cdp.network.WebSocketFrame)*
WebSocket response data.
@@ -2283,15 +2283,15 @@ WebSocket response data.
Fired when WebSocket handshake response becomes available.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### response *: [`WebSocketResponse`](#nodriver.cdp.network.WebSocketResponse)*
+#### response*: [`WebSocketResponse`](#nodriver.cdp.network.WebSocketResponse)*
WebSocket response data.
@@ -2299,19 +2299,19 @@ WebSocket response data.
Fired when WebSocket is about to initiate handshake.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### wall_time *: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
+#### wall_time*: [`TimeSinceEpoch`](#nodriver.cdp.network.TimeSinceEpoch)*
UTC Timestamp.
-#### request *: [`WebSocketRequest`](#nodriver.cdp.network.WebSocketRequest)*
+#### request*: [`WebSocketRequest`](#nodriver.cdp.network.WebSocketRequest)*
WebSocket request data.
@@ -2319,19 +2319,19 @@ WebSocket request data.
Fired upon WebTransport creation.
-#### transport_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### transport_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
WebTransport identifier.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
WebTransport request URL.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
-#### initiator *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Initiator`](#nodriver.cdp.network.Initiator)]*
+#### initiator*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Initiator`](#nodriver.cdp.network.Initiator)]*
Request initiator.
@@ -2339,11 +2339,11 @@ Request initiator.
Fired when WebTransport handshake is finished.
-#### transport_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### transport_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
WebTransport identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
@@ -2351,11 +2351,11 @@ Timestamp.
Fired when WebTransport is disposed.
-#### transport_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### transport_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
WebTransport identifier.
-#### timestamp *: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](#nodriver.cdp.network.MonotonicTime)*
Timestamp.
@@ -2368,28 +2368,28 @@ network stack. Not every requestWillBeSent event will have an additional
requestWillBeSentExtraInfo fired for it, and there is no guarantee whether requestWillBeSent
or requestWillBeSentExtraInfo will be fired first for the same request.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier. Used to match this information to an existing requestWillBeSent event.
-#### associated_cookies *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BlockedCookieWithReason`](#nodriver.cdp.network.BlockedCookieWithReason)]*
+#### associated_cookies*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BlockedCookieWithReason`](#nodriver.cdp.network.BlockedCookieWithReason)]*
A list of cookies potentially associated to the requested URL. This includes both cookies sent with
the request and the ones not sent; the latter are distinguished by having blockedReason field set.
-#### headers *: [`Headers`](#nodriver.cdp.network.Headers)*
+#### headers*: [`Headers`](#nodriver.cdp.network.Headers)*
Raw request headers as they will be sent over the wire.
-#### connect_timing *: [`ConnectTiming`](#nodriver.cdp.network.ConnectTiming)*
+#### connect_timing*: [`ConnectTiming`](#nodriver.cdp.network.ConnectTiming)*
Connection timing information for the request.
-#### client_security_state *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ClientSecurityState`](#nodriver.cdp.network.ClientSecurityState)]*
+#### client_security_state*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ClientSecurityState`](#nodriver.cdp.network.ClientSecurityState)]*
The client security state set for the request.
-#### site_has_cookie_in_other_partition *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
+#### site_has_cookie_in_other_partition*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
Whether the site has partitioned cookies stored in a partition different than the current one.
@@ -2401,42 +2401,42 @@ Fired when additional information about a responseReceived event is available fr
stack. Not every responseReceived event will have an additional responseReceivedExtraInfo for
it, and responseReceivedExtraInfo may be fired before or after responseReceived.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier. Used to match this information to another responseReceived event.
-#### blocked_cookies *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BlockedSetCookieWithReason`](#nodriver.cdp.network.BlockedSetCookieWithReason)]*
+#### blocked_cookies*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BlockedSetCookieWithReason`](#nodriver.cdp.network.BlockedSetCookieWithReason)]*
A list of cookies which were not stored from the response along with the corresponding
reasons for blocking. The cookies here may not be valid due to syntax errors, which
are represented by the invalid cookie line string instead of a proper cookie.
-#### headers *: [`Headers`](#nodriver.cdp.network.Headers)*
+#### headers*: [`Headers`](#nodriver.cdp.network.Headers)*
Raw response headers as they were received over the wire.
-#### resource_ip_address_space *: [`IPAddressSpace`](#nodriver.cdp.network.IPAddressSpace)*
+#### resource_ip_address_space*: [`IPAddressSpace`](#nodriver.cdp.network.IPAddressSpace)*
The IP address space of the resource. The address space can only be determined once the transport
established the connection, so we can’t send it in `requestWillBeSentExtraInfo`.
-#### status_code *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### status_code*: [`int`](https://docs.python.org/3/library/functions.html#int)*
The status code of the response. This is useful in cases the request failed and no responseReceived
event is triggered, which is the case for, e.g., CORS errors. This is also the correct status code
for cached requests, where the status in responseReceived is a 200 and this will be 304.
-#### headers_text *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### headers_text*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
Raw response header text as it was received over the wire. The raw text may not always be
available, such as in the case of HTTP/2 or QUIC.
-#### cookie_partition_key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### cookie_partition_key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
The cookie partition key that will be used to store partitioned cookies set in this response.
Only sent when partitioned cookies are enabled.
-#### cookie_partition_key_opaque *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
+#### cookie_partition_key_opaque*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]*
True if partitioned cookies are enabled, but the partition key is not serializeable to string.
@@ -2449,26 +2449,26 @@ the type of the operation and whether the operation succeeded or
failed, the event is fired before the corresponding request was sent
or after the response was received.
-#### status *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### status*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Detailed success or error status of the operation.
‘AlreadyExists’ also signifies a successful operation, as the result
of the operation already exists und thus, the operation was abort
preemptively (e.g. a cache hit).
-#### type_ *: [`TrustTokenOperationType`](#nodriver.cdp.network.TrustTokenOperationType)*
+#### type_*: [`TrustTokenOperationType`](#nodriver.cdp.network.TrustTokenOperationType)*
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
-#### top_level_origin *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### top_level_origin*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
Top level origin. The context in which the operation was attempted.
-#### issuer_origin *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### issuer_origin*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
Origin of the issuer in case of a “Issuance” or “Redemption” operation.
-#### issued_token_count *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]*
+#### issued_token_count*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]*
The number of obtained Trust Tokens on a successful “Issuance” operation.
@@ -2479,11 +2479,11 @@ The number of obtained Trust Tokens on a successful “Issuance” operation.
Fired once when parsing the .wbn file has succeeded.
The event contains the information about the web bundle contents.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier. Used to match this information to another event.
-#### urls *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### urls*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
A list of URLs of resources in the subresource Web Bundle.
@@ -2493,11 +2493,11 @@ A list of URLs of resources in the subresource Web Bundle.
Fired once when parsing the .wbn file has failed.
-#### request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier. Used to match this information to another event.
-#### error_message *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### error_message*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Error message
@@ -2508,15 +2508,15 @@ Error message
Fired when handling requests for resources within a .wbn file.
Note: this will only be fired for resources that are requested by the webpage.
-#### inner_request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### inner_request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier of the subresource request
-#### inner_request_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### inner_request_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
URL of the subresource resource.
-#### bundle_request_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](#nodriver.cdp.network.RequestId)]*
+#### bundle_request_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](#nodriver.cdp.network.RequestId)]*
Bundle request identifier. Used to match this information to another event.
This made be absent in case when the instrumentation was enabled only
@@ -2528,19 +2528,19 @@ after webbundle was parsed.
Fired when request for resources within a .wbn file failed.
-#### inner_request_id *: [`RequestId`](#nodriver.cdp.network.RequestId)*
+#### inner_request_id*: [`RequestId`](#nodriver.cdp.network.RequestId)*
Request identifier of the subresource request
-#### inner_request_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### inner_request_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
URL of the subresource resource.
-#### error_message *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### error_message*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Error message
-#### bundle_request_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](#nodriver.cdp.network.RequestId)]*
+#### bundle_request_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`RequestId`](#nodriver.cdp.network.RequestId)]*
Bundle request identifier. Used to match this information to another event.
This made be absent in case when the instrumentation was enabled only
@@ -2553,20 +2553,20 @@ after webbundle was parsed.
Is sent whenever a new report is added.
And after ‘enableReportingApi’ for all existing reports.
-#### report *: [`ReportingApiReport`](#nodriver.cdp.network.ReportingApiReport)*
+#### report*: [`ReportingApiReport`](#nodriver.cdp.network.ReportingApiReport)*
### *class* ReportingApiReportUpdated(report)
**EXPERIMENTAL**
-#### report *: [`ReportingApiReport`](#nodriver.cdp.network.ReportingApiReport)*
+#### report*: [`ReportingApiReport`](#nodriver.cdp.network.ReportingApiReport)*
### *class* ReportingApiEndpointsChangedForOrigin(origin, endpoints)
**EXPERIMENTAL**
-#### origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Origin of the document(s) which configured the endpoints.
-#### endpoints *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`ReportingApiEndpoint`](#nodriver.cdp.network.ReportingApiEndpoint)]*
+#### endpoints*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`ReportingApiEndpoint`](#nodriver.cdp.network.ReportingApiEndpoint)]*
diff --git a/docs/_build/markdown/nodriver/cdp/page.md b/docs/_build/markdown/nodriver/cdp/page.md
index ea9127c..bed4132 100644
--- a/docs/_build/markdown/nodriver/cdp/page.md
+++ b/docs/_build/markdown/nodriver/cdp/page.md
@@ -40,21 +40,21 @@ Indicates whether a frame has been identified as an ad.
Indicates whether a frame has been identified as an ad and why.
-#### ad_frame_type *: [`AdFrameType`](#nodriver.cdp.page.AdFrameType)*
+#### ad_frame_type*: [`AdFrameType`](#nodriver.cdp.page.AdFrameType)*
-#### explanations *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AdFrameExplanation`](#nodriver.cdp.page.AdFrameExplanation)]]* *= None*
+#### explanations*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AdFrameExplanation`](#nodriver.cdp.page.AdFrameExplanation)]]* *= None*
### *class* AdScriptId(script_id, debugger_id)
Identifies the bottom-most script which caused the frame to be labelled
as an ad.
-#### script_id *: [`ScriptId`](runtime.md#nodriver.cdp.runtime.ScriptId)*
+#### script_id*: [`ScriptId`](runtime.md#nodriver.cdp.runtime.ScriptId)*
Script Id of the bottom-most script which caused the frame to be labelled
as an ad.
-#### debugger_id *: [`UniqueDebuggerId`](runtime.md#nodriver.cdp.runtime.UniqueDebuggerId)*
+#### debugger_id*: [`UniqueDebuggerId`](runtime.md#nodriver.cdp.runtime.UniqueDebuggerId)*
Id of adScriptId’s debugger.
@@ -277,17 +277,17 @@ Reason for a permissions policy feature to be disabled.
### *class* PermissionsPolicyBlockLocator(frame_id, block_reason)
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
-#### block_reason *: [`PermissionsPolicyBlockReason`](#nodriver.cdp.page.PermissionsPolicyBlockReason)*
+#### block_reason*: [`PermissionsPolicyBlockReason`](#nodriver.cdp.page.PermissionsPolicyBlockReason)*
### *class* PermissionsPolicyFeatureState(feature, allowed, locator=None)
-#### feature *: [`PermissionsPolicyFeature`](#nodriver.cdp.page.PermissionsPolicyFeature)*
+#### feature*: [`PermissionsPolicyFeature`](#nodriver.cdp.page.PermissionsPolicyFeature)*
-#### allowed *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### allowed*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### locator *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PermissionsPolicyBlockLocator`](#nodriver.cdp.page.PermissionsPolicyBlockLocator)]* *= None*
+#### locator*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`PermissionsPolicyBlockLocator`](#nodriver.cdp.page.PermissionsPolicyBlockLocator)]* *= None*
### *class* OriginTrialTokenStatus(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -338,54 +338,54 @@ Status for an Origin Trial.
### *class* OriginTrialToken(origin, match_sub_domains, trial_name, expiry_time, is_third_party, usage_restriction)
-#### origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### match_sub_domains *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### match_sub_domains*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### trial_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### trial_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### expiry_time *: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
+#### expiry_time*: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
-#### is_third_party *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_third_party*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### usage_restriction *: [`OriginTrialUsageRestriction`](#nodriver.cdp.page.OriginTrialUsageRestriction)*
+#### usage_restriction*: [`OriginTrialUsageRestriction`](#nodriver.cdp.page.OriginTrialUsageRestriction)*
### *class* OriginTrialTokenWithStatus(raw_token_text, status, parsed_token=None)
-#### raw_token_text *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### raw_token_text*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### status *: [`OriginTrialTokenStatus`](#nodriver.cdp.page.OriginTrialTokenStatus)*
+#### status*: [`OriginTrialTokenStatus`](#nodriver.cdp.page.OriginTrialTokenStatus)*
-#### parsed_token *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`OriginTrialToken`](#nodriver.cdp.page.OriginTrialToken)]* *= None*
+#### parsed_token*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`OriginTrialToken`](#nodriver.cdp.page.OriginTrialToken)]* *= None*
`parsedToken` is present only when the token is extractable and
parsable.
### *class* OriginTrial(trial_name, status, tokens_with_status)
-#### trial_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### trial_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### status *: [`OriginTrialStatus`](#nodriver.cdp.page.OriginTrialStatus)*
+#### status*: [`OriginTrialStatus`](#nodriver.cdp.page.OriginTrialStatus)*
-#### tokens_with_status *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`OriginTrialTokenWithStatus`](#nodriver.cdp.page.OriginTrialTokenWithStatus)]*
+#### tokens_with_status*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`OriginTrialTokenWithStatus`](#nodriver.cdp.page.OriginTrialTokenWithStatus)]*
### *class* Frame(id_, loader_id, url, domain_and_registry, security_origin, mime_type, secure_context_type, cross_origin_isolated_context_type, gated_api_features, parent_id=None, name=None, url_fragment=None, unreachable_url=None, ad_frame_status=None)
Information about the Frame on the page.
-#### id_ *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### id_*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Frame unique identifier.
-#### loader_id *: [`LoaderId`](network.md#nodriver.cdp.network.LoaderId)*
+#### loader_id*: [`LoaderId`](network.md#nodriver.cdp.network.LoaderId)*
Identifier of the loader associated with this frame.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Frame document’s URL without fragment.
-#### domain_and_registry *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### domain_and_registry*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Frame document’s registered domain, taking the public suffixes list into account.
Extracted from the Frame’s url.
@@ -393,43 +393,43 @@ Example URLs: [http://www.google.com/file.html](http://www.google.com/file.html)
> [http://a.b.co.uk/file.html](http://a.b.co.uk/file.html) -> “b.co.uk”
-#### security_origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### security_origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Frame document’s security origin.
-#### mime_type *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### mime_type*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Frame document’s mimeType as determined by the browser.
-#### secure_context_type *: [`SecureContextType`](#nodriver.cdp.page.SecureContextType)*
+#### secure_context_type*: [`SecureContextType`](#nodriver.cdp.page.SecureContextType)*
Indicates whether the main document is a secure context and explains why that is the case.
-#### cross_origin_isolated_context_type *: [`CrossOriginIsolatedContextType`](#nodriver.cdp.page.CrossOriginIsolatedContextType)*
+#### cross_origin_isolated_context_type*: [`CrossOriginIsolatedContextType`](#nodriver.cdp.page.CrossOriginIsolatedContextType)*
Indicates whether this is a cross origin isolated context.
-#### gated_api_features *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`GatedAPIFeatures`](#nodriver.cdp.page.GatedAPIFeatures)]*
+#### gated_api_features*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`GatedAPIFeatures`](#nodriver.cdp.page.GatedAPIFeatures)]*
Indicated which gated APIs / features are available.
-#### parent_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](#nodriver.cdp.page.FrameId)]* *= None*
+#### parent_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](#nodriver.cdp.page.FrameId)]* *= None*
Parent frame identifier.
-#### name *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### name*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Frame’s name as specified in the tag.
-#### url_fragment *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### url_fragment*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Frame document’s URL fragment including the ‘#’.
-#### unreachable_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### unreachable_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
If the frame failed to load, this contains the URL that could not be loaded. Note that unlike url above, this URL may contain a fragment.
-#### ad_frame_status *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AdFrameStatus`](#nodriver.cdp.page.AdFrameStatus)]* *= None*
+#### ad_frame_status*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AdFrameStatus`](#nodriver.cdp.page.AdFrameStatus)]* *= None*
Indicates whether this frame was tagged as an ad and why.
@@ -437,31 +437,31 @@ Indicates whether this frame was tagged as an ad and why.
Information about the Resource on the page.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Resource URL.
-#### type_ *: [`ResourceType`](network.md#nodriver.cdp.network.ResourceType)*
+#### type_*: [`ResourceType`](network.md#nodriver.cdp.network.ResourceType)*
Type of this resource.
-#### mime_type *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### mime_type*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Resource mimeType as determined by the browser.
-#### last_modified *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)]* *= None*
+#### last_modified*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)]* *= None*
last-modified timestamp as reported by server.
-#### content_size *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### content_size*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
Resource content size.
-#### failed *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### failed*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
True if the resource failed to load.
-#### canceled *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### canceled*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
True if the resource was canceled during loading.
@@ -469,15 +469,15 @@ True if the resource was canceled during loading.
Information about the Frame hierarchy along with their cached resources.
-#### frame *: [`Frame`](#nodriver.cdp.page.Frame)*
+#### frame*: [`Frame`](#nodriver.cdp.page.Frame)*
Frame information for this tree item.
-#### resources *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`FrameResource`](#nodriver.cdp.page.FrameResource)]*
+#### resources*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`FrameResource`](#nodriver.cdp.page.FrameResource)]*
Information about frame resources.
-#### child_frames *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`FrameResourceTree`](#nodriver.cdp.page.FrameResourceTree)]]* *= None*
+#### child_frames*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`FrameResourceTree`](#nodriver.cdp.page.FrameResourceTree)]]* *= None*
Child frames.
@@ -485,11 +485,11 @@ Child frames.
Information about the Frame hierarchy.
-#### frame *: [`Frame`](#nodriver.cdp.page.Frame)*
+#### frame*: [`Frame`](#nodriver.cdp.page.Frame)*
Frame information for this tree item.
-#### child_frames *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`FrameTree`](#nodriver.cdp.page.FrameTree)]]* *= None*
+#### child_frames*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`FrameTree`](#nodriver.cdp.page.FrameTree)]]* *= None*
Child frames.
@@ -531,23 +531,23 @@ Transition type.
Navigation history entry.
-#### id_ *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### id_*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Unique id of the navigation history entry.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
URL of the navigation history entry.
-#### user_typed_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### user_typed_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
URL that the user typed in the url bar.
-#### title *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### title*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Title of the navigation history entry.
-#### transition_type *: [`TransitionType`](#nodriver.cdp.page.TransitionType)*
+#### transition_type*: [`TransitionType`](#nodriver.cdp.page.TransitionType)*
Transition type.
@@ -555,31 +555,31 @@ Transition type.
Screencast frame metadata.
-#### offset_top *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### offset_top*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Top offset in DIP.
-#### page_scale_factor *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### page_scale_factor*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Page scale factor.
-#### device_width *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### device_width*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Device screen width in DIP.
-#### device_height *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### device_height*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Device screen height in DIP.
-#### scroll_offset_x *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### scroll_offset_x*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Position of horizontal scroll in CSS pixels.
-#### scroll_offset_y *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### scroll_offset_y*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Position of vertical scroll in CSS pixels.
-#### timestamp *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)]* *= None*
+#### timestamp*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)]* *= None*
Frame swap timestamp.
@@ -599,19 +599,19 @@ Javascript dialog type.
Error while paring app manifest.
-#### message *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### message*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Error message.
-#### critical *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### critical*: [`int`](https://docs.python.org/3/library/functions.html#int)*
If criticial, this is a non-recoverable parse error.
-#### line *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### line*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Error line.
-#### column *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### column*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Error column.
@@ -619,7 +619,7 @@ Error column.
Parsed app manifest properties.
-#### scope *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### scope*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Computed scope value
@@ -627,19 +627,19 @@ Computed scope value
Layout viewport position and dimensions.
-#### page_x *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### page_x*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Horizontal offset relative to the document (CSS pixels).
-#### page_y *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### page_y*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Vertical offset relative to the document (CSS pixels).
-#### client_width *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### client_width*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Width (CSS pixels), excludes scrollbar if present.
-#### client_height *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### client_height*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Height (CSS pixels), excludes scrollbar if present.
@@ -647,35 +647,35 @@ Height (CSS pixels), excludes scrollbar if present.
Visual viewport position, dimensions, and scale.
-#### offset_x *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### offset_x*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Horizontal offset relative to the layout viewport (CSS pixels).
-#### offset_y *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### offset_y*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Vertical offset relative to the layout viewport (CSS pixels).
-#### page_x *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### page_x*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Horizontal offset relative to the document (CSS pixels).
-#### page_y *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### page_y*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Vertical offset relative to the document (CSS pixels).
-#### client_width *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### client_width*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Width (CSS pixels), excludes scrollbar if present.
-#### client_height *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### client_height*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Height (CSS pixels), excludes scrollbar if present.
-#### scale *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### scale*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Scale relative to the ideal viewport (size at width=device-width).
-#### zoom *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### zoom*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
Page zoom factor (CSS to device independent pixels ratio).
@@ -683,23 +683,23 @@ Page zoom factor (CSS to device independent pixels ratio).
Viewport for capturing screenshot.
-#### x *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### x*: [`float`](https://docs.python.org/3/library/functions.html#float)*
X offset in device independent pixels (dip).
-#### y *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### y*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Y offset in device independent pixels (dip).
-#### width *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### width*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Rectangle width in device independent pixels (dip).
-#### height *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### height*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Rectangle height in device independent pixels (dip).
-#### scale *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### scale*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Page scale factor.
@@ -707,31 +707,31 @@ Page scale factor.
Generic font families collection.
-#### standard *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### standard*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The standard font-family.
-#### fixed *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### fixed*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The fixed font-family.
-#### serif *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### serif*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The serif font-family.
-#### sans_serif *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### sans_serif*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The sansSerif font-family.
-#### cursive *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### cursive*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The cursive font-family.
-#### fantasy *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### fantasy*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The fantasy font-family.
-#### math *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### math*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The math font-family.
@@ -739,11 +739,11 @@ The math font-family.
Font families collection for a script.
-#### script *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### script*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Name of the script which these font families are defined for.
-#### font_families *: [`FontFamilies`](#nodriver.cdp.page.FontFamilies)*
+#### font_families*: [`FontFamilies`](#nodriver.cdp.page.FontFamilies)*
Generic font families collection for the script.
@@ -751,11 +751,11 @@ Generic font families collection for the script.
Default font sizes.
-#### standard *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
+#### standard*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
Default standard font size.
-#### fixed *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
+#### fixed*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
Default fixed font size.
@@ -789,14 +789,14 @@ Default fixed font size.
### *class* InstallabilityErrorArgument(name, value)
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
‘minimum-icon-size-in-pixels’).
* **Type:**
Argument name (e.g. name
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
‘64’).
@@ -807,11 +807,11 @@ Default fixed font size.
The installability error
-#### error_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### error_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The error id (e.g. ‘manifest-missing-suitable-icon’).
-#### error_arguments *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`InstallabilityErrorArgument`](#nodriver.cdp.page.InstallabilityErrorArgument)]*
+#### error_arguments*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`InstallabilityErrorArgument`](#nodriver.cdp.page.InstallabilityErrorArgument)]*
‘64’}).
@@ -844,11 +844,11 @@ The referring-policy used for the navigation.
Per-script compilation cache parameters for `Page.produceCompilationCache`
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The URL of the script to produce a compilation cache entry for.
-#### eager *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### eager*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
A hint to the backend whether eager compilation is recommended.
(the actual compilation mode used is upon backend discretion).
@@ -1151,51 +1151,51 @@ Types of not restored reasons for back-forward cache.
### *class* BackForwardCacheBlockingDetails(line_number, column_number, url=None, function=None)
-#### line_number *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### line_number*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Line number in the script (0-based).
-#### column_number *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### column_number*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Column number in the script (0-based).
-#### url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Url of the file where blockage happened. Optional because of tests.
-#### function *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### function*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Function name where blockage happened. Optional because of anonymous functions and tests.
### *class* BackForwardCacheNotRestoredExplanation(type_, reason, context=None, details=None)
-#### type_ *: [`BackForwardCacheNotRestoredReasonType`](#nodriver.cdp.page.BackForwardCacheNotRestoredReasonType)*
+#### type_*: [`BackForwardCacheNotRestoredReasonType`](#nodriver.cdp.page.BackForwardCacheNotRestoredReasonType)*
Type of the reason
-#### reason *: [`BackForwardCacheNotRestoredReason`](#nodriver.cdp.page.BackForwardCacheNotRestoredReason)*
+#### reason*: [`BackForwardCacheNotRestoredReason`](#nodriver.cdp.page.BackForwardCacheNotRestoredReason)*
Not restored reason
-#### context *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### context*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Context associated with the reason. The meaning of this context is
dependent on the reason:
- EmbedderExtensionSentMessageToCachedFrame: the extension ID.
-#### details *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackForwardCacheBlockingDetails`](#nodriver.cdp.page.BackForwardCacheBlockingDetails)]]* *= None*
+#### details*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackForwardCacheBlockingDetails`](#nodriver.cdp.page.BackForwardCacheBlockingDetails)]]* *= None*
### *class* BackForwardCacheNotRestoredExplanationTree(url, explanations, children)
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
URL of each frame
-#### explanations *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackForwardCacheNotRestoredExplanation`](#nodriver.cdp.page.BackForwardCacheNotRestoredExplanation)]*
+#### explanations*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackForwardCacheNotRestoredExplanation`](#nodriver.cdp.page.BackForwardCacheNotRestoredExplanation)]*
Not restored reasons of each frame
-#### children *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackForwardCacheNotRestoredExplanationTree`](#nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree)]*
+#### children*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackForwardCacheNotRestoredExplanationTree`](#nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree)]*
Array of children frame
@@ -1248,9 +1248,9 @@ Evaluates given script in every frame upon creation (before loading frame’s sc
* **Parameters:**
* **source** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) –
- * **world_name** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(EXPERIMENTAL)** *(Optional)* If specified, creates an isolated world with the given name and evaluates given script in it. This world name will be used as the ExecutionContextDescription::name when the corresponding event is emitted.
- * **include_command_line_api** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Specifies whether command line API should be available to the script, defaults to false.
- * **run_immediately** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* If true, runs the script immediately on existing execution contexts or worlds. Default: false.
+ * **world_name** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(EXPERIMENTAL)** *(Optional)* If specified, creates an isolated world with the given name and evaluates given script in it. This world name will be used as the ExecutionContextDescription::name when the corresponding event is emitted.
+ * **include_command_line_api** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Specifies whether command line API should be available to the script, defaults to false.
+ * **run_immediately** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* If true, runs the script immediately on existing execution contexts or worlds. Default: false.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`ScriptIdentifier`](#nodriver.cdp.page.ScriptIdentifier)]
* **Returns:**
@@ -1268,12 +1268,12 @@ Brings page to front (activates tab).
Capture page screenshot.
* **Parameters:**
- * **format** – *(Optional)* Image compression format (defaults to png).
- * **quality** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Compression quality from range [0..100] (jpeg only).
- * **clip** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Viewport`](#nodriver.cdp.page.Viewport)]) – *(Optional)* Capture the screenshot of a given region only.
- * **from_surface** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Capture the screenshot from the surface, rather than the view. Defaults to true.
- * **capture_beyond_viewport** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Capture the screenshot beyond the viewport. Defaults to false.
- * **optimize_for_speed** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Optimize image encoding for speed, not for resulting size (defaults to false)
+ * **format** – *(Optional)* Image compression format (defaults to png).
+ * **quality** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Compression quality from range [0..100] (jpeg only).
+ * **clip** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Viewport`](#nodriver.cdp.page.Viewport)]) – *(Optional)* Capture the screenshot of a given region only.
+ * **from_surface** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Capture the screenshot from the surface, rather than the view. Defaults to true.
+ * **capture_beyond_viewport** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Capture the screenshot beyond the viewport. Defaults to false.
+ * **optimize_for_speed** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Optimize image encoding for speed, not for resulting size (defaults to false)
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`str`](https://docs.python.org/3/library/stdtypes.html#str)]
* **Returns:**
@@ -1287,7 +1287,7 @@ iframes, shadow DOM, external resources, and element-inline styles.
**EXPERIMENTAL**
* **Parameters:**
- **format** – *(Optional)* Format (defaults to mhtml).
+ **format** – *(Optional)* Format (defaults to mhtml).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`str`](https://docs.python.org/3/library/stdtypes.html#str)]
* **Returns:**
@@ -1361,8 +1361,8 @@ Creates an isolated world for the given frame.
* **Parameters:**
* **frame_id** ([`FrameId`](#nodriver.cdp.page.FrameId)) – Id of the frame in which the isolated world should be created.
- * **world_name** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* An optional name which is reported in the Execution Context.
- * **grant_univeral_access** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not universal access should be granted to the isolated world. This is a powerful option, use with caution.
+ * **world_name** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* An optional name which is reported in the Execution Context.
+ * **grant_univeral_access** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not universal access should be granted to the isolated world. This is a powerful option, use with caution.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`ExecutionContextId`](runtime.md#nodriver.cdp.runtime.ExecutionContextId)]
* **Returns:**
@@ -1408,7 +1408,7 @@ Generates a report for testing.
* **Parameters:**
* **message** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – Message to be displayed in the report.
- * **group** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Specifies the endpoint group to deliver the report to.
+ * **group** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Specifies the endpoint group to deliver the report to.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1421,7 +1421,7 @@ Generates a report for testing.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`AdScriptId`](#nodriver.cdp.page.AdScriptId)]]
* **Returns:**
- *(Optional)* Identifies the bottom-most script which caused the frame to be labelled as an ad. Only sent if frame is labelled as an ad and id is available.
+ *(Optional)* Identifies the bottom-most script which caused the frame to be labelled as an ad. Only sent if frame is labelled as an ad and id is available.
### get_app_id()
@@ -1434,8 +1434,8 @@ Only returns values if the feature flag ‘WebAppEnableManifestId’ is enabled
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]]
* **Returns:**
A tuple with the following items:
- 1. **appId** - *(Optional)* App id, either from manifest’s id attribute or computed from start_url
- 2. **recommendedId** - *(Optional)* Recommendation for manifest’s id attribute to match current id computed from start_url
+ 1. **appId** - *(Optional)* App id, either from manifest’s id attribute or computed from start_url
+ 2. **recommendedId** - *(Optional)* Recommendation for manifest’s id attribute to match current id computed from start_url
### get_app_manifest()
@@ -1445,8 +1445,8 @@ Only returns values if the feature flag ‘WebAppEnableManifestId’ is enabled
A tuple with the following items:
1. **url** - Manifest location.
2. **errors** -
- 3. **data** - *(Optional)* Manifest content.
- 4. **parsed** - *(Optional)* Parsed manifest properties
+ 3. **data** - *(Optional)* Manifest content.
+ 4. **parsed** - *(Optional)* Parsed manifest properties
### get_frame_tree()
@@ -1564,7 +1564,7 @@ Accepts or dismisses a JavaScript initiated dialog (alert, confirm, prompt, or o
* **Parameters:**
* **accept** ([`bool`](https://docs.python.org/3/library/functions.html#bool)) – Whether to accept or dismiss the dialog.
- * **prompt_text** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The text to enter into the dialog prompt before accepting. Used only if this is a prompt dialog.
+ * **prompt_text** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The text to enter into the dialog prompt before accepting. Used only if this is a prompt dialog.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1574,17 +1574,17 @@ Navigates current page to the given URL.
* **Parameters:**
* **url** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – URL to navigate the page to.
- * **referrer** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Referrer URL.
- * **transition_type** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TransitionType`](#nodriver.cdp.page.TransitionType)]) – *(Optional)* Intended transition type.
- * **frame_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](#nodriver.cdp.page.FrameId)]) – *(Optional)* Frame id to navigate, if not specified navigates the top frame.
- * **referrer_policy** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ReferrerPolicy`](#nodriver.cdp.page.ReferrerPolicy)]) – **(EXPERIMENTAL)** *(Optional)* Referrer-policy used for the navigation.
+ * **referrer** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Referrer URL.
+ * **transition_type** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TransitionType`](#nodriver.cdp.page.TransitionType)]) – *(Optional)* Intended transition type.
+ * **frame_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`FrameId`](#nodriver.cdp.page.FrameId)]) – *(Optional)* Frame id to navigate, if not specified navigates the top frame.
+ * **referrer_policy** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ReferrerPolicy`](#nodriver.cdp.page.ReferrerPolicy)]) – **(EXPERIMENTAL)** *(Optional)* Referrer-policy used for the navigation.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`FrameId`](#nodriver.cdp.page.FrameId), [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`LoaderId`](network.md#nodriver.cdp.network.LoaderId)], [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]]
* **Returns:**
A tuple with the following items:
1. **frameId** - Frame id that has navigated (or failed to navigate)
- 2. **loaderId** - *(Optional)* Loader identifier. This is omitted in case of same-document navigation, as the previously committed loaderId would not change.
- 3. **errorText** - *(Optional)* User friendly error message, present if and only if navigation has failed.
+ 2. **loaderId** - *(Optional)* Loader identifier. This is omitted in case of same-document navigation, as the previously committed loaderId would not change.
+ 3. **errorText** - *(Optional)* User friendly error message, present if and only if navigation has failed.
### navigate_to_history_entry(entry_id)
@@ -1600,29 +1600,29 @@ Navigates current page to the given history entry.
Print page as PDF.
* **Parameters:**
- * **landscape** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Paper orientation. Defaults to false.
- * **display_header_footer** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Display header and footer. Defaults to false.
- * **print_background** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Print background graphics. Defaults to false.
- * **scale** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Scale of the webpage rendering. Defaults to 1.
- * **paper_width** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Paper width in inches. Defaults to 8.5 inches.
- * **paper_height** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Paper height in inches. Defaults to 11 inches.
- * **margin_top** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Top margin in inches. Defaults to 1cm (~0.4 inches).
- * **margin_bottom** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Bottom margin in inches. Defaults to 1cm (~0.4 inches).
- * **margin_left** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Left margin in inches. Defaults to 1cm (~0.4 inches).
- * **margin_right** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Right margin in inches. Defaults to 1cm (~0.4 inches).
- * **page_ranges** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Paper ranges to print, one based, e.g., ‘1-5, 8, 11-13’. Pages are printed in the document order, not in the order specified, and no more than once. Defaults to empty string, which implies the entire document is printed. The page numbers are quietly capped to actual page count of the document, and ranges beyond the end of the document are ignored. If this results in no pages to print, an error is reported. It is an error to specify a range with start greater than end.
- * **header_template** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* HTML template for the print header. Should be valid HTML markup with following classes used to inject printing values into them: - ``date```: formatted print date - ```title```: document title - ```url```: document location - ```pageNumber```: current page number - ```totalPages```: total pages in the document For example, `````` would generate span containing the title.
- * **footer_template** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* HTML template for the print footer. Should use the same format as the ```headerTemplate```.
- * **prefer_css_page_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not to prefer page size as defined by css. Defaults to false, in which case the content will be scaled to fit the paper size.
- * **transfer_mode** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(EXPERIMENTAL)** *(Optional)* return as stream
- * **generate_tagged_pdf** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Whether or not to generate tagged (accessible) PDF. Defaults to embedder choice.
- * **generate_document_outline** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Whether or not to embed the document outline into the PDF.
+ * **landscape** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Paper orientation. Defaults to false.
+ * **display_header_footer** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Display header and footer. Defaults to false.
+ * **print_background** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Print background graphics. Defaults to false.
+ * **scale** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Scale of the webpage rendering. Defaults to 1.
+ * **paper_width** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Paper width in inches. Defaults to 8.5 inches.
+ * **paper_height** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Paper height in inches. Defaults to 11 inches.
+ * **margin_top** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Top margin in inches. Defaults to 1cm (~0.4 inches).
+ * **margin_bottom** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Bottom margin in inches. Defaults to 1cm (~0.4 inches).
+ * **margin_left** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Left margin in inches. Defaults to 1cm (~0.4 inches).
+ * **margin_right** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Right margin in inches. Defaults to 1cm (~0.4 inches).
+ * **page_ranges** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Paper ranges to print, one based, e.g., ‘1-5, 8, 11-13’. Pages are printed in the document order, not in the order specified, and no more than once. Defaults to empty string, which implies the entire document is printed. The page numbers are quietly capped to actual page count of the document, and ranges beyond the end of the document are ignored. If this results in no pages to print, an error is reported. It is an error to specify a range with start greater than end.
+ * **header_template** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* HTML template for the print header. Should be valid HTML markup with following classes used to inject printing values into them: - ``date```: formatted print date - ```title```: document title - ```url```: document location - ```pageNumber```: current page number - ```totalPages```: total pages in the document For example, `````` would generate span containing the title.
+ * **footer_template** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* HTML template for the print footer. Should use the same format as the ```headerTemplate```.
+ * **prefer_css_page_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether or not to prefer page size as defined by css. Defaults to false, in which case the content will be scaled to fit the paper size.
+ * **transfer_mode** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(EXPERIMENTAL)** *(Optional)* return as stream
+ * **generate_tagged_pdf** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Whether or not to generate tagged (accessible) PDF. Defaults to embedder choice.
+ * **generate_document_outline** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – **(EXPERIMENTAL)** *(Optional)* Whether or not to embed the document outline into the PDF.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamHandle`](io.md#nodriver.cdp.io.StreamHandle)]]]
* **Returns:**
A tuple with the following items:
1. **data** - Base64-encoded pdf data. Empty if \`\` returnAsStream\` is specified. (Encoded as a base64 string when passed over JSON)
- 2. **stream** - *(Optional)* A handle of the stream that holds resulting PDF data.
+ 2. **stream** - *(Optional)* A handle of the stream that holds resulting PDF data.
### produce_compilation_cache(scripts)
@@ -1645,8 +1645,8 @@ See also: `Page.compilationCacheProduced`.
Reloads given page optionally ignoring the cache.
* **Parameters:**
- * **ignore_cache** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, browser cache is ignored (as if the user pressed Shift+refresh).
- * **script_to_evaluate_on_load** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set, the script will be injected into all frames of the inspected page after reload. Argument will be ignored if reloading dataURL origin.
+ * **ignore_cache** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, browser cache is ignored (as if the user pressed Shift+refresh).
+ * **script_to_evaluate_on_load** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* If set, the script will be injected into all frames of the inspected page after reload. Argument will be ignored if reloading dataURL origin.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1704,8 +1704,8 @@ Searches for given string in resource content.
* **frame_id** ([`FrameId`](#nodriver.cdp.page.FrameId)) – Frame id for resource to search in.
* **url** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – URL of the resource to search in.
* **query** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – String to search for.
- * **case_sensitive** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, search is case sensitive.
- * **is_regex** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, treats string parameter as regex.
+ * **case_sensitive** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, search is case sensitive.
+ * **is_regex** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If true, treats string parameter as regex.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SearchMatch`](debugger.md#nodriver.cdp.debugger.SearchMatch)]]
* **Returns:**
@@ -1747,14 +1747,14 @@ Deprecated since version 1.3.
* **height** ([`int`](https://docs.python.org/3/library/functions.html#int)) – Overriding height value in pixels (minimum 0, maximum 10000000). 0 disables the override.
* **device_scale_factor** ([`float`](https://docs.python.org/3/library/functions.html#float)) – Overriding device scale factor value. 0 disables the override.
* **mobile** ([`bool`](https://docs.python.org/3/library/functions.html#bool)) – Whether to emulate mobile device. This includes viewport meta tag, overlay scrollbars, text autosizing and more.
- * **scale** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Scale to apply to resulting view image.
- * **screen_width** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Overriding screen width value in pixels (minimum 0, maximum 10000000).
- * **screen_height** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Overriding screen height value in pixels (minimum 0, maximum 10000000).
- * **position_x** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Overriding view X position on screen in pixels (minimum 0, maximum 10000000).
- * **position_y** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Overriding view Y position on screen in pixels (minimum 0, maximum 10000000).
- * **dont_set_visible_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Do not set visible view size, rely upon explicit setVisibleSize call.
- * **screen_orientation** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ScreenOrientation`](emulation.md#nodriver.cdp.emulation.ScreenOrientation)]) – *(Optional)* Screen orientation override.
- * **viewport** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Viewport`](#nodriver.cdp.page.Viewport)]) – *(Optional)* The viewport dimensions and scale. If not set, the override is cleared.
+ * **scale** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Scale to apply to resulting view image.
+ * **screen_width** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Overriding screen width value in pixels (minimum 0, maximum 10000000).
+ * **screen_height** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Overriding screen height value in pixels (minimum 0, maximum 10000000).
+ * **position_x** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Overriding view X position on screen in pixels (minimum 0, maximum 10000000).
+ * **position_y** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Overriding view Y position on screen in pixels (minimum 0, maximum 10000000).
+ * **dont_set_visible_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Do not set visible view size, rely upon explicit setVisibleSize call.
+ * **screen_orientation** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`ScreenOrientation`](emulation.md#nodriver.cdp.emulation.ScreenOrientation)]) – *(Optional)* Screen orientation override.
+ * **viewport** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Viewport`](#nodriver.cdp.page.Viewport)]) – *(Optional)* The viewport dimensions and scale. If not set, the override is cleared.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1801,7 +1801,7 @@ Deprecated since version 1.3.
* **Parameters:**
* **behavior** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – Whether to allow all or deny all download requests, or use default Chrome behavior if available (otherwise deny).
- * **download_path** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The default path to save downloaded files to. This is required if behavior is set to ‘allow’
+ * **download_path** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* The default path to save downloaded files to. This is required if behavior is set to ‘allow’
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1816,7 +1816,7 @@ Set generic font families.
* **Parameters:**
* **font_families** ([`FontFamilies`](#nodriver.cdp.page.FontFamilies)) – Specifies font families to set. If a font family is not specified, it won’t be changed.
- * **for_scripts** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`ScriptFontFamilies`](#nodriver.cdp.page.ScriptFontFamilies)]]) – *(Optional)* Specifies font families to set for individual scripts.
+ * **for_scripts** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`ScriptFontFamilies`](#nodriver.cdp.page.ScriptFontFamilies)]]) – *(Optional)* Specifies font families to set for individual scripts.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1840,9 +1840,9 @@ unavailable.
Deprecated since version 1.3.
* **Parameters:**
- * **latitude** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock latitude
- * **longitude** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock longitude
- * **accuracy** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock accuracy
+ * **latitude** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock latitude
+ * **longitude** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock longitude
+ * **accuracy** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* Mock accuracy
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1921,7 +1921,7 @@ Deprecated since version 1.3.
* **Parameters:**
* **enabled** ([`bool`](https://docs.python.org/3/library/functions.html#bool)) – Whether the touch event emulation should be enabled.
- * **configuration** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Touch/gesture events configuration. Default: current platform.
+ * **configuration** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Touch/gesture events configuration. Default: current platform.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1948,11 +1948,11 @@ Starts sending each frame using the `screencastFrame` event.
**EXPERIMENTAL**
* **Parameters:**
- * **format** – *(Optional)* Image compression format.
- * **quality** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Compression quality from range [0..100].
- * **max_width** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Maximum screenshot width.
- * **max_height** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Maximum screenshot height.
- * **every_nth_frame** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Send every n-th frame.
+ * **format** – *(Optional)* Image compression format.
+ * **quality** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Compression quality from range [0..100].
+ * **max_width** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Maximum screenshot width.
+ * **max_height** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Maximum screenshot height.
+ * **every_nth_frame** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]) – *(Optional)* Send every n-th frame.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -1989,21 +1989,21 @@ you use the event’s attributes.
### *class* DomContentEventFired(timestamp)
-#### timestamp *: [`MonotonicTime`](network.md#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](network.md#nodriver.cdp.network.MonotonicTime)*
### *class* FileChooserOpened(frame_id, mode, backend_node_id)
Emitted only when `page.interceptFileChooser` is enabled.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame containing input node.
-#### mode *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### mode*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Input mode.
-#### backend_node_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]*
+#### backend_node_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackendNodeId`](dom.md#nodriver.cdp.dom.BackendNodeId)]*
Input node id. Only present for file choosers opened via an `` element.
@@ -2011,15 +2011,15 @@ Input node id. Only present for file choosers opened via an `
Fired when frame has been attached to its parent.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame that has been attached.
-#### parent_frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### parent_frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Parent frame identifier.
-#### stack *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StackTrace`](runtime.md#nodriver.cdp.runtime.StackTrace)]*
+#### stack*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StackTrace`](runtime.md#nodriver.cdp.runtime.StackTrace)]*
JavaScript stack trace of when frame was attached, only set if frame initiated from script.
@@ -2030,7 +2030,7 @@ Fired when frame no longer has a scheduled navigation.
#### Deprecated
Deprecated since version 1.3.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame that has cleared its scheduled navigation.
@@ -2038,21 +2038,21 @@ Id of the frame that has cleared its scheduled navigation.
Fired when frame has been detached from its parent.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame that has been detached.
-#### reason *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### reason*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* FrameNavigated(frame, type_)
Fired once navigation of the frame has completed. Frame is now associated with the new loader.
-#### frame *: [`Frame`](#nodriver.cdp.page.Frame)*
+#### frame*: [`Frame`](#nodriver.cdp.page.Frame)*
Frame object.
-#### type_ *: [`NavigationType`](#nodriver.cdp.page.NavigationType)*
+#### type_*: [`NavigationType`](#nodriver.cdp.page.NavigationType)*
### *class* DocumentOpened(frame)
@@ -2060,7 +2060,7 @@ Frame object.
Fired when opening document to write to.
-#### frame *: [`Frame`](#nodriver.cdp.page.Frame)*
+#### frame*: [`Frame`](#nodriver.cdp.page.Frame)*
Frame object.
@@ -2075,19 +2075,19 @@ Frame object.
Fired when a renderer-initiated navigation is requested.
Navigation may still be cancelled after the event is issued.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame that is being navigated.
-#### reason *: [`ClientNavigationReason`](#nodriver.cdp.page.ClientNavigationReason)*
+#### reason*: [`ClientNavigationReason`](#nodriver.cdp.page.ClientNavigationReason)*
The reason for the navigation.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The destination URL for the requested navigation.
-#### disposition *: [`ClientNavigationDisposition`](#nodriver.cdp.page.ClientNavigationDisposition)*
+#### disposition*: [`ClientNavigationDisposition`](#nodriver.cdp.page.ClientNavigationDisposition)*
The disposition for the navigation.
@@ -2098,20 +2098,20 @@ Fired when frame schedules a potential navigation.
#### Deprecated
Deprecated since version 1.3.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame that has scheduled a navigation.
-#### delay *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### delay*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Delay (in seconds) until the navigation is scheduled to begin. The navigation is not
guaranteed to start.
-#### reason *: [`ClientNavigationReason`](#nodriver.cdp.page.ClientNavigationReason)*
+#### reason*: [`ClientNavigationReason`](#nodriver.cdp.page.ClientNavigationReason)*
The reason for the navigation.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The destination URL for the scheduled navigation.
@@ -2121,7 +2121,7 @@ The destination URL for the scheduled navigation.
Fired when frame has started loading.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame that has started loading.
@@ -2131,7 +2131,7 @@ Id of the frame that has started loading.
Fired when frame has stopped loading.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame that has stopped loading.
@@ -2145,19 +2145,19 @@ Deprecated. Use Browser.downloadWillBegin instead.
#### Deprecated
Deprecated since version 1.3.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame that caused download to begin.
-#### guid *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### guid*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Global unique identifier of the download.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
URL of the resource being downloaded.
-#### suggested_filename *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### suggested_filename*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Suggested file name of the resource (the actual name of the file saved on disk may differ).
@@ -2171,19 +2171,19 @@ Deprecated. Use Browser.downloadProgress instead.
#### Deprecated
Deprecated since version 1.3.
-#### guid *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### guid*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Global unique identifier of the download.
-#### total_bytes *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### total_bytes*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Total expected bytes to download.
-#### received_bytes *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### received_bytes*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Total bytes received.
-#### state *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### state*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Download status.
@@ -2200,11 +2200,11 @@ Fired when interstitial page was shown
Fired when a JavaScript initiated dialog (alert, confirm, prompt, or onbeforeunload) has been
closed.
-#### result *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### result*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Whether dialog was confirmed.
-#### user_input *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### user_input*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
User input in case of prompt.
@@ -2213,25 +2213,25 @@ User input in case of prompt.
Fired when a JavaScript initiated dialog (alert, confirm, prompt, or onbeforeunload) is about to
open.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Frame url.
-#### message *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### message*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Message that will be displayed by the dialog.
-#### type_ *: [`DialogType`](#nodriver.cdp.page.DialogType)*
+#### type_*: [`DialogType`](#nodriver.cdp.page.DialogType)*
Dialog type.
-#### has_browser_handler *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### has_browser_handler*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
True iff browser is capable showing or acting on the given dialog. When browser has no
dialog handler for given target, calling alert while Page domain is engaged will stall
the page execution. Execution can be resumed via calling Page.handleJavaScriptDialog.
-#### default_prompt *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### default_prompt*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
Default dialog prompt.
@@ -2239,17 +2239,17 @@ Default dialog prompt.
Fired for top level page lifecycle events such as navigation, load, paint, etc.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame.
-#### loader_id *: [`LoaderId`](network.md#nodriver.cdp.network.LoaderId)*
+#### loader_id*: [`LoaderId`](network.md#nodriver.cdp.network.LoaderId)*
Loader identifier. Empty string if the request is fetched from worker.
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### timestamp *: [`MonotonicTime`](network.md#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](network.md#nodriver.cdp.network.MonotonicTime)*
### *class* BackForwardCacheNotUsed(loader_id, frame_id, not_restored_explanations, not_restored_explanations_tree)
@@ -2260,25 +2260,25 @@ not assume any ordering with the Page.frameNavigated event. This event is fired
main-frame history navigation where the document changes (non-same-document navigations),
when bfcache navigation fails.
-#### loader_id *: [`LoaderId`](network.md#nodriver.cdp.network.LoaderId)*
+#### loader_id*: [`LoaderId`](network.md#nodriver.cdp.network.LoaderId)*
The loader id for the associated navgation.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
The frame id of the associated frame.
-#### not_restored_explanations *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackForwardCacheNotRestoredExplanation`](#nodriver.cdp.page.BackForwardCacheNotRestoredExplanation)]*
+#### not_restored_explanations*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`BackForwardCacheNotRestoredExplanation`](#nodriver.cdp.page.BackForwardCacheNotRestoredExplanation)]*
Array of reasons why the page could not be cached. This must not be empty.
-#### not_restored_explanations_tree *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackForwardCacheNotRestoredExplanationTree`](#nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree)]*
+#### not_restored_explanations_tree*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BackForwardCacheNotRestoredExplanationTree`](#nodriver.cdp.page.BackForwardCacheNotRestoredExplanationTree)]*
Tree structure of reasons why the page could not be cached for each frame.
### *class* LoadEventFired(timestamp)
-#### timestamp *: [`MonotonicTime`](network.md#nodriver.cdp.network.MonotonicTime)*
+#### timestamp*: [`MonotonicTime`](network.md#nodriver.cdp.network.MonotonicTime)*
### *class* NavigatedWithinDocument(frame_id, url)
@@ -2286,11 +2286,11 @@ Tree structure of reasons why the page could not be cached for each frame.
Fired when same-document navigation happens, e.g. due to history API usage or anchor navigation.
-#### frame_id *: [`FrameId`](#nodriver.cdp.page.FrameId)*
+#### frame_id*: [`FrameId`](#nodriver.cdp.page.FrameId)*
Id of the frame.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Frame’s new url.
@@ -2300,15 +2300,15 @@ Frame’s new url.
Compressed image data requested by the `startScreencast`.
-#### data *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### data*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Base64-encoded compressed image. (Encoded as a base64 string when passed over JSON)
-#### metadata *: [`ScreencastFrameMetadata`](#nodriver.cdp.page.ScreencastFrameMetadata)*
+#### metadata*: [`ScreencastFrameMetadata`](#nodriver.cdp.page.ScreencastFrameMetadata)*
Screencast frame metadata.
-#### session_id *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### session_id*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Frame number.
@@ -2318,7 +2318,7 @@ Frame number.
Fired when the page with currently enabled screencast was shown or hidden .
-#### visible *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### visible*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
True if the page is visible.
@@ -2327,19 +2327,19 @@ True if the page is visible.
Fired when a new window is going to be opened, via window.open(), link click, form submission,
etc.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The URL for the new window.
-#### window_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### window_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Window name.
-#### window_features *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### window_features*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
An array of enabled window features.
-#### user_gesture *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### user_gesture*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Whether or not it was triggered by user gesture.
@@ -2350,8 +2350,8 @@ Whether or not it was triggered by user gesture.
Issued for every compilation cache generated. Is only available
if Page.setGenerateCompilationCache is enabled.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### data *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### data*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Base64-encoded data (Encoded as a base64 string when passed over JSON)
diff --git a/docs/_build/markdown/nodriver/cdp/storage.md b/docs/_build/markdown/nodriver/cdp/storage.md
index dc033c1..43fc698 100644
--- a/docs/_build/markdown/nodriver/cdp/storage.md
+++ b/docs/_build/markdown/nodriver/cdp/storage.md
@@ -52,11 +52,11 @@ Enum of possible storage types.
Usage for a storage type.
-#### storage_type *: [`StorageType`](#nodriver.cdp.storage.StorageType)*
+#### storage_type*: [`StorageType`](#nodriver.cdp.storage.StorageType)*
Name of storage type.
-#### usage *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### usage*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Storage usage (bytes).
@@ -65,9 +65,9 @@ Storage usage (bytes).
Pair of issuer origin and number of available (signed, but not used) Trust
Tokens from that issuer.
-#### issuer_origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### issuer_origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### count *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### count*: [`float`](https://docs.python.org/3/library/functions.html#float)*
### *class* InterestGroupAccessType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -95,37 +95,37 @@ Enum of interest group access types.
Ad advertising element inside an interest group.
-#### render_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### render_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### metadata *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### metadata*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
### *class* InterestGroupDetails(owner_origin, name, expiration_time, joining_origin, trusted_bidding_signals_keys, ads, ad_components, bidding_logic_url=None, bidding_wasm_helper_url=None, update_url=None, trusted_bidding_signals_url=None, user_bidding_signals=None)
The full details of an interest group.
-#### owner_origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### owner_origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### expiration_time *: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
+#### expiration_time*: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
-#### joining_origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### joining_origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### trusted_bidding_signals_keys *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### trusted_bidding_signals_keys*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
-#### ads *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`InterestGroupAd`](#nodriver.cdp.storage.InterestGroupAd)]*
+#### ads*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`InterestGroupAd`](#nodriver.cdp.storage.InterestGroupAd)]*
-#### ad_components *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`InterestGroupAd`](#nodriver.cdp.storage.InterestGroupAd)]*
+#### ad_components*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`InterestGroupAd`](#nodriver.cdp.storage.InterestGroupAd)]*
-#### bidding_logic_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### bidding_logic_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### bidding_wasm_helper_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### bidding_wasm_helper_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### update_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### update_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### trusted_bidding_signals_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### trusted_bidding_signals_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### user_bidding_signals *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### user_bidding_signals*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
### *class* SharedStorageAccessType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -167,37 +167,37 @@ Enum of shared storage access types.
Struct for a single key-value pair in an origin’s shared storage.
-#### key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### value *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### value*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* SharedStorageMetadata(creation_time, length, remaining_budget)
Details for an origin’s shared storage.
-#### creation_time *: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
+#### creation_time*: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
-#### length *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### length*: [`int`](https://docs.python.org/3/library/functions.html#int)*
-#### remaining_budget *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### remaining_budget*: [`float`](https://docs.python.org/3/library/functions.html#float)*
### *class* SharedStorageReportingMetadata(event_type, reporting_url)
Pair of reporting metadata details for a candidate URL for `selectURL()`.
-#### event_type *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### event_type*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### reporting_url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### reporting_url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* SharedStorageUrlWithMetadata(url, reporting_metadata)
Bundles a candidate URL with its reporting metadata.
-#### url *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### url*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Spec of candidate URL.
-#### reporting_metadata *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SharedStorageReportingMetadata`](#nodriver.cdp.storage.SharedStorageReportingMetadata)]*
+#### reporting_metadata*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SharedStorageReportingMetadata`](#nodriver.cdp.storage.SharedStorageReportingMetadata)]*
Any associated reporting metadata.
@@ -206,29 +206,29 @@ Any associated reporting metadata.
Bundles the parameters for shared storage access events whose
presence/absence can vary according to SharedStorageAccessType.
-#### script_source_url *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### script_source_url*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Spec of the module script URL.
Present only for SharedStorageAccessType.documentAddModule.
-#### operation_name *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### operation_name*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Name of the registered operation to be run.
Present only for SharedStorageAccessType.documentRun and
SharedStorageAccessType.documentSelectURL.
-#### serialized_data *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### serialized_data*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The operation’s serialized data in bytes (converted to a string).
Present only for SharedStorageAccessType.documentRun and
SharedStorageAccessType.documentSelectURL.
-#### urls_with_metadata *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SharedStorageUrlWithMetadata`](#nodriver.cdp.storage.SharedStorageUrlWithMetadata)]]* *= None*
+#### urls_with_metadata*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`SharedStorageUrlWithMetadata`](#nodriver.cdp.storage.SharedStorageUrlWithMetadata)]]* *= None*
Array of candidate URLs’ specs, along with any associated metadata.
Present only for SharedStorageAccessType.documentSelectURL.
-#### key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Key for a specific entry in an origin’s shared storage.
Present only for SharedStorageAccessType.documentSet,
@@ -239,7 +239,7 @@ SharedStorageAccessType.workletAppend,
SharedStorageAccessType.workletDelete, and
SharedStorageAccessType.workletGet.
-#### value *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### value*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Value for a specific entry in an origin’s shared storage.
Present only for SharedStorageAccessType.documentSet,
@@ -247,7 +247,7 @@ SharedStorageAccessType.documentAppend,
SharedStorageAccessType.workletSet, and
SharedStorageAccessType.workletAppend.
-#### ignore_if_present *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### ignore_if_present*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Whether or not to set an entry for a key if that key is already present.
Present only for SharedStorageAccessType.documentSet and
@@ -261,27 +261,27 @@ SharedStorageAccessType.workletSet.
### *class* StorageBucket(storage_key, name=None)
-#### storage_key *: [`SerializedStorageKey`](#nodriver.cdp.storage.SerializedStorageKey)*
+#### storage_key*: [`SerializedStorageKey`](#nodriver.cdp.storage.SerializedStorageKey)*
-#### name *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### name*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
If not specified, it is the default bucket of the storageKey.
### *class* StorageBucketInfo(bucket, id_, expiration, quota, persistent, durability)
-#### bucket *: [`StorageBucket`](#nodriver.cdp.storage.StorageBucket)*
+#### bucket*: [`StorageBucket`](#nodriver.cdp.storage.StorageBucket)*
-#### id_ *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### id_*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### expiration *: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
+#### expiration*: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
-#### quota *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### quota*: [`float`](https://docs.python.org/3/library/functions.html#float)*
Storage quota (bytes).
-#### persistent *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### persistent*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### durability *: [`StorageBucketsDurability`](#nodriver.cdp.storage.StorageBucketsDurability)*
+#### durability*: [`StorageBucketsDurability`](#nodriver.cdp.storage.StorageBucketsDurability)*
### *class* AttributionReportingSourceType(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -297,48 +297,48 @@ Storage quota (bytes).
### *class* AttributionReportingFilterDataEntry(key, values)
-#### key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### values *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### values*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
### *class* AttributionReportingFilterConfig(filter_values, lookback_window=None)
-#### filter_values *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingFilterDataEntry`](#nodriver.cdp.storage.AttributionReportingFilterDataEntry)]*
+#### filter_values*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingFilterDataEntry`](#nodriver.cdp.storage.AttributionReportingFilterDataEntry)]*
-#### lookback_window *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
+#### lookback_window*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`int`](https://docs.python.org/3/library/functions.html#int)]* *= None*
duration in seconds
### *class* AttributionReportingFilterPair(filters, not_filters)
-#### filters *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingFilterConfig`](#nodriver.cdp.storage.AttributionReportingFilterConfig)]*
+#### filters*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingFilterConfig`](#nodriver.cdp.storage.AttributionReportingFilterConfig)]*
-#### not_filters *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingFilterConfig`](#nodriver.cdp.storage.AttributionReportingFilterConfig)]*
+#### not_filters*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingFilterConfig`](#nodriver.cdp.storage.AttributionReportingFilterConfig)]*
### *class* AttributionReportingAggregationKeysEntry(key, value)
-#### key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### value *: [`UnsignedInt128AsBase16`](#nodriver.cdp.storage.UnsignedInt128AsBase16)*
+#### value*: [`UnsignedInt128AsBase16`](#nodriver.cdp.storage.UnsignedInt128AsBase16)*
### *class* AttributionReportingEventReportWindows(start, ends)
-#### start *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### start*: [`int`](https://docs.python.org/3/library/functions.html#int)*
duration in seconds
-#### ends *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`int`](https://docs.python.org/3/library/functions.html#int)]*
+#### ends*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`int`](https://docs.python.org/3/library/functions.html#int)]*
duration in seconds
### *class* AttributionReportingTriggerSpec(trigger_data, event_report_windows)
-#### trigger_data *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`float`](https://docs.python.org/3/library/functions.html#float)]*
+#### trigger_data*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`float`](https://docs.python.org/3/library/functions.html#float)]*
number instead of integer because not all uint32 can be represented by
int
-#### event_report_windows *: [`AttributionReportingEventReportWindows`](#nodriver.cdp.storage.AttributionReportingEventReportWindows)*
+#### event_report_windows*: [`AttributionReportingEventReportWindows`](#nodriver.cdp.storage.AttributionReportingEventReportWindows)*
### *class* AttributionReportingTriggerDataMatching(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -348,37 +348,37 @@ int
### *class* AttributionReportingSourceRegistration(time, expiry, trigger_specs, aggregatable_report_window, type_, source_origin, reporting_origin, destination_sites, event_id, priority, filter_data, aggregation_keys, trigger_data_matching, debug_key=None)
-#### time *: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
+#### time*: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
-#### expiry *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### expiry*: [`int`](https://docs.python.org/3/library/functions.html#int)*
duration in seconds
-#### trigger_specs *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingTriggerSpec`](#nodriver.cdp.storage.AttributionReportingTriggerSpec)]*
+#### trigger_specs*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingTriggerSpec`](#nodriver.cdp.storage.AttributionReportingTriggerSpec)]*
-#### aggregatable_report_window *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### aggregatable_report_window*: [`int`](https://docs.python.org/3/library/functions.html#int)*
duration in seconds
-#### type_ *: [`AttributionReportingSourceType`](#nodriver.cdp.storage.AttributionReportingSourceType)*
+#### type_*: [`AttributionReportingSourceType`](#nodriver.cdp.storage.AttributionReportingSourceType)*
-#### source_origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### source_origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### reporting_origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### reporting_origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### destination_sites *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### destination_sites*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
-#### event_id *: [`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)*
+#### event_id*: [`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)*
-#### priority *: [`SignedInt64AsBase10`](#nodriver.cdp.storage.SignedInt64AsBase10)*
+#### priority*: [`SignedInt64AsBase10`](#nodriver.cdp.storage.SignedInt64AsBase10)*
-#### filter_data *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingFilterDataEntry`](#nodriver.cdp.storage.AttributionReportingFilterDataEntry)]*
+#### filter_data*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingFilterDataEntry`](#nodriver.cdp.storage.AttributionReportingFilterDataEntry)]*
-#### aggregation_keys *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingAggregationKeysEntry`](#nodriver.cdp.storage.AttributionReportingAggregationKeysEntry)]*
+#### aggregation_keys*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingAggregationKeysEntry`](#nodriver.cdp.storage.AttributionReportingAggregationKeysEntry)]*
-#### trigger_data_matching *: [`AttributionReportingTriggerDataMatching`](#nodriver.cdp.storage.AttributionReportingTriggerDataMatching)*
+#### trigger_data_matching*: [`AttributionReportingTriggerDataMatching`](#nodriver.cdp.storage.AttributionReportingTriggerDataMatching)*
-#### debug_key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)]* *= None*
+#### debug_key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)]* *= None*
### *class* AttributionReportingSourceRegistrationResult(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -414,58 +414,58 @@ duration in seconds
### *class* AttributionReportingAggregatableValueEntry(key, value)
-#### key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### value *: [`float`](https://docs.python.org/3/library/functions.html#float)*
+#### value*: [`float`](https://docs.python.org/3/library/functions.html#float)*
number instead of integer because not all uint32 can be represented by
int
### *class* AttributionReportingEventTriggerData(data, priority, filters, dedup_key=None)
-#### data *: [`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)*
+#### data*: [`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)*
-#### priority *: [`SignedInt64AsBase10`](#nodriver.cdp.storage.SignedInt64AsBase10)*
+#### priority*: [`SignedInt64AsBase10`](#nodriver.cdp.storage.SignedInt64AsBase10)*
-#### filters *: [`AttributionReportingFilterPair`](#nodriver.cdp.storage.AttributionReportingFilterPair)*
+#### filters*: [`AttributionReportingFilterPair`](#nodriver.cdp.storage.AttributionReportingFilterPair)*
-#### dedup_key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)]* *= None*
+#### dedup_key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)]* *= None*
### *class* AttributionReportingAggregatableTriggerData(key_piece, source_keys, filters)
-#### key_piece *: [`UnsignedInt128AsBase16`](#nodriver.cdp.storage.UnsignedInt128AsBase16)*
+#### key_piece*: [`UnsignedInt128AsBase16`](#nodriver.cdp.storage.UnsignedInt128AsBase16)*
-#### source_keys *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
+#### source_keys*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]*
-#### filters *: [`AttributionReportingFilterPair`](#nodriver.cdp.storage.AttributionReportingFilterPair)*
+#### filters*: [`AttributionReportingFilterPair`](#nodriver.cdp.storage.AttributionReportingFilterPair)*
### *class* AttributionReportingAggregatableDedupKey(filters, dedup_key=None)
-#### filters *: [`AttributionReportingFilterPair`](#nodriver.cdp.storage.AttributionReportingFilterPair)*
+#### filters*: [`AttributionReportingFilterPair`](#nodriver.cdp.storage.AttributionReportingFilterPair)*
-#### dedup_key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)]* *= None*
+#### dedup_key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)]* *= None*
### *class* AttributionReportingTriggerRegistration(filters, aggregatable_dedup_keys, event_trigger_data, aggregatable_trigger_data, aggregatable_values, debug_reporting, source_registration_time_config, debug_key=None, aggregation_coordinator_origin=None, trigger_context_id=None)
-#### filters *: [`AttributionReportingFilterPair`](#nodriver.cdp.storage.AttributionReportingFilterPair)*
+#### filters*: [`AttributionReportingFilterPair`](#nodriver.cdp.storage.AttributionReportingFilterPair)*
-#### aggregatable_dedup_keys *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingAggregatableDedupKey`](#nodriver.cdp.storage.AttributionReportingAggregatableDedupKey)]*
+#### aggregatable_dedup_keys*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingAggregatableDedupKey`](#nodriver.cdp.storage.AttributionReportingAggregatableDedupKey)]*
-#### event_trigger_data *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingEventTriggerData`](#nodriver.cdp.storage.AttributionReportingEventTriggerData)]*
+#### event_trigger_data*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingEventTriggerData`](#nodriver.cdp.storage.AttributionReportingEventTriggerData)]*
-#### aggregatable_trigger_data *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingAggregatableTriggerData`](#nodriver.cdp.storage.AttributionReportingAggregatableTriggerData)]*
+#### aggregatable_trigger_data*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingAggregatableTriggerData`](#nodriver.cdp.storage.AttributionReportingAggregatableTriggerData)]*
-#### aggregatable_values *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingAggregatableValueEntry`](#nodriver.cdp.storage.AttributionReportingAggregatableValueEntry)]*
+#### aggregatable_values*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`AttributionReportingAggregatableValueEntry`](#nodriver.cdp.storage.AttributionReportingAggregatableValueEntry)]*
-#### debug_reporting *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### debug_reporting*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### source_registration_time_config *: [`AttributionReportingSourceRegistrationTimeConfig`](#nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig)*
+#### source_registration_time_config*: [`AttributionReportingSourceRegistrationTimeConfig`](#nodriver.cdp.storage.AttributionReportingSourceRegistrationTimeConfig)*
-#### debug_key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)]* *= None*
+#### debug_key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`UnsignedInt64AsBase10`](#nodriver.cdp.storage.UnsignedInt64AsBase10)]* *= None*
-#### aggregation_coordinator_origin *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### aggregation_coordinator_origin*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
-#### trigger_context_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### trigger_context_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
### *class* AttributionReportingEventLevelResult(value, names=None, \*, module=None, qualname=None, type=None, start=1, boundary=None)
@@ -553,7 +553,7 @@ to. For more information, see
Clears cookies.
* **Parameters:**
- **browser_context_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BrowserContextID`](browser.md#nodriver.cdp.browser.BrowserContextID)]) – *(Optional)* Browser context to use when called on the browser endpoint.
+ **browser_context_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BrowserContextID`](browser.md#nodriver.cdp.browser.BrowserContextID)]) – *(Optional)* Browser context to use when called on the browser endpoint.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -630,7 +630,7 @@ Deletes the Storage Bucket with the given storage key and bucket name.
Returns all browser cookies.
* **Parameters:**
- **browser_context_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BrowserContextID`](browser.md#nodriver.cdp.browser.BrowserContextID)]) – *(Optional)* Browser context to use when called on the browser endpoint.
+ **browser_context_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BrowserContextID`](browser.md#nodriver.cdp.browser.BrowserContextID)]) – *(Optional)* Browser context to use when called on the browser endpoint.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`Cookie`](network.md#nodriver.cdp.network.Cookie)]]
* **Returns:**
@@ -717,7 +717,7 @@ Override quota for the specified origin
* **Parameters:**
* **origin** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) – Security origin.
- * **quota_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* The quota size (in bytes) to override the original quota with. If this is called multiple times, the overridden quota will be equal to the quotaSize provided in the final call. If this is called without specifying a quotaSize, the quota will be reset to the default value for the specified origin. If this is called multiple times with different origins, the override will be maintained for each origin until it is disabled (called without a quotaSize).
+ * **quota_size** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* The quota size (in bytes) to override the original quota with. If this is called multiple times, the overridden quota will be equal to the quotaSize provided in the final call. If this is called without specifying a quotaSize, the quota will be reset to the default value for the specified origin. If this is called multiple times with different origins, the override will be maintained for each origin until it is disabled (called without a quotaSize).
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -770,7 +770,7 @@ Sets given cookies.
* **Parameters:**
* **cookies** ([`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`CookieParam`](network.md#nodriver.cdp.network.CookieParam)]) – Cookies to be set.
- * **browser_context_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BrowserContextID`](browser.md#nodriver.cdp.browser.BrowserContextID)]) – *(Optional)* Browser context to use when called on the browser endpoint.
+ * **browser_context_id** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`BrowserContextID`](browser.md#nodriver.cdp.browser.BrowserContextID)]) – *(Optional)* Browser context to use when called on the browser endpoint.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -795,7 +795,7 @@ Sets entry with `key` and `value` for a given origin’s shared storage.
* **owner_origin** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) –
* **key** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) –
* **value** ([`str`](https://docs.python.org/3/library/stdtypes.html#str)) –
- * **ignore_if_present** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If ``ignoreIfPresent``` is included and true, then only sets the entry if ```key`` doesn’t already exist.
+ * **ignore_if_present** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If ``ignoreIfPresent``` is included and true, then only sets the entry if ```key`` doesn’t already exist.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -904,19 +904,19 @@ you use the event’s attributes.
A cache’s contents have been modified.
-#### origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Origin to update.
-#### storage_key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### storage_key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Storage key to update.
-#### bucket_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### bucket_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Storage bucket to update.
-#### cache_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### cache_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Name of cache in origin.
@@ -924,15 +924,15 @@ Name of cache in origin.
A cache has been added/deleted.
-#### origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Origin to update.
-#### storage_key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### storage_key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Storage key to update.
-#### bucket_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### bucket_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Storage bucket to update.
@@ -940,23 +940,23 @@ Storage bucket to update.
The origin’s IndexedDB object store has been modified.
-#### origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Origin to update.
-#### storage_key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### storage_key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Storage key to update.
-#### bucket_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### bucket_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Storage bucket to update.
-#### database_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### database_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Database to update.
-#### object_store_name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### object_store_name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
ObjectStore to update.
@@ -964,15 +964,15 @@ ObjectStore to update.
The origin’s IndexedDB database list has been modified.
-#### origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Origin to update.
-#### storage_key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### storage_key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Storage key to update.
-#### bucket_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### bucket_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Storage bucket to update.
@@ -980,62 +980,62 @@ Storage bucket to update.
One of the interest groups was accessed by the associated page.
-#### access_time *: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
+#### access_time*: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
-#### type_ *: [`InterestGroupAccessType`](#nodriver.cdp.storage.InterestGroupAccessType)*
+#### type_*: [`InterestGroupAccessType`](#nodriver.cdp.storage.InterestGroupAccessType)*
-#### owner_origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### owner_origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### name *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### name*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* SharedStorageAccessed(access_time, type_, main_frame_id, owner_origin, params)
Shared storage was accessed by the associated page.
The following parameters are included in all events.
-#### access_time *: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
+#### access_time*: [`TimeSinceEpoch`](network.md#nodriver.cdp.network.TimeSinceEpoch)*
Time of the access.
-#### type_ *: [`SharedStorageAccessType`](#nodriver.cdp.storage.SharedStorageAccessType)*
+#### type_*: [`SharedStorageAccessType`](#nodriver.cdp.storage.SharedStorageAccessType)*
Enum value indicating the Shared Storage API method invoked.
-#### main_frame_id *: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
+#### main_frame_id*: [`FrameId`](page.md#nodriver.cdp.page.FrameId)*
DevTools Frame Token for the primary frame tree’s root.
-#### owner_origin *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### owner_origin*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
Serialized origin for the context that invoked the Shared Storage API.
-#### params *: [`SharedStorageAccessParams`](#nodriver.cdp.storage.SharedStorageAccessParams)*
+#### params*: [`SharedStorageAccessParams`](#nodriver.cdp.storage.SharedStorageAccessParams)*
The sub-parameters warapped by `params` are all optional and their
presence/absence depends on `type`.
### *class* StorageBucketCreatedOrUpdated(bucket_info)
-#### bucket_info *: [`StorageBucketInfo`](#nodriver.cdp.storage.StorageBucketInfo)*
+#### bucket_info*: [`StorageBucketInfo`](#nodriver.cdp.storage.StorageBucketInfo)*
### *class* StorageBucketDeleted(bucket_id)
-#### bucket_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### bucket_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
### *class* AttributionReportingSourceRegistered(registration, result)
**EXPERIMENTAL**
-#### registration *: [`AttributionReportingSourceRegistration`](#nodriver.cdp.storage.AttributionReportingSourceRegistration)*
+#### registration*: [`AttributionReportingSourceRegistration`](#nodriver.cdp.storage.AttributionReportingSourceRegistration)*
-#### result *: [`AttributionReportingSourceRegistrationResult`](#nodriver.cdp.storage.AttributionReportingSourceRegistrationResult)*
+#### result*: [`AttributionReportingSourceRegistrationResult`](#nodriver.cdp.storage.AttributionReportingSourceRegistrationResult)*
### *class* AttributionReportingTriggerRegistered(registration, event_level, aggregatable)
**EXPERIMENTAL**
-#### registration *: [`AttributionReportingTriggerRegistration`](#nodriver.cdp.storage.AttributionReportingTriggerRegistration)*
+#### registration*: [`AttributionReportingTriggerRegistration`](#nodriver.cdp.storage.AttributionReportingTriggerRegistration)*
-#### event_level *: [`AttributionReportingEventLevelResult`](#nodriver.cdp.storage.AttributionReportingEventLevelResult)*
+#### event_level*: [`AttributionReportingEventLevelResult`](#nodriver.cdp.storage.AttributionReportingEventLevelResult)*
-#### aggregatable *: [`AttributionReportingAggregatableResult`](#nodriver.cdp.storage.AttributionReportingAggregatableResult)*
+#### aggregatable*: [`AttributionReportingAggregatableResult`](#nodriver.cdp.storage.AttributionReportingAggregatableResult)*
diff --git a/docs/_build/markdown/nodriver/cdp/tracing.md b/docs/_build/markdown/nodriver/cdp/tracing.md
index 52639e1..3271f9d 100644
--- a/docs/_build/markdown/nodriver/cdp/tracing.md
+++ b/docs/_build/markdown/nodriver/cdp/tracing.md
@@ -20,40 +20,40 @@ Configuration for memory dump. Used only when “memory-infra” category is ena
### *class* TraceConfig(record_mode=None, trace_buffer_size_in_kb=None, enable_sampling=None, enable_systrace=None, enable_argument_filter=None, included_categories=None, excluded_categories=None, synthetic_delays=None, memory_dump_config=None)
-#### record_mode *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### record_mode*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Controls how the trace buffer stores data.
-#### trace_buffer_size_in_kb *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
+#### trace_buffer_size_in_kb*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]* *= None*
Size of the trace buffer in kilobytes. If not specified or zero is passed, a default value
of 200 MB would be used.
-#### enable_sampling *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### enable_sampling*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Turns on JavaScript stack sampling.
-#### enable_systrace *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### enable_systrace*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Turns on system tracing.
-#### enable_argument_filter *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### enable_argument_filter*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Turns on argument filter.
-#### included_categories *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
+#### included_categories*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
Included category filters.
-#### excluded_categories *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
+#### excluded_categories*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
Excluded category filters.
-#### synthetic_delays *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
+#### synthetic_delays*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]]* *= None*
Configuration to synthesize the delays in tracing.
-#### memory_dump_config *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MemoryDumpConfig`](#nodriver.cdp.tracing.MemoryDumpConfig)]* *= None*
+#### memory_dump_config*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MemoryDumpConfig`](#nodriver.cdp.tracing.MemoryDumpConfig)]* *= None*
Configuration for memory dump triggers. Used only when “memory-infra” category is enabled.
@@ -141,8 +141,8 @@ Record a clock sync marker in the trace.
Request a global memory dump.
* **Parameters:**
- * **deterministic** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Enables more deterministic results by forcing garbage collection
- * **level_of_detail** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MemoryDumpLevelOfDetail`](#nodriver.cdp.tracing.MemoryDumpLevelOfDetail)]) – *(Optional)* Specifies level of details in memory dump. Defaults to “detailed”.
+ * **deterministic** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Enables more deterministic results by forcing garbage collection
+ * **level_of_detail** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`MemoryDumpLevelOfDetail`](#nodriver.cdp.tracing.MemoryDumpLevelOfDetail)]) – *(Optional)* Specifies level of details in memory dump. Defaults to “detailed”.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Tuple`](https://docs.python.org/3/library/typing.html#typing.Tuple)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`bool`](https://docs.python.org/3/library/functions.html#bool)]]
* **Returns:**
@@ -155,15 +155,15 @@ Request a global memory dump.
Start trace events collection.
* **Parameters:**
- * **categories** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(DEPRECATED)** *(Optional)* Category/tag filter
- * **options** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(DEPRECATED)** *(Optional)* Tracing options
- * **buffer_usage_reporting_interval** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* If set, the agent will issue bufferUsage events at this interval, specified in milliseconds
- * **transfer_mode** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Whether to report trace events as series of dataCollected events or to save trace to a stream (defaults to ``ReportEvents```).
- * **stream_format** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamFormat`](#nodriver.cdp.tracing.StreamFormat)]) – *(Optional)* Trace data format to use. This only applies when using ```ReturnAsStream``` transfer mode (defaults to ```json```).
- * **stream_compression** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamCompression`](#nodriver.cdp.tracing.StreamCompression)]) – *(Optional)* Compression format to use. This only applies when using ```ReturnAsStream``` transfer mode (defaults to ```none```)
- * **trace_config** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TraceConfig`](#nodriver.cdp.tracing.TraceConfig)]) – *(Optional)*
- * **perfetto_config** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Base64-encoded serialized perfetto.protos.TraceConfig protobuf message When specified, the parameters ```categories```, ```options```, ```traceConfig``` are ignored. (Encoded as a base64 string when passed over JSON)
- * **tracing_backend** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TracingBackend`](#nodriver.cdp.tracing.TracingBackend)]) – *(Optional)* Backend type (defaults to ```auto``)
+ * **categories** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(DEPRECATED)** *(Optional)* Category/tag filter
+ * **options** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – **(DEPRECATED)** *(Optional)* Tracing options
+ * **buffer_usage_reporting_interval** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]) – *(Optional)* If set, the agent will issue bufferUsage events at this interval, specified in milliseconds
+ * **transfer_mode** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Whether to report trace events as series of dataCollected events or to save trace to a stream (defaults to ``ReportEvents```).
+ * **stream_format** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamFormat`](#nodriver.cdp.tracing.StreamFormat)]) – *(Optional)* Trace data format to use. This only applies when using ```ReturnAsStream``` transfer mode (defaults to ```json```).
+ * **stream_compression** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamCompression`](#nodriver.cdp.tracing.StreamCompression)]) – *(Optional)* Compression format to use. This only applies when using ```ReturnAsStream``` transfer mode (defaults to ```none```)
+ * **trace_config** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TraceConfig`](#nodriver.cdp.tracing.TraceConfig)]) – *(Optional)*
+ * **perfetto_config** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]) – *(Optional)* Base64-encoded serialized perfetto.protos.TraceConfig protobuf message When specified, the parameters ```categories```, ```options```, ```traceConfig``` are ignored. (Encoded as a base64 string when passed over JSON)
+ * **tracing_backend** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`TracingBackend`](#nodriver.cdp.tracing.TracingBackend)]) – *(Optional)* Backend type (defaults to ```auto``)
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -175,16 +175,16 @@ you use the event’s attributes.
### *class* BufferUsage(percent_full, event_count, value)
-#### percent_full *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]*
+#### percent_full*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]*
A number in range [0..1] that indicates the used size of event buffer as a fraction of its
total size.
-#### event_count *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]*
+#### event_count*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]*
An approximate number of events in the trace log.
-#### value *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]*
+#### value*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`float`](https://docs.python.org/3/library/functions.html#float)]*
A number in range [0..1] that indicates the used size of event buffer as a fraction of its
total size.
@@ -194,26 +194,26 @@ total size.
Contains a bucket of collected trace events. When tracing is stopped collected events will be
sent as a sequence of dataCollected events followed by tracingComplete event.
-#### value *: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`dict`](https://docs.python.org/3/library/stdtypes.html#dict)]*
+#### value*: [`List`](https://docs.python.org/3/library/typing.html#typing.List)[[`dict`](https://docs.python.org/3/library/stdtypes.html#dict)]*
### *class* TracingComplete(data_loss_occurred, stream, trace_format, stream_compression)
Signals that tracing is stopped and there is no trace buffers pending flush, all data were
delivered via dataCollected events.
-#### data_loss_occurred *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### data_loss_occurred*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
Indicates whether some trace data is known to have been lost, e.g. because the trace ring
buffer wrapped around.
-#### stream *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamHandle`](io.md#nodriver.cdp.io.StreamHandle)]*
+#### stream*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamHandle`](io.md#nodriver.cdp.io.StreamHandle)]*
A handle of the stream that holds resulting trace data.
-#### trace_format *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamFormat`](#nodriver.cdp.tracing.StreamFormat)]*
+#### trace_format*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamFormat`](#nodriver.cdp.tracing.StreamFormat)]*
Trace data format of returned stream.
-#### stream_compression *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamCompression`](#nodriver.cdp.tracing.StreamCompression)]*
+#### stream_compression*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`StreamCompression`](#nodriver.cdp.tracing.StreamCompression)]*
Compression format of returned stream.
diff --git a/docs/_build/markdown/nodriver/cdp/web_authn.md b/docs/_build/markdown/nodriver/cdp/web_authn.md
index 7c96721..0b58f7b 100644
--- a/docs/_build/markdown/nodriver/cdp/web_authn.md
+++ b/docs/_build/markdown/nodriver/cdp/web_authn.md
@@ -45,63 +45,63 @@ arguments to other commands.
### *class* VirtualAuthenticatorOptions(protocol, transport, ctap2_version=None, has_resident_key=None, has_user_verification=None, has_large_blob=None, has_cred_blob=None, has_min_pin_length=None, has_prf=None, automatic_presence_simulation=None, is_user_verified=None, default_backup_eligibility=None, default_backup_state=None)
-#### protocol *: [`AuthenticatorProtocol`](#nodriver.cdp.web_authn.AuthenticatorProtocol)*
+#### protocol*: [`AuthenticatorProtocol`](#nodriver.cdp.web_authn.AuthenticatorProtocol)*
-#### transport *: [`AuthenticatorTransport`](#nodriver.cdp.web_authn.AuthenticatorTransport)*
+#### transport*: [`AuthenticatorTransport`](#nodriver.cdp.web_authn.AuthenticatorTransport)*
-#### ctap2_version *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Ctap2Version`](#nodriver.cdp.web_authn.Ctap2Version)]* *= None*
+#### ctap2_version*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`Ctap2Version`](#nodriver.cdp.web_authn.Ctap2Version)]* *= None*
Defaults to ctap2_0. Ignored if `protocol` == u2f.
-#### has_resident_key *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### has_resident_key*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Defaults to false.
-#### has_user_verification *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### has_user_verification*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Defaults to false.
-#### has_large_blob *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### has_large_blob*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
If set to true, the authenticator will support the largeBlob extension.
[https://w3c.github.io/webauthn#largeBlob](https://w3c.github.io/webauthn#largeBlob)
Defaults to false.
-#### has_cred_blob *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### has_cred_blob*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
If set to true, the authenticator will support the credBlob extension.
[https://fidoalliance.org/specs/fido-v2.1-rd-20201208/fido-client-to-authenticator-protocol-v2.1-rd-20201208.html#sctn-credBlob-extension](https://fidoalliance.org/specs/fido-v2.1-rd-20201208/fido-client-to-authenticator-protocol-v2.1-rd-20201208.html#sctn-credBlob-extension)
Defaults to false.
-#### has_min_pin_length *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### has_min_pin_length*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
If set to true, the authenticator will support the minPinLength extension.
[https://fidoalliance.org/specs/fido-v2.1-ps-20210615/fido-client-to-authenticator-protocol-v2.1-ps-20210615.html#sctn-minpinlength-extension](https://fidoalliance.org/specs/fido-v2.1-ps-20210615/fido-client-to-authenticator-protocol-v2.1-ps-20210615.html#sctn-minpinlength-extension)
Defaults to false.
-#### has_prf *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### has_prf*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
If set to true, the authenticator will support the prf extension.
[https://w3c.github.io/webauthn/#prf-extension](https://w3c.github.io/webauthn/#prf-extension)
Defaults to false.
-#### automatic_presence_simulation *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### automatic_presence_simulation*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
If set to true, tests of user presence will succeed immediately.
Otherwise, they will not be resolved. Defaults to true.
-#### is_user_verified *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### is_user_verified*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Sets whether User Verification succeeds or fails for an authenticator.
Defaults to false.
-#### default_backup_eligibility *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### default_backup_eligibility*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Credentials created by this authenticator will have the backup
eligibility (BE) flag set to this value. Defaults to false.
[https://w3c.github.io/webauthn/#sctn-credential-backup](https://w3c.github.io/webauthn/#sctn-credential-backup)
-#### default_backup_state *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
+#### default_backup_state*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]* *= None*
Credentials created by this authenticator will have the backup state
(BS) flag set to this value. Defaults to false.
@@ -109,31 +109,31 @@ Credentials created by this authenticator will have the backup state
### *class* Credential(credential_id, is_resident_credential, private_key, sign_count, rp_id=None, user_handle=None, large_blob=None)
-#### credential_id *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### credential_id*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
-#### is_resident_credential *: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
+#### is_resident_credential*: [`bool`](https://docs.python.org/3/library/functions.html#bool)*
-#### private_key *: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
+#### private_key*: [`str`](https://docs.python.org/3/library/stdtypes.html#str)*
The ECDSA P-256 private key in PKCS#8 format. (Encoded as a base64 string when passed over JSON)
-#### sign_count *: [`int`](https://docs.python.org/3/library/functions.html#int)*
+#### sign_count*: [`int`](https://docs.python.org/3/library/functions.html#int)*
Signature counter. This is incremented by one for each successful
assertion.
See [https://w3c.github.io/webauthn/#signature-counter](https://w3c.github.io/webauthn/#signature-counter)
-#### rp_id *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### rp_id*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
Relying Party ID the credential is scoped to. Must be set when adding a
credential.
-#### user_handle *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### user_handle*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
An opaque byte sequence with a maximum size of 64 bytes mapping the
credential to a specific user. (Encoded as a base64 string when passed over JSON)
-#### large_blob *: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
+#### large_blob*: [`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`str`](https://docs.python.org/3/library/stdtypes.html#str)]* *= None*
The large blob associated with the credential.
See [https://w3c.github.io/webauthn/#sctn-large-blob-extension](https://w3c.github.io/webauthn/#sctn-large-blob-extension) (Encoded as a base64 string when passed over JSON)
@@ -191,7 +191,7 @@ Enable the WebAuthn domain and start intercepting credential storage and
retrieval with a virtual authenticator.
* **Parameters:**
- **enable_ui** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to enable the WebAuthn user interface. Enabling the UI is recommended for debugging and demo purposes, as it is closer to the real experience. Disabling the UI is recommended for automated testing. Supported at the embedder’s discretion if UI is available. Defaults to false.
+ **enable_ui** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* Whether to enable the WebAuthn user interface. Enabling the UI is recommended for debugging and demo purposes, as it is closer to the real experience. Disabling the UI is recommended for automated testing. Supported at the embedder’s discretion if UI is available. Defaults to false.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -253,9 +253,9 @@ Resets parameters isBogusSignature, isBadUV, isBadUP to false if they are not pr
* **Parameters:**
* **authenticator_id** ([`AuthenticatorId`](#nodriver.cdp.web_authn.AuthenticatorId)) –
- * **is_bogus_signature** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If isBogusSignature is set, overrides the signature in the authenticator response to be zero. Defaults to false.
- * **is_bad_uv** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If isBadUV is set, overrides the UV bit in the flags in the authenticator response to be zero. Defaults to false.
- * **is_bad_up** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If isBadUP is set, overrides the UP bit in the flags in the authenticator response to be zero. Defaults to false.
+ * **is_bogus_signature** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If isBogusSignature is set, overrides the signature in the authenticator response to be zero. Defaults to false.
+ * **is_bad_uv** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If isBadUV is set, overrides the UV bit in the flags in the authenticator response to be zero. Defaults to false.
+ * **is_bad_up** ([`Optional`](https://docs.python.org/3/library/typing.html#typing.Optional)[[`bool`](https://docs.python.org/3/library/functions.html#bool)]) – *(Optional)* If isBadUP is set, overrides the UP bit in the flags in the authenticator response to be zero. Defaults to false.
* **Return type:**
[`Generator`](https://docs.python.org/3/library/typing.html#typing.Generator)[[`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`Dict`](https://docs.python.org/3/library/typing.html#typing.Dict)[[`str`](https://docs.python.org/3/library/stdtypes.html#str), [`Any`](https://docs.python.org/3/library/typing.html#typing.Any)], [`None`](https://docs.python.org/3/library/constants.html#None)]
@@ -280,14 +280,14 @@ you use the event’s attributes.
Triggered when a credential is added to an authenticator.
-#### authenticator_id *: [`AuthenticatorId`](#nodriver.cdp.web_authn.AuthenticatorId)*
+#### authenticator_id*: [`AuthenticatorId`](#nodriver.cdp.web_authn.AuthenticatorId)*
-#### credential *: [`Credential`](#nodriver.cdp.web_authn.Credential)*
+#### credential*: [`Credential`](#nodriver.cdp.web_authn.Credential)*
### *class* CredentialAsserted(authenticator_id, credential)
Triggered when a credential is used in a webauthn assertion.
-#### authenticator_id *: [`AuthenticatorId`](#nodriver.cdp.web_authn.AuthenticatorId)*
+#### authenticator_id*: [`AuthenticatorId`](#nodriver.cdp.web_authn.AuthenticatorId)*
-#### credential *: [`Credential`](#nodriver.cdp.web_authn.Credential)*
+#### credential*: [`Credential`](#nodriver.cdp.web_authn.Credential)*
diff --git a/example/demo.py b/example/demo.py
index 9a21dd5..bfcae2d 100644
--- a/example/demo.py
+++ b/example/demo.py
@@ -10,6 +10,7 @@
logger = logging.getLogger("demo")
logging.basicConfig(level=10)
+
try:
import nodriver as uc
except (ModuleNotFoundError, ImportError):
@@ -18,6 +19,7 @@
sys.path.insert(0, os.path.join(os.path.dirname(__file__), ".."))
import nodriver as uc
+
import time
_monitor = mss.mss().monitors[0]
diff --git a/example/imgur_upload_image.py b/example/imgur_upload_image.py
index e9a6d1a..3ac1ce4 100644
--- a/example/imgur_upload_image.py
+++ b/example/imgur_upload_image.py
@@ -1,4 +1,12 @@
-from nodriver import *
+
+try:
+ from nodriver import *
+except (ModuleNotFoundError, ImportError):
+ import sys, os
+
+ sys.path.insert(0, os.path.join(os.path.dirname(__file__), ".."))
+ from nodriver import *
+
from pathlib import Path
# interesting, this is a typical site which runs completely on javascript, and that causes
diff --git a/example/make_twitter_account.py b/example/make_twitter_account.py
index d1ff22f..1769036 100644
--- a/example/make_twitter_account.py
+++ b/example/make_twitter_account.py
@@ -10,7 +10,15 @@
logging.basicConfig(level=30)
-import nodriver as uc
+try:
+ import nodriver as uc
+except (ModuleNotFoundError, ImportError):
+ import sys, os
+
+ sys.path.insert(0, os.path.join(os.path.dirname(__file__), ".."))
+ import nodriver as uc
+
+
months = [
"january",
diff --git a/example/mouse_drag_boxes.py b/example/mouse_drag_boxes.py
index 98656da..816dcdd 100644
--- a/example/mouse_drag_boxes.py
+++ b/example/mouse_drag_boxes.py
@@ -1,5 +1,13 @@
-from nodriver import *
+
+
+try:
+ from nodriver import *
+except (ModuleNotFoundError, ImportError):
+ import sys, os
+
+ sys.path.insert(0, os.path.join(os.path.dirname(__file__), ".."))
+ from nodriver import *
async def main():
diff --git a/generate_cdp.py b/generate_cdp.py
index 6ca5a3b..1f4635c 100644
--- a/generate_cdp.py
+++ b/generate_cdp.py
@@ -1016,7 +1016,7 @@ def generate_docs(docs_path, domains):
# Generate document for each domain
for domain in domains:
doc = docs_path / f"{domain.module}.rst"
- with doc.aopen("w") as f:
+ with doc.open("w") as f:
f.write(domain.generate_sphinx())
diff --git a/nodriver/core/connection.py b/nodriver/core/connection.py
index dfc3fff..ac860ef 100644
--- a/nodriver/core/connection.py
+++ b/nodriver/core/connection.py
@@ -551,7 +551,7 @@ async def listener_loop(self):
# response to our command
if message["id"] in self.connection.mapper:
# get the corresponding Transaction
- tx = self.connection.mapper[message["id"]]
+ tx = self.connection.mapper.pop(message["id"])
logger.debug("got answer for %s", tx)
# complete the transaction, which is a Future object
# and thus will return to anyone awaiting it.
diff --git a/pyproject.toml b/pyproject.toml
index 442f659..30207a5 100644
--- a/pyproject.toml
+++ b/pyproject.toml
@@ -1,6 +1,6 @@
[project]
name = "nodriver" # Required
-version = "0.29rc1" # Required
+version = "0.32" # Required
description = """
* Official successor of Undetected Chromedriver
* Can be made to work for for all chromium based browsers.