diff --git a/2024.9.2/404.html b/2024.9.2/404.html new file mode 100644 index 0000000..afa80de --- /dev/null +++ b/2024.9.2/404.html @@ -0,0 +1,766 @@ + + + + + + + + + + + + + + + + + + + PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ +

404 - Not found

+ +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/api/index.html b/2024.9.2/api/index.html new file mode 100644 index 0000000..c801ea8 --- /dev/null +++ b/2024.9.2/api/index.html @@ -0,0 +1,2102 @@ + + + + + + + + + + + + + + + + + + + + + + + Built-in APIs - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ + + + Skip to content + + +
+
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + + + + + +
+
+ + + + +

Built-in APIs

+

PyScript makes available convenience objects, functions and attributes.

+

In Python this is done via the builtin pyscript module:

+
Accessing the document object via the pyscript module
from pyscript import document
+
+

In HTML this is done via py-* and mpy-* attributes (depending on the +interpreter you're using):

+
An example of a py-click handler
<button id="foo" py-click="handler_defined_in_python">Click me</button>
+
+

These APIs will work with both Pyodide and Micropython in exactly the same way.

+
+

Info

+

Both Pyodide and MicroPython provide access to two further lower-level +APIs:

+
    +
  • Access to + JavaScript's globalThis + via importing the js module: import js (now js is a proxy for + globalThis in which all native JavaScript based browser APIs are + found).
  • +
  • Access to interpreter specific versions of utilities and the foreign + function interface. Since these are different for each interpreter, and + beyond the scope of PyScript's own documentation, please check each + project's documentation + (Pyodide / + MicroPython) for details of + these lower-level APIs.
  • +
+
+

PyScript can run in two contexts: the main browser thread, or on a web worker. +The following three categories of API functionality explain features that are +common for both main thread and worker, main thread only, and worker only. Most +features work in both contexts in exactly the same manner, but please be aware +that some are specific to either the main thread or a worker context.

+

Common features

+

These Python objects / functions are available in both the main thread and in +code running on a web worker:

+

pyscript.config

+

A Python dictionary representing the configuration for the interpreter.

+
Reading the current configuration.
from pyscript import config
+
+
+# It's just a dict.
+print(config.get("files"))
+# This will be either "mpy" or "py" depending on the current interpreter.
+print(config["type"])
+
+
+

Info

+

The config object will always include a type attribute set to either +mpy or py, to indicate which version of Python your code is currently +running in.

+
+
+

Warning

+

Changing the config dictionary at runtime has no effect on the actual +configuration.

+

It's just a convenience to read the configuration at run time.

+
+

pyscript.current_target

+

A utility function to retrieve the unique identifier of the element used +to display content. If the element is not a <script> and it already has +an id, that id will be returned.

+
The current_target utility
<!-- current_target(): explicit-id -->
+<mpy-script id="explicit-id">
+    from pyscript import display, current_target
+    display(f"current_target(): {current_target()}")
+</mpy-script>
+
+<!-- current_target(): mpy-0 -->
+<mpy-script>
+    from pyscript import display, current_target
+    display(f"current_target(): {current_target()}")
+</mpy-script>
+
+<!-- current_target(): mpy-1 -->
+<!-- creates right after the <script>:
+    <script-py id="mpy-1">
+        <div>current_target(): mpy-1</div>
+    </script-py>
+-->
+<script type="mpy">
+    from pyscript import display, current_target
+    display(f"current_target(): {current_target()}")
+</script>
+
+
+

Note

+

The return value of current_target() always references a visible element +on the page, not at the current <script> that is executing the code.

+

To reference the <script> element executing the code, assign it an id:

+
<script type="mpy" id="unique-id">...</script>
+
+

Then use the standard document.getElementById(script_id) function to +return a reference to it in your code.

+
+

pyscript.display

+

A function used to display content. The function is intelligent enough to +introspect the object[s] it is passed and work out how to correctly display the +object[s] in the web page based on the following mime types:

+
    +
  • text/plain to show the content as text
  • +
  • text/html to show the content as HTML
  • +
  • image/png to show the content as <img>
  • +
  • image/jpeg to show the content as <img>
  • +
  • image/svg+xml to show the content as <svg>
  • +
  • application/json to show the content as JSON
  • +
  • application/javascript to put the content in <script> (discouraged)
  • +
+

The display function takes a list of *values as its first argument, and has +two optional named arguments:

+
    +
  • target=None - the DOM element into which the content should be placed. + If not specified, the target will use the current_script() returned id + and populate the related dedicated node to show the content.
  • +
  • append=True - a flag to indicate if the output is going to be appended to + the target.
  • +
+

There are some caveats:

+
    +
  • When used in the main thread, the display function automatically uses + the current <py-script> or <mpy-script> tag as the target into which + the content will be displayed.
  • +
  • If the <script> tag has the target attribute, and is not a worker, + the element on the page with that ID (or which matches that selector) + will be used to display the content instead.
  • +
  • When used in a worker, the display function needs an explicit + target="dom-id" argument to identify where the content will be + displayed.
  • +
  • In both the main thread and worker, append=True is the default + behaviour.
  • +
+
Various display examples
<!-- will produce
+    <py-script>PyScript</py-script>
+-->
+<py-script worker>
+    from pyscript import display
+    display("PyScript", append=False)
+</py-script>
+
+<!-- will produce
+    <script type="py">...</script>
+    <script-py>PyScript</script-py>
+-->
+<script type="py">
+    from pyscript import display
+    display("PyScript", append=False)
+</script>
+
+<!-- will populate <h1>PyScript</h1> -->
+<script type="py" target="my-h1">
+    from pyscript import display
+    display("PyScript", append=False)
+</script>
+<h1 id="my-h1"></h1>
+
+<!-- will populate <h2>PyScript</h2> -->
+<script type="py" worker>
+    from pyscript import display
+    display("PyScript", target="my-h2", append=False)
+</script>
+<h2 id="my-h2"></h2>
+
+

pyscript.document

+

On both main and worker threads, this object is a proxy for the web page's +document object. +The document is a representation of the +DOM +and can be used to read or manipulate the content of the web page.

+

pyscript.fetch

+

A common task is to fetch data from the web via HTTP requests. The +pyscript.fetch function provides a uniform way to achieve this in both +Pyodide and MicroPython. It is closely modelled on the +Fetch API found +in browsers with some important Pythonic differences.

+

The simple use case is to pass in a URL and await the response. If this +request is in a function, that function should also be defined as async.

+
A simple HTTP GET with pyscript.fetch
from pyscript import fetch
+
+
+response = await fetch("https://example.com")
+if response.ok:
+    data = await response.text()
+else:
+    print(response.status)
+
+

The object returned from an await fetch call will have attributes that +correspond to the +JavaScript response object. +This is useful for getting response codes, headers and other metadata before +processing the response's data.

+

Alternatively, rather than using a double await (one to get the response, the +other to grab the data), it's possible to chain the calls into a single +await like this:

+
A simple HTTP GET as a single await
from pyscript import fetch
+
+data = await fetch("https://example.com").text()
+
+

The following awaitable methods are available to you to access the data +returned from the server:

+
    +
  • arrayBuffer() returns a Python + memoryview of + the response. This is equivalent to the + arrayBuffer() method + in the browser based fetch API.
  • +
  • blob() returns a JavaScript + blob + version of the response. This is equivalent to the + blob() method + in the browser based fetch API.
  • +
  • bytearray() returns a Python + bytearray + version of the response.
  • +
  • json() returns a Python datastructure representing a JSON serialised + payload in the response.
  • +
  • text() returns a Python string version of the response.
  • +
+

The underlying browser fetch API has +many request options +that you should simply pass in as keyword arguments like this:

+
Supplying request options.
from pyscript import fetch
+
+
+result = await fetch("https://example.com", method="POST", body="HELLO").text()
+
+
+

Danger

+

You may encounter +CORS +errors (especially with reference to a missing +Access-Control-Allow-Origin header.

+

This is a security feature of modern browsers where the site to which you +are making a request will not process a request from a site hosted at +another domain.

+

For example, if your PyScript app is hosted under example.com and you +make a request to bbc.co.uk (who don't allow requests from other domains) +then you'll encounter this sort of CORS related error.

+

There is nothing PyScript can do about this problem (it's a feature, not a +bug). However, you could use a pass-through proxy service to get around +this limitation (i.e. the proxy service makes the call on your behalf).

+
+

pyscript.ffi

+

The pyscript.ffi namespace contains foreign function interface (FFI) methods +that work in both Pyodide and MicroPython.

+

pyscript.ffi.create_proxy

+

A utility function explicitly for when a callback function is added via an +event listener. It ensures the function still exists beyond the assignment of +the function to an event. Should you not create_proxy around the callback +function, it will be immediately garbage collected after being bound to the +event.

+
+

Warning

+

There is some technical complexity to this situation, and we have attempted +to create a mechanism where create_proxy is never needed.

+

Pyodide expects the created proxy to be explicitly destroyed when it's +not needed / used anymore. However, the underlying proxy.destroy() method +has not been implemented in MicroPython (yet).

+

To simplify this situation and automatically destroy proxies based on +JavaScript memory management (garbage collection) heuristics, we have +introduced an experimental flag:

+
experimental_create_proxy = "auto"
+
+

This flag ensures the proxy creation and destruction process is managed for +you. When using this flag you should never need to explicitly call +create_proxy.

+
+

The technical details of how this works are +described here.

+

pyscript.ffi.to_js

+

A utility function to convert Python references into their JavaScript +equivalents. For example, a Python dictionary is converted into a JavaScript +object literal (rather than a JavaScript Map), unless a dict_converter +is explicitly specified and the runtime is Pyodide.

+

The technical details of how this works are described here.

+

pyscript.js_modules

+

It is possible to define JavaScript modules to use within your Python code.

+

Such named modules will always then be available under the +pyscript.js_modules namespace.

+
+

Warning

+

Please see the documentation (linked above) about restrictions and gotchas +when configuring how JavaScript modules are made available to PyScript.

+
+

pyscript.storage

+

The pyscript.storage API wraps the browser's built-in +IndexDB +persistent storage in a synchronous Pythonic API.

+
+

Info

+

The storage API is persistent per user tab, page, or domain, in the same +way IndexedDB persists.

+

This API is not saving files in the interpreter's virtual file system +nor onto the user's hard drive.

+
+
from pyscript import storage
+
+
+# Each store must have a meaningful name.
+store = await storage("my-storage-name")
+
+# store is a dictionary and can now be used as such.
+
+

The returned dictionary automatically loads the current state of the referenced +IndexDB. All changes are automatically queued in the background.

+
# This is a write operation.
+store["key"] = value
+
+# This is also a write operation (it changes the stored data).
+del store["key"]
+
+

Should you wish to be certain changes have been synchronized to the underlying +IndexDB, just await store.sync().

+

Common types of value can be stored via this API: bool, float, int, str +and None. In addition, data structures like list, dict and tuple can +be stored.

+
+

Warning

+

Because of the way the underlying data structure are stored in IndexDB, +a Python tuple will always be returned as a Python list.

+
+

It is even possible to store arbitrary data via a bytearray or +memoryview object. However, there is a limitation that such values must be +stored as a single key/value pair, and not as part of a nested data +structure.

+

Sometimes you may need to modify the behaviour of the dict like object +returned by pyscript.storage. To do this, create a new class that inherits +from pyscript.Storage, then pass in your class to pyscript.storage as the +storage_class argument:

+
from pyscript import window, storage, Storage
+
+
+class MyStorage(Storage):
+
+    def __setitem__(self, key, value):
+        super().__setitem__(key, value)
+        window.console.log(key, value)
+        ...
+
+
+store = await storage("my-data-store", storage_class=MyStorage)
+
+# The store object is now an instance of MyStorage.
+
+

@pyscript/core/dist/storage.js

+

The equivalent functionality based on the JS module can be found through our module.

+

The goal is to be able to share the same database across different worlds (interpreters) and the functionality is nearly identical except there is no class to provide because the storage in JS is just a dictionary proxy that synchronizes behind the scene all read, write or delete operations.

+

pyscript.web

+

The classes and references in this namespace provide a Pythonic way to interact +with the DOM. An explanation for how to idiomatically use this API can be found +in the user guide

+

pyscript.web.page

+

This object represents a web page. It has four attributes and two methods:

+
    +
  • html - a reference to a Python object representing the document's html root element.
  • +
  • head - a reference to a Python object representing the document's head.
  • +
  • body - a reference to a Python object representing the document's body.
  • +
  • title - the page's title (usually displayed in the browser's title bar or a page's tab.
  • +
  • find - a method that takes a single selector + argument and returns a collection of Python objects representing the matching + elements.
  • +
  • append - a shortcut for page.body.append (to add new elements to the + page).
  • +
+

You may also shortcut the find method by enclosing a CSS selector in square +brackets: page["#my-thing"].

+

These are provided as a convenience so you have several simple and obvious +options for accessing and changing the content of the page.

+

All the Python objects returned by these attributes and method are instances of +classes relating to HTML elements defined in the pyscript.web namespace.

+

pyscript.web.*

+

There are many classes in this namespace. Each is a one-to-one mapping of any +HTML element name to a Python class representing the HTML element of that +name. Each Python class ensures only valid properties and attributes can be +assigned, according to web standards.

+

Usage of these classes is +explained in the user guide.

+
+

Info

+

The full list of supported element/class names is:

+
grid
+a, abbr, address, area, article, aside, audio
+b, base, blockquote, body, br, button
+canvas, caption, cite, code, col, colgroup
+data, datalist, dd, del_, details, dialog, div, dl, dt
+em, embed
+fieldset, figcaption, figure, footer, form
+h1, h2, h3, h4, h5, h6, head, header, hgroup, hr, html
+i, iframe, img, input_, ins
+kbd
+label, legend, li, link
+main, map_, mark, menu, meta, meter
+nav
+object_, ol, optgroup, option, output
+p, param, picture, pre, progress
+q
+s, script, section, select, small, source, span, strong, style, sub, summary, sup
+table, tbody, td, template, textarea, tfoot, th, thead, time, title, tr, track
+u, ul
+var, video
+wbr
+
+

These correspond to the standard +HTML elements +with the caveat that del_ and input_ have the trailing underscore +(_) because they are also keywords in Python, and the grid is a custom +class for a div with a grid style display property.

+

All these classes ultimately derive from the +pyscript.web.elements.Element base class.

+
+

In addition to properties defined by the HTML standard for each type of HTML +element (e.g. title, src or href), all elements have the following +properties and methods (in alphabetical order):

+
    +
  • append(child) - add the child element to the element's children.
  • +
  • children - a collection containing the element's child elements (that it + contains).
  • +
  • classes - a set of CSS classes associated with the element.
  • +
  • clone(clone_id=None) - Make a clone of the element (and the underlying DOM + object), and assign it the optional clone_id.
  • +
  • find(selector) - use a CSS selector to find matching child elements.
  • +
  • parent - the element's parent element (that contains it).
  • +
  • show_me - scroll the element into view.
  • +
  • style - a dictionary of CSS style properties associated with the element.
  • +
  • update(classes=None, style=None, **kwargs) - update the element with the + specified classes (set), style (dict) and DOM properties (kwargs).
  • +
  • _dom_element - a reference to the proxy object that represents the + underlying native HTML element.
  • +
+
+

Info

+

All elements, by virtue of inheriting from the base Element class, may +have the following properties:

+
accesskey, autofocus, autocapitalize,
+className, contenteditable,
+draggable,
+enterkeyhint,
+hidden,
+innerHTML, id,
+lang,
+nonce,
+part, popover,
+slot, spellcheck,
+tabindex, text, title, translate,
+virtualkeyboardpolicy
+
+
+

The classes set-like object has the following convenience functions:

+
    +
  • add(*class_names) - add the class(es) to the element.
  • +
  • contains(class_name) - indicate if class_name is associated with the + element.
  • +
  • remove(*class_names) - remove the class(es) from the element.
  • +
  • replace(old_class, new_class) - replace the old_class with new_class.
  • +
  • toggle(class_name) - add a class if it is absent, or remove a class if it + is present.
  • +
+

Elements that require options (such as the datalist, optgroup and select +elements), can have options passed in when they are created:

+
my_select = select_(option("apple", value=1), option("pear"))
+
+

Notice how options can be a tuple of two values (the name and associated value) +or just the single name (whose associated value will default to the given +name).

+

It's possible to access and manipulate the options of the resulting elements:

+
selected_option = my_select.options.selected
+my_select.options.remove(0)  # Remove the first option (in position 0).
+my_select.clear()
+my_select.options.add(html="Orange")
+
+

Finally, the collection of elements returned by find and children is +iterable, indexable and sliceable:

+
for child in my_element.children[10:]:
+    print(child.html)
+
+

Furthermore, four attributes related to all elements contained in the +collection can be read (as a list) or set (applied to all contained elements):

+
    +
  • classes - the list of classes associated with the elements.
  • +
  • innerHTML - the innerHTML of each element.
  • +
  • style - a dictionary like object for interacting with CSS style rules.
  • +
  • value - the value attribute associated with each element.
  • +
+

pyscript.when

+

A Python decorator to indicate the decorated function should handle the +specified events for selected elements.

+

The decorator takes two parameters:

+
    +
  • The event_type should be the name of the + browser event to handle + as a string (e.g. "click").
  • +
  • The selector should be a string containing a + valid selector + to indicate the target elements in the DOM whose events of event_type are + of interest.
  • +
+

The following example has a button with an id of my_button and a decorated +function that handles click events dispatched by the button.

+
The HTML button
<button id="my_button">Click me!</button>
+
+
The decorated Python function to handle click events
from pyscript import when, display
+
+
+@when("click", "#my_button")
+def click_handler(event):
+    """
+    Event handlers get an event object representing the activity that raised
+    them.
+    """
+    display("I've been clicked!")
+
+

This functionality is related to the py-* or mpy-* HTML attributes.

+

pyscript.window

+

On the main thread, this object is exactly the same as import js which, in +turn, is a proxy of JavaScript's +globalThis +object.

+

On a worker thread, this object is a proxy for the web page's +global window context.

+
+

Warning

+

The reference for pyscript.window is always a reference to the main +thread's global window context.

+

If you're running code in a worker this is not the worker's own global +context. A worker's global context is always reachable via import js +(the js object being a proxy for the worker's globalThis).

+
+

pyscript.HTML

+

A class to wrap generic content and display it as un-escaped HTML on the page.

+
The HTML class
<script type="mpy">
+    from pyscript import display, HTML
+
+    # Escaped by default:
+    display("<em>em</em>")  # &lt;em&gt;em&lt;/em&gt;
+</script>
+
+<script type="mpy">
+    from pyscript import display, HTML
+
+    # Un-escaped raw content inserted into the page:
+    display(HTML("<em>em</em>"))  # <em>em</em>
+</script>
+
+

pyscript.RUNNING_IN_WORKER

+

This constant flag is True when the current code is running within a +worker. It is False when the code is running within the main thread.

+

pyscript.WebSocket

+

If a pyscript.fetch results in a call and response HTTP interaction with a +web server, the pyscript.Websocket class provides a way to use +websockets +for two-way sending and receiving of data via a long term connection with a +web server.

+

PyScript's implementation, available in both the main thread and a web worker, +closely follows the browser's own +WebSocket class.

+

This class accepts the following named arguments:

+
    +
  • A url pointing at the ws or wss address. E.g.: + WebSocket(url="ws://localhost:5037/")
  • +
  • Some protocols, an optional string or a list of strings as + described here.
  • +
+

The WebSocket class also provides these convenient static constants:

+
    +
  • WebSocket.CONNECTING (0) - the ws.readyState value when a web socket + has just been created.
  • +
  • WebSocket.OPEN (1) - the ws.readyState value once the socket is open.
  • +
  • WebSocket.CLOSING (2) - the ws.readyState after ws.close() is + explicitly invoked to stop the connection.
  • +
  • WebSocket.CLOSED (3) - the ws.readyState once closed.
  • +
+

A WebSocket instance has only 2 methods:

+
    +
  • ws.send(data) - where data is either a string or a Python buffer, + automatically converted into a JavaScript typed array. This sends data via + the socket to the connected web server.
  • +
  • ws.close(code=0, reason="because") - which optionally accepts code and + reason as named arguments to signal some specific status or cause for + closing the web socket. Otherwise ws.close() works with the default + standard values.
  • +
+

A WebSocket instance also has the fields that the JavaScript +WebSocket instance will have:

+
    +
  • binaryType - + the type of binary data being received over the WebSocket connection.
  • +
  • bufferedAmount - + a read-only property that returns the number of bytes of data that have been + queued using calls to send() but not yet transmitted to the network.
  • +
  • extensions - + a read-only property that returns the extensions selected by the server.
  • +
  • protocol - + a read-only property that returns the name of the sub-protocol the server + selected.
  • +
  • readyState - + a read-only property that returns the current state of the WebSocket + connection as one of the WebSocket static constants (CONNECTING, OPEN, + etc...).
  • +
  • url - + a read-only property that returns the absolute URL of the WebSocket + instance.
  • +
+

A WebSocket instance can have the following listeners. Directly attach +handler functions to them. Such functions will always receive a single +event object.

+
    +
  • onclose - + fired when the WebSocket's connection is closed.
  • +
  • onerror - + fired when the connection is closed due to an error.
  • +
  • onmessage - + fired when data is received via the WebSocket. If the event.data is a + JavaScript typed array instead of a string, the reference it will point + directly to a memoryview of the underlying bytearray data.
  • +
  • onopen - + fired when the connection is opened.
  • +
+

The following code demonstrates a pyscript.WebSocket in action.

+
<script type="mpy" worker>
+    from pyscript import WebSocket
+
+    def onopen(event):
+        print(event.type)
+        ws.send("hello")
+
+    def onmessage(event):
+        print(event.type, event.data)
+        ws.close()
+
+    def onclose(event):
+        print(event.type)
+
+    ws = WebSocket(url="ws://localhost:5037/")
+    ws.onopen = onopen
+    ws.onmessage = onmessage
+    ws.onclose = onclose
+</script>
+
+
+

Info

+

It's also possible to pass in any handler functions as named arguments when +you instantiate the pyscript.WebSocket class:

+
from pyscript import WebSocket
+
+
+def onmessage(event):
+    print(event.type, event.data)
+    ws.close()
+
+
+ws = WebSocket(url="ws://example.com/socket", onmessage=onmessage)
+
+
+

pyscript.js_import

+

If a JavaScript module is only needed under certain circumstances, we provide +an asynchronous way to import packages that were not originally referenced in +your configuration.

+
A pyscript.js_import example.
<script type="py">
+from pyscript import js_import, window
+
+escaper, = await js_import("https://esm.run/html-escaper")
+
+window.console.log(escaper)
+
+

The js_import call returns an asynchronous tuple containing the JavaScript +modules referenced as string arguments.

+

pyscript.py_import

+
+

Warning

+

This is an experimental feature.

+

Feedback and bug reports are welcome!

+
+

If you have a lot of Python packages referenced in your configuration, startup +performance may be degraded as these are downloaded.

+

If a Python package is only needed under certain circumstances, we provide an +asynchronous way to import packages that were not originally referenced in your +configuration.

+
A pyscript.py_import example.
<script type="py">
+from pyscript import py_import
+
+matplotlib, regex, = await py_import("matplotlib", "regex")
+
+print(matplotlib, regex)
+</script>
+
+

The py_import call returns an asynchronous tuple containing the Python +modules provided by the packages referenced as string arguments.

+

Main-thread only features

+

pyscript.PyWorker

+

A class used to instantiate a new worker from within Python.

+
+

Note

+

Sometimes we disambiguate between interpreters through naming conventions +(e.g. py or mpy).

+

However, this class is always PyWorker and the desired interpreter +MUST be specified via a type option. Valid values for the type of +interpreter are either micropython or pyodide.

+
+

The following fragments demonstrate how to evaluate the file worker.py on a +new worker from within Python.

+
worker.py - the file to run in the worker.
from pyscript import RUNNING_IN_WORKER, display, sync
+
+display("Hello World", target="output", append=True)
+
+# will log into devtools console
+print(RUNNING_IN_WORKER)  # True
+print("sleeping")
+sync.sleep(1)
+print("awake")
+
+
main.py - starts a new worker in Python.
from pyscript import PyWorker
+
+# type MUST be either `micropython` or `pyodide`
+PyWorker("worker.py", type="micropython")
+
+
The HTML context for the worker.
<script type="mpy" src="./main.py">
+<div id="output"></div>  <!-- The display target -->
+
+

pyscript.workers

+

The pyscript.workers reference allows Python code in the main thread to +easily access named workers (and their exported functionality).

+

For example, the following Pyodide code may be running on a named worker +(see the name attribute of the script tag):

+
<script type="py" worker name="py-version">
+import sys
+
+def version():
+    return sys.version
+
+# define what to export to main consumers
+__export__ = ["version"]
+</script>
+
+

While over on the main thread, this fragment of MicroPython will be able to +access the worker's version function via the workers reference:

+
<script type="mpy">
+from pyscript import workers
+
+pyworker = await workers["py-version"]
+
+# print the pyodide version
+print(await pyworker.version())
+</script>
+
+

Importantly, the workers reference will NOT provide a list of +known workers, but will only await for a reference to a named worker +(resolving when the worker is ready). This is because the timing of worker +startup is not deterministic.

+

Should you wish to await for all workers on the page at load time, it's +possible to loop over matching elements in the document like this:

+
<script type="mpy">
+from pyscript import document, workers
+
+for el in document.querySelectorAll("[type='py'][worker][name]"):
+    await workers[el.getAttribute('name')]
+
+# ... rest of the code
+</script>
+
+

Worker only features

+

pyscript.sync

+

A function used to pass serializable data from workers to the main thread.

+

Imagine you have this code on the main thread:

+
Python code on the main thread
from pyscript import PyWorker
+
+def hello(name="world"):
+    display(f"Hello, {name}")
+
+worker = PyWorker("./worker.py")
+worker.sync.hello = hello
+
+

In the code on the worker, you can pass data back to handler functions like +this:

+
Pass data back to the main thread from a worker
from pyscript import sync
+
+sync.hello("PyScript")
+
+

HTML attributes

+

As a convenience, and to ensure backwards compatibility, PyScript allows the +use of inline event handlers via custom HTML attributes.

+
+

Warning

+

This classic pattern of coding (inline event handlers) is no longer +considered good practice in web development circles.

+

We include this behaviour for historic reasons, but the folks at +Mozilla have a good explanation +of why this is currently considered bad practice.

+
+

These attributes, expressed as py-* or mpy-* attributes of an HTML element, +reference the name of a Python function to run when the event is fired. You +should replace the * with the actual name of an event (e.g. py-click or +mpy-click). This is similar to how all +event handlers on elements +start with on in standard HTML (e.g. onclick). The rule of thumb is to +simply replace on with py- or mpy- and then reference the name of a +Python function.

+
A py-click event on an HTML button element.
<button py-click="handle_click" id="my_button">Click me!</button>
+
+
The related Python function.
from pyscript import window
+
+
+def handle_click(event):
+    """
+    Simply log the click event to the browser's console.
+    """
+    window.console.log(event)    
+
+

Under the hood, the pyscript.when decorator is used to +enable this behaviour.

+
+

Note

+

In earlier versions of PyScript, the value associated with the attribute +was simply evaluated by the Python interpreter. This was unsafe: +manipulation of the attribute's value could have resulted in the evaluation +of arbitrary code.

+

This is why we changed to the current behaviour: just supply the name +of the Python function to be evaluated, and PyScript will do this safely.

+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/assets/images/favicon.png b/2024.9.2/assets/images/favicon.png new file mode 100644 index 0000000..1cf13b9 Binary files /dev/null and b/2024.9.2/assets/images/favicon.png differ diff --git a/2024.9.2/assets/images/micropython.png b/2024.9.2/assets/images/micropython.png new file mode 100644 index 0000000..2394715 Binary files /dev/null and b/2024.9.2/assets/images/micropython.png differ diff --git a/2024.9.2/assets/images/platform.png b/2024.9.2/assets/images/platform.png new file mode 100644 index 0000000..2b51553 Binary files /dev/null and b/2024.9.2/assets/images/platform.png differ diff --git a/2024.9.2/assets/images/py-terminal.gif b/2024.9.2/assets/images/py-terminal.gif new file mode 100644 index 0000000..8eaf0b5 Binary files /dev/null and b/2024.9.2/assets/images/py-terminal.gif differ diff --git a/2024.9.2/assets/images/pyeditor1.gif b/2024.9.2/assets/images/pyeditor1.gif new file mode 100644 index 0000000..c9d35dd Binary files /dev/null and b/2024.9.2/assets/images/pyeditor1.gif differ diff --git a/2024.9.2/assets/images/pyodide.png b/2024.9.2/assets/images/pyodide.png new file mode 100644 index 0000000..587a2d8 Binary files /dev/null and b/2024.9.2/assets/images/pyodide.png differ diff --git a/2024.9.2/assets/images/pyscript-black.svg b/2024.9.2/assets/images/pyscript-black.svg new file mode 100644 index 0000000..ed54ba7 --- /dev/null +++ b/2024.9.2/assets/images/pyscript-black.svg @@ -0,0 +1,16 @@ + + + + + + + + + + + + diff --git a/2024.9.2/assets/images/pyscript.com.png b/2024.9.2/assets/images/pyscript.com.png new file mode 100644 index 0000000..37c04ea Binary files /dev/null and b/2024.9.2/assets/images/pyscript.com.png differ diff --git a/2024.9.2/assets/images/pyscript.svg b/2024.9.2/assets/images/pyscript.svg new file mode 100644 index 0000000..8d32dca --- /dev/null +++ b/2024.9.2/assets/images/pyscript.svg @@ -0,0 +1,16 @@ + + + + + + + + + + + + diff --git a/2024.9.2/assets/images/pyterm1.png b/2024.9.2/assets/images/pyterm1.png new file mode 100644 index 0000000..440797c Binary files /dev/null and b/2024.9.2/assets/images/pyterm1.png differ diff --git a/2024.9.2/assets/images/pyterm2.gif b/2024.9.2/assets/images/pyterm2.gif new file mode 100644 index 0000000..86ce45d Binary files /dev/null and b/2024.9.2/assets/images/pyterm2.gif differ diff --git a/2024.9.2/assets/images/pyterm3.gif b/2024.9.2/assets/images/pyterm3.gif new file mode 100644 index 0000000..40c9939 Binary files /dev/null and b/2024.9.2/assets/images/pyterm3.gif differ diff --git a/2024.9.2/assets/javascripts/bundle.dff1b7c8.min.js b/2024.9.2/assets/javascripts/bundle.dff1b7c8.min.js new file mode 100644 index 0000000..a89e799 --- /dev/null +++ b/2024.9.2/assets/javascripts/bundle.dff1b7c8.min.js @@ -0,0 +1,29 @@ +"use strict";(()=>{var gi=Object.create;var dr=Object.defineProperty;var xi=Object.getOwnPropertyDescriptor;var yi=Object.getOwnPropertyNames,Ht=Object.getOwnPropertySymbols,Ei=Object.getPrototypeOf,hr=Object.prototype.hasOwnProperty,Xr=Object.prototype.propertyIsEnumerable;var Jr=(e,t,r)=>t in e?dr(e,t,{enumerable:!0,configurable:!0,writable:!0,value:r}):e[t]=r,I=(e,t)=>{for(var r in t||(t={}))hr.call(t,r)&&Jr(e,r,t[r]);if(Ht)for(var r of Ht(t))Xr.call(t,r)&&Jr(e,r,t[r]);return e};var Zr=(e,t)=>{var r={};for(var o in e)hr.call(e,o)&&t.indexOf(o)<0&&(r[o]=e[o]);if(e!=null&&Ht)for(var o of Ht(e))t.indexOf(o)<0&&Xr.call(e,o)&&(r[o]=e[o]);return r};var br=(e,t)=>()=>(t||e((t={exports:{}}).exports,t),t.exports);var wi=(e,t,r,o)=>{if(t&&typeof t=="object"||typeof t=="function")for(let n of yi(t))!hr.call(e,n)&&n!==r&&dr(e,n,{get:()=>t[n],enumerable:!(o=xi(t,n))||o.enumerable});return e};var $t=(e,t,r)=>(r=e!=null?gi(Ei(e)):{},wi(t||!e||!e.__esModule?dr(r,"default",{value:e,enumerable:!0}):r,e));var to=br((vr,eo)=>{(function(e,t){typeof vr=="object"&&typeof eo!="undefined"?t():typeof define=="function"&&define.amd?define(t):t()})(vr,function(){"use strict";function e(r){var o=!0,n=!1,i=null,s={text:!0,search:!0,url:!0,tel:!0,email:!0,password:!0,number:!0,date:!0,month:!0,week:!0,time:!0,datetime:!0,"datetime-local":!0};function a(A){return!!(A&&A!==document&&A.nodeName!=="HTML"&&A.nodeName!=="BODY"&&"classList"in A&&"contains"in A.classList)}function c(A){var it=A.type,Ne=A.tagName;return!!(Ne==="INPUT"&&s[it]&&!A.readOnly||Ne==="TEXTAREA"&&!A.readOnly||A.isContentEditable)}function p(A){A.classList.contains("focus-visible")||(A.classList.add("focus-visible"),A.setAttribute("data-focus-visible-added",""))}function m(A){A.hasAttribute("data-focus-visible-added")&&(A.classList.remove("focus-visible"),A.removeAttribute("data-focus-visible-added"))}function f(A){A.metaKey||A.altKey||A.ctrlKey||(a(r.activeElement)&&p(r.activeElement),o=!0)}function u(A){o=!1}function d(A){a(A.target)&&(o||c(A.target))&&p(A.target)}function b(A){a(A.target)&&(A.target.classList.contains("focus-visible")||A.target.hasAttribute("data-focus-visible-added"))&&(n=!0,window.clearTimeout(i),i=window.setTimeout(function(){n=!1},100),m(A.target))}function _(A){document.visibilityState==="hidden"&&(n&&(o=!0),re())}function re(){document.addEventListener("mousemove",Y),document.addEventListener("mousedown",Y),document.addEventListener("mouseup",Y),document.addEventListener("pointermove",Y),document.addEventListener("pointerdown",Y),document.addEventListener("pointerup",Y),document.addEventListener("touchmove",Y),document.addEventListener("touchstart",Y),document.addEventListener("touchend",Y)}function Z(){document.removeEventListener("mousemove",Y),document.removeEventListener("mousedown",Y),document.removeEventListener("mouseup",Y),document.removeEventListener("pointermove",Y),document.removeEventListener("pointerdown",Y),document.removeEventListener("pointerup",Y),document.removeEventListener("touchmove",Y),document.removeEventListener("touchstart",Y),document.removeEventListener("touchend",Y)}function Y(A){A.target.nodeName&&A.target.nodeName.toLowerCase()==="html"||(o=!1,Z())}document.addEventListener("keydown",f,!0),document.addEventListener("mousedown",u,!0),document.addEventListener("pointerdown",u,!0),document.addEventListener("touchstart",u,!0),document.addEventListener("visibilitychange",_,!0),re(),r.addEventListener("focus",d,!0),r.addEventListener("blur",b,!0),r.nodeType===Node.DOCUMENT_FRAGMENT_NODE&&r.host?r.host.setAttribute("data-js-focus-visible",""):r.nodeType===Node.DOCUMENT_NODE&&(document.documentElement.classList.add("js-focus-visible"),document.documentElement.setAttribute("data-js-focus-visible",""))}if(typeof window!="undefined"&&typeof document!="undefined"){window.applyFocusVisiblePolyfill=e;var t;try{t=new CustomEvent("focus-visible-polyfill-ready")}catch(r){t=document.createEvent("CustomEvent"),t.initCustomEvent("focus-visible-polyfill-ready",!1,!1,{})}window.dispatchEvent(t)}typeof document!="undefined"&&e(document)})});var Vr=br((Mt,Dr)=>{/*! + * clipboard.js v2.0.11 + * https://clipboardjs.com/ + * + * Licensed MIT © Zeno Rocha + */(function(t,r){typeof Mt=="object"&&typeof Dr=="object"?Dr.exports=r():typeof define=="function"&&define.amd?define([],r):typeof Mt=="object"?Mt.ClipboardJS=r():t.ClipboardJS=r()})(Mt,function(){return function(){var e={686:function(o,n,i){"use strict";i.d(n,{default:function(){return vi}});var s=i(279),a=i.n(s),c=i(370),p=i.n(c),m=i(817),f=i.n(m);function u(F){try{return document.execCommand(F)}catch(S){return!1}}var d=function(S){var y=f()(S);return u("cut"),y},b=d;function _(F){var S=document.documentElement.getAttribute("dir")==="rtl",y=document.createElement("textarea");y.style.fontSize="12pt",y.style.border="0",y.style.padding="0",y.style.margin="0",y.style.position="absolute",y.style[S?"right":"left"]="-9999px";var R=window.pageYOffset||document.documentElement.scrollTop;return y.style.top="".concat(R,"px"),y.setAttribute("readonly",""),y.value=F,y}var re=function(S,y){var R=_(S);y.container.appendChild(R);var P=f()(R);return u("copy"),R.remove(),P},Z=function(S){var y=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{container:document.body},R="";return typeof S=="string"?R=re(S,y):S instanceof HTMLInputElement&&!["text","search","url","tel","password"].includes(S==null?void 0:S.type)?R=re(S.value,y):(R=f()(S),u("copy")),R},Y=Z;function A(F){"@babel/helpers - typeof";return typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?A=function(y){return typeof y}:A=function(y){return y&&typeof Symbol=="function"&&y.constructor===Symbol&&y!==Symbol.prototype?"symbol":typeof y},A(F)}var it=function(){var S=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},y=S.action,R=y===void 0?"copy":y,P=S.container,q=S.target,Me=S.text;if(R!=="copy"&&R!=="cut")throw new Error('Invalid "action" value, use either "copy" or "cut"');if(q!==void 0)if(q&&A(q)==="object"&&q.nodeType===1){if(R==="copy"&&q.hasAttribute("disabled"))throw new Error('Invalid "target" attribute. Please use "readonly" instead of "disabled" attribute');if(R==="cut"&&(q.hasAttribute("readonly")||q.hasAttribute("disabled")))throw new Error(`Invalid "target" attribute. You can't cut text from elements with "readonly" or "disabled" attributes`)}else throw new Error('Invalid "target" value, use a valid Element');if(Me)return Y(Me,{container:P});if(q)return R==="cut"?b(q):Y(q,{container:P})},Ne=it;function Ie(F){"@babel/helpers - typeof";return typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?Ie=function(y){return typeof y}:Ie=function(y){return y&&typeof Symbol=="function"&&y.constructor===Symbol&&y!==Symbol.prototype?"symbol":typeof y},Ie(F)}function pi(F,S){if(!(F instanceof S))throw new TypeError("Cannot call a class as a function")}function Gr(F,S){for(var y=0;y0&&arguments[0]!==void 0?arguments[0]:{};this.action=typeof P.action=="function"?P.action:this.defaultAction,this.target=typeof P.target=="function"?P.target:this.defaultTarget,this.text=typeof P.text=="function"?P.text:this.defaultText,this.container=Ie(P.container)==="object"?P.container:document.body}},{key:"listenClick",value:function(P){var q=this;this.listener=p()(P,"click",function(Me){return q.onClick(Me)})}},{key:"onClick",value:function(P){var q=P.delegateTarget||P.currentTarget,Me=this.action(q)||"copy",kt=Ne({action:Me,container:this.container,target:this.target(q),text:this.text(q)});this.emit(kt?"success":"error",{action:Me,text:kt,trigger:q,clearSelection:function(){q&&q.focus(),window.getSelection().removeAllRanges()}})}},{key:"defaultAction",value:function(P){return ur("action",P)}},{key:"defaultTarget",value:function(P){var q=ur("target",P);if(q)return document.querySelector(q)}},{key:"defaultText",value:function(P){return ur("text",P)}},{key:"destroy",value:function(){this.listener.destroy()}}],[{key:"copy",value:function(P){var q=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{container:document.body};return Y(P,q)}},{key:"cut",value:function(P){return b(P)}},{key:"isSupported",value:function(){var P=arguments.length>0&&arguments[0]!==void 0?arguments[0]:["copy","cut"],q=typeof P=="string"?[P]:P,Me=!!document.queryCommandSupported;return q.forEach(function(kt){Me=Me&&!!document.queryCommandSupported(kt)}),Me}}]),y}(a()),vi=bi},828:function(o){var n=9;if(typeof Element!="undefined"&&!Element.prototype.matches){var i=Element.prototype;i.matches=i.matchesSelector||i.mozMatchesSelector||i.msMatchesSelector||i.oMatchesSelector||i.webkitMatchesSelector}function s(a,c){for(;a&&a.nodeType!==n;){if(typeof a.matches=="function"&&a.matches(c))return a;a=a.parentNode}}o.exports=s},438:function(o,n,i){var s=i(828);function a(m,f,u,d,b){var _=p.apply(this,arguments);return m.addEventListener(u,_,b),{destroy:function(){m.removeEventListener(u,_,b)}}}function c(m,f,u,d,b){return typeof m.addEventListener=="function"?a.apply(null,arguments):typeof u=="function"?a.bind(null,document).apply(null,arguments):(typeof m=="string"&&(m=document.querySelectorAll(m)),Array.prototype.map.call(m,function(_){return a(_,f,u,d,b)}))}function p(m,f,u,d){return function(b){b.delegateTarget=s(b.target,f),b.delegateTarget&&d.call(m,b)}}o.exports=c},879:function(o,n){n.node=function(i){return i!==void 0&&i instanceof HTMLElement&&i.nodeType===1},n.nodeList=function(i){var s=Object.prototype.toString.call(i);return i!==void 0&&(s==="[object NodeList]"||s==="[object HTMLCollection]")&&"length"in i&&(i.length===0||n.node(i[0]))},n.string=function(i){return typeof i=="string"||i instanceof String},n.fn=function(i){var s=Object.prototype.toString.call(i);return s==="[object Function]"}},370:function(o,n,i){var s=i(879),a=i(438);function c(u,d,b){if(!u&&!d&&!b)throw new Error("Missing required arguments");if(!s.string(d))throw new TypeError("Second argument must be a String");if(!s.fn(b))throw new TypeError("Third argument must be a Function");if(s.node(u))return p(u,d,b);if(s.nodeList(u))return m(u,d,b);if(s.string(u))return f(u,d,b);throw new TypeError("First argument must be a String, HTMLElement, HTMLCollection, or NodeList")}function p(u,d,b){return u.addEventListener(d,b),{destroy:function(){u.removeEventListener(d,b)}}}function m(u,d,b){return Array.prototype.forEach.call(u,function(_){_.addEventListener(d,b)}),{destroy:function(){Array.prototype.forEach.call(u,function(_){_.removeEventListener(d,b)})}}}function f(u,d,b){return a(document.body,u,d,b)}o.exports=c},817:function(o){function n(i){var s;if(i.nodeName==="SELECT")i.focus(),s=i.value;else if(i.nodeName==="INPUT"||i.nodeName==="TEXTAREA"){var a=i.hasAttribute("readonly");a||i.setAttribute("readonly",""),i.select(),i.setSelectionRange(0,i.value.length),a||i.removeAttribute("readonly"),s=i.value}else{i.hasAttribute("contenteditable")&&i.focus();var c=window.getSelection(),p=document.createRange();p.selectNodeContents(i),c.removeAllRanges(),c.addRange(p),s=c.toString()}return s}o.exports=n},279:function(o){function n(){}n.prototype={on:function(i,s,a){var c=this.e||(this.e={});return(c[i]||(c[i]=[])).push({fn:s,ctx:a}),this},once:function(i,s,a){var c=this;function p(){c.off(i,p),s.apply(a,arguments)}return p._=s,this.on(i,p,a)},emit:function(i){var s=[].slice.call(arguments,1),a=((this.e||(this.e={}))[i]||[]).slice(),c=0,p=a.length;for(c;c{"use strict";/*! + * escape-html + * Copyright(c) 2012-2013 TJ Holowaychuk + * Copyright(c) 2015 Andreas Lubbe + * Copyright(c) 2015 Tiancheng "Timothy" Gu + * MIT Licensed + */var _a=/["'&<>]/;Pn.exports=Aa;function Aa(e){var t=""+e,r=_a.exec(t);if(!r)return t;var o,n="",i=0,s=0;for(i=r.index;i0&&i[i.length-1])&&(p[0]===6||p[0]===2)){r=0;continue}if(p[0]===3&&(!i||p[1]>i[0]&&p[1]=e.length&&(e=void 0),{value:e&&e[o++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function U(e,t){var r=typeof Symbol=="function"&&e[Symbol.iterator];if(!r)return e;var o=r.call(e),n,i=[],s;try{for(;(t===void 0||t-- >0)&&!(n=o.next()).done;)i.push(n.value)}catch(a){s={error:a}}finally{try{n&&!n.done&&(r=o.return)&&r.call(o)}finally{if(s)throw s.error}}return i}function D(e,t,r){if(r||arguments.length===2)for(var o=0,n=t.length,i;o1||a(u,d)})})}function a(u,d){try{c(o[u](d))}catch(b){f(i[0][3],b)}}function c(u){u.value instanceof Ze?Promise.resolve(u.value.v).then(p,m):f(i[0][2],u)}function p(u){a("next",u)}function m(u){a("throw",u)}function f(u,d){u(d),i.shift(),i.length&&a(i[0][0],i[0][1])}}function no(e){if(!Symbol.asyncIterator)throw new TypeError("Symbol.asyncIterator is not defined.");var t=e[Symbol.asyncIterator],r;return t?t.call(e):(e=typeof Ee=="function"?Ee(e):e[Symbol.iterator](),r={},o("next"),o("throw"),o("return"),r[Symbol.asyncIterator]=function(){return this},r);function o(i){r[i]=e[i]&&function(s){return new Promise(function(a,c){s=e[i](s),n(a,c,s.done,s.value)})}}function n(i,s,a,c){Promise.resolve(c).then(function(p){i({value:p,done:a})},s)}}function C(e){return typeof e=="function"}function at(e){var t=function(o){Error.call(o),o.stack=new Error().stack},r=e(t);return r.prototype=Object.create(Error.prototype),r.prototype.constructor=r,r}var It=at(function(e){return function(r){e(this),this.message=r?r.length+` errors occurred during unsubscription: +`+r.map(function(o,n){return n+1+") "+o.toString()}).join(` + `):"",this.name="UnsubscriptionError",this.errors=r}});function De(e,t){if(e){var r=e.indexOf(t);0<=r&&e.splice(r,1)}}var Pe=function(){function e(t){this.initialTeardown=t,this.closed=!1,this._parentage=null,this._finalizers=null}return e.prototype.unsubscribe=function(){var t,r,o,n,i;if(!this.closed){this.closed=!0;var s=this._parentage;if(s)if(this._parentage=null,Array.isArray(s))try{for(var a=Ee(s),c=a.next();!c.done;c=a.next()){var p=c.value;p.remove(this)}}catch(_){t={error:_}}finally{try{c&&!c.done&&(r=a.return)&&r.call(a)}finally{if(t)throw t.error}}else s.remove(this);var m=this.initialTeardown;if(C(m))try{m()}catch(_){i=_ instanceof It?_.errors:[_]}var f=this._finalizers;if(f){this._finalizers=null;try{for(var u=Ee(f),d=u.next();!d.done;d=u.next()){var b=d.value;try{io(b)}catch(_){i=i!=null?i:[],_ instanceof It?i=D(D([],U(i)),U(_.errors)):i.push(_)}}}catch(_){o={error:_}}finally{try{d&&!d.done&&(n=u.return)&&n.call(u)}finally{if(o)throw o.error}}}if(i)throw new It(i)}},e.prototype.add=function(t){var r;if(t&&t!==this)if(this.closed)io(t);else{if(t instanceof e){if(t.closed||t._hasParent(this))return;t._addParent(this)}(this._finalizers=(r=this._finalizers)!==null&&r!==void 0?r:[]).push(t)}},e.prototype._hasParent=function(t){var r=this._parentage;return r===t||Array.isArray(r)&&r.includes(t)},e.prototype._addParent=function(t){var r=this._parentage;this._parentage=Array.isArray(r)?(r.push(t),r):r?[r,t]:t},e.prototype._removeParent=function(t){var r=this._parentage;r===t?this._parentage=null:Array.isArray(r)&&De(r,t)},e.prototype.remove=function(t){var r=this._finalizers;r&&De(r,t),t instanceof e&&t._removeParent(this)},e.EMPTY=function(){var t=new e;return t.closed=!0,t}(),e}();var xr=Pe.EMPTY;function Pt(e){return e instanceof Pe||e&&"closed"in e&&C(e.remove)&&C(e.add)&&C(e.unsubscribe)}function io(e){C(e)?e():e.unsubscribe()}var Le={onUnhandledError:null,onStoppedNotification:null,Promise:void 0,useDeprecatedSynchronousErrorHandling:!1,useDeprecatedNextContext:!1};var st={setTimeout:function(e,t){for(var r=[],o=2;o0},enumerable:!1,configurable:!0}),t.prototype._trySubscribe=function(r){return this._throwIfClosed(),e.prototype._trySubscribe.call(this,r)},t.prototype._subscribe=function(r){return this._throwIfClosed(),this._checkFinalizedStatuses(r),this._innerSubscribe(r)},t.prototype._innerSubscribe=function(r){var o=this,n=this,i=n.hasError,s=n.isStopped,a=n.observers;return i||s?xr:(this.currentObservers=null,a.push(r),new Pe(function(){o.currentObservers=null,De(a,r)}))},t.prototype._checkFinalizedStatuses=function(r){var o=this,n=o.hasError,i=o.thrownError,s=o.isStopped;n?r.error(i):s&&r.complete()},t.prototype.asObservable=function(){var r=new j;return r.source=this,r},t.create=function(r,o){return new uo(r,o)},t}(j);var uo=function(e){ie(t,e);function t(r,o){var n=e.call(this)||this;return n.destination=r,n.source=o,n}return t.prototype.next=function(r){var o,n;(n=(o=this.destination)===null||o===void 0?void 0:o.next)===null||n===void 0||n.call(o,r)},t.prototype.error=function(r){var o,n;(n=(o=this.destination)===null||o===void 0?void 0:o.error)===null||n===void 0||n.call(o,r)},t.prototype.complete=function(){var r,o;(o=(r=this.destination)===null||r===void 0?void 0:r.complete)===null||o===void 0||o.call(r)},t.prototype._subscribe=function(r){var o,n;return(n=(o=this.source)===null||o===void 0?void 0:o.subscribe(r))!==null&&n!==void 0?n:xr},t}(x);var yt={now:function(){return(yt.delegate||Date).now()},delegate:void 0};var Et=function(e){ie(t,e);function t(r,o,n){r===void 0&&(r=1/0),o===void 0&&(o=1/0),n===void 0&&(n=yt);var i=e.call(this)||this;return i._bufferSize=r,i._windowTime=o,i._timestampProvider=n,i._buffer=[],i._infiniteTimeWindow=!0,i._infiniteTimeWindow=o===1/0,i._bufferSize=Math.max(1,r),i._windowTime=Math.max(1,o),i}return t.prototype.next=function(r){var o=this,n=o.isStopped,i=o._buffer,s=o._infiniteTimeWindow,a=o._timestampProvider,c=o._windowTime;n||(i.push(r),!s&&i.push(a.now()+c)),this._trimBuffer(),e.prototype.next.call(this,r)},t.prototype._subscribe=function(r){this._throwIfClosed(),this._trimBuffer();for(var o=this._innerSubscribe(r),n=this,i=n._infiniteTimeWindow,s=n._buffer,a=s.slice(),c=0;c0?e.prototype.requestAsyncId.call(this,r,o,n):(r.actions.push(this),r._scheduled||(r._scheduled=mt.requestAnimationFrame(function(){return r.flush(void 0)})))},t.prototype.recycleAsyncId=function(r,o,n){var i;if(n===void 0&&(n=0),n!=null?n>0:this.delay>0)return e.prototype.recycleAsyncId.call(this,r,o,n);var s=r.actions;o!=null&&((i=s[s.length-1])===null||i===void 0?void 0:i.id)!==o&&(mt.cancelAnimationFrame(o),r._scheduled=void 0)},t}(Wt);var vo=function(e){ie(t,e);function t(){return e!==null&&e.apply(this,arguments)||this}return t.prototype.flush=function(r){this._active=!0;var o=this._scheduled;this._scheduled=void 0;var n=this.actions,i;r=r||n.shift();do if(i=r.execute(r.state,r.delay))break;while((r=n[0])&&r.id===o&&n.shift());if(this._active=!1,i){for(;(r=n[0])&&r.id===o&&n.shift();)r.unsubscribe();throw i}},t}(Ut);var Te=new vo(bo);var T=new j(function(e){return e.complete()});function Nt(e){return e&&C(e.schedule)}function Mr(e){return e[e.length-1]}function Qe(e){return C(Mr(e))?e.pop():void 0}function Oe(e){return Nt(Mr(e))?e.pop():void 0}function Dt(e,t){return typeof Mr(e)=="number"?e.pop():t}var lt=function(e){return e&&typeof e.length=="number"&&typeof e!="function"};function Vt(e){return C(e==null?void 0:e.then)}function zt(e){return C(e[pt])}function qt(e){return Symbol.asyncIterator&&C(e==null?void 0:e[Symbol.asyncIterator])}function Kt(e){return new TypeError("You provided "+(e!==null&&typeof e=="object"?"an invalid object":"'"+e+"'")+" where a stream was expected. You can provide an Observable, Promise, ReadableStream, Array, AsyncIterable, or Iterable.")}function ki(){return typeof Symbol!="function"||!Symbol.iterator?"@@iterator":Symbol.iterator}var Qt=ki();function Yt(e){return C(e==null?void 0:e[Qt])}function Bt(e){return oo(this,arguments,function(){var r,o,n,i;return Rt(this,function(s){switch(s.label){case 0:r=e.getReader(),s.label=1;case 1:s.trys.push([1,,9,10]),s.label=2;case 2:return[4,Ze(r.read())];case 3:return o=s.sent(),n=o.value,i=o.done,i?[4,Ze(void 0)]:[3,5];case 4:return[2,s.sent()];case 5:return[4,Ze(n)];case 6:return[4,s.sent()];case 7:return s.sent(),[3,2];case 8:return[3,10];case 9:return r.releaseLock(),[7];case 10:return[2]}})})}function Gt(e){return C(e==null?void 0:e.getReader)}function W(e){if(e instanceof j)return e;if(e!=null){if(zt(e))return Hi(e);if(lt(e))return $i(e);if(Vt(e))return Ri(e);if(qt(e))return go(e);if(Yt(e))return Ii(e);if(Gt(e))return Pi(e)}throw Kt(e)}function Hi(e){return new j(function(t){var r=e[pt]();if(C(r.subscribe))return r.subscribe(t);throw new TypeError("Provided object does not correctly implement Symbol.observable")})}function $i(e){return new j(function(t){for(var r=0;r=2;return function(o){return o.pipe(e?L(function(n,i){return e(n,i,o)}):de,ge(1),r?He(t):Io(function(){return new Xt}))}}function Po(){for(var e=[],t=0;t=2,!0))}function le(e){e===void 0&&(e={});var t=e.connector,r=t===void 0?function(){return new x}:t,o=e.resetOnError,n=o===void 0?!0:o,i=e.resetOnComplete,s=i===void 0?!0:i,a=e.resetOnRefCountZero,c=a===void 0?!0:a;return function(p){var m,f,u,d=0,b=!1,_=!1,re=function(){f==null||f.unsubscribe(),f=void 0},Z=function(){re(),m=u=void 0,b=_=!1},Y=function(){var A=m;Z(),A==null||A.unsubscribe()};return g(function(A,it){d++,!_&&!b&&re();var Ne=u=u!=null?u:r();it.add(function(){d--,d===0&&!_&&!b&&(f=kr(Y,c))}),Ne.subscribe(it),!m&&d>0&&(m=new tt({next:function(Ie){return Ne.next(Ie)},error:function(Ie){_=!0,re(),f=kr(Z,n,Ie),Ne.error(Ie)},complete:function(){b=!0,re(),f=kr(Z,s),Ne.complete()}}),W(A).subscribe(m))})(p)}}function kr(e,t){for(var r=[],o=2;oe.next(document)),e}function z(e,t=document){return Array.from(t.querySelectorAll(e))}function N(e,t=document){let r=ce(e,t);if(typeof r=="undefined")throw new ReferenceError(`Missing element: expected "${e}" to be present`);return r}function ce(e,t=document){return t.querySelector(e)||void 0}function Re(){return document.activeElement instanceof HTMLElement&&document.activeElement||void 0}var ea=M(h(document.body,"focusin"),h(document.body,"focusout")).pipe(ke(1),V(void 0),l(()=>Re()||document.body),B(1));function er(e){return ea.pipe(l(t=>e.contains(t)),G())}function Je(e){return{x:e.offsetLeft,y:e.offsetTop}}function Uo(e){return M(h(window,"load"),h(window,"resize")).pipe(Ae(0,Te),l(()=>Je(e)),V(Je(e)))}function tr(e){return{x:e.scrollLeft,y:e.scrollTop}}function dt(e){return M(h(e,"scroll"),h(window,"resize")).pipe(Ae(0,Te),l(()=>tr(e)),V(tr(e)))}function No(e,t){if(typeof t=="string"||typeof t=="number")e.innerHTML+=t.toString();else if(t instanceof Node)e.appendChild(t);else if(Array.isArray(t))for(let r of t)No(e,r)}function O(e,t,...r){let o=document.createElement(e);if(t)for(let n of Object.keys(t))typeof t[n]!="undefined"&&(typeof t[n]!="boolean"?o.setAttribute(n,t[n]):o.setAttribute(n,""));for(let n of r)No(o,n);return o}function rr(e){if(e>999){let t=+((e-950)%1e3>99);return`${((e+1e-6)/1e3).toFixed(t)}k`}else return e.toString()}function ht(e){let t=O("script",{src:e});return $(()=>(document.head.appendChild(t),M(h(t,"load"),h(t,"error").pipe(v(()=>St(()=>new ReferenceError(`Invalid script: ${e}`))))).pipe(l(()=>{}),k(()=>document.head.removeChild(t)),ge(1))))}var Do=new x,ta=$(()=>typeof ResizeObserver=="undefined"?ht("https://unpkg.com/resize-observer-polyfill"):H(void 0)).pipe(l(()=>new ResizeObserver(e=>{for(let t of e)Do.next(t)})),v(e=>M(Ve,H(e)).pipe(k(()=>e.disconnect()))),B(1));function he(e){return{width:e.offsetWidth,height:e.offsetHeight}}function xe(e){return ta.pipe(w(t=>t.observe(e)),v(t=>Do.pipe(L(({target:r})=>r===e),k(()=>t.unobserve(e)),l(()=>he(e)))),V(he(e)))}function bt(e){return{width:e.scrollWidth,height:e.scrollHeight}}function or(e){let t=e.parentElement;for(;t&&(e.scrollWidth<=t.scrollWidth&&e.scrollHeight<=t.scrollHeight);)t=(e=t).parentElement;return t?e:void 0}var Vo=new x,ra=$(()=>H(new IntersectionObserver(e=>{for(let t of e)Vo.next(t)},{threshold:0}))).pipe(v(e=>M(Ve,H(e)).pipe(k(()=>e.disconnect()))),B(1));function nr(e){return ra.pipe(w(t=>t.observe(e)),v(t=>Vo.pipe(L(({target:r})=>r===e),k(()=>t.unobserve(e)),l(({isIntersecting:r})=>r))))}function zo(e,t=16){return dt(e).pipe(l(({y:r})=>{let o=he(e),n=bt(e);return r>=n.height-o.height-t}),G())}var ir={drawer:N("[data-md-toggle=drawer]"),search:N("[data-md-toggle=search]")};function qo(e){return ir[e].checked}function Ke(e,t){ir[e].checked!==t&&ir[e].click()}function We(e){let t=ir[e];return h(t,"change").pipe(l(()=>t.checked),V(t.checked))}function oa(e,t){switch(e.constructor){case HTMLInputElement:return e.type==="radio"?/^Arrow/.test(t):!0;case HTMLSelectElement:case HTMLTextAreaElement:return!0;default:return e.isContentEditable}}function na(){return M(h(window,"compositionstart").pipe(l(()=>!0)),h(window,"compositionend").pipe(l(()=>!1))).pipe(V(!1))}function Ko(){let e=h(window,"keydown").pipe(L(t=>!(t.metaKey||t.ctrlKey)),l(t=>({mode:qo("search")?"search":"global",type:t.key,claim(){t.preventDefault(),t.stopPropagation()}})),L(({mode:t,type:r})=>{if(t==="global"){let o=Re();if(typeof o!="undefined")return!oa(o,r)}return!0}),le());return na().pipe(v(t=>t?T:e))}function fe(){return new URL(location.href)}function ot(e){location.href=e.href}function Qo(){return new x}function Yo(){return location.hash.slice(1)}function Pr(e){let t=O("a",{href:e});t.addEventListener("click",r=>r.stopPropagation()),t.click()}function ia(e){return M(h(window,"hashchange"),e).pipe(l(Yo),V(Yo()),L(t=>t.length>0),B(1))}function Bo(e){return ia(e).pipe(l(t=>ce(`[id="${t}"]`)),L(t=>typeof t!="undefined"))}function Fr(e){let t=matchMedia(e);return Zt(r=>t.addListener(()=>r(t.matches))).pipe(V(t.matches))}function Go(){let e=matchMedia("print");return M(h(window,"beforeprint").pipe(l(()=>!0)),h(window,"afterprint").pipe(l(()=>!1))).pipe(V(e.matches))}function jr(e,t){return e.pipe(v(r=>r?t():T))}function ar(e,t={credentials:"same-origin"}){return me(fetch(`${e}`,t)).pipe(pe(()=>T),v(r=>r.status!==200?St(()=>new Error(r.statusText)):H(r)))}function Ue(e,t){return ar(e,t).pipe(v(r=>r.json()),B(1))}function Jo(e,t){let r=new DOMParser;return ar(e,t).pipe(v(o=>o.text()),l(o=>r.parseFromString(o,"text/xml")),B(1))}function Xo(){return{x:Math.max(0,scrollX),y:Math.max(0,scrollY)}}function Zo(){return M(h(window,"scroll",{passive:!0}),h(window,"resize",{passive:!0})).pipe(l(Xo),V(Xo()))}function en(){return{width:innerWidth,height:innerHeight}}function tn(){return h(window,"resize",{passive:!0}).pipe(l(en),V(en()))}function rn(){return Q([Zo(),tn()]).pipe(l(([e,t])=>({offset:e,size:t})),B(1))}function sr(e,{viewport$:t,header$:r}){let o=t.pipe(X("size")),n=Q([o,r]).pipe(l(()=>Je(e)));return Q([r,t,n]).pipe(l(([{height:i},{offset:s,size:a},{x:c,y:p}])=>({offset:{x:s.x-c,y:s.y-p+i},size:a})))}function aa(e){return h(e,"message",t=>t.data)}function sa(e){let t=new x;return t.subscribe(r=>e.postMessage(r)),t}function on(e,t=new Worker(e)){let r=aa(t),o=sa(t),n=new x;n.subscribe(o);let i=o.pipe(J(),ee(!0));return n.pipe(J(),qe(r.pipe(K(i))),le())}var ca=N("#__config"),vt=JSON.parse(ca.textContent);vt.base=`${new URL(vt.base,fe())}`;function ue(){return vt}function te(e){return vt.features.includes(e)}function be(e,t){return typeof t!="undefined"?vt.translations[e].replace("#",t.toString()):vt.translations[e]}function ye(e,t=document){return N(`[data-md-component=${e}]`,t)}function ne(e,t=document){return z(`[data-md-component=${e}]`,t)}function pa(e){let t=N(".md-typeset > :first-child",e);return h(t,"click",{once:!0}).pipe(l(()=>N(".md-typeset",e)),l(r=>({hash:__md_hash(r.innerHTML)})))}function nn(e){if(!te("announce.dismiss")||!e.childElementCount)return T;if(!e.hidden){let t=N(".md-typeset",e);__md_hash(t.innerHTML)===__md_get("__announce")&&(e.hidden=!0)}return $(()=>{let t=new x;return t.subscribe(({hash:r})=>{e.hidden=!0,__md_set("__announce",r)}),pa(e).pipe(w(r=>t.next(r)),k(()=>t.complete()),l(r=>I({ref:e},r)))})}function ma(e,{target$:t}){return t.pipe(l(r=>({hidden:r!==e})))}function an(e,t){let r=new x;return r.subscribe(({hidden:o})=>{e.hidden=o}),ma(e,t).pipe(w(o=>r.next(o)),k(()=>r.complete()),l(o=>I({ref:e},o)))}function la(e,t){let r=$(()=>Q([Uo(e),dt(t)])).pipe(l(([{x:o,y:n},i])=>{let{width:s,height:a}=he(e);return{x:o-i.x+s/2,y:n-i.y+a/2}}));return er(e).pipe(v(o=>r.pipe(l(n=>({active:o,offset:n})),ge(+!o||1/0))))}function sn(e,t,{target$:r}){let[o,n]=Array.from(e.children);return $(()=>{let i=new x,s=i.pipe(J(),ee(!0));return i.subscribe({next({offset:a}){e.style.setProperty("--md-tooltip-x",`${a.x}px`),e.style.setProperty("--md-tooltip-y",`${a.y}px`)},complete(){e.style.removeProperty("--md-tooltip-x"),e.style.removeProperty("--md-tooltip-y")}}),nr(e).pipe(K(s)).subscribe(a=>{e.toggleAttribute("data-md-visible",a)}),M(i.pipe(L(({active:a})=>a)),i.pipe(ke(250),L(({active:a})=>!a))).subscribe({next({active:a}){a?e.prepend(o):o.remove()},complete(){e.prepend(o)}}),i.pipe(Ae(16,Te)).subscribe(({active:a})=>{o.classList.toggle("md-tooltip--active",a)}),i.pipe(Rr(125,Te),L(()=>!!e.offsetParent),l(()=>e.offsetParent.getBoundingClientRect()),l(({x:a})=>a)).subscribe({next(a){a?e.style.setProperty("--md-tooltip-0",`${-a}px`):e.style.removeProperty("--md-tooltip-0")},complete(){e.style.removeProperty("--md-tooltip-0")}}),h(n,"click").pipe(K(s),L(a=>!(a.metaKey||a.ctrlKey))).subscribe(a=>{a.stopPropagation(),a.preventDefault()}),h(n,"mousedown").pipe(K(s),oe(i)).subscribe(([a,{active:c}])=>{var p;if(a.button!==0||a.metaKey||a.ctrlKey)a.preventDefault();else if(c){a.preventDefault();let m=e.parentElement.closest(".md-annotation");m instanceof HTMLElement?m.focus():(p=Re())==null||p.blur()}}),r.pipe(K(s),L(a=>a===o),ze(125)).subscribe(()=>e.focus()),la(e,t).pipe(w(a=>i.next(a)),k(()=>i.complete()),l(a=>I({ref:e},a)))})}function Wr(e){return O("div",{class:"md-tooltip",id:e},O("div",{class:"md-tooltip__inner md-typeset"}))}function cn(e,t){if(t=t?`${t}_annotation_${e}`:void 0,t){let r=t?`#${t}`:void 0;return O("aside",{class:"md-annotation",tabIndex:0},Wr(t),O("a",{href:r,class:"md-annotation__index",tabIndex:-1},O("span",{"data-md-annotation-id":e})))}else return O("aside",{class:"md-annotation",tabIndex:0},Wr(t),O("span",{class:"md-annotation__index",tabIndex:-1},O("span",{"data-md-annotation-id":e})))}function pn(e){return O("button",{class:"md-clipboard md-icon",title:be("clipboard.copy"),"data-clipboard-target":`#${e} > code`})}function Ur(e,t){let r=t&2,o=t&1,n=Object.keys(e.terms).filter(c=>!e.terms[c]).reduce((c,p)=>[...c,O("del",null,p)," "],[]).slice(0,-1),i=ue(),s=new URL(e.location,i.base);te("search.highlight")&&s.searchParams.set("h",Object.entries(e.terms).filter(([,c])=>c).reduce((c,[p])=>`${c} ${p}`.trim(),""));let{tags:a}=ue();return O("a",{href:`${s}`,class:"md-search-result__link",tabIndex:-1},O("article",{class:"md-search-result__article md-typeset","data-md-score":e.score.toFixed(2)},r>0&&O("div",{class:"md-search-result__icon md-icon"}),r>0&&O("h1",null,e.title),r<=0&&O("h2",null,e.title),o>0&&e.text.length>0&&e.text,e.tags&&e.tags.map(c=>{let p=a?c in a?`md-tag-icon md-tag--${a[c]}`:"md-tag-icon":"";return O("span",{class:`md-tag ${p}`},c)}),o>0&&n.length>0&&O("p",{class:"md-search-result__terms"},be("search.result.term.missing"),": ",...n)))}function mn(e){let t=e[0].score,r=[...e],o=ue(),n=r.findIndex(m=>!`${new URL(m.location,o.base)}`.includes("#")),[i]=r.splice(n,1),s=r.findIndex(m=>m.scoreUr(m,1)),...c.length?[O("details",{class:"md-search-result__more"},O("summary",{tabIndex:-1},O("div",null,c.length>0&&c.length===1?be("search.result.more.one"):be("search.result.more.other",c.length))),...c.map(m=>Ur(m,1)))]:[]];return O("li",{class:"md-search-result__item"},p)}function ln(e){return O("ul",{class:"md-source__facts"},Object.entries(e).map(([t,r])=>O("li",{class:`md-source__fact md-source__fact--${t}`},typeof r=="number"?rr(r):r)))}function Nr(e){let t=`tabbed-control tabbed-control--${e}`;return O("div",{class:t,hidden:!0},O("button",{class:"tabbed-button",tabIndex:-1,"aria-hidden":"true"}))}function fn(e){return O("div",{class:"md-typeset__scrollwrap"},O("div",{class:"md-typeset__table"},e))}function fa(e){let t=ue(),r=new URL(`../${e.version}/`,t.base);return O("li",{class:"md-version__item"},O("a",{href:`${r}`,class:"md-version__link"},e.title))}function un(e,t){return O("div",{class:"md-version"},O("button",{class:"md-version__current","aria-label":be("select.version")},t.title),O("ul",{class:"md-version__list"},e.map(fa)))}function ua(e){return e.tagName==="CODE"?z(".c, .c1, .cm",e):[e]}function da(e){let t=[];for(let r of ua(e)){let o=[],n=document.createNodeIterator(r,NodeFilter.SHOW_TEXT);for(let i=n.nextNode();i;i=n.nextNode())o.push(i);for(let i of o){let s;for(;s=/(\(\d+\))(!)?/.exec(i.textContent);){let[,a,c]=s;if(typeof c=="undefined"){let p=i.splitText(s.index);i=p.splitText(a.length),t.push(p)}else{i.textContent=a,t.push(i);break}}}}return t}function dn(e,t){t.append(...Array.from(e.childNodes))}function cr(e,t,{target$:r,print$:o}){let n=t.closest("[id]"),i=n==null?void 0:n.id,s=new Map;for(let a of da(t)){let[,c]=a.textContent.match(/\((\d+)\)/);ce(`:scope > li:nth-child(${c})`,e)&&(s.set(c,cn(c,i)),a.replaceWith(s.get(c)))}return s.size===0?T:$(()=>{let a=new x,c=a.pipe(J(),ee(!0)),p=[];for(let[m,f]of s)p.push([N(".md-typeset",f),N(`:scope > li:nth-child(${m})`,e)]);return o.pipe(K(c)).subscribe(m=>{e.hidden=!m,e.classList.toggle("md-annotation-list",m);for(let[f,u]of p)m?dn(f,u):dn(u,f)}),M(...[...s].map(([,m])=>sn(m,t,{target$:r}))).pipe(k(()=>a.complete()),le())})}function hn(e){if(e.nextElementSibling){let t=e.nextElementSibling;if(t.tagName==="OL")return t;if(t.tagName==="P"&&!t.children.length)return hn(t)}}function bn(e,t){return $(()=>{let r=hn(e);return typeof r!="undefined"?cr(r,e,t):T})}var gn=$t(Vr());var ha=0;function xn(e){if(e.nextElementSibling){let t=e.nextElementSibling;if(t.tagName==="OL")return t;if(t.tagName==="P"&&!t.children.length)return xn(t)}}function vn(e){return xe(e).pipe(l(({width:t})=>({scrollable:bt(e).width>t})),X("scrollable"))}function yn(e,t){let{matches:r}=matchMedia("(hover)"),o=$(()=>{let n=new x;if(n.subscribe(({scrollable:s})=>{s&&r?e.setAttribute("tabindex","0"):e.removeAttribute("tabindex")}),gn.default.isSupported()&&(e.closest(".copy")||te("content.code.copy")&&!e.closest(".no-copy"))){let s=e.closest("pre");s.id=`__code_${ha++}`,s.insertBefore(pn(s.id),e)}let i=e.closest(".highlight");if(i instanceof HTMLElement){let s=xn(i);if(typeof s!="undefined"&&(i.classList.contains("annotate")||te("content.code.annotate"))){let a=cr(s,e,t);return vn(e).pipe(w(c=>n.next(c)),k(()=>n.complete()),l(c=>I({ref:e},c)),qe(xe(i).pipe(l(({width:c,height:p})=>c&&p),G(),v(c=>c?a:T))))}}return vn(e).pipe(w(s=>n.next(s)),k(()=>n.complete()),l(s=>I({ref:e},s)))});return te("content.lazy")?nr(e).pipe(L(n=>n),ge(1),v(()=>o)):o}function ba(e,{target$:t,print$:r}){let o=!0;return M(t.pipe(l(n=>n.closest("details:not([open])")),L(n=>e===n),l(()=>({action:"open",reveal:!0}))),r.pipe(L(n=>n||!o),w(()=>o=e.open),l(n=>({action:n?"open":"close"}))))}function En(e,t){return $(()=>{let r=new x;return r.subscribe(({action:o,reveal:n})=>{e.toggleAttribute("open",o==="open"),n&&e.scrollIntoView()}),ba(e,t).pipe(w(o=>r.next(o)),k(()=>r.complete()),l(o=>I({ref:e},o)))})}var wn=".node circle,.node ellipse,.node path,.node polygon,.node rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}marker{fill:var(--md-mermaid-edge-color)!important}.edgeLabel .label rect{fill:#0000}.label{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.label foreignObject{line-height:normal;overflow:visible}.label div .edgeLabel{color:var(--md-mermaid-label-fg-color)}.edgeLabel,.edgeLabel rect,.label div .edgeLabel{background-color:var(--md-mermaid-label-bg-color)}.edgeLabel,.edgeLabel rect{fill:var(--md-mermaid-label-bg-color);color:var(--md-mermaid-edge-color)}.edgePath .path,.flowchart-link{stroke:var(--md-mermaid-edge-color);stroke-width:.05rem}.edgePath .arrowheadPath{fill:var(--md-mermaid-edge-color);stroke:none}.cluster rect{fill:var(--md-default-fg-color--lightest);stroke:var(--md-default-fg-color--lighter)}.cluster span{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}g #flowchart-circleEnd,g #flowchart-circleStart,g #flowchart-crossEnd,g #flowchart-crossStart,g #flowchart-pointEnd,g #flowchart-pointStart{stroke:none}g.classGroup line,g.classGroup rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}g.classGroup text{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.classLabel .box{fill:var(--md-mermaid-label-bg-color);background-color:var(--md-mermaid-label-bg-color);opacity:1}.classLabel .label{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.node .divider{stroke:var(--md-mermaid-node-fg-color)}.relation{stroke:var(--md-mermaid-edge-color)}.cardinality{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.cardinality text{fill:inherit!important}defs #classDiagram-compositionEnd,defs #classDiagram-compositionStart,defs #classDiagram-dependencyEnd,defs #classDiagram-dependencyStart,defs #classDiagram-extensionEnd,defs #classDiagram-extensionStart{fill:var(--md-mermaid-edge-color)!important;stroke:var(--md-mermaid-edge-color)!important}defs #classDiagram-aggregationEnd,defs #classDiagram-aggregationStart{fill:var(--md-mermaid-label-bg-color)!important;stroke:var(--md-mermaid-edge-color)!important}g.stateGroup rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}g.stateGroup .state-title{fill:var(--md-mermaid-label-fg-color)!important;font-family:var(--md-mermaid-font-family)}g.stateGroup .composit{fill:var(--md-mermaid-label-bg-color)}.nodeLabel{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.node circle.state-end,.node circle.state-start,.start-state{fill:var(--md-mermaid-edge-color);stroke:none}.end-state-inner,.end-state-outer{fill:var(--md-mermaid-edge-color)}.end-state-inner,.node circle.state-end{stroke:var(--md-mermaid-label-bg-color)}.transition{stroke:var(--md-mermaid-edge-color)}[id^=state-fork] rect,[id^=state-join] rect{fill:var(--md-mermaid-edge-color)!important;stroke:none!important}.statediagram-cluster.statediagram-cluster .inner{fill:var(--md-default-bg-color)}.statediagram-cluster rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}.statediagram-state rect.divider{fill:var(--md-default-fg-color--lightest);stroke:var(--md-default-fg-color--lighter)}defs #statediagram-barbEnd{stroke:var(--md-mermaid-edge-color)}.attributeBoxEven,.attributeBoxOdd{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}.entityBox{fill:var(--md-mermaid-label-bg-color);stroke:var(--md-mermaid-node-fg-color)}.entityLabel{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.relationshipLabelBox{fill:var(--md-mermaid-label-bg-color);fill-opacity:1;background-color:var(--md-mermaid-label-bg-color);opacity:1}.relationshipLabel{fill:var(--md-mermaid-label-fg-color)}.relationshipLine{stroke:var(--md-mermaid-edge-color)}defs #ONE_OR_MORE_END *,defs #ONE_OR_MORE_START *,defs #ONLY_ONE_END *,defs #ONLY_ONE_START *,defs #ZERO_OR_MORE_END *,defs #ZERO_OR_MORE_START *,defs #ZERO_OR_ONE_END *,defs #ZERO_OR_ONE_START *{stroke:var(--md-mermaid-edge-color)!important}defs #ZERO_OR_MORE_END circle,defs #ZERO_OR_MORE_START circle{fill:var(--md-mermaid-label-bg-color)}.actor{fill:var(--md-mermaid-sequence-actor-bg-color);stroke:var(--md-mermaid-sequence-actor-border-color)}text.actor>tspan{fill:var(--md-mermaid-sequence-actor-fg-color);font-family:var(--md-mermaid-font-family)}line{stroke:var(--md-mermaid-sequence-actor-line-color)}.actor-man circle,.actor-man line{fill:var(--md-mermaid-sequence-actorman-bg-color);stroke:var(--md-mermaid-sequence-actorman-line-color)}.messageLine0,.messageLine1{stroke:var(--md-mermaid-sequence-message-line-color)}.note{fill:var(--md-mermaid-sequence-note-bg-color);stroke:var(--md-mermaid-sequence-note-border-color)}.loopText,.loopText>tspan,.messageText,.noteText>tspan{stroke:none;font-family:var(--md-mermaid-font-family)!important}.messageText{fill:var(--md-mermaid-sequence-message-fg-color)}.loopText,.loopText>tspan{fill:var(--md-mermaid-sequence-loop-fg-color)}.noteText>tspan{fill:var(--md-mermaid-sequence-note-fg-color)}#arrowhead path{fill:var(--md-mermaid-sequence-message-line-color);stroke:none}.loopLine{fill:var(--md-mermaid-sequence-loop-bg-color);stroke:var(--md-mermaid-sequence-loop-border-color)}.labelBox{fill:var(--md-mermaid-sequence-label-bg-color);stroke:none}.labelText,.labelText>span{fill:var(--md-mermaid-sequence-label-fg-color);font-family:var(--md-mermaid-font-family)}.sequenceNumber{fill:var(--md-mermaid-sequence-number-fg-color)}rect.rect{fill:var(--md-mermaid-sequence-box-bg-color);stroke:none}rect.rect+text.text{fill:var(--md-mermaid-sequence-box-fg-color)}defs #sequencenumber{fill:var(--md-mermaid-sequence-number-bg-color)!important}";var zr,ga=0;function xa(){return typeof mermaid=="undefined"||mermaid instanceof Element?ht("https://unpkg.com/mermaid@9.4.3/dist/mermaid.min.js"):H(void 0)}function Sn(e){return e.classList.remove("mermaid"),zr||(zr=xa().pipe(w(()=>mermaid.initialize({startOnLoad:!1,themeCSS:wn,sequence:{actorFontSize:"16px",messageFontSize:"16px",noteFontSize:"16px"}})),l(()=>{}),B(1))),zr.subscribe(()=>{e.classList.add("mermaid");let t=`__mermaid_${ga++}`,r=O("div",{class:"mermaid"}),o=e.textContent;mermaid.mermaidAPI.render(t,o,(n,i)=>{let s=r.attachShadow({mode:"closed"});s.innerHTML=n,e.replaceWith(r),i==null||i(s)})}),zr.pipe(l(()=>({ref:e})))}var Tn=O("table");function On(e){return e.replaceWith(Tn),Tn.replaceWith(fn(e)),H({ref:e})}function ya(e){let t=z(":scope > input",e),r=t.find(o=>o.checked)||t[0];return M(...t.map(o=>h(o,"change").pipe(l(()=>N(`label[for="${o.id}"]`))))).pipe(V(N(`label[for="${r.id}"]`)),l(o=>({active:o})))}function Mn(e,{viewport$:t}){let r=Nr("prev");e.append(r);let o=Nr("next");e.append(o);let n=N(".tabbed-labels",e);return $(()=>{let i=new x,s=i.pipe(J(),ee(!0));return Q([i,xe(e)]).pipe(Ae(1,Te),K(s)).subscribe({next([{active:a},c]){let p=Je(a),{width:m}=he(a);e.style.setProperty("--md-indicator-x",`${p.x}px`),e.style.setProperty("--md-indicator-width",`${m}px`);let f=tr(n);(p.xf.x+c.width)&&n.scrollTo({left:Math.max(0,p.x-16),behavior:"smooth"})},complete(){e.style.removeProperty("--md-indicator-x"),e.style.removeProperty("--md-indicator-width")}}),Q([dt(n),xe(n)]).pipe(K(s)).subscribe(([a,c])=>{let p=bt(n);r.hidden=a.x<16,o.hidden=a.x>p.width-c.width-16}),M(h(r,"click").pipe(l(()=>-1)),h(o,"click").pipe(l(()=>1))).pipe(K(s)).subscribe(a=>{let{width:c}=he(n);n.scrollBy({left:c*a,behavior:"smooth"})}),te("content.tabs.link")&&i.pipe(je(1),oe(t)).subscribe(([{active:a},{offset:c}])=>{let p=a.innerText.trim();if(a.hasAttribute("data-md-switching"))a.removeAttribute("data-md-switching");else{let m=e.offsetTop-c.y;for(let u of z("[data-tabs]"))for(let d of z(":scope > input",u)){let b=N(`label[for="${d.id}"]`);if(b!==a&&b.innerText.trim()===p){b.setAttribute("data-md-switching",""),d.click();break}}window.scrollTo({top:e.offsetTop-m});let f=__md_get("__tabs")||[];__md_set("__tabs",[...new Set([p,...f])])}}),i.pipe(K(s)).subscribe(()=>{for(let a of z("audio, video",e))a.pause()}),ya(e).pipe(w(a=>i.next(a)),k(()=>i.complete()),l(a=>I({ref:e},a)))}).pipe(rt(ae))}function Ln(e,{viewport$:t,target$:r,print$:o}){return M(...z(".annotate:not(.highlight)",e).map(n=>bn(n,{target$:r,print$:o})),...z("pre:not(.mermaid) > code",e).map(n=>yn(n,{target$:r,print$:o})),...z("pre.mermaid",e).map(n=>Sn(n)),...z("table:not([class])",e).map(n=>On(n)),...z("details",e).map(n=>En(n,{target$:r,print$:o})),...z("[data-tabs]",e).map(n=>Mn(n,{viewport$:t})))}function Ea(e,{alert$:t}){return t.pipe(v(r=>M(H(!0),H(!1).pipe(ze(2e3))).pipe(l(o=>({message:r,active:o})))))}function _n(e,t){let r=N(".md-typeset",e);return $(()=>{let o=new x;return o.subscribe(({message:n,active:i})=>{e.classList.toggle("md-dialog--active",i),r.textContent=n}),Ea(e,t).pipe(w(n=>o.next(n)),k(()=>o.complete()),l(n=>I({ref:e},n)))})}function wa({viewport$:e}){if(!te("header.autohide"))return H(!1);let t=e.pipe(l(({offset:{y:n}})=>n),Ce(2,1),l(([n,i])=>[nMath.abs(i-n.y)>100),l(([,[n]])=>n),G()),o=We("search");return Q([e,o]).pipe(l(([{offset:n},i])=>n.y>400&&!i),G(),v(n=>n?r:H(!1)),V(!1))}function An(e,t){return $(()=>Q([xe(e),wa(t)])).pipe(l(([{height:r},o])=>({height:r,hidden:o})),G((r,o)=>r.height===o.height&&r.hidden===o.hidden),B(1))}function Cn(e,{header$:t,main$:r}){return $(()=>{let o=new x,n=o.pipe(J(),ee(!0));return o.pipe(X("active"),Ge(t)).subscribe(([{active:i},{hidden:s}])=>{e.classList.toggle("md-header--shadow",i&&!s),e.hidden=s}),r.subscribe(o),t.pipe(K(n),l(i=>I({ref:e},i)))})}function Sa(e,{viewport$:t,header$:r}){return sr(e,{viewport$:t,header$:r}).pipe(l(({offset:{y:o}})=>{let{height:n}=he(e);return{active:o>=n}}),X("active"))}function kn(e,t){return $(()=>{let r=new x;r.subscribe({next({active:n}){e.classList.toggle("md-header__title--active",n)},complete(){e.classList.remove("md-header__title--active")}});let o=ce(".md-content h1");return typeof o=="undefined"?T:Sa(o,t).pipe(w(n=>r.next(n)),k(()=>r.complete()),l(n=>I({ref:e},n)))})}function Hn(e,{viewport$:t,header$:r}){let o=r.pipe(l(({height:i})=>i),G()),n=o.pipe(v(()=>xe(e).pipe(l(({height:i})=>({top:e.offsetTop,bottom:e.offsetTop+i})),X("bottom"))));return Q([o,n,t]).pipe(l(([i,{top:s,bottom:a},{offset:{y:c},size:{height:p}}])=>(p=Math.max(0,p-Math.max(0,s-c,i)-Math.max(0,p+c-a)),{offset:s-i,height:p,active:s-i<=c})),G((i,s)=>i.offset===s.offset&&i.height===s.height&&i.active===s.active))}function Ta(e){let t=__md_get("__palette")||{index:e.findIndex(r=>matchMedia(r.getAttribute("data-md-color-media")).matches)};return H(...e).pipe(se(r=>h(r,"change").pipe(l(()=>r))),V(e[Math.max(0,t.index)]),l(r=>({index:e.indexOf(r),color:{scheme:r.getAttribute("data-md-color-scheme"),primary:r.getAttribute("data-md-color-primary"),accent:r.getAttribute("data-md-color-accent")}})),B(1))}function $n(e){let t=O("meta",{name:"theme-color"});document.head.appendChild(t);let r=O("meta",{name:"color-scheme"});return document.head.appendChild(r),$(()=>{let o=new x;o.subscribe(i=>{document.body.setAttribute("data-md-color-switching","");for(let[s,a]of Object.entries(i.color))document.body.setAttribute(`data-md-color-${s}`,a);for(let s=0;s{let i=ye("header"),s=window.getComputedStyle(i);return r.content=s.colorScheme,s.backgroundColor.match(/\d+/g).map(a=>(+a).toString(16).padStart(2,"0")).join("")})).subscribe(i=>t.content=`#${i}`),o.pipe(_e(ae)).subscribe(()=>{document.body.removeAttribute("data-md-color-switching")});let n=z("input",e);return Ta(n).pipe(w(i=>o.next(i)),k(()=>o.complete()),l(i=>I({ref:e},i)))})}var qr=$t(Vr());function Oa(e){e.setAttribute("data-md-copying","");let t=e.innerText;return e.removeAttribute("data-md-copying"),t}function Rn({alert$:e}){qr.default.isSupported()&&new j(t=>{new qr.default("[data-clipboard-target], [data-clipboard-text]",{text:r=>r.getAttribute("data-clipboard-text")||Oa(N(r.getAttribute("data-clipboard-target")))}).on("success",r=>t.next(r))}).pipe(w(t=>{t.trigger.focus()}),l(()=>be("clipboard.copied"))).subscribe(e)}function Ma(e){if(e.length<2)return[""];let[t,r]=[...e].sort((n,i)=>n.length-i.length).map(n=>n.replace(/[^/]+$/,"")),o=0;if(t===r)o=t.length;else for(;t.charCodeAt(o)===r.charCodeAt(o);)o++;return e.map(n=>n.replace(t.slice(0,o),""))}function pr(e){let t=__md_get("__sitemap",sessionStorage,e);if(t)return H(t);{let r=ue();return Jo(new URL("sitemap.xml",e||r.base)).pipe(l(o=>Ma(z("loc",o).map(n=>n.textContent))),pe(()=>T),He([]),w(o=>__md_set("__sitemap",o,sessionStorage,e)))}}function In({location$:e,viewport$:t}){let r=ue();if(location.protocol==="file:")return T;let o=pr().pipe(l(p=>p.map(m=>`${new URL(m,r.base)}`))),n=h(document.body,"click").pipe(oe(o),v(([p,m])=>{if(!(p.target instanceof Element))return T;let f=p.target.closest("a");if(f===null)return T;if(f.target||p.metaKey||p.ctrlKey)return T;let u=new URL(f.href);return u.search=u.hash="",m.includes(`${u}`)?(p.preventDefault(),H(new URL(f.href))):T}),le());n.pipe(ge(1)).subscribe(()=>{let p=ce("link[rel=icon]");typeof p!="undefined"&&(p.href=p.href)}),h(window,"beforeunload").subscribe(()=>{history.scrollRestoration="auto"}),n.pipe(oe(t)).subscribe(([p,{offset:m}])=>{history.scrollRestoration="manual",history.replaceState(m,""),history.pushState(null,"",p)}),n.subscribe(e);let i=e.pipe(V(fe()),X("pathname"),je(1),v(p=>ar(p).pipe(pe(()=>(ot(p),T))))),s=new DOMParser,a=i.pipe(v(p=>p.text()),v(p=>{let m=s.parseFromString(p,"text/html");for(let u of["title","link[rel=canonical]","meta[name=author]","meta[name=description]","[data-md-component=announce]","[data-md-component=container]","[data-md-component=header-topic]","[data-md-component=outdated]","[data-md-component=logo]","[data-md-component=skip]",...te("navigation.tabs.sticky")?["[data-md-component=tabs]"]:[]]){let d=ce(u),b=ce(u,m);typeof d!="undefined"&&typeof b!="undefined"&&d.replaceWith(b)}let f=ye("container");return Fe(z("script",f)).pipe(v(u=>{let d=m.createElement("script");if(u.src){for(let b of u.getAttributeNames())d.setAttribute(b,u.getAttribute(b));return u.replaceWith(d),new j(b=>{d.onload=()=>b.complete()})}else return d.textContent=u.textContent,u.replaceWith(d),T}),J(),ee(m))}),le());return h(window,"popstate").pipe(l(fe)).subscribe(e),e.pipe(V(fe()),Ce(2,1),v(([p,m])=>p.pathname===m.pathname&&p.hash!==m.hash?H(m):T)).subscribe(p=>{var m,f;history.state!==null||!p.hash?window.scrollTo(0,(f=(m=history.state)==null?void 0:m.y)!=null?f:0):(history.scrollRestoration="auto",Pr(p.hash),history.scrollRestoration="manual")}),a.pipe(oe(e)).subscribe(([,p])=>{var m,f;history.state!==null||!p.hash?window.scrollTo(0,(f=(m=history.state)==null?void 0:m.y)!=null?f:0):Pr(p.hash)}),a.pipe(v(()=>t),X("offset"),ke(100)).subscribe(({offset:p})=>{history.replaceState(p,"")}),a}var jn=$t(Fn());function Wn(e){let t=e.separator.split("|").map(n=>n.replace(/(\(\?[!=<][^)]+\))/g,"").length===0?"\uFFFD":n).join("|"),r=new RegExp(t,"img"),o=(n,i,s)=>`${i}${s}`;return n=>{n=n.replace(/[\s*+\-:~^]+/g," ").trim();let i=new RegExp(`(^|${e.separator}|)(${n.replace(/[|\\{}()[\]^$+*?.-]/g,"\\$&").replace(r,"|")})`,"img");return s=>(0,jn.default)(s).replace(i,o).replace(/<\/mark>(\s+)]*>/img,"$1")}}function Lt(e){return e.type===1}function mr(e){return e.type===3}function Un(e,t){let r=on(e);return M(H(location.protocol!=="file:"),We("search")).pipe($e(o=>o),v(()=>t)).subscribe(({config:o,docs:n})=>r.next({type:0,data:{config:o,docs:n,options:{suggest:te("search.suggest")}}})),r}function Nn({document$:e}){let t=ue(),r=Ue(new URL("../versions.json",t.base)).pipe(pe(()=>T)),o=r.pipe(l(n=>{let[,i]=t.base.match(/([^/]+)\/?$/);return n.find(({version:s,aliases:a})=>s===i||a.includes(i))||n[0]}));r.pipe(l(n=>new Map(n.map(i=>[`${new URL(`../${i.version}/`,t.base)}`,i]))),v(n=>h(document.body,"click").pipe(L(i=>!i.metaKey&&!i.ctrlKey),oe(o),v(([i,s])=>{if(i.target instanceof Element){let a=i.target.closest("a");if(a&&!a.target&&n.has(a.href)){let c=a.href;return!i.target.closest(".md-version")&&n.get(c)===s?T:(i.preventDefault(),H(c))}}return T}),v(i=>{let{version:s}=n.get(i);return pr(new URL(i)).pipe(l(a=>{let p=fe().href.replace(t.base,"");return a.includes(p.split("#")[0])?new URL(`../${s}/${p}`,t.base):new URL(i)}))})))).subscribe(n=>ot(n)),Q([r,o]).subscribe(([n,i])=>{N(".md-header__topic").appendChild(un(n,i))}),e.pipe(v(()=>o)).subscribe(n=>{var s;let i=__md_get("__outdated",sessionStorage);if(i===null){i=!0;let a=((s=t.version)==null?void 0:s.default)||"latest";Array.isArray(a)||(a=[a]);e:for(let c of a)for(let p of n.aliases)if(new RegExp(c,"i").test(p)){i=!1;break e}__md_set("__outdated",i,sessionStorage)}if(i)for(let a of ne("outdated"))a.hidden=!1})}function ka(e,{worker$:t}){let{searchParams:r}=fe();r.has("q")&&(Ke("search",!0),e.value=r.get("q"),e.focus(),We("search").pipe($e(i=>!i)).subscribe(()=>{let i=new URL(location.href);i.searchParams.delete("q"),history.replaceState({},"",`${i}`)}));let o=er(e),n=M(t.pipe($e(Lt)),h(e,"keyup"),o).pipe(l(()=>e.value),G());return Q([n,o]).pipe(l(([i,s])=>({value:i,focus:s})),B(1))}function Dn(e,{worker$:t}){let r=new x,o=r.pipe(J(),ee(!0));Q([t.pipe($e(Lt)),r],(i,s)=>s).pipe(X("value")).subscribe(({value:i})=>t.next({type:2,data:i})),r.pipe(X("focus")).subscribe(({focus:i})=>{i&&Ke("search",i)}),h(e.form,"reset").pipe(K(o)).subscribe(()=>e.focus());let n=N("header [for=__search]");return h(n,"click").subscribe(()=>e.focus()),ka(e,{worker$:t}).pipe(w(i=>r.next(i)),k(()=>r.complete()),l(i=>I({ref:e},i)),B(1))}function Vn(e,{worker$:t,query$:r}){let o=new x,n=zo(e.parentElement).pipe(L(Boolean)),i=e.parentElement,s=N(":scope > :first-child",e),a=N(":scope > :last-child",e);We("search").subscribe(m=>a.setAttribute("role",m?"list":"presentation")),o.pipe(oe(r),Hr(t.pipe($e(Lt)))).subscribe(([{items:m},{value:f}])=>{switch(m.length){case 0:s.textContent=f.length?be("search.result.none"):be("search.result.placeholder");break;case 1:s.textContent=be("search.result.one");break;default:let u=rr(m.length);s.textContent=be("search.result.other",u)}});let c=o.pipe(w(()=>a.innerHTML=""),v(({items:m})=>M(H(...m.slice(0,10)),H(...m.slice(10)).pipe(Ce(4),Ir(n),v(([f])=>f)))),l(mn),le());return c.subscribe(m=>a.appendChild(m)),c.pipe(se(m=>{let f=ce("details",m);return typeof f=="undefined"?T:h(f,"toggle").pipe(K(o),l(()=>f))})).subscribe(m=>{m.open===!1&&m.offsetTop<=i.scrollTop&&i.scrollTo({top:m.offsetTop})}),t.pipe(L(mr),l(({data:m})=>m)).pipe(w(m=>o.next(m)),k(()=>o.complete()),l(m=>I({ref:e},m)))}function Ha(e,{query$:t}){return t.pipe(l(({value:r})=>{let o=fe();return o.hash="",r=r.replace(/\s+/g,"+").replace(/&/g,"%26").replace(/=/g,"%3D"),o.search=`q=${r}`,{url:o}}))}function zn(e,t){let r=new x,o=r.pipe(J(),ee(!0));return r.subscribe(({url:n})=>{e.setAttribute("data-clipboard-text",e.href),e.href=`${n}`}),h(e,"click").pipe(K(o)).subscribe(n=>n.preventDefault()),Ha(e,t).pipe(w(n=>r.next(n)),k(()=>r.complete()),l(n=>I({ref:e},n)))}function qn(e,{worker$:t,keyboard$:r}){let o=new x,n=ye("search-query"),i=M(h(n,"keydown"),h(n,"focus")).pipe(_e(ae),l(()=>n.value),G());return o.pipe(Ge(i),l(([{suggest:a},c])=>{let p=c.split(/([\s-]+)/);if(a!=null&&a.length&&p[p.length-1]){let m=a[a.length-1];m.startsWith(p[p.length-1])&&(p[p.length-1]=m)}else p.length=0;return p})).subscribe(a=>e.innerHTML=a.join("").replace(/\s/g," ")),r.pipe(L(({mode:a})=>a==="search")).subscribe(a=>{switch(a.type){case"ArrowRight":e.innerText.length&&n.selectionStart===n.value.length&&(n.value=e.innerText);break}}),t.pipe(L(mr),l(({data:a})=>a)).pipe(w(a=>o.next(a)),k(()=>o.complete()),l(()=>({ref:e})))}function Kn(e,{index$:t,keyboard$:r}){let o=ue();try{let n=Un(o.search,t),i=ye("search-query",e),s=ye("search-result",e);h(e,"click").pipe(L(({target:c})=>c instanceof Element&&!!c.closest("a"))).subscribe(()=>Ke("search",!1)),r.pipe(L(({mode:c})=>c==="search")).subscribe(c=>{let p=Re();switch(c.type){case"Enter":if(p===i){let m=new Map;for(let f of z(":first-child [href]",s)){let u=f.firstElementChild;m.set(f,parseFloat(u.getAttribute("data-md-score")))}if(m.size){let[[f]]=[...m].sort(([,u],[,d])=>d-u);f.click()}c.claim()}break;case"Escape":case"Tab":Ke("search",!1),i.blur();break;case"ArrowUp":case"ArrowDown":if(typeof p=="undefined")i.focus();else{let m=[i,...z(":not(details) > [href], summary, details[open] [href]",s)],f=Math.max(0,(Math.max(0,m.indexOf(p))+m.length+(c.type==="ArrowUp"?-1:1))%m.length);m[f].focus()}c.claim();break;default:i!==Re()&&i.focus()}}),r.pipe(L(({mode:c})=>c==="global")).subscribe(c=>{switch(c.type){case"f":case"s":case"/":i.focus(),i.select(),c.claim();break}});let a=Dn(i,{worker$:n});return M(a,Vn(s,{worker$:n,query$:a})).pipe(qe(...ne("search-share",e).map(c=>zn(c,{query$:a})),...ne("search-suggest",e).map(c=>qn(c,{worker$:n,keyboard$:r}))))}catch(n){return e.hidden=!0,Ve}}function Qn(e,{index$:t,location$:r}){return Q([t,r.pipe(V(fe()),L(o=>!!o.searchParams.get("h")))]).pipe(l(([o,n])=>Wn(o.config)(n.searchParams.get("h"))),l(o=>{var s;let n=new Map,i=document.createNodeIterator(e,NodeFilter.SHOW_TEXT);for(let a=i.nextNode();a;a=i.nextNode())if((s=a.parentElement)!=null&&s.offsetHeight){let c=a.textContent,p=o(c);p.length>c.length&&n.set(a,p)}for(let[a,c]of n){let{childNodes:p}=O("span",null,c);a.replaceWith(...Array.from(p))}return{ref:e,nodes:n}}))}function $a(e,{viewport$:t,main$:r}){let o=e.closest(".md-grid"),n=o.offsetTop-o.parentElement.offsetTop;return Q([r,t]).pipe(l(([{offset:i,height:s},{offset:{y:a}}])=>(s=s+Math.min(n,Math.max(0,a-i))-n,{height:s,locked:a>=i+n})),G((i,s)=>i.height===s.height&&i.locked===s.locked))}function Kr(e,o){var n=o,{header$:t}=n,r=Zr(n,["header$"]);let i=N(".md-sidebar__scrollwrap",e),{y:s}=Je(i);return $(()=>{let a=new x,c=a.pipe(J(),ee(!0)),p=a.pipe(Ae(0,Te));return p.pipe(oe(t)).subscribe({next([{height:m},{height:f}]){i.style.height=`${m-2*s}px`,e.style.top=`${f}px`},complete(){i.style.height="",e.style.top=""}}),p.pipe($e()).subscribe(()=>{for(let m of z(".md-nav__link--active[href]",e)){let f=or(m);if(typeof f!="undefined"){let u=m.offsetTop-f.offsetTop,{height:d}=he(f);f.scrollTo({top:u-d/2})}}}),me(z("label[tabindex]",e)).pipe(se(m=>h(m,"click").pipe(l(()=>m),K(c)))).subscribe(m=>{let f=N(`[id="${m.htmlFor}"]`);N(`[aria-labelledby="${m.id}"]`).setAttribute("aria-expanded",`${f.checked}`)}),$a(e,r).pipe(w(m=>a.next(m)),k(()=>a.complete()),l(m=>I({ref:e},m)))})}function Yn(e,t){if(typeof t!="undefined"){let r=`https://api.github.com/repos/${e}/${t}`;return Tt(Ue(`${r}/releases/latest`).pipe(pe(()=>T),l(o=>({version:o.tag_name})),He({})),Ue(r).pipe(pe(()=>T),l(o=>({stars:o.stargazers_count,forks:o.forks_count})),He({}))).pipe(l(([o,n])=>I(I({},o),n)))}else{let r=`https://api.github.com/users/${e}`;return Ue(r).pipe(l(o=>({repositories:o.public_repos})),He({}))}}function Bn(e,t){let r=`https://${e}/api/v4/projects/${encodeURIComponent(t)}`;return Ue(r).pipe(pe(()=>T),l(({star_count:o,forks_count:n})=>({stars:o,forks:n})),He({}))}function Gn(e){let t=e.match(/^.+github\.com\/([^/]+)\/?([^/]+)?/i);if(t){let[,r,o]=t;return Yn(r,o)}if(t=e.match(/^.+?([^/]*gitlab[^/]+)\/(.+?)\/?$/i),t){let[,r,o]=t;return Bn(r,o)}return T}var Ra;function Ia(e){return Ra||(Ra=$(()=>{let t=__md_get("__source",sessionStorage);if(t)return H(t);if(ne("consent").length){let o=__md_get("__consent");if(!(o&&o.github))return T}return Gn(e.href).pipe(w(o=>__md_set("__source",o,sessionStorage)))}).pipe(pe(()=>T),L(t=>Object.keys(t).length>0),l(t=>({facts:t})),B(1)))}function Jn(e){let t=N(":scope > :last-child",e);return $(()=>{let r=new x;return r.subscribe(({facts:o})=>{t.appendChild(ln(o)),t.classList.add("md-source__repository--active")}),Ia(e).pipe(w(o=>r.next(o)),k(()=>r.complete()),l(o=>I({ref:e},o)))})}function Pa(e,{viewport$:t,header$:r}){return xe(document.body).pipe(v(()=>sr(e,{header$:r,viewport$:t})),l(({offset:{y:o}})=>({hidden:o>=10})),X("hidden"))}function Xn(e,t){return $(()=>{let r=new x;return r.subscribe({next({hidden:o}){e.hidden=o},complete(){e.hidden=!1}}),(te("navigation.tabs.sticky")?H({hidden:!1}):Pa(e,t)).pipe(w(o=>r.next(o)),k(()=>r.complete()),l(o=>I({ref:e},o)))})}function Fa(e,{viewport$:t,header$:r}){let o=new Map,n=z("[href^=\\#]",e);for(let a of n){let c=decodeURIComponent(a.hash.substring(1)),p=ce(`[id="${c}"]`);typeof p!="undefined"&&o.set(a,p)}let i=r.pipe(X("height"),l(({height:a})=>{let c=ye("main"),p=N(":scope > :first-child",c);return a+.8*(p.offsetTop-c.offsetTop)}),le());return xe(document.body).pipe(X("height"),v(a=>$(()=>{let c=[];return H([...o].reduce((p,[m,f])=>{for(;c.length&&o.get(c[c.length-1]).tagName>=f.tagName;)c.pop();let u=f.offsetTop;for(;!u&&f.parentElement;)f=f.parentElement,u=f.offsetTop;let d=f.offsetParent;for(;d;d=d.offsetParent)u+=d.offsetTop;return p.set([...c=[...c,m]].reverse(),u)},new Map))}).pipe(l(c=>new Map([...c].sort(([,p],[,m])=>p-m))),Ge(i),v(([c,p])=>t.pipe(Cr(([m,f],{offset:{y:u},size:d})=>{let b=u+d.height>=Math.floor(a.height);for(;f.length;){let[,_]=f[0];if(_-p=u&&!b)f=[m.pop(),...f];else break}return[m,f]},[[],[...c]]),G((m,f)=>m[0]===f[0]&&m[1]===f[1])))))).pipe(l(([a,c])=>({prev:a.map(([p])=>p),next:c.map(([p])=>p)})),V({prev:[],next:[]}),Ce(2,1),l(([a,c])=>a.prev.length{let i=new x,s=i.pipe(J(),ee(!0));if(i.subscribe(({prev:a,next:c})=>{for(let[p]of c)p.classList.remove("md-nav__link--passed"),p.classList.remove("md-nav__link--active");for(let[p,[m]]of a.entries())m.classList.add("md-nav__link--passed"),m.classList.toggle("md-nav__link--active",p===a.length-1)}),te("toc.follow")){let a=M(t.pipe(ke(1),l(()=>{})),t.pipe(ke(250),l(()=>"smooth")));i.pipe(L(({prev:c})=>c.length>0),Ge(o.pipe(_e(ae))),oe(a)).subscribe(([[{prev:c}],p])=>{let[m]=c[c.length-1];if(m.offsetHeight){let f=or(m);if(typeof f!="undefined"){let u=m.offsetTop-f.offsetTop,{height:d}=he(f);f.scrollTo({top:u-d/2,behavior:p})}}})}return te("navigation.tracking")&&t.pipe(K(s),X("offset"),ke(250),je(1),K(n.pipe(je(1))),Ot({delay:250}),oe(i)).subscribe(([,{prev:a}])=>{let c=fe(),p=a[a.length-1];if(p&&p.length){let[m]=p,{hash:f}=new URL(m.href);c.hash!==f&&(c.hash=f,history.replaceState({},"",`${c}`))}else c.hash="",history.replaceState({},"",`${c}`)}),Fa(e,{viewport$:t,header$:r}).pipe(w(a=>i.next(a)),k(()=>i.complete()),l(a=>I({ref:e},a)))})}function ja(e,{viewport$:t,main$:r,target$:o}){let n=t.pipe(l(({offset:{y:s}})=>s),Ce(2,1),l(([s,a])=>s>a&&a>0),G()),i=r.pipe(l(({active:s})=>s));return Q([i,n]).pipe(l(([s,a])=>!(s&&a)),G(),K(o.pipe(je(1))),ee(!0),Ot({delay:250}),l(s=>({hidden:s})))}function ei(e,{viewport$:t,header$:r,main$:o,target$:n}){let i=new x,s=i.pipe(J(),ee(!0));return i.subscribe({next({hidden:a}){e.hidden=a,a?(e.setAttribute("tabindex","-1"),e.blur()):e.removeAttribute("tabindex")},complete(){e.style.top="",e.hidden=!0,e.removeAttribute("tabindex")}}),r.pipe(K(s),X("height")).subscribe(({height:a})=>{e.style.top=`${a+16}px`}),h(e,"click").subscribe(a=>{a.preventDefault(),window.scrollTo({top:0})}),ja(e,{viewport$:t,main$:o,target$:n}).pipe(w(a=>i.next(a)),k(()=>i.complete()),l(a=>I({ref:e},a)))}function ti({document$:e,tablet$:t}){e.pipe(v(()=>z(".md-toggle--indeterminate")),w(r=>{r.indeterminate=!0,r.checked=!1}),se(r=>h(r,"change").pipe($r(()=>r.classList.contains("md-toggle--indeterminate")),l(()=>r))),oe(t)).subscribe(([r,o])=>{r.classList.remove("md-toggle--indeterminate"),o&&(r.checked=!1)})}function Wa(){return/(iPad|iPhone|iPod)/.test(navigator.userAgent)}function ri({document$:e}){e.pipe(v(()=>z("[data-md-scrollfix]")),w(t=>t.removeAttribute("data-md-scrollfix")),L(Wa),se(t=>h(t,"touchstart").pipe(l(()=>t)))).subscribe(t=>{let r=t.scrollTop;r===0?t.scrollTop=1:r+t.offsetHeight===t.scrollHeight&&(t.scrollTop=r-1)})}function oi({viewport$:e,tablet$:t}){Q([We("search"),t]).pipe(l(([r,o])=>r&&!o),v(r=>H(r).pipe(ze(r?400:100))),oe(e)).subscribe(([r,{offset:{y:o}}])=>{if(r)document.body.setAttribute("data-md-scrolllock",""),document.body.style.top=`-${o}px`;else{let n=-1*parseInt(document.body.style.top,10);document.body.removeAttribute("data-md-scrolllock"),document.body.style.top="",n&&window.scrollTo(0,n)}})}Object.entries||(Object.entries=function(e){let t=[];for(let r of Object.keys(e))t.push([r,e[r]]);return t});Object.values||(Object.values=function(e){let t=[];for(let r of Object.keys(e))t.push(e[r]);return t});typeof Element!="undefined"&&(Element.prototype.scrollTo||(Element.prototype.scrollTo=function(e,t){typeof e=="object"?(this.scrollLeft=e.left,this.scrollTop=e.top):(this.scrollLeft=e,this.scrollTop=t)}),Element.prototype.replaceWith||(Element.prototype.replaceWith=function(...e){let t=this.parentNode;if(t){e.length===0&&t.removeChild(this);for(let r=e.length-1;r>=0;r--){let o=e[r];typeof o=="string"?o=document.createTextNode(o):o.parentNode&&o.parentNode.removeChild(o),r?t.insertBefore(this.previousSibling,o):t.replaceChild(o,this)}}}));function Ua(){return location.protocol==="file:"?ht(`${new URL("search/search_index.js",Qr.base)}`).pipe(l(()=>__index),B(1)):Ue(new URL("search/search_index.json",Qr.base))}document.documentElement.classList.remove("no-js");document.documentElement.classList.add("js");var nt=Wo(),At=Qo(),gt=Bo(At),Yr=Ko(),Se=rn(),lr=Fr("(min-width: 960px)"),ii=Fr("(min-width: 1220px)"),ai=Go(),Qr=ue(),si=document.forms.namedItem("search")?Ua():Ve,Br=new x;Rn({alert$:Br});te("navigation.instant")&&In({location$:At,viewport$:Se}).subscribe(nt);var ni;((ni=Qr.version)==null?void 0:ni.provider)==="mike"&&Nn({document$:nt});M(At,gt).pipe(ze(125)).subscribe(()=>{Ke("drawer",!1),Ke("search",!1)});Yr.pipe(L(({mode:e})=>e==="global")).subscribe(e=>{switch(e.type){case"p":case",":let t=ce("link[rel=prev]");typeof t!="undefined"&&ot(t);break;case"n":case".":let r=ce("link[rel=next]");typeof r!="undefined"&&ot(r);break;case"Enter":let o=Re();o instanceof HTMLLabelElement&&o.click()}});ti({document$:nt,tablet$:lr});ri({document$:nt});oi({viewport$:Se,tablet$:lr});var Xe=An(ye("header"),{viewport$:Se}),_t=nt.pipe(l(()=>ye("main")),v(e=>Hn(e,{viewport$:Se,header$:Xe})),B(1)),Na=M(...ne("consent").map(e=>an(e,{target$:gt})),...ne("dialog").map(e=>_n(e,{alert$:Br})),...ne("header").map(e=>Cn(e,{viewport$:Se,header$:Xe,main$:_t})),...ne("palette").map(e=>$n(e)),...ne("search").map(e=>Kn(e,{index$:si,keyboard$:Yr})),...ne("source").map(e=>Jn(e))),Da=$(()=>M(...ne("announce").map(e=>nn(e)),...ne("content").map(e=>Ln(e,{viewport$:Se,target$:gt,print$:ai})),...ne("content").map(e=>te("search.highlight")?Qn(e,{index$:si,location$:At}):T),...ne("header-title").map(e=>kn(e,{viewport$:Se,header$:Xe})),...ne("sidebar").map(e=>e.getAttribute("data-md-type")==="navigation"?jr(ii,()=>Kr(e,{viewport$:Se,header$:Xe,main$:_t})):jr(lr,()=>Kr(e,{viewport$:Se,header$:Xe,main$:_t}))),...ne("tabs").map(e=>Xn(e,{viewport$:Se,header$:Xe})),...ne("toc").map(e=>Zn(e,{viewport$:Se,header$:Xe,main$:_t,target$:gt})),...ne("top").map(e=>ei(e,{viewport$:Se,header$:Xe,main$:_t,target$:gt})))),ci=nt.pipe(v(()=>Da),qe(Na),B(1));ci.subscribe();window.document$=nt;window.location$=At;window.target$=gt;window.keyboard$=Yr;window.viewport$=Se;window.tablet$=lr;window.screen$=ii;window.print$=ai;window.alert$=Br;window.component$=ci;})(); +//# sourceMappingURL=bundle.dff1b7c8.min.js.map + diff --git a/2024.9.2/assets/javascripts/bundle.dff1b7c8.min.js.map b/2024.9.2/assets/javascripts/bundle.dff1b7c8.min.js.map new file mode 100644 index 0000000..82d9023 --- /dev/null +++ b/2024.9.2/assets/javascripts/bundle.dff1b7c8.min.js.map @@ -0,0 +1,8 @@ +{ + "version": 3, + "sources": ["node_modules/focus-visible/dist/focus-visible.js", "node_modules/clipboard/dist/clipboard.js", "node_modules/escape-html/index.js", "src/assets/javascripts/bundle.ts", "node_modules/rxjs/node_modules/tslib/tslib.es6.js", "node_modules/rxjs/src/internal/util/isFunction.ts", "node_modules/rxjs/src/internal/util/createErrorClass.ts", "node_modules/rxjs/src/internal/util/UnsubscriptionError.ts", "node_modules/rxjs/src/internal/util/arrRemove.ts", "node_modules/rxjs/src/internal/Subscription.ts", "node_modules/rxjs/src/internal/config.ts", "node_modules/rxjs/src/internal/scheduler/timeoutProvider.ts", "node_modules/rxjs/src/internal/util/reportUnhandledError.ts", "node_modules/rxjs/src/internal/util/noop.ts", "node_modules/rxjs/src/internal/NotificationFactories.ts", "node_modules/rxjs/src/internal/util/errorContext.ts", "node_modules/rxjs/src/internal/Subscriber.ts", "node_modules/rxjs/src/internal/symbol/observable.ts", "node_modules/rxjs/src/internal/util/identity.ts", "node_modules/rxjs/src/internal/util/pipe.ts", "node_modules/rxjs/src/internal/Observable.ts", "node_modules/rxjs/src/internal/util/lift.ts", "node_modules/rxjs/src/internal/operators/OperatorSubscriber.ts", "node_modules/rxjs/src/internal/scheduler/animationFrameProvider.ts", "node_modules/rxjs/src/internal/util/ObjectUnsubscribedError.ts", "node_modules/rxjs/src/internal/Subject.ts", "node_modules/rxjs/src/internal/scheduler/dateTimestampProvider.ts", "node_modules/rxjs/src/internal/ReplaySubject.ts", "node_modules/rxjs/src/internal/scheduler/Action.ts", "node_modules/rxjs/src/internal/scheduler/intervalProvider.ts", "node_modules/rxjs/src/internal/scheduler/AsyncAction.ts", "node_modules/rxjs/src/internal/Scheduler.ts", "node_modules/rxjs/src/internal/scheduler/AsyncScheduler.ts", "node_modules/rxjs/src/internal/scheduler/async.ts", "node_modules/rxjs/src/internal/scheduler/AnimationFrameAction.ts", "node_modules/rxjs/src/internal/scheduler/AnimationFrameScheduler.ts", "node_modules/rxjs/src/internal/scheduler/animationFrame.ts", "node_modules/rxjs/src/internal/observable/empty.ts", "node_modules/rxjs/src/internal/util/isScheduler.ts", "node_modules/rxjs/src/internal/util/args.ts", "node_modules/rxjs/src/internal/util/isArrayLike.ts", "node_modules/rxjs/src/internal/util/isPromise.ts", "node_modules/rxjs/src/internal/util/isInteropObservable.ts", "node_modules/rxjs/src/internal/util/isAsyncIterable.ts", "node_modules/rxjs/src/internal/util/throwUnobservableError.ts", "node_modules/rxjs/src/internal/symbol/iterator.ts", "node_modules/rxjs/src/internal/util/isIterable.ts", "node_modules/rxjs/src/internal/util/isReadableStreamLike.ts", "node_modules/rxjs/src/internal/observable/innerFrom.ts", "node_modules/rxjs/src/internal/util/executeSchedule.ts", "node_modules/rxjs/src/internal/operators/observeOn.ts", "node_modules/rxjs/src/internal/operators/subscribeOn.ts", "node_modules/rxjs/src/internal/scheduled/scheduleObservable.ts", "node_modules/rxjs/src/internal/scheduled/schedulePromise.ts", "node_modules/rxjs/src/internal/scheduled/scheduleArray.ts", "node_modules/rxjs/src/internal/scheduled/scheduleIterable.ts", "node_modules/rxjs/src/internal/scheduled/scheduleAsyncIterable.ts", "node_modules/rxjs/src/internal/scheduled/scheduleReadableStreamLike.ts", "node_modules/rxjs/src/internal/scheduled/scheduled.ts", "node_modules/rxjs/src/internal/observable/from.ts", "node_modules/rxjs/src/internal/observable/of.ts", "node_modules/rxjs/src/internal/observable/throwError.ts", "node_modules/rxjs/src/internal/util/EmptyError.ts", "node_modules/rxjs/src/internal/util/isDate.ts", "node_modules/rxjs/src/internal/operators/map.ts", "node_modules/rxjs/src/internal/util/mapOneOrManyArgs.ts", "node_modules/rxjs/src/internal/util/argsArgArrayOrObject.ts", "node_modules/rxjs/src/internal/util/createObject.ts", "node_modules/rxjs/src/internal/observable/combineLatest.ts", "node_modules/rxjs/src/internal/operators/mergeInternals.ts", "node_modules/rxjs/src/internal/operators/mergeMap.ts", "node_modules/rxjs/src/internal/operators/mergeAll.ts", "node_modules/rxjs/src/internal/operators/concatAll.ts", "node_modules/rxjs/src/internal/observable/concat.ts", "node_modules/rxjs/src/internal/observable/defer.ts", "node_modules/rxjs/src/internal/observable/fromEvent.ts", "node_modules/rxjs/src/internal/observable/fromEventPattern.ts", "node_modules/rxjs/src/internal/observable/timer.ts", "node_modules/rxjs/src/internal/observable/merge.ts", "node_modules/rxjs/src/internal/observable/never.ts", "node_modules/rxjs/src/internal/util/argsOrArgArray.ts", "node_modules/rxjs/src/internal/operators/filter.ts", "node_modules/rxjs/src/internal/observable/zip.ts", "node_modules/rxjs/src/internal/operators/audit.ts", "node_modules/rxjs/src/internal/operators/auditTime.ts", "node_modules/rxjs/src/internal/operators/bufferCount.ts", "node_modules/rxjs/src/internal/operators/catchError.ts", "node_modules/rxjs/src/internal/operators/scanInternals.ts", "node_modules/rxjs/src/internal/operators/combineLatest.ts", "node_modules/rxjs/src/internal/operators/combineLatestWith.ts", "node_modules/rxjs/src/internal/operators/debounceTime.ts", "node_modules/rxjs/src/internal/operators/defaultIfEmpty.ts", "node_modules/rxjs/src/internal/operators/take.ts", "node_modules/rxjs/src/internal/operators/ignoreElements.ts", "node_modules/rxjs/src/internal/operators/mapTo.ts", "node_modules/rxjs/src/internal/operators/delayWhen.ts", "node_modules/rxjs/src/internal/operators/delay.ts", "node_modules/rxjs/src/internal/operators/distinctUntilChanged.ts", "node_modules/rxjs/src/internal/operators/distinctUntilKeyChanged.ts", "node_modules/rxjs/src/internal/operators/throwIfEmpty.ts", "node_modules/rxjs/src/internal/operators/endWith.ts", "node_modules/rxjs/src/internal/operators/finalize.ts", "node_modules/rxjs/src/internal/operators/first.ts", "node_modules/rxjs/src/internal/operators/merge.ts", "node_modules/rxjs/src/internal/operators/mergeWith.ts", "node_modules/rxjs/src/internal/operators/repeat.ts", "node_modules/rxjs/src/internal/operators/scan.ts", "node_modules/rxjs/src/internal/operators/share.ts", "node_modules/rxjs/src/internal/operators/shareReplay.ts", "node_modules/rxjs/src/internal/operators/skip.ts", "node_modules/rxjs/src/internal/operators/skipUntil.ts", "node_modules/rxjs/src/internal/operators/startWith.ts", "node_modules/rxjs/src/internal/operators/switchMap.ts", "node_modules/rxjs/src/internal/operators/takeUntil.ts", "node_modules/rxjs/src/internal/operators/takeWhile.ts", "node_modules/rxjs/src/internal/operators/tap.ts", "node_modules/rxjs/src/internal/operators/throttle.ts", "node_modules/rxjs/src/internal/operators/throttleTime.ts", "node_modules/rxjs/src/internal/operators/withLatestFrom.ts", "node_modules/rxjs/src/internal/operators/zip.ts", "node_modules/rxjs/src/internal/operators/zipWith.ts", "src/assets/javascripts/browser/document/index.ts", "src/assets/javascripts/browser/element/_/index.ts", "src/assets/javascripts/browser/element/focus/index.ts", "src/assets/javascripts/browser/element/offset/_/index.ts", "src/assets/javascripts/browser/element/offset/content/index.ts", "src/assets/javascripts/utilities/h/index.ts", "src/assets/javascripts/utilities/round/index.ts", "src/assets/javascripts/browser/script/index.ts", "src/assets/javascripts/browser/element/size/_/index.ts", "src/assets/javascripts/browser/element/size/content/index.ts", "src/assets/javascripts/browser/element/visibility/index.ts", "src/assets/javascripts/browser/toggle/index.ts", "src/assets/javascripts/browser/keyboard/index.ts", "src/assets/javascripts/browser/location/_/index.ts", "src/assets/javascripts/browser/location/hash/index.ts", "src/assets/javascripts/browser/media/index.ts", "src/assets/javascripts/browser/request/index.ts", "src/assets/javascripts/browser/viewport/offset/index.ts", "src/assets/javascripts/browser/viewport/size/index.ts", "src/assets/javascripts/browser/viewport/_/index.ts", "src/assets/javascripts/browser/viewport/at/index.ts", "src/assets/javascripts/browser/worker/index.ts", "src/assets/javascripts/_/index.ts", "src/assets/javascripts/components/_/index.ts", "src/assets/javascripts/components/announce/index.ts", "src/assets/javascripts/components/consent/index.ts", "src/assets/javascripts/components/content/annotation/_/index.ts", "src/assets/javascripts/templates/tooltip/index.tsx", "src/assets/javascripts/templates/annotation/index.tsx", "src/assets/javascripts/templates/clipboard/index.tsx", "src/assets/javascripts/templates/search/index.tsx", "src/assets/javascripts/templates/source/index.tsx", "src/assets/javascripts/templates/tabbed/index.tsx", "src/assets/javascripts/templates/table/index.tsx", "src/assets/javascripts/templates/version/index.tsx", "src/assets/javascripts/components/content/annotation/list/index.ts", "src/assets/javascripts/components/content/annotation/block/index.ts", "src/assets/javascripts/components/content/code/_/index.ts", "src/assets/javascripts/components/content/details/index.ts", "src/assets/javascripts/components/content/mermaid/index.css", "src/assets/javascripts/components/content/mermaid/index.ts", "src/assets/javascripts/components/content/table/index.ts", "src/assets/javascripts/components/content/tabs/index.ts", "src/assets/javascripts/components/content/_/index.ts", "src/assets/javascripts/components/dialog/index.ts", "src/assets/javascripts/components/header/_/index.ts", "src/assets/javascripts/components/header/title/index.ts", "src/assets/javascripts/components/main/index.ts", "src/assets/javascripts/components/palette/index.ts", "src/assets/javascripts/integrations/clipboard/index.ts", "src/assets/javascripts/integrations/sitemap/index.ts", "src/assets/javascripts/integrations/instant/index.ts", "src/assets/javascripts/integrations/search/highlighter/index.ts", "src/assets/javascripts/integrations/search/worker/message/index.ts", "src/assets/javascripts/integrations/search/worker/_/index.ts", "src/assets/javascripts/integrations/version/index.ts", "src/assets/javascripts/components/search/query/index.ts", "src/assets/javascripts/components/search/result/index.ts", "src/assets/javascripts/components/search/share/index.ts", "src/assets/javascripts/components/search/suggest/index.ts", "src/assets/javascripts/components/search/_/index.ts", "src/assets/javascripts/components/search/highlight/index.ts", "src/assets/javascripts/components/sidebar/index.ts", "src/assets/javascripts/components/source/facts/github/index.ts", "src/assets/javascripts/components/source/facts/gitlab/index.ts", "src/assets/javascripts/components/source/facts/_/index.ts", "src/assets/javascripts/components/source/_/index.ts", "src/assets/javascripts/components/tabs/index.ts", "src/assets/javascripts/components/toc/index.ts", "src/assets/javascripts/components/top/index.ts", "src/assets/javascripts/patches/indeterminate/index.ts", "src/assets/javascripts/patches/scrollfix/index.ts", "src/assets/javascripts/patches/scrolllock/index.ts", "src/assets/javascripts/polyfills/index.ts"], + "sourceRoot": "../../..", + "sourcesContent": ["(function (global, factory) {\n typeof exports === 'object' && typeof module !== 'undefined' ? factory() :\n typeof define === 'function' && define.amd ? define(factory) :\n (factory());\n}(this, (function () { 'use strict';\n\n /**\n * Applies the :focus-visible polyfill at the given scope.\n * A scope in this case is either the top-level Document or a Shadow Root.\n *\n * @param {(Document|ShadowRoot)} scope\n * @see https://github.com/WICG/focus-visible\n */\n function applyFocusVisiblePolyfill(scope) {\n var hadKeyboardEvent = true;\n var hadFocusVisibleRecently = false;\n var hadFocusVisibleRecentlyTimeout = null;\n\n var inputTypesAllowlist = {\n text: true,\n search: true,\n url: true,\n tel: true,\n email: true,\n password: true,\n number: true,\n date: true,\n month: true,\n week: true,\n time: true,\n datetime: true,\n 'datetime-local': true\n };\n\n /**\n * Helper function for legacy browsers and iframes which sometimes focus\n * elements like document, body, and non-interactive SVG.\n * @param {Element} el\n */\n function isValidFocusTarget(el) {\n if (\n el &&\n el !== document &&\n el.nodeName !== 'HTML' &&\n el.nodeName !== 'BODY' &&\n 'classList' in el &&\n 'contains' in el.classList\n ) {\n return true;\n }\n return false;\n }\n\n /**\n * Computes whether the given element should automatically trigger the\n * `focus-visible` class being added, i.e. whether it should always match\n * `:focus-visible` when focused.\n * @param {Element} el\n * @return {boolean}\n */\n function focusTriggersKeyboardModality(el) {\n var type = el.type;\n var tagName = el.tagName;\n\n if (tagName === 'INPUT' && inputTypesAllowlist[type] && !el.readOnly) {\n return true;\n }\n\n if (tagName === 'TEXTAREA' && !el.readOnly) {\n return true;\n }\n\n if (el.isContentEditable) {\n return true;\n }\n\n return false;\n }\n\n /**\n * Add the `focus-visible` class to the given element if it was not added by\n * the author.\n * @param {Element} el\n */\n function addFocusVisibleClass(el) {\n if (el.classList.contains('focus-visible')) {\n return;\n }\n el.classList.add('focus-visible');\n el.setAttribute('data-focus-visible-added', '');\n }\n\n /**\n * Remove the `focus-visible` class from the given element if it was not\n * originally added by the author.\n * @param {Element} el\n */\n function removeFocusVisibleClass(el) {\n if (!el.hasAttribute('data-focus-visible-added')) {\n return;\n }\n el.classList.remove('focus-visible');\n el.removeAttribute('data-focus-visible-added');\n }\n\n /**\n * If the most recent user interaction was via the keyboard;\n * and the key press did not include a meta, alt/option, or control key;\n * then the modality is keyboard. Otherwise, the modality is not keyboard.\n * Apply `focus-visible` to any current active element and keep track\n * of our keyboard modality state with `hadKeyboardEvent`.\n * @param {KeyboardEvent} e\n */\n function onKeyDown(e) {\n if (e.metaKey || e.altKey || e.ctrlKey) {\n return;\n }\n\n if (isValidFocusTarget(scope.activeElement)) {\n addFocusVisibleClass(scope.activeElement);\n }\n\n hadKeyboardEvent = true;\n }\n\n /**\n * If at any point a user clicks with a pointing device, ensure that we change\n * the modality away from keyboard.\n * This avoids the situation where a user presses a key on an already focused\n * element, and then clicks on a different element, focusing it with a\n * pointing device, while we still think we're in keyboard modality.\n * @param {Event} e\n */\n function onPointerDown(e) {\n hadKeyboardEvent = false;\n }\n\n /**\n * On `focus`, add the `focus-visible` class to the target if:\n * - the target received focus as a result of keyboard navigation, or\n * - the event target is an element that will likely require interaction\n * via the keyboard (e.g. a text box)\n * @param {Event} e\n */\n function onFocus(e) {\n // Prevent IE from focusing the document or HTML element.\n if (!isValidFocusTarget(e.target)) {\n return;\n }\n\n if (hadKeyboardEvent || focusTriggersKeyboardModality(e.target)) {\n addFocusVisibleClass(e.target);\n }\n }\n\n /**\n * On `blur`, remove the `focus-visible` class from the target.\n * @param {Event} e\n */\n function onBlur(e) {\n if (!isValidFocusTarget(e.target)) {\n return;\n }\n\n if (\n e.target.classList.contains('focus-visible') ||\n e.target.hasAttribute('data-focus-visible-added')\n ) {\n // To detect a tab/window switch, we look for a blur event followed\n // rapidly by a visibility change.\n // If we don't see a visibility change within 100ms, it's probably a\n // regular focus change.\n hadFocusVisibleRecently = true;\n window.clearTimeout(hadFocusVisibleRecentlyTimeout);\n hadFocusVisibleRecentlyTimeout = window.setTimeout(function() {\n hadFocusVisibleRecently = false;\n }, 100);\n removeFocusVisibleClass(e.target);\n }\n }\n\n /**\n * If the user changes tabs, keep track of whether or not the previously\n * focused element had .focus-visible.\n * @param {Event} e\n */\n function onVisibilityChange(e) {\n if (document.visibilityState === 'hidden') {\n // If the tab becomes active again, the browser will handle calling focus\n // on the element (Safari actually calls it twice).\n // If this tab change caused a blur on an element with focus-visible,\n // re-apply the class when the user switches back to the tab.\n if (hadFocusVisibleRecently) {\n hadKeyboardEvent = true;\n }\n addInitialPointerMoveListeners();\n }\n }\n\n /**\n * Add a group of listeners to detect usage of any pointing devices.\n * These listeners will be added when the polyfill first loads, and anytime\n * the window is blurred, so that they are active when the window regains\n * focus.\n */\n function addInitialPointerMoveListeners() {\n document.addEventListener('mousemove', onInitialPointerMove);\n document.addEventListener('mousedown', onInitialPointerMove);\n document.addEventListener('mouseup', onInitialPointerMove);\n document.addEventListener('pointermove', onInitialPointerMove);\n document.addEventListener('pointerdown', onInitialPointerMove);\n document.addEventListener('pointerup', onInitialPointerMove);\n document.addEventListener('touchmove', onInitialPointerMove);\n document.addEventListener('touchstart', onInitialPointerMove);\n document.addEventListener('touchend', onInitialPointerMove);\n }\n\n function removeInitialPointerMoveListeners() {\n document.removeEventListener('mousemove', onInitialPointerMove);\n document.removeEventListener('mousedown', onInitialPointerMove);\n document.removeEventListener('mouseup', onInitialPointerMove);\n document.removeEventListener('pointermove', onInitialPointerMove);\n document.removeEventListener('pointerdown', onInitialPointerMove);\n document.removeEventListener('pointerup', onInitialPointerMove);\n document.removeEventListener('touchmove', onInitialPointerMove);\n document.removeEventListener('touchstart', onInitialPointerMove);\n document.removeEventListener('touchend', onInitialPointerMove);\n }\n\n /**\n * When the polfyill first loads, assume the user is in keyboard modality.\n * If any event is received from a pointing device (e.g. mouse, pointer,\n * touch), turn off keyboard modality.\n * This accounts for situations where focus enters the page from the URL bar.\n * @param {Event} e\n */\n function onInitialPointerMove(e) {\n // Work around a Safari quirk that fires a mousemove on whenever the\n // window blurs, even if you're tabbing out of the page. \u00AF\\_(\u30C4)_/\u00AF\n if (e.target.nodeName && e.target.nodeName.toLowerCase() === 'html') {\n return;\n }\n\n hadKeyboardEvent = false;\n removeInitialPointerMoveListeners();\n }\n\n // For some kinds of state, we are interested in changes at the global scope\n // only. For example, global pointer input, global key presses and global\n // visibility change should affect the state at every scope:\n document.addEventListener('keydown', onKeyDown, true);\n document.addEventListener('mousedown', onPointerDown, true);\n document.addEventListener('pointerdown', onPointerDown, true);\n document.addEventListener('touchstart', onPointerDown, true);\n document.addEventListener('visibilitychange', onVisibilityChange, true);\n\n addInitialPointerMoveListeners();\n\n // For focus and blur, we specifically care about state changes in the local\n // scope. This is because focus / blur events that originate from within a\n // shadow root are not re-dispatched from the host element if it was already\n // the active element in its own scope:\n scope.addEventListener('focus', onFocus, true);\n scope.addEventListener('blur', onBlur, true);\n\n // We detect that a node is a ShadowRoot by ensuring that it is a\n // DocumentFragment and also has a host property. This check covers native\n // implementation and polyfill implementation transparently. If we only cared\n // about the native implementation, we could just check if the scope was\n // an instance of a ShadowRoot.\n if (scope.nodeType === Node.DOCUMENT_FRAGMENT_NODE && scope.host) {\n // Since a ShadowRoot is a special kind of DocumentFragment, it does not\n // have a root element to add a class to. So, we add this attribute to the\n // host element instead:\n scope.host.setAttribute('data-js-focus-visible', '');\n } else if (scope.nodeType === Node.DOCUMENT_NODE) {\n document.documentElement.classList.add('js-focus-visible');\n document.documentElement.setAttribute('data-js-focus-visible', '');\n }\n }\n\n // It is important to wrap all references to global window and document in\n // these checks to support server-side rendering use cases\n // @see https://github.com/WICG/focus-visible/issues/199\n if (typeof window !== 'undefined' && typeof document !== 'undefined') {\n // Make the polyfill helper globally available. This can be used as a signal\n // to interested libraries that wish to coordinate with the polyfill for e.g.,\n // applying the polyfill to a shadow root:\n window.applyFocusVisiblePolyfill = applyFocusVisiblePolyfill;\n\n // Notify interested libraries of the polyfill's presence, in case the\n // polyfill was loaded lazily:\n var event;\n\n try {\n event = new CustomEvent('focus-visible-polyfill-ready');\n } catch (error) {\n // IE11 does not support using CustomEvent as a constructor directly:\n event = document.createEvent('CustomEvent');\n event.initCustomEvent('focus-visible-polyfill-ready', false, false, {});\n }\n\n window.dispatchEvent(event);\n }\n\n if (typeof document !== 'undefined') {\n // Apply the polyfill to the global document, so that no JavaScript\n // coordination is required to use the polyfill in the top-level document:\n applyFocusVisiblePolyfill(document);\n }\n\n})));\n", "/*!\n * clipboard.js v2.0.11\n * https://clipboardjs.com/\n *\n * Licensed MIT \u00A9 Zeno Rocha\n */\n(function webpackUniversalModuleDefinition(root, factory) {\n\tif(typeof exports === 'object' && typeof module === 'object')\n\t\tmodule.exports = factory();\n\telse if(typeof define === 'function' && define.amd)\n\t\tdefine([], factory);\n\telse if(typeof exports === 'object')\n\t\texports[\"ClipboardJS\"] = factory();\n\telse\n\t\troot[\"ClipboardJS\"] = factory();\n})(this, function() {\nreturn /******/ (function() { // webpackBootstrap\n/******/ \tvar __webpack_modules__ = ({\n\n/***/ 686:\n/***/ (function(__unused_webpack_module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n\n// EXPORTS\n__webpack_require__.d(__webpack_exports__, {\n \"default\": function() { return /* binding */ clipboard; }\n});\n\n// EXTERNAL MODULE: ./node_modules/tiny-emitter/index.js\nvar tiny_emitter = __webpack_require__(279);\nvar tiny_emitter_default = /*#__PURE__*/__webpack_require__.n(tiny_emitter);\n// EXTERNAL MODULE: ./node_modules/good-listener/src/listen.js\nvar listen = __webpack_require__(370);\nvar listen_default = /*#__PURE__*/__webpack_require__.n(listen);\n// EXTERNAL MODULE: ./node_modules/select/src/select.js\nvar src_select = __webpack_require__(817);\nvar select_default = /*#__PURE__*/__webpack_require__.n(src_select);\n;// CONCATENATED MODULE: ./src/common/command.js\n/**\n * Executes a given operation type.\n * @param {String} type\n * @return {Boolean}\n */\nfunction command(type) {\n try {\n return document.execCommand(type);\n } catch (err) {\n return false;\n }\n}\n;// CONCATENATED MODULE: ./src/actions/cut.js\n\n\n/**\n * Cut action wrapper.\n * @param {String|HTMLElement} target\n * @return {String}\n */\n\nvar ClipboardActionCut = function ClipboardActionCut(target) {\n var selectedText = select_default()(target);\n command('cut');\n return selectedText;\n};\n\n/* harmony default export */ var actions_cut = (ClipboardActionCut);\n;// CONCATENATED MODULE: ./src/common/create-fake-element.js\n/**\n * Creates a fake textarea element with a value.\n * @param {String} value\n * @return {HTMLElement}\n */\nfunction createFakeElement(value) {\n var isRTL = document.documentElement.getAttribute('dir') === 'rtl';\n var fakeElement = document.createElement('textarea'); // Prevent zooming on iOS\n\n fakeElement.style.fontSize = '12pt'; // Reset box model\n\n fakeElement.style.border = '0';\n fakeElement.style.padding = '0';\n fakeElement.style.margin = '0'; // Move element out of screen horizontally\n\n fakeElement.style.position = 'absolute';\n fakeElement.style[isRTL ? 'right' : 'left'] = '-9999px'; // Move element to the same position vertically\n\n var yPosition = window.pageYOffset || document.documentElement.scrollTop;\n fakeElement.style.top = \"\".concat(yPosition, \"px\");\n fakeElement.setAttribute('readonly', '');\n fakeElement.value = value;\n return fakeElement;\n}\n;// CONCATENATED MODULE: ./src/actions/copy.js\n\n\n\n/**\n * Create fake copy action wrapper using a fake element.\n * @param {String} target\n * @param {Object} options\n * @return {String}\n */\n\nvar fakeCopyAction = function fakeCopyAction(value, options) {\n var fakeElement = createFakeElement(value);\n options.container.appendChild(fakeElement);\n var selectedText = select_default()(fakeElement);\n command('copy');\n fakeElement.remove();\n return selectedText;\n};\n/**\n * Copy action wrapper.\n * @param {String|HTMLElement} target\n * @param {Object} options\n * @return {String}\n */\n\n\nvar ClipboardActionCopy = function ClipboardActionCopy(target) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {\n container: document.body\n };\n var selectedText = '';\n\n if (typeof target === 'string') {\n selectedText = fakeCopyAction(target, options);\n } else if (target instanceof HTMLInputElement && !['text', 'search', 'url', 'tel', 'password'].includes(target === null || target === void 0 ? void 0 : target.type)) {\n // If input type doesn't support `setSelectionRange`. Simulate it. https://developer.mozilla.org/en-US/docs/Web/API/HTMLInputElement/setSelectionRange\n selectedText = fakeCopyAction(target.value, options);\n } else {\n selectedText = select_default()(target);\n command('copy');\n }\n\n return selectedText;\n};\n\n/* harmony default export */ var actions_copy = (ClipboardActionCopy);\n;// CONCATENATED MODULE: ./src/actions/default.js\nfunction _typeof(obj) { \"@babel/helpers - typeof\"; if (typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }; } return _typeof(obj); }\n\n\n\n/**\n * Inner function which performs selection from either `text` or `target`\n * properties and then executes copy or cut operations.\n * @param {Object} options\n */\n\nvar ClipboardActionDefault = function ClipboardActionDefault() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n // Defines base properties passed from constructor.\n var _options$action = options.action,\n action = _options$action === void 0 ? 'copy' : _options$action,\n container = options.container,\n target = options.target,\n text = options.text; // Sets the `action` to be performed which can be either 'copy' or 'cut'.\n\n if (action !== 'copy' && action !== 'cut') {\n throw new Error('Invalid \"action\" value, use either \"copy\" or \"cut\"');\n } // Sets the `target` property using an element that will be have its content copied.\n\n\n if (target !== undefined) {\n if (target && _typeof(target) === 'object' && target.nodeType === 1) {\n if (action === 'copy' && target.hasAttribute('disabled')) {\n throw new Error('Invalid \"target\" attribute. Please use \"readonly\" instead of \"disabled\" attribute');\n }\n\n if (action === 'cut' && (target.hasAttribute('readonly') || target.hasAttribute('disabled'))) {\n throw new Error('Invalid \"target\" attribute. You can\\'t cut text from elements with \"readonly\" or \"disabled\" attributes');\n }\n } else {\n throw new Error('Invalid \"target\" value, use a valid Element');\n }\n } // Define selection strategy based on `text` property.\n\n\n if (text) {\n return actions_copy(text, {\n container: container\n });\n } // Defines which selection strategy based on `target` property.\n\n\n if (target) {\n return action === 'cut' ? actions_cut(target) : actions_copy(target, {\n container: container\n });\n }\n};\n\n/* harmony default export */ var actions_default = (ClipboardActionDefault);\n;// CONCATENATED MODULE: ./src/clipboard.js\nfunction clipboard_typeof(obj) { \"@babel/helpers - typeof\"; if (typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\") { clipboard_typeof = function _typeof(obj) { return typeof obj; }; } else { clipboard_typeof = function _typeof(obj) { return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }; } return clipboard_typeof(obj); }\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }\n\nfunction _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\nfunction _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\nfunction _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\nfunction _possibleConstructorReturn(self, call) { if (call && (clipboard_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } return _assertThisInitialized(self); }\n\nfunction _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\nfunction _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Date.prototype.toString.call(Reflect.construct(Date, [], function () {})); return true; } catch (e) { return false; } }\n\nfunction _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\n\n\n\n\n\n/**\n * Helper function to retrieve attribute value.\n * @param {String} suffix\n * @param {Element} element\n */\n\nfunction getAttributeValue(suffix, element) {\n var attribute = \"data-clipboard-\".concat(suffix);\n\n if (!element.hasAttribute(attribute)) {\n return;\n }\n\n return element.getAttribute(attribute);\n}\n/**\n * Base class which takes one or more elements, adds event listeners to them,\n * and instantiates a new `ClipboardAction` on each click.\n */\n\n\nvar Clipboard = /*#__PURE__*/function (_Emitter) {\n _inherits(Clipboard, _Emitter);\n\n var _super = _createSuper(Clipboard);\n\n /**\n * @param {String|HTMLElement|HTMLCollection|NodeList} trigger\n * @param {Object} options\n */\n function Clipboard(trigger, options) {\n var _this;\n\n _classCallCheck(this, Clipboard);\n\n _this = _super.call(this);\n\n _this.resolveOptions(options);\n\n _this.listenClick(trigger);\n\n return _this;\n }\n /**\n * Defines if attributes would be resolved using internal setter functions\n * or custom functions that were passed in the constructor.\n * @param {Object} options\n */\n\n\n _createClass(Clipboard, [{\n key: \"resolveOptions\",\n value: function resolveOptions() {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n this.action = typeof options.action === 'function' ? options.action : this.defaultAction;\n this.target = typeof options.target === 'function' ? options.target : this.defaultTarget;\n this.text = typeof options.text === 'function' ? options.text : this.defaultText;\n this.container = clipboard_typeof(options.container) === 'object' ? options.container : document.body;\n }\n /**\n * Adds a click event listener to the passed trigger.\n * @param {String|HTMLElement|HTMLCollection|NodeList} trigger\n */\n\n }, {\n key: \"listenClick\",\n value: function listenClick(trigger) {\n var _this2 = this;\n\n this.listener = listen_default()(trigger, 'click', function (e) {\n return _this2.onClick(e);\n });\n }\n /**\n * Defines a new `ClipboardAction` on each click event.\n * @param {Event} e\n */\n\n }, {\n key: \"onClick\",\n value: function onClick(e) {\n var trigger = e.delegateTarget || e.currentTarget;\n var action = this.action(trigger) || 'copy';\n var text = actions_default({\n action: action,\n container: this.container,\n target: this.target(trigger),\n text: this.text(trigger)\n }); // Fires an event based on the copy operation result.\n\n this.emit(text ? 'success' : 'error', {\n action: action,\n text: text,\n trigger: trigger,\n clearSelection: function clearSelection() {\n if (trigger) {\n trigger.focus();\n }\n\n window.getSelection().removeAllRanges();\n }\n });\n }\n /**\n * Default `action` lookup function.\n * @param {Element} trigger\n */\n\n }, {\n key: \"defaultAction\",\n value: function defaultAction(trigger) {\n return getAttributeValue('action', trigger);\n }\n /**\n * Default `target` lookup function.\n * @param {Element} trigger\n */\n\n }, {\n key: \"defaultTarget\",\n value: function defaultTarget(trigger) {\n var selector = getAttributeValue('target', trigger);\n\n if (selector) {\n return document.querySelector(selector);\n }\n }\n /**\n * Allow fire programmatically a copy action\n * @param {String|HTMLElement} target\n * @param {Object} options\n * @returns Text copied.\n */\n\n }, {\n key: \"defaultText\",\n\n /**\n * Default `text` lookup function.\n * @param {Element} trigger\n */\n value: function defaultText(trigger) {\n return getAttributeValue('text', trigger);\n }\n /**\n * Destroy lifecycle.\n */\n\n }, {\n key: \"destroy\",\n value: function destroy() {\n this.listener.destroy();\n }\n }], [{\n key: \"copy\",\n value: function copy(target) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {\n container: document.body\n };\n return actions_copy(target, options);\n }\n /**\n * Allow fire programmatically a cut action\n * @param {String|HTMLElement} target\n * @returns Text cutted.\n */\n\n }, {\n key: \"cut\",\n value: function cut(target) {\n return actions_cut(target);\n }\n /**\n * Returns the support of the given action, or all actions if no action is\n * given.\n * @param {String} [action]\n */\n\n }, {\n key: \"isSupported\",\n value: function isSupported() {\n var action = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : ['copy', 'cut'];\n var actions = typeof action === 'string' ? [action] : action;\n var support = !!document.queryCommandSupported;\n actions.forEach(function (action) {\n support = support && !!document.queryCommandSupported(action);\n });\n return support;\n }\n }]);\n\n return Clipboard;\n}((tiny_emitter_default()));\n\n/* harmony default export */ var clipboard = (Clipboard);\n\n/***/ }),\n\n/***/ 828:\n/***/ (function(module) {\n\nvar DOCUMENT_NODE_TYPE = 9;\n\n/**\n * A polyfill for Element.matches()\n */\nif (typeof Element !== 'undefined' && !Element.prototype.matches) {\n var proto = Element.prototype;\n\n proto.matches = proto.matchesSelector ||\n proto.mozMatchesSelector ||\n proto.msMatchesSelector ||\n proto.oMatchesSelector ||\n proto.webkitMatchesSelector;\n}\n\n/**\n * Finds the closest parent that matches a selector.\n *\n * @param {Element} element\n * @param {String} selector\n * @return {Function}\n */\nfunction closest (element, selector) {\n while (element && element.nodeType !== DOCUMENT_NODE_TYPE) {\n if (typeof element.matches === 'function' &&\n element.matches(selector)) {\n return element;\n }\n element = element.parentNode;\n }\n}\n\nmodule.exports = closest;\n\n\n/***/ }),\n\n/***/ 438:\n/***/ (function(module, __unused_webpack_exports, __webpack_require__) {\n\nvar closest = __webpack_require__(828);\n\n/**\n * Delegates event to a selector.\n *\n * @param {Element} element\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @param {Boolean} useCapture\n * @return {Object}\n */\nfunction _delegate(element, selector, type, callback, useCapture) {\n var listenerFn = listener.apply(this, arguments);\n\n element.addEventListener(type, listenerFn, useCapture);\n\n return {\n destroy: function() {\n element.removeEventListener(type, listenerFn, useCapture);\n }\n }\n}\n\n/**\n * Delegates event to a selector.\n *\n * @param {Element|String|Array} [elements]\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @param {Boolean} useCapture\n * @return {Object}\n */\nfunction delegate(elements, selector, type, callback, useCapture) {\n // Handle the regular Element usage\n if (typeof elements.addEventListener === 'function') {\n return _delegate.apply(null, arguments);\n }\n\n // Handle Element-less usage, it defaults to global delegation\n if (typeof type === 'function') {\n // Use `document` as the first parameter, then apply arguments\n // This is a short way to .unshift `arguments` without running into deoptimizations\n return _delegate.bind(null, document).apply(null, arguments);\n }\n\n // Handle Selector-based usage\n if (typeof elements === 'string') {\n elements = document.querySelectorAll(elements);\n }\n\n // Handle Array-like based usage\n return Array.prototype.map.call(elements, function (element) {\n return _delegate(element, selector, type, callback, useCapture);\n });\n}\n\n/**\n * Finds closest match and invokes callback.\n *\n * @param {Element} element\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @return {Function}\n */\nfunction listener(element, selector, type, callback) {\n return function(e) {\n e.delegateTarget = closest(e.target, selector);\n\n if (e.delegateTarget) {\n callback.call(element, e);\n }\n }\n}\n\nmodule.exports = delegate;\n\n\n/***/ }),\n\n/***/ 879:\n/***/ (function(__unused_webpack_module, exports) {\n\n/**\n * Check if argument is a HTML element.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.node = function(value) {\n return value !== undefined\n && value instanceof HTMLElement\n && value.nodeType === 1;\n};\n\n/**\n * Check if argument is a list of HTML elements.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.nodeList = function(value) {\n var type = Object.prototype.toString.call(value);\n\n return value !== undefined\n && (type === '[object NodeList]' || type === '[object HTMLCollection]')\n && ('length' in value)\n && (value.length === 0 || exports.node(value[0]));\n};\n\n/**\n * Check if argument is a string.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.string = function(value) {\n return typeof value === 'string'\n || value instanceof String;\n};\n\n/**\n * Check if argument is a function.\n *\n * @param {Object} value\n * @return {Boolean}\n */\nexports.fn = function(value) {\n var type = Object.prototype.toString.call(value);\n\n return type === '[object Function]';\n};\n\n\n/***/ }),\n\n/***/ 370:\n/***/ (function(module, __unused_webpack_exports, __webpack_require__) {\n\nvar is = __webpack_require__(879);\nvar delegate = __webpack_require__(438);\n\n/**\n * Validates all params and calls the right\n * listener function based on its target type.\n *\n * @param {String|HTMLElement|HTMLCollection|NodeList} target\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listen(target, type, callback) {\n if (!target && !type && !callback) {\n throw new Error('Missing required arguments');\n }\n\n if (!is.string(type)) {\n throw new TypeError('Second argument must be a String');\n }\n\n if (!is.fn(callback)) {\n throw new TypeError('Third argument must be a Function');\n }\n\n if (is.node(target)) {\n return listenNode(target, type, callback);\n }\n else if (is.nodeList(target)) {\n return listenNodeList(target, type, callback);\n }\n else if (is.string(target)) {\n return listenSelector(target, type, callback);\n }\n else {\n throw new TypeError('First argument must be a String, HTMLElement, HTMLCollection, or NodeList');\n }\n}\n\n/**\n * Adds an event listener to a HTML element\n * and returns a remove listener function.\n *\n * @param {HTMLElement} node\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenNode(node, type, callback) {\n node.addEventListener(type, callback);\n\n return {\n destroy: function() {\n node.removeEventListener(type, callback);\n }\n }\n}\n\n/**\n * Add an event listener to a list of HTML elements\n * and returns a remove listener function.\n *\n * @param {NodeList|HTMLCollection} nodeList\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenNodeList(nodeList, type, callback) {\n Array.prototype.forEach.call(nodeList, function(node) {\n node.addEventListener(type, callback);\n });\n\n return {\n destroy: function() {\n Array.prototype.forEach.call(nodeList, function(node) {\n node.removeEventListener(type, callback);\n });\n }\n }\n}\n\n/**\n * Add an event listener to a selector\n * and returns a remove listener function.\n *\n * @param {String} selector\n * @param {String} type\n * @param {Function} callback\n * @return {Object}\n */\nfunction listenSelector(selector, type, callback) {\n return delegate(document.body, selector, type, callback);\n}\n\nmodule.exports = listen;\n\n\n/***/ }),\n\n/***/ 817:\n/***/ (function(module) {\n\nfunction select(element) {\n var selectedText;\n\n if (element.nodeName === 'SELECT') {\n element.focus();\n\n selectedText = element.value;\n }\n else if (element.nodeName === 'INPUT' || element.nodeName === 'TEXTAREA') {\n var isReadOnly = element.hasAttribute('readonly');\n\n if (!isReadOnly) {\n element.setAttribute('readonly', '');\n }\n\n element.select();\n element.setSelectionRange(0, element.value.length);\n\n if (!isReadOnly) {\n element.removeAttribute('readonly');\n }\n\n selectedText = element.value;\n }\n else {\n if (element.hasAttribute('contenteditable')) {\n element.focus();\n }\n\n var selection = window.getSelection();\n var range = document.createRange();\n\n range.selectNodeContents(element);\n selection.removeAllRanges();\n selection.addRange(range);\n\n selectedText = selection.toString();\n }\n\n return selectedText;\n}\n\nmodule.exports = select;\n\n\n/***/ }),\n\n/***/ 279:\n/***/ (function(module) {\n\nfunction E () {\n // Keep this empty so it's easier to inherit from\n // (via https://github.com/lipsmack from https://github.com/scottcorgan/tiny-emitter/issues/3)\n}\n\nE.prototype = {\n on: function (name, callback, ctx) {\n var e = this.e || (this.e = {});\n\n (e[name] || (e[name] = [])).push({\n fn: callback,\n ctx: ctx\n });\n\n return this;\n },\n\n once: function (name, callback, ctx) {\n var self = this;\n function listener () {\n self.off(name, listener);\n callback.apply(ctx, arguments);\n };\n\n listener._ = callback\n return this.on(name, listener, ctx);\n },\n\n emit: function (name) {\n var data = [].slice.call(arguments, 1);\n var evtArr = ((this.e || (this.e = {}))[name] || []).slice();\n var i = 0;\n var len = evtArr.length;\n\n for (i; i < len; i++) {\n evtArr[i].fn.apply(evtArr[i].ctx, data);\n }\n\n return this;\n },\n\n off: function (name, callback) {\n var e = this.e || (this.e = {});\n var evts = e[name];\n var liveEvents = [];\n\n if (evts && callback) {\n for (var i = 0, len = evts.length; i < len; i++) {\n if (evts[i].fn !== callback && evts[i].fn._ !== callback)\n liveEvents.push(evts[i]);\n }\n }\n\n // Remove event from queue to prevent memory leak\n // Suggested by https://github.com/lazd\n // Ref: https://github.com/scottcorgan/tiny-emitter/commit/c6ebfaa9bc973b33d110a84a307742b7cf94c953#commitcomment-5024910\n\n (liveEvents.length)\n ? e[name] = liveEvents\n : delete e[name];\n\n return this;\n }\n};\n\nmodule.exports = E;\nmodule.exports.TinyEmitter = E;\n\n\n/***/ })\n\n/******/ \t});\n/************************************************************************/\n/******/ \t// The module cache\n/******/ \tvar __webpack_module_cache__ = {};\n/******/ \t\n/******/ \t// The require function\n/******/ \tfunction __webpack_require__(moduleId) {\n/******/ \t\t// Check if module is in cache\n/******/ \t\tif(__webpack_module_cache__[moduleId]) {\n/******/ \t\t\treturn __webpack_module_cache__[moduleId].exports;\n/******/ \t\t}\n/******/ \t\t// Create a new module (and put it into the cache)\n/******/ \t\tvar module = __webpack_module_cache__[moduleId] = {\n/******/ \t\t\t// no module.id needed\n/******/ \t\t\t// no module.loaded needed\n/******/ \t\t\texports: {}\n/******/ \t\t};\n/******/ \t\n/******/ \t\t// Execute the module function\n/******/ \t\t__webpack_modules__[moduleId](module, module.exports, __webpack_require__);\n/******/ \t\n/******/ \t\t// Return the exports of the module\n/******/ \t\treturn module.exports;\n/******/ \t}\n/******/ \t\n/************************************************************************/\n/******/ \t/* webpack/runtime/compat get default export */\n/******/ \t!function() {\n/******/ \t\t// getDefaultExport function for compatibility with non-harmony modules\n/******/ \t\t__webpack_require__.n = function(module) {\n/******/ \t\t\tvar getter = module && module.__esModule ?\n/******/ \t\t\t\tfunction() { return module['default']; } :\n/******/ \t\t\t\tfunction() { return module; };\n/******/ \t\t\t__webpack_require__.d(getter, { a: getter });\n/******/ \t\t\treturn getter;\n/******/ \t\t};\n/******/ \t}();\n/******/ \t\n/******/ \t/* webpack/runtime/define property getters */\n/******/ \t!function() {\n/******/ \t\t// define getter functions for harmony exports\n/******/ \t\t__webpack_require__.d = function(exports, definition) {\n/******/ \t\t\tfor(var key in definition) {\n/******/ \t\t\t\tif(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {\n/******/ \t\t\t\t\tObject.defineProperty(exports, key, { enumerable: true, get: definition[key] });\n/******/ \t\t\t\t}\n/******/ \t\t\t}\n/******/ \t\t};\n/******/ \t}();\n/******/ \t\n/******/ \t/* webpack/runtime/hasOwnProperty shorthand */\n/******/ \t!function() {\n/******/ \t\t__webpack_require__.o = function(obj, prop) { return Object.prototype.hasOwnProperty.call(obj, prop); }\n/******/ \t}();\n/******/ \t\n/************************************************************************/\n/******/ \t// module exports must be returned from runtime so entry inlining is disabled\n/******/ \t// startup\n/******/ \t// Load entry module and return exports\n/******/ \treturn __webpack_require__(686);\n/******/ })()\n.default;\n});", "/*!\n * escape-html\n * Copyright(c) 2012-2013 TJ Holowaychuk\n * Copyright(c) 2015 Andreas Lubbe\n * Copyright(c) 2015 Tiancheng \"Timothy\" Gu\n * MIT Licensed\n */\n\n'use strict';\n\n/**\n * Module variables.\n * @private\n */\n\nvar matchHtmlRegExp = /[\"'&<>]/;\n\n/**\n * Module exports.\n * @public\n */\n\nmodule.exports = escapeHtml;\n\n/**\n * Escape special characters in the given string of html.\n *\n * @param {string} string The string to escape for inserting into HTML\n * @return {string}\n * @public\n */\n\nfunction escapeHtml(string) {\n var str = '' + string;\n var match = matchHtmlRegExp.exec(str);\n\n if (!match) {\n return str;\n }\n\n var escape;\n var html = '';\n var index = 0;\n var lastIndex = 0;\n\n for (index = match.index; index < str.length; index++) {\n switch (str.charCodeAt(index)) {\n case 34: // \"\n escape = '"';\n break;\n case 38: // &\n escape = '&';\n break;\n case 39: // '\n escape = ''';\n break;\n case 60: // <\n escape = '<';\n break;\n case 62: // >\n escape = '>';\n break;\n default:\n continue;\n }\n\n if (lastIndex !== index) {\n html += str.substring(lastIndex, index);\n }\n\n lastIndex = index + 1;\n html += escape;\n }\n\n return lastIndex !== index\n ? html + str.substring(lastIndex, index)\n : html;\n}\n", "/*\n * Copyright (c) 2016-2023 Martin Donath \n *\n * Permission is hereby granted, free of charge, to any person obtaining a copy\n * of this software and associated documentation files (the \"Software\"), to\n * deal in the Software without restriction, including without limitation the\n * rights to use, copy, modify, merge, publish, distribute, sublicense, and/or\n * sell copies of the Software, and to permit persons to whom the Software is\n * furnished to do so, subject to the following conditions:\n *\n * The above copyright notice and this permission notice shall be included in\n * all copies or substantial portions of the Software.\n *\n * THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n * FITNESS FOR A PARTICULAR PURPOSE AND NON-INFRINGEMENT. IN NO EVENT SHALL THE\n * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING\n * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS\n * IN THE SOFTWARE.\n */\n\nimport \"focus-visible\"\n\nimport {\n EMPTY,\n NEVER,\n Observable,\n Subject,\n defer,\n delay,\n filter,\n map,\n merge,\n mergeWith,\n shareReplay,\n switchMap\n} from \"rxjs\"\n\nimport { configuration, feature } from \"./_\"\nimport {\n at,\n getActiveElement,\n getOptionalElement,\n requestJSON,\n setLocation,\n setToggle,\n watchDocument,\n watchKeyboard,\n watchLocation,\n watchLocationTarget,\n watchMedia,\n watchPrint,\n watchScript,\n watchViewport\n} from \"./browser\"\nimport {\n getComponentElement,\n getComponentElements,\n mountAnnounce,\n mountBackToTop,\n mountConsent,\n mountContent,\n mountDialog,\n mountHeader,\n mountHeaderTitle,\n mountPalette,\n mountSearch,\n mountSearchHiglight,\n mountSidebar,\n mountSource,\n mountTableOfContents,\n mountTabs,\n watchHeader,\n watchMain\n} from \"./components\"\nimport {\n SearchIndex,\n setupClipboardJS,\n setupInstantLoading,\n setupVersionSelector\n} from \"./integrations\"\nimport {\n patchIndeterminate,\n patchScrollfix,\n patchScrolllock\n} from \"./patches\"\nimport \"./polyfills\"\n\n/* ----------------------------------------------------------------------------\n * Functions - @todo refactor\n * ------------------------------------------------------------------------- */\n\n/**\n * Fetch search index\n *\n * @returns Search index observable\n */\nfunction fetchSearchIndex(): Observable {\n if (location.protocol === \"file:\") {\n return watchScript(\n `${new URL(\"search/search_index.js\", config.base)}`\n )\n .pipe(\n // @ts-ignore - @todo fix typings\n map(() => __index),\n shareReplay(1)\n )\n } else {\n return requestJSON(\n new URL(\"search/search_index.json\", config.base)\n )\n }\n}\n\n/* ----------------------------------------------------------------------------\n * Application\n * ------------------------------------------------------------------------- */\n\n/* Yay, JavaScript is available */\ndocument.documentElement.classList.remove(\"no-js\")\ndocument.documentElement.classList.add(\"js\")\n\n/* Set up navigation observables and subjects */\nconst document$ = watchDocument()\nconst location$ = watchLocation()\nconst target$ = watchLocationTarget(location$)\nconst keyboard$ = watchKeyboard()\n\n/* Set up media observables */\nconst viewport$ = watchViewport()\nconst tablet$ = watchMedia(\"(min-width: 960px)\")\nconst screen$ = watchMedia(\"(min-width: 1220px)\")\nconst print$ = watchPrint()\n\n/* Retrieve search index, if search is enabled */\nconst config = configuration()\nconst index$ = document.forms.namedItem(\"search\")\n ? fetchSearchIndex()\n : NEVER\n\n/* Set up Clipboard.js integration */\nconst alert$ = new Subject()\nsetupClipboardJS({ alert$ })\n\n/* Set up instant loading, if enabled */\nif (feature(\"navigation.instant\"))\n setupInstantLoading({ location$, viewport$ })\n .subscribe(document$)\n\n/* Set up version selector */\nif (config.version?.provider === \"mike\")\n setupVersionSelector({ document$ })\n\n/* Always close drawer and search on navigation */\nmerge(location$, target$)\n .pipe(\n delay(125)\n )\n .subscribe(() => {\n setToggle(\"drawer\", false)\n setToggle(\"search\", false)\n })\n\n/* Set up global keyboard handlers */\nkeyboard$\n .pipe(\n filter(({ mode }) => mode === \"global\")\n )\n .subscribe(key => {\n switch (key.type) {\n\n /* Go to previous page */\n case \"p\":\n case \",\":\n const prev = getOptionalElement(\"link[rel=prev]\")\n if (typeof prev !== \"undefined\")\n setLocation(prev)\n break\n\n /* Go to next page */\n case \"n\":\n case \".\":\n const next = getOptionalElement(\"link[rel=next]\")\n if (typeof next !== \"undefined\")\n setLocation(next)\n break\n\n /* Expand navigation, see https://bit.ly/3ZjG5io */\n case \"Enter\":\n const active = getActiveElement()\n if (active instanceof HTMLLabelElement)\n active.click()\n }\n })\n\n/* Set up patches */\npatchIndeterminate({ document$, tablet$ })\npatchScrollfix({ document$ })\npatchScrolllock({ viewport$, tablet$ })\n\n/* Set up header and main area observable */\nconst header$ = watchHeader(getComponentElement(\"header\"), { viewport$ })\nconst main$ = document$\n .pipe(\n map(() => getComponentElement(\"main\")),\n switchMap(el => watchMain(el, { viewport$, header$ })),\n shareReplay(1)\n )\n\n/* Set up control component observables */\nconst control$ = merge(\n\n /* Consent */\n ...getComponentElements(\"consent\")\n .map(el => mountConsent(el, { target$ })),\n\n /* Dialog */\n ...getComponentElements(\"dialog\")\n .map(el => mountDialog(el, { alert$ })),\n\n /* Header */\n ...getComponentElements(\"header\")\n .map(el => mountHeader(el, { viewport$, header$, main$ })),\n\n /* Color palette */\n ...getComponentElements(\"palette\")\n .map(el => mountPalette(el)),\n\n /* Search */\n ...getComponentElements(\"search\")\n .map(el => mountSearch(el, { index$, keyboard$ })),\n\n /* Repository information */\n ...getComponentElements(\"source\")\n .map(el => mountSource(el))\n)\n\n/* Set up content component observables */\nconst content$ = defer(() => merge(\n\n /* Announcement bar */\n ...getComponentElements(\"announce\")\n .map(el => mountAnnounce(el)),\n\n /* Content */\n ...getComponentElements(\"content\")\n .map(el => mountContent(el, { viewport$, target$, print$ })),\n\n /* Search highlighting */\n ...getComponentElements(\"content\")\n .map(el => feature(\"search.highlight\")\n ? mountSearchHiglight(el, { index$, location$ })\n : EMPTY\n ),\n\n /* Header title */\n ...getComponentElements(\"header-title\")\n .map(el => mountHeaderTitle(el, { viewport$, header$ })),\n\n /* Sidebar */\n ...getComponentElements(\"sidebar\")\n .map(el => el.getAttribute(\"data-md-type\") === \"navigation\"\n ? at(screen$, () => mountSidebar(el, { viewport$, header$, main$ }))\n : at(tablet$, () => mountSidebar(el, { viewport$, header$, main$ }))\n ),\n\n /* Navigation tabs */\n ...getComponentElements(\"tabs\")\n .map(el => mountTabs(el, { viewport$, header$ })),\n\n /* Table of contents */\n ...getComponentElements(\"toc\")\n .map(el => mountTableOfContents(el, {\n viewport$, header$, main$, target$\n })),\n\n /* Back-to-top button */\n ...getComponentElements(\"top\")\n .map(el => mountBackToTop(el, { viewport$, header$, main$, target$ }))\n))\n\n/* Set up component observables */\nconst component$ = document$\n .pipe(\n switchMap(() => content$),\n mergeWith(control$),\n shareReplay(1)\n )\n\n/* Subscribe to all components */\ncomponent$.subscribe()\n\n/* ----------------------------------------------------------------------------\n * Exports\n * ------------------------------------------------------------------------- */\n\nwindow.document$ = document$ /* Document observable */\nwindow.location$ = location$ /* Location subject */\nwindow.target$ = target$ /* Location target observable */\nwindow.keyboard$ = keyboard$ /* Keyboard observable */\nwindow.viewport$ = viewport$ /* Viewport observable */\nwindow.tablet$ = tablet$ /* Media tablet observable */\nwindow.screen$ = screen$ /* Media screen observable */\nwindow.print$ = print$ /* Media print observable */\nwindow.alert$ = alert$ /* Alert subject */\nwindow.component$ = component$ /* Component observable */\n", "/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n", "/**\n * Returns true if the object is a function.\n * @param value The value to check\n */\nexport function isFunction(value: any): value is (...args: any[]) => any {\n return typeof value === 'function';\n}\n", "/**\n * Used to create Error subclasses until the community moves away from ES5.\n *\n * This is because compiling from TypeScript down to ES5 has issues with subclassing Errors\n * as well as other built-in types: https://github.com/Microsoft/TypeScript/issues/12123\n *\n * @param createImpl A factory function to create the actual constructor implementation. The returned\n * function should be a named function that calls `_super` internally.\n */\nexport function createErrorClass(createImpl: (_super: any) => any): T {\n const _super = (instance: any) => {\n Error.call(instance);\n instance.stack = new Error().stack;\n };\n\n const ctorFunc = createImpl(_super);\n ctorFunc.prototype = Object.create(Error.prototype);\n ctorFunc.prototype.constructor = ctorFunc;\n return ctorFunc;\n}\n", "import { createErrorClass } from './createErrorClass';\n\nexport interface UnsubscriptionError extends Error {\n readonly errors: any[];\n}\n\nexport interface UnsubscriptionErrorCtor {\n /**\n * @deprecated Internal implementation detail. Do not construct error instances.\n * Cannot be tagged as internal: https://github.com/ReactiveX/rxjs/issues/6269\n */\n new (errors: any[]): UnsubscriptionError;\n}\n\n/**\n * An error thrown when one or more errors have occurred during the\n * `unsubscribe` of a {@link Subscription}.\n */\nexport const UnsubscriptionError: UnsubscriptionErrorCtor = createErrorClass(\n (_super) =>\n function UnsubscriptionErrorImpl(this: any, errors: (Error | string)[]) {\n _super(this);\n this.message = errors\n ? `${errors.length} errors occurred during unsubscription:\n${errors.map((err, i) => `${i + 1}) ${err.toString()}`).join('\\n ')}`\n : '';\n this.name = 'UnsubscriptionError';\n this.errors = errors;\n }\n);\n", "/**\n * Removes an item from an array, mutating it.\n * @param arr The array to remove the item from\n * @param item The item to remove\n */\nexport function arrRemove(arr: T[] | undefined | null, item: T) {\n if (arr) {\n const index = arr.indexOf(item);\n 0 <= index && arr.splice(index, 1);\n }\n}\n", "import { isFunction } from './util/isFunction';\nimport { UnsubscriptionError } from './util/UnsubscriptionError';\nimport { SubscriptionLike, TeardownLogic, Unsubscribable } from './types';\nimport { arrRemove } from './util/arrRemove';\n\n/**\n * Represents a disposable resource, such as the execution of an Observable. A\n * Subscription has one important method, `unsubscribe`, that takes no argument\n * and just disposes the resource held by the subscription.\n *\n * Additionally, subscriptions may be grouped together through the `add()`\n * method, which will attach a child Subscription to the current Subscription.\n * When a Subscription is unsubscribed, all its children (and its grandchildren)\n * will be unsubscribed as well.\n *\n * @class Subscription\n */\nexport class Subscription implements SubscriptionLike {\n /** @nocollapse */\n public static EMPTY = (() => {\n const empty = new Subscription();\n empty.closed = true;\n return empty;\n })();\n\n /**\n * A flag to indicate whether this Subscription has already been unsubscribed.\n */\n public closed = false;\n\n private _parentage: Subscription[] | Subscription | null = null;\n\n /**\n * The list of registered finalizers to execute upon unsubscription. Adding and removing from this\n * list occurs in the {@link #add} and {@link #remove} methods.\n */\n private _finalizers: Exclude[] | null = null;\n\n /**\n * @param initialTeardown A function executed first as part of the finalization\n * process that is kicked off when {@link #unsubscribe} is called.\n */\n constructor(private initialTeardown?: () => void) {}\n\n /**\n * Disposes the resources held by the subscription. May, for instance, cancel\n * an ongoing Observable execution or cancel any other type of work that\n * started when the Subscription was created.\n * @return {void}\n */\n unsubscribe(): void {\n let errors: any[] | undefined;\n\n if (!this.closed) {\n this.closed = true;\n\n // Remove this from it's parents.\n const { _parentage } = this;\n if (_parentage) {\n this._parentage = null;\n if (Array.isArray(_parentage)) {\n for (const parent of _parentage) {\n parent.remove(this);\n }\n } else {\n _parentage.remove(this);\n }\n }\n\n const { initialTeardown: initialFinalizer } = this;\n if (isFunction(initialFinalizer)) {\n try {\n initialFinalizer();\n } catch (e) {\n errors = e instanceof UnsubscriptionError ? e.errors : [e];\n }\n }\n\n const { _finalizers } = this;\n if (_finalizers) {\n this._finalizers = null;\n for (const finalizer of _finalizers) {\n try {\n execFinalizer(finalizer);\n } catch (err) {\n errors = errors ?? [];\n if (err instanceof UnsubscriptionError) {\n errors = [...errors, ...err.errors];\n } else {\n errors.push(err);\n }\n }\n }\n }\n\n if (errors) {\n throw new UnsubscriptionError(errors);\n }\n }\n }\n\n /**\n * Adds a finalizer to this subscription, so that finalization will be unsubscribed/called\n * when this subscription is unsubscribed. If this subscription is already {@link #closed},\n * because it has already been unsubscribed, then whatever finalizer is passed to it\n * will automatically be executed (unless the finalizer itself is also a closed subscription).\n *\n * Closed Subscriptions cannot be added as finalizers to any subscription. Adding a closed\n * subscription to a any subscription will result in no operation. (A noop).\n *\n * Adding a subscription to itself, or adding `null` or `undefined` will not perform any\n * operation at all. (A noop).\n *\n * `Subscription` instances that are added to this instance will automatically remove themselves\n * if they are unsubscribed. Functions and {@link Unsubscribable} objects that you wish to remove\n * will need to be removed manually with {@link #remove}\n *\n * @param teardown The finalization logic to add to this subscription.\n */\n add(teardown: TeardownLogic): void {\n // Only add the finalizer if it's not undefined\n // and don't add a subscription to itself.\n if (teardown && teardown !== this) {\n if (this.closed) {\n // If this subscription is already closed,\n // execute whatever finalizer is handed to it automatically.\n execFinalizer(teardown);\n } else {\n if (teardown instanceof Subscription) {\n // We don't add closed subscriptions, and we don't add the same subscription\n // twice. Subscription unsubscribe is idempotent.\n if (teardown.closed || teardown._hasParent(this)) {\n return;\n }\n teardown._addParent(this);\n }\n (this._finalizers = this._finalizers ?? []).push(teardown);\n }\n }\n }\n\n /**\n * Checks to see if a this subscription already has a particular parent.\n * This will signal that this subscription has already been added to the parent in question.\n * @param parent the parent to check for\n */\n private _hasParent(parent: Subscription) {\n const { _parentage } = this;\n return _parentage === parent || (Array.isArray(_parentage) && _parentage.includes(parent));\n }\n\n /**\n * Adds a parent to this subscription so it can be removed from the parent if it\n * unsubscribes on it's own.\n *\n * NOTE: THIS ASSUMES THAT {@link _hasParent} HAS ALREADY BEEN CHECKED.\n * @param parent The parent subscription to add\n */\n private _addParent(parent: Subscription) {\n const { _parentage } = this;\n this._parentage = Array.isArray(_parentage) ? (_parentage.push(parent), _parentage) : _parentage ? [_parentage, parent] : parent;\n }\n\n /**\n * Called on a child when it is removed via {@link #remove}.\n * @param parent The parent to remove\n */\n private _removeParent(parent: Subscription) {\n const { _parentage } = this;\n if (_parentage === parent) {\n this._parentage = null;\n } else if (Array.isArray(_parentage)) {\n arrRemove(_parentage, parent);\n }\n }\n\n /**\n * Removes a finalizer from this subscription that was previously added with the {@link #add} method.\n *\n * Note that `Subscription` instances, when unsubscribed, will automatically remove themselves\n * from every other `Subscription` they have been added to. This means that using the `remove` method\n * is not a common thing and should be used thoughtfully.\n *\n * If you add the same finalizer instance of a function or an unsubscribable object to a `Subscription` instance\n * more than once, you will need to call `remove` the same number of times to remove all instances.\n *\n * All finalizer instances are removed to free up memory upon unsubscription.\n *\n * @param teardown The finalizer to remove from this subscription\n */\n remove(teardown: Exclude): void {\n const { _finalizers } = this;\n _finalizers && arrRemove(_finalizers, teardown);\n\n if (teardown instanceof Subscription) {\n teardown._removeParent(this);\n }\n }\n}\n\nexport const EMPTY_SUBSCRIPTION = Subscription.EMPTY;\n\nexport function isSubscription(value: any): value is Subscription {\n return (\n value instanceof Subscription ||\n (value && 'closed' in value && isFunction(value.remove) && isFunction(value.add) && isFunction(value.unsubscribe))\n );\n}\n\nfunction execFinalizer(finalizer: Unsubscribable | (() => void)) {\n if (isFunction(finalizer)) {\n finalizer();\n } else {\n finalizer.unsubscribe();\n }\n}\n", "import { Subscriber } from './Subscriber';\nimport { ObservableNotification } from './types';\n\n/**\n * The {@link GlobalConfig} object for RxJS. It is used to configure things\n * like how to react on unhandled errors.\n */\nexport const config: GlobalConfig = {\n onUnhandledError: null,\n onStoppedNotification: null,\n Promise: undefined,\n useDeprecatedSynchronousErrorHandling: false,\n useDeprecatedNextContext: false,\n};\n\n/**\n * The global configuration object for RxJS, used to configure things\n * like how to react on unhandled errors. Accessible via {@link config}\n * object.\n */\nexport interface GlobalConfig {\n /**\n * A registration point for unhandled errors from RxJS. These are errors that\n * cannot were not handled by consuming code in the usual subscription path. For\n * example, if you have this configured, and you subscribe to an observable without\n * providing an error handler, errors from that subscription will end up here. This\n * will _always_ be called asynchronously on another job in the runtime. This is because\n * we do not want errors thrown in this user-configured handler to interfere with the\n * behavior of the library.\n */\n onUnhandledError: ((err: any) => void) | null;\n\n /**\n * A registration point for notifications that cannot be sent to subscribers because they\n * have completed, errored or have been explicitly unsubscribed. By default, next, complete\n * and error notifications sent to stopped subscribers are noops. However, sometimes callers\n * might want a different behavior. For example, with sources that attempt to report errors\n * to stopped subscribers, a caller can configure RxJS to throw an unhandled error instead.\n * This will _always_ be called asynchronously on another job in the runtime. This is because\n * we do not want errors thrown in this user-configured handler to interfere with the\n * behavior of the library.\n */\n onStoppedNotification: ((notification: ObservableNotification, subscriber: Subscriber) => void) | null;\n\n /**\n * The promise constructor used by default for {@link Observable#toPromise toPromise} and {@link Observable#forEach forEach}\n * methods.\n *\n * @deprecated As of version 8, RxJS will no longer support this sort of injection of a\n * Promise constructor. If you need a Promise implementation other than native promises,\n * please polyfill/patch Promise as you see appropriate. Will be removed in v8.\n */\n Promise?: PromiseConstructorLike;\n\n /**\n * If true, turns on synchronous error rethrowing, which is a deprecated behavior\n * in v6 and higher. This behavior enables bad patterns like wrapping a subscribe\n * call in a try/catch block. It also enables producer interference, a nasty bug\n * where a multicast can be broken for all observers by a downstream consumer with\n * an unhandled error. DO NOT USE THIS FLAG UNLESS IT'S NEEDED TO BUY TIME\n * FOR MIGRATION REASONS.\n *\n * @deprecated As of version 8, RxJS will no longer support synchronous throwing\n * of unhandled errors. All errors will be thrown on a separate call stack to prevent bad\n * behaviors described above. Will be removed in v8.\n */\n useDeprecatedSynchronousErrorHandling: boolean;\n\n /**\n * If true, enables an as-of-yet undocumented feature from v5: The ability to access\n * `unsubscribe()` via `this` context in `next` functions created in observers passed\n * to `subscribe`.\n *\n * This is being removed because the performance was severely problematic, and it could also cause\n * issues when types other than POJOs are passed to subscribe as subscribers, as they will likely have\n * their `this` context overwritten.\n *\n * @deprecated As of version 8, RxJS will no longer support altering the\n * context of next functions provided as part of an observer to Subscribe. Instead,\n * you will have access to a subscription or a signal or token that will allow you to do things like\n * unsubscribe and test closed status. Will be removed in v8.\n */\n useDeprecatedNextContext: boolean;\n}\n", "import type { TimerHandle } from './timerHandle';\ntype SetTimeoutFunction = (handler: () => void, timeout?: number, ...args: any[]) => TimerHandle;\ntype ClearTimeoutFunction = (handle: TimerHandle) => void;\n\ninterface TimeoutProvider {\n setTimeout: SetTimeoutFunction;\n clearTimeout: ClearTimeoutFunction;\n delegate:\n | {\n setTimeout: SetTimeoutFunction;\n clearTimeout: ClearTimeoutFunction;\n }\n | undefined;\n}\n\nexport const timeoutProvider: TimeoutProvider = {\n // When accessing the delegate, use the variable rather than `this` so that\n // the functions can be called without being bound to the provider.\n setTimeout(handler: () => void, timeout?: number, ...args) {\n const { delegate } = timeoutProvider;\n if (delegate?.setTimeout) {\n return delegate.setTimeout(handler, timeout, ...args);\n }\n return setTimeout(handler, timeout, ...args);\n },\n clearTimeout(handle) {\n const { delegate } = timeoutProvider;\n return (delegate?.clearTimeout || clearTimeout)(handle as any);\n },\n delegate: undefined,\n};\n", "import { config } from '../config';\nimport { timeoutProvider } from '../scheduler/timeoutProvider';\n\n/**\n * Handles an error on another job either with the user-configured {@link onUnhandledError},\n * or by throwing it on that new job so it can be picked up by `window.onerror`, `process.on('error')`, etc.\n *\n * This should be called whenever there is an error that is out-of-band with the subscription\n * or when an error hits a terminal boundary of the subscription and no error handler was provided.\n *\n * @param err the error to report\n */\nexport function reportUnhandledError(err: any) {\n timeoutProvider.setTimeout(() => {\n const { onUnhandledError } = config;\n if (onUnhandledError) {\n // Execute the user-configured error handler.\n onUnhandledError(err);\n } else {\n // Throw so it is picked up by the runtime's uncaught error mechanism.\n throw err;\n }\n });\n}\n", "/* tslint:disable:no-empty */\nexport function noop() { }\n", "import { CompleteNotification, NextNotification, ErrorNotification } from './types';\n\n/**\n * A completion object optimized for memory use and created to be the\n * same \"shape\" as other notifications in v8.\n * @internal\n */\nexport const COMPLETE_NOTIFICATION = (() => createNotification('C', undefined, undefined) as CompleteNotification)();\n\n/**\n * Internal use only. Creates an optimized error notification that is the same \"shape\"\n * as other notifications.\n * @internal\n */\nexport function errorNotification(error: any): ErrorNotification {\n return createNotification('E', undefined, error) as any;\n}\n\n/**\n * Internal use only. Creates an optimized next notification that is the same \"shape\"\n * as other notifications.\n * @internal\n */\nexport function nextNotification(value: T) {\n return createNotification('N', value, undefined) as NextNotification;\n}\n\n/**\n * Ensures that all notifications created internally have the same \"shape\" in v8.\n *\n * TODO: This is only exported to support a crazy legacy test in `groupBy`.\n * @internal\n */\nexport function createNotification(kind: 'N' | 'E' | 'C', value: any, error: any) {\n return {\n kind,\n value,\n error,\n };\n}\n", "import { config } from '../config';\n\nlet context: { errorThrown: boolean; error: any } | null = null;\n\n/**\n * Handles dealing with errors for super-gross mode. Creates a context, in which\n * any synchronously thrown errors will be passed to {@link captureError}. Which\n * will record the error such that it will be rethrown after the call back is complete.\n * TODO: Remove in v8\n * @param cb An immediately executed function.\n */\nexport function errorContext(cb: () => void) {\n if (config.useDeprecatedSynchronousErrorHandling) {\n const isRoot = !context;\n if (isRoot) {\n context = { errorThrown: false, error: null };\n }\n cb();\n if (isRoot) {\n const { errorThrown, error } = context!;\n context = null;\n if (errorThrown) {\n throw error;\n }\n }\n } else {\n // This is the general non-deprecated path for everyone that\n // isn't crazy enough to use super-gross mode (useDeprecatedSynchronousErrorHandling)\n cb();\n }\n}\n\n/**\n * Captures errors only in super-gross mode.\n * @param err the error to capture\n */\nexport function captureError(err: any) {\n if (config.useDeprecatedSynchronousErrorHandling && context) {\n context.errorThrown = true;\n context.error = err;\n }\n}\n", "import { isFunction } from './util/isFunction';\nimport { Observer, ObservableNotification } from './types';\nimport { isSubscription, Subscription } from './Subscription';\nimport { config } from './config';\nimport { reportUnhandledError } from './util/reportUnhandledError';\nimport { noop } from './util/noop';\nimport { nextNotification, errorNotification, COMPLETE_NOTIFICATION } from './NotificationFactories';\nimport { timeoutProvider } from './scheduler/timeoutProvider';\nimport { captureError } from './util/errorContext';\n\n/**\n * Implements the {@link Observer} interface and extends the\n * {@link Subscription} class. While the {@link Observer} is the public API for\n * consuming the values of an {@link Observable}, all Observers get converted to\n * a Subscriber, in order to provide Subscription-like capabilities such as\n * `unsubscribe`. Subscriber is a common type in RxJS, and crucial for\n * implementing operators, but it is rarely used as a public API.\n *\n * @class Subscriber\n */\nexport class Subscriber extends Subscription implements Observer {\n /**\n * A static factory for a Subscriber, given a (potentially partial) definition\n * of an Observer.\n * @param next The `next` callback of an Observer.\n * @param error The `error` callback of an\n * Observer.\n * @param complete The `complete` callback of an\n * Observer.\n * @return A Subscriber wrapping the (partially defined)\n * Observer represented by the given arguments.\n * @nocollapse\n * @deprecated Do not use. Will be removed in v8. There is no replacement for this\n * method, and there is no reason to be creating instances of `Subscriber` directly.\n * If you have a specific use case, please file an issue.\n */\n static create(next?: (x?: T) => void, error?: (e?: any) => void, complete?: () => void): Subscriber {\n return new SafeSubscriber(next, error, complete);\n }\n\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n protected isStopped: boolean = false;\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n protected destination: Subscriber | Observer; // this `any` is the escape hatch to erase extra type param (e.g. R)\n\n /**\n * @deprecated Internal implementation detail, do not use directly. Will be made internal in v8.\n * There is no reason to directly create an instance of Subscriber. This type is exported for typings reasons.\n */\n constructor(destination?: Subscriber | Observer) {\n super();\n if (destination) {\n this.destination = destination;\n // Automatically chain subscriptions together here.\n // if destination is a Subscription, then it is a Subscriber.\n if (isSubscription(destination)) {\n destination.add(this);\n }\n } else {\n this.destination = EMPTY_OBSERVER;\n }\n }\n\n /**\n * The {@link Observer} callback to receive notifications of type `next` from\n * the Observable, with a value. The Observable may call this method 0 or more\n * times.\n * @param {T} [value] The `next` value.\n * @return {void}\n */\n next(value?: T): void {\n if (this.isStopped) {\n handleStoppedNotification(nextNotification(value), this);\n } else {\n this._next(value!);\n }\n }\n\n /**\n * The {@link Observer} callback to receive notifications of type `error` from\n * the Observable, with an attached `Error`. Notifies the Observer that\n * the Observable has experienced an error condition.\n * @param {any} [err] The `error` exception.\n * @return {void}\n */\n error(err?: any): void {\n if (this.isStopped) {\n handleStoppedNotification(errorNotification(err), this);\n } else {\n this.isStopped = true;\n this._error(err);\n }\n }\n\n /**\n * The {@link Observer} callback to receive a valueless notification of type\n * `complete` from the Observable. Notifies the Observer that the Observable\n * has finished sending push-based notifications.\n * @return {void}\n */\n complete(): void {\n if (this.isStopped) {\n handleStoppedNotification(COMPLETE_NOTIFICATION, this);\n } else {\n this.isStopped = true;\n this._complete();\n }\n }\n\n unsubscribe(): void {\n if (!this.closed) {\n this.isStopped = true;\n super.unsubscribe();\n this.destination = null!;\n }\n }\n\n protected _next(value: T): void {\n this.destination.next(value);\n }\n\n protected _error(err: any): void {\n try {\n this.destination.error(err);\n } finally {\n this.unsubscribe();\n }\n }\n\n protected _complete(): void {\n try {\n this.destination.complete();\n } finally {\n this.unsubscribe();\n }\n }\n}\n\n/**\n * This bind is captured here because we want to be able to have\n * compatibility with monoid libraries that tend to use a method named\n * `bind`. In particular, a library called Monio requires this.\n */\nconst _bind = Function.prototype.bind;\n\nfunction bind any>(fn: Fn, thisArg: any): Fn {\n return _bind.call(fn, thisArg);\n}\n\n/**\n * Internal optimization only, DO NOT EXPOSE.\n * @internal\n */\nclass ConsumerObserver implements Observer {\n constructor(private partialObserver: Partial>) {}\n\n next(value: T): void {\n const { partialObserver } = this;\n if (partialObserver.next) {\n try {\n partialObserver.next(value);\n } catch (error) {\n handleUnhandledError(error);\n }\n }\n }\n\n error(err: any): void {\n const { partialObserver } = this;\n if (partialObserver.error) {\n try {\n partialObserver.error(err);\n } catch (error) {\n handleUnhandledError(error);\n }\n } else {\n handleUnhandledError(err);\n }\n }\n\n complete(): void {\n const { partialObserver } = this;\n if (partialObserver.complete) {\n try {\n partialObserver.complete();\n } catch (error) {\n handleUnhandledError(error);\n }\n }\n }\n}\n\nexport class SafeSubscriber extends Subscriber {\n constructor(\n observerOrNext?: Partial> | ((value: T) => void) | null,\n error?: ((e?: any) => void) | null,\n complete?: (() => void) | null\n ) {\n super();\n\n let partialObserver: Partial>;\n if (isFunction(observerOrNext) || !observerOrNext) {\n // The first argument is a function, not an observer. The next\n // two arguments *could* be observers, or they could be empty.\n partialObserver = {\n next: (observerOrNext ?? undefined) as (((value: T) => void) | undefined),\n error: error ?? undefined,\n complete: complete ?? undefined,\n };\n } else {\n // The first argument is a partial observer.\n let context: any;\n if (this && config.useDeprecatedNextContext) {\n // This is a deprecated path that made `this.unsubscribe()` available in\n // next handler functions passed to subscribe. This only exists behind a flag\n // now, as it is *very* slow.\n context = Object.create(observerOrNext);\n context.unsubscribe = () => this.unsubscribe();\n partialObserver = {\n next: observerOrNext.next && bind(observerOrNext.next, context),\n error: observerOrNext.error && bind(observerOrNext.error, context),\n complete: observerOrNext.complete && bind(observerOrNext.complete, context),\n };\n } else {\n // The \"normal\" path. Just use the partial observer directly.\n partialObserver = observerOrNext;\n }\n }\n\n // Wrap the partial observer to ensure it's a full observer, and\n // make sure proper error handling is accounted for.\n this.destination = new ConsumerObserver(partialObserver);\n }\n}\n\nfunction handleUnhandledError(error: any) {\n if (config.useDeprecatedSynchronousErrorHandling) {\n captureError(error);\n } else {\n // Ideal path, we report this as an unhandled error,\n // which is thrown on a new call stack.\n reportUnhandledError(error);\n }\n}\n\n/**\n * An error handler used when no error handler was supplied\n * to the SafeSubscriber -- meaning no error handler was supplied\n * do the `subscribe` call on our observable.\n * @param err The error to handle\n */\nfunction defaultErrorHandler(err: any) {\n throw err;\n}\n\n/**\n * A handler for notifications that cannot be sent to a stopped subscriber.\n * @param notification The notification being sent\n * @param subscriber The stopped subscriber\n */\nfunction handleStoppedNotification(notification: ObservableNotification, subscriber: Subscriber) {\n const { onStoppedNotification } = config;\n onStoppedNotification && timeoutProvider.setTimeout(() => onStoppedNotification(notification, subscriber));\n}\n\n/**\n * The observer used as a stub for subscriptions where the user did not\n * pass any arguments to `subscribe`. Comes with the default error handling\n * behavior.\n */\nexport const EMPTY_OBSERVER: Readonly> & { closed: true } = {\n closed: true,\n next: noop,\n error: defaultErrorHandler,\n complete: noop,\n};\n", "/**\n * Symbol.observable or a string \"@@observable\". Used for interop\n *\n * @deprecated We will no longer be exporting this symbol in upcoming versions of RxJS.\n * Instead polyfill and use Symbol.observable directly *or* use https://www.npmjs.com/package/symbol-observable\n */\nexport const observable: string | symbol = (() => (typeof Symbol === 'function' && Symbol.observable) || '@@observable')();\n", "/**\n * This function takes one parameter and just returns it. Simply put,\n * this is like `(x: T): T => x`.\n *\n * ## Examples\n *\n * This is useful in some cases when using things like `mergeMap`\n *\n * ```ts\n * import { interval, take, map, range, mergeMap, identity } from 'rxjs';\n *\n * const source$ = interval(1000).pipe(take(5));\n *\n * const result$ = source$.pipe(\n * map(i => range(i)),\n * mergeMap(identity) // same as mergeMap(x => x)\n * );\n *\n * result$.subscribe({\n * next: console.log\n * });\n * ```\n *\n * Or when you want to selectively apply an operator\n *\n * ```ts\n * import { interval, take, identity } from 'rxjs';\n *\n * const shouldLimit = () => Math.random() < 0.5;\n *\n * const source$ = interval(1000);\n *\n * const result$ = source$.pipe(shouldLimit() ? take(5) : identity);\n *\n * result$.subscribe({\n * next: console.log\n * });\n * ```\n *\n * @param x Any value that is returned by this function\n * @returns The value passed as the first parameter to this function\n */\nexport function identity(x: T): T {\n return x;\n}\n", "import { identity } from './identity';\nimport { UnaryFunction } from '../types';\n\nexport function pipe(): typeof identity;\nexport function pipe(fn1: UnaryFunction): UnaryFunction;\nexport function pipe(fn1: UnaryFunction, fn2: UnaryFunction): UnaryFunction;\nexport function pipe(fn1: UnaryFunction, fn2: UnaryFunction, fn3: UnaryFunction): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction,\n fn7: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction,\n fn7: UnaryFunction,\n fn8: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction,\n fn7: UnaryFunction,\n fn8: UnaryFunction,\n fn9: UnaryFunction\n): UnaryFunction;\nexport function pipe(\n fn1: UnaryFunction,\n fn2: UnaryFunction,\n fn3: UnaryFunction,\n fn4: UnaryFunction,\n fn5: UnaryFunction,\n fn6: UnaryFunction,\n fn7: UnaryFunction,\n fn8: UnaryFunction,\n fn9: UnaryFunction,\n ...fns: UnaryFunction[]\n): UnaryFunction;\n\n/**\n * pipe() can be called on one or more functions, each of which can take one argument (\"UnaryFunction\")\n * and uses it to return a value.\n * It returns a function that takes one argument, passes it to the first UnaryFunction, and then\n * passes the result to the next one, passes that result to the next one, and so on. \n */\nexport function pipe(...fns: Array>): UnaryFunction {\n return pipeFromArray(fns);\n}\n\n/** @internal */\nexport function pipeFromArray(fns: Array>): UnaryFunction {\n if (fns.length === 0) {\n return identity as UnaryFunction;\n }\n\n if (fns.length === 1) {\n return fns[0];\n }\n\n return function piped(input: T): R {\n return fns.reduce((prev: any, fn: UnaryFunction) => fn(prev), input as any);\n };\n}\n", "import { Operator } from './Operator';\nimport { SafeSubscriber, Subscriber } from './Subscriber';\nimport { isSubscription, Subscription } from './Subscription';\nimport { TeardownLogic, OperatorFunction, Subscribable, Observer } from './types';\nimport { observable as Symbol_observable } from './symbol/observable';\nimport { pipeFromArray } from './util/pipe';\nimport { config } from './config';\nimport { isFunction } from './util/isFunction';\nimport { errorContext } from './util/errorContext';\n\n/**\n * A representation of any set of values over any amount of time. This is the most basic building block\n * of RxJS.\n *\n * @class Observable\n */\nexport class Observable implements Subscribable {\n /**\n * @deprecated Internal implementation detail, do not use directly. Will be made internal in v8.\n */\n source: Observable | undefined;\n\n /**\n * @deprecated Internal implementation detail, do not use directly. Will be made internal in v8.\n */\n operator: Operator | undefined;\n\n /**\n * @constructor\n * @param {Function} subscribe the function that is called when the Observable is\n * initially subscribed to. This function is given a Subscriber, to which new values\n * can be `next`ed, or an `error` method can be called to raise an error, or\n * `complete` can be called to notify of a successful completion.\n */\n constructor(subscribe?: (this: Observable, subscriber: Subscriber) => TeardownLogic) {\n if (subscribe) {\n this._subscribe = subscribe;\n }\n }\n\n // HACK: Since TypeScript inherits static properties too, we have to\n // fight against TypeScript here so Subject can have a different static create signature\n /**\n * Creates a new Observable by calling the Observable constructor\n * @owner Observable\n * @method create\n * @param {Function} subscribe? the subscriber function to be passed to the Observable constructor\n * @return {Observable} a new observable\n * @nocollapse\n * @deprecated Use `new Observable()` instead. Will be removed in v8.\n */\n static create: (...args: any[]) => any = (subscribe?: (subscriber: Subscriber) => TeardownLogic) => {\n return new Observable(subscribe);\n };\n\n /**\n * Creates a new Observable, with this Observable instance as the source, and the passed\n * operator defined as the new observable's operator.\n * @method lift\n * @param operator the operator defining the operation to take on the observable\n * @return a new observable with the Operator applied\n * @deprecated Internal implementation detail, do not use directly. Will be made internal in v8.\n * If you have implemented an operator using `lift`, it is recommended that you create an\n * operator by simply returning `new Observable()` directly. See \"Creating new operators from\n * scratch\" section here: https://rxjs.dev/guide/operators\n */\n lift(operator?: Operator): Observable {\n const observable = new Observable();\n observable.source = this;\n observable.operator = operator;\n return observable;\n }\n\n subscribe(observerOrNext?: Partial> | ((value: T) => void)): Subscription;\n /** @deprecated Instead of passing separate callback arguments, use an observer argument. Signatures taking separate callback arguments will be removed in v8. Details: https://rxjs.dev/deprecations/subscribe-arguments */\n subscribe(next?: ((value: T) => void) | null, error?: ((error: any) => void) | null, complete?: (() => void) | null): Subscription;\n /**\n * Invokes an execution of an Observable and registers Observer handlers for notifications it will emit.\n *\n * Use it when you have all these Observables, but still nothing is happening.\n *\n * `subscribe` is not a regular operator, but a method that calls Observable's internal `subscribe` function. It\n * might be for example a function that you passed to Observable's constructor, but most of the time it is\n * a library implementation, which defines what will be emitted by an Observable, and when it be will emitted. This means\n * that calling `subscribe` is actually the moment when Observable starts its work, not when it is created, as it is often\n * the thought.\n *\n * Apart from starting the execution of an Observable, this method allows you to listen for values\n * that an Observable emits, as well as for when it completes or errors. You can achieve this in two\n * of the following ways.\n *\n * The first way is creating an object that implements {@link Observer} interface. It should have methods\n * defined by that interface, but note that it should be just a regular JavaScript object, which you can create\n * yourself in any way you want (ES6 class, classic function constructor, object literal etc.). In particular, do\n * not attempt to use any RxJS implementation details to create Observers - you don't need them. Remember also\n * that your object does not have to implement all methods. If you find yourself creating a method that doesn't\n * do anything, you can simply omit it. Note however, if the `error` method is not provided and an error happens,\n * it will be thrown asynchronously. Errors thrown asynchronously cannot be caught using `try`/`catch`. Instead,\n * use the {@link onUnhandledError} configuration option or use a runtime handler (like `window.onerror` or\n * `process.on('error)`) to be notified of unhandled errors. Because of this, it's recommended that you provide\n * an `error` method to avoid missing thrown errors.\n *\n * The second way is to give up on Observer object altogether and simply provide callback functions in place of its methods.\n * This means you can provide three functions as arguments to `subscribe`, where the first function is equivalent\n * of a `next` method, the second of an `error` method and the third of a `complete` method. Just as in case of an Observer,\n * if you do not need to listen for something, you can omit a function by passing `undefined` or `null`,\n * since `subscribe` recognizes these functions by where they were placed in function call. When it comes\n * to the `error` function, as with an Observer, if not provided, errors emitted by an Observable will be thrown asynchronously.\n *\n * You can, however, subscribe with no parameters at all. This may be the case where you're not interested in terminal events\n * and you also handled emissions internally by using operators (e.g. using `tap`).\n *\n * Whichever style of calling `subscribe` you use, in both cases it returns a Subscription object.\n * This object allows you to call `unsubscribe` on it, which in turn will stop the work that an Observable does and will clean\n * up all resources that an Observable used. Note that cancelling a subscription will not call `complete` callback\n * provided to `subscribe` function, which is reserved for a regular completion signal that comes from an Observable.\n *\n * Remember that callbacks provided to `subscribe` are not guaranteed to be called asynchronously.\n * It is an Observable itself that decides when these functions will be called. For example {@link of}\n * by default emits all its values synchronously. Always check documentation for how given Observable\n * will behave when subscribed and if its default behavior can be modified with a `scheduler`.\n *\n * #### Examples\n *\n * Subscribe with an {@link guide/observer Observer}\n *\n * ```ts\n * import { of } from 'rxjs';\n *\n * const sumObserver = {\n * sum: 0,\n * next(value) {\n * console.log('Adding: ' + value);\n * this.sum = this.sum + value;\n * },\n * error() {\n * // We actually could just remove this method,\n * // since we do not really care about errors right now.\n * },\n * complete() {\n * console.log('Sum equals: ' + this.sum);\n * }\n * };\n *\n * of(1, 2, 3) // Synchronously emits 1, 2, 3 and then completes.\n * .subscribe(sumObserver);\n *\n * // Logs:\n * // 'Adding: 1'\n * // 'Adding: 2'\n * // 'Adding: 3'\n * // 'Sum equals: 6'\n * ```\n *\n * Subscribe with functions ({@link deprecations/subscribe-arguments deprecated})\n *\n * ```ts\n * import { of } from 'rxjs'\n *\n * let sum = 0;\n *\n * of(1, 2, 3).subscribe(\n * value => {\n * console.log('Adding: ' + value);\n * sum = sum + value;\n * },\n * undefined,\n * () => console.log('Sum equals: ' + sum)\n * );\n *\n * // Logs:\n * // 'Adding: 1'\n * // 'Adding: 2'\n * // 'Adding: 3'\n * // 'Sum equals: 6'\n * ```\n *\n * Cancel a subscription\n *\n * ```ts\n * import { interval } from 'rxjs';\n *\n * const subscription = interval(1000).subscribe({\n * next(num) {\n * console.log(num)\n * },\n * complete() {\n * // Will not be called, even when cancelling subscription.\n * console.log('completed!');\n * }\n * });\n *\n * setTimeout(() => {\n * subscription.unsubscribe();\n * console.log('unsubscribed!');\n * }, 2500);\n *\n * // Logs:\n * // 0 after 1s\n * // 1 after 2s\n * // 'unsubscribed!' after 2.5s\n * ```\n *\n * @param {Observer|Function} observerOrNext (optional) Either an observer with methods to be called,\n * or the first of three possible handlers, which is the handler for each value emitted from the subscribed\n * Observable.\n * @param {Function} error (optional) A handler for a terminal event resulting from an error. If no error handler is provided,\n * the error will be thrown asynchronously as unhandled.\n * @param {Function} complete (optional) A handler for a terminal event resulting from successful completion.\n * @return {Subscription} a subscription reference to the registered handlers\n * @method subscribe\n */\n subscribe(\n observerOrNext?: Partial> | ((value: T) => void) | null,\n error?: ((error: any) => void) | null,\n complete?: (() => void) | null\n ): Subscription {\n const subscriber = isSubscriber(observerOrNext) ? observerOrNext : new SafeSubscriber(observerOrNext, error, complete);\n\n errorContext(() => {\n const { operator, source } = this;\n subscriber.add(\n operator\n ? // We're dealing with a subscription in the\n // operator chain to one of our lifted operators.\n operator.call(subscriber, source)\n : source\n ? // If `source` has a value, but `operator` does not, something that\n // had intimate knowledge of our API, like our `Subject`, must have\n // set it. We're going to just call `_subscribe` directly.\n this._subscribe(subscriber)\n : // In all other cases, we're likely wrapping a user-provided initializer\n // function, so we need to catch errors and handle them appropriately.\n this._trySubscribe(subscriber)\n );\n });\n\n return subscriber;\n }\n\n /** @internal */\n protected _trySubscribe(sink: Subscriber): TeardownLogic {\n try {\n return this._subscribe(sink);\n } catch (err) {\n // We don't need to return anything in this case,\n // because it's just going to try to `add()` to a subscription\n // above.\n sink.error(err);\n }\n }\n\n /**\n * Used as a NON-CANCELLABLE means of subscribing to an observable, for use with\n * APIs that expect promises, like `async/await`. You cannot unsubscribe from this.\n *\n * **WARNING**: Only use this with observables you *know* will complete. If the source\n * observable does not complete, you will end up with a promise that is hung up, and\n * potentially all of the state of an async function hanging out in memory. To avoid\n * this situation, look into adding something like {@link timeout}, {@link take},\n * {@link takeWhile}, or {@link takeUntil} amongst others.\n *\n * #### Example\n *\n * ```ts\n * import { interval, take } from 'rxjs';\n *\n * const source$ = interval(1000).pipe(take(4));\n *\n * async function getTotal() {\n * let total = 0;\n *\n * await source$.forEach(value => {\n * total += value;\n * console.log('observable -> ' + value);\n * });\n *\n * return total;\n * }\n *\n * getTotal().then(\n * total => console.log('Total: ' + total)\n * );\n *\n * // Expected:\n * // 'observable -> 0'\n * // 'observable -> 1'\n * // 'observable -> 2'\n * // 'observable -> 3'\n * // 'Total: 6'\n * ```\n *\n * @param next a handler for each value emitted by the observable\n * @return a promise that either resolves on observable completion or\n * rejects with the handled error\n */\n forEach(next: (value: T) => void): Promise;\n\n /**\n * @param next a handler for each value emitted by the observable\n * @param promiseCtor a constructor function used to instantiate the Promise\n * @return a promise that either resolves on observable completion or\n * rejects with the handled error\n * @deprecated Passing a Promise constructor will no longer be available\n * in upcoming versions of RxJS. This is because it adds weight to the library, for very\n * little benefit. If you need this functionality, it is recommended that you either\n * polyfill Promise, or you create an adapter to convert the returned native promise\n * to whatever promise implementation you wanted. Will be removed in v8.\n */\n forEach(next: (value: T) => void, promiseCtor: PromiseConstructorLike): Promise;\n\n forEach(next: (value: T) => void, promiseCtor?: PromiseConstructorLike): Promise {\n promiseCtor = getPromiseCtor(promiseCtor);\n\n return new promiseCtor((resolve, reject) => {\n const subscriber = new SafeSubscriber({\n next: (value) => {\n try {\n next(value);\n } catch (err) {\n reject(err);\n subscriber.unsubscribe();\n }\n },\n error: reject,\n complete: resolve,\n });\n this.subscribe(subscriber);\n }) as Promise;\n }\n\n /** @internal */\n protected _subscribe(subscriber: Subscriber): TeardownLogic {\n return this.source?.subscribe(subscriber);\n }\n\n /**\n * An interop point defined by the es7-observable spec https://github.com/zenparsing/es-observable\n * @method Symbol.observable\n * @return {Observable} this instance of the observable\n */\n [Symbol_observable]() {\n return this;\n }\n\n /* tslint:disable:max-line-length */\n pipe(): Observable;\n pipe(op1: OperatorFunction): Observable;\n pipe(op1: OperatorFunction, op2: OperatorFunction): Observable;\n pipe(op1: OperatorFunction, op2: OperatorFunction, op3: OperatorFunction): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction,\n op7: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction,\n op7: OperatorFunction,\n op8: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction,\n op7: OperatorFunction,\n op8: OperatorFunction,\n op9: OperatorFunction\n ): Observable;\n pipe(\n op1: OperatorFunction,\n op2: OperatorFunction,\n op3: OperatorFunction,\n op4: OperatorFunction,\n op5: OperatorFunction,\n op6: OperatorFunction,\n op7: OperatorFunction,\n op8: OperatorFunction,\n op9: OperatorFunction,\n ...operations: OperatorFunction[]\n ): Observable;\n /* tslint:enable:max-line-length */\n\n /**\n * Used to stitch together functional operators into a chain.\n * @method pipe\n * @return {Observable} the Observable result of all of the operators having\n * been called in the order they were passed in.\n *\n * ## Example\n *\n * ```ts\n * import { interval, filter, map, scan } from 'rxjs';\n *\n * interval(1000)\n * .pipe(\n * filter(x => x % 2 === 0),\n * map(x => x + x),\n * scan((acc, x) => acc + x)\n * )\n * .subscribe(x => console.log(x));\n * ```\n */\n pipe(...operations: OperatorFunction[]): Observable {\n return pipeFromArray(operations)(this);\n }\n\n /* tslint:disable:max-line-length */\n /** @deprecated Replaced with {@link firstValueFrom} and {@link lastValueFrom}. Will be removed in v8. Details: https://rxjs.dev/deprecations/to-promise */\n toPromise(): Promise;\n /** @deprecated Replaced with {@link firstValueFrom} and {@link lastValueFrom}. Will be removed in v8. Details: https://rxjs.dev/deprecations/to-promise */\n toPromise(PromiseCtor: typeof Promise): Promise;\n /** @deprecated Replaced with {@link firstValueFrom} and {@link lastValueFrom}. Will be removed in v8. Details: https://rxjs.dev/deprecations/to-promise */\n toPromise(PromiseCtor: PromiseConstructorLike): Promise;\n /* tslint:enable:max-line-length */\n\n /**\n * Subscribe to this Observable and get a Promise resolving on\n * `complete` with the last emission (if any).\n *\n * **WARNING**: Only use this with observables you *know* will complete. If the source\n * observable does not complete, you will end up with a promise that is hung up, and\n * potentially all of the state of an async function hanging out in memory. To avoid\n * this situation, look into adding something like {@link timeout}, {@link take},\n * {@link takeWhile}, or {@link takeUntil} amongst others.\n *\n * @method toPromise\n * @param [promiseCtor] a constructor function used to instantiate\n * the Promise\n * @return A Promise that resolves with the last value emit, or\n * rejects on an error. If there were no emissions, Promise\n * resolves with undefined.\n * @deprecated Replaced with {@link firstValueFrom} and {@link lastValueFrom}. Will be removed in v8. Details: https://rxjs.dev/deprecations/to-promise\n */\n toPromise(promiseCtor?: PromiseConstructorLike): Promise {\n promiseCtor = getPromiseCtor(promiseCtor);\n\n return new promiseCtor((resolve, reject) => {\n let value: T | undefined;\n this.subscribe(\n (x: T) => (value = x),\n (err: any) => reject(err),\n () => resolve(value)\n );\n }) as Promise;\n }\n}\n\n/**\n * Decides between a passed promise constructor from consuming code,\n * A default configured promise constructor, and the native promise\n * constructor and returns it. If nothing can be found, it will throw\n * an error.\n * @param promiseCtor The optional promise constructor to passed by consuming code\n */\nfunction getPromiseCtor(promiseCtor: PromiseConstructorLike | undefined) {\n return promiseCtor ?? config.Promise ?? Promise;\n}\n\nfunction isObserver(value: any): value is Observer {\n return value && isFunction(value.next) && isFunction(value.error) && isFunction(value.complete);\n}\n\nfunction isSubscriber(value: any): value is Subscriber {\n return (value && value instanceof Subscriber) || (isObserver(value) && isSubscription(value));\n}\n", "import { Observable } from '../Observable';\nimport { Subscriber } from '../Subscriber';\nimport { OperatorFunction } from '../types';\nimport { isFunction } from './isFunction';\n\n/**\n * Used to determine if an object is an Observable with a lift function.\n */\nexport function hasLift(source: any): source is { lift: InstanceType['lift'] } {\n return isFunction(source?.lift);\n}\n\n/**\n * Creates an `OperatorFunction`. Used to define operators throughout the library in a concise way.\n * @param init The logic to connect the liftedSource to the subscriber at the moment of subscription.\n */\nexport function operate(\n init: (liftedSource: Observable, subscriber: Subscriber) => (() => void) | void\n): OperatorFunction {\n return (source: Observable) => {\n if (hasLift(source)) {\n return source.lift(function (this: Subscriber, liftedSource: Observable) {\n try {\n return init(liftedSource, this);\n } catch (err) {\n this.error(err);\n }\n });\n }\n throw new TypeError('Unable to lift unknown Observable type');\n };\n}\n", "import { Subscriber } from '../Subscriber';\n\n/**\n * Creates an instance of an `OperatorSubscriber`.\n * @param destination The downstream subscriber.\n * @param onNext Handles next values, only called if this subscriber is not stopped or closed. Any\n * error that occurs in this function is caught and sent to the `error` method of this subscriber.\n * @param onError Handles errors from the subscription, any errors that occur in this handler are caught\n * and send to the `destination` error handler.\n * @param onComplete Handles completion notification from the subscription. Any errors that occur in\n * this handler are sent to the `destination` error handler.\n * @param onFinalize Additional teardown logic here. This will only be called on teardown if the\n * subscriber itself is not already closed. This is called after all other teardown logic is executed.\n */\nexport function createOperatorSubscriber(\n destination: Subscriber,\n onNext?: (value: T) => void,\n onComplete?: () => void,\n onError?: (err: any) => void,\n onFinalize?: () => void\n): Subscriber {\n return new OperatorSubscriber(destination, onNext, onComplete, onError, onFinalize);\n}\n\n/**\n * A generic helper for allowing operators to be created with a Subscriber and\n * use closures to capture necessary state from the operator function itself.\n */\nexport class OperatorSubscriber extends Subscriber {\n /**\n * Creates an instance of an `OperatorSubscriber`.\n * @param destination The downstream subscriber.\n * @param onNext Handles next values, only called if this subscriber is not stopped or closed. Any\n * error that occurs in this function is caught and sent to the `error` method of this subscriber.\n * @param onError Handles errors from the subscription, any errors that occur in this handler are caught\n * and send to the `destination` error handler.\n * @param onComplete Handles completion notification from the subscription. Any errors that occur in\n * this handler are sent to the `destination` error handler.\n * @param onFinalize Additional finalization logic here. This will only be called on finalization if the\n * subscriber itself is not already closed. This is called after all other finalization logic is executed.\n * @param shouldUnsubscribe An optional check to see if an unsubscribe call should truly unsubscribe.\n * NOTE: This currently **ONLY** exists to support the strange behavior of {@link groupBy}, where unsubscription\n * to the resulting observable does not actually disconnect from the source if there are active subscriptions\n * to any grouped observable. (DO NOT EXPOSE OR USE EXTERNALLY!!!)\n */\n constructor(\n destination: Subscriber,\n onNext?: (value: T) => void,\n onComplete?: () => void,\n onError?: (err: any) => void,\n private onFinalize?: () => void,\n private shouldUnsubscribe?: () => boolean\n ) {\n // It's important - for performance reasons - that all of this class's\n // members are initialized and that they are always initialized in the same\n // order. This will ensure that all OperatorSubscriber instances have the\n // same hidden class in V8. This, in turn, will help keep the number of\n // hidden classes involved in property accesses within the base class as\n // low as possible. If the number of hidden classes involved exceeds four,\n // the property accesses will become megamorphic and performance penalties\n // will be incurred - i.e. inline caches won't be used.\n //\n // The reasons for ensuring all instances have the same hidden class are\n // further discussed in this blog post from Benedikt Meurer:\n // https://benediktmeurer.de/2018/03/23/impact-of-polymorphism-on-component-based-frameworks-like-react/\n super(destination);\n this._next = onNext\n ? function (this: OperatorSubscriber, value: T) {\n try {\n onNext(value);\n } catch (err) {\n destination.error(err);\n }\n }\n : super._next;\n this._error = onError\n ? function (this: OperatorSubscriber, err: any) {\n try {\n onError(err);\n } catch (err) {\n // Send any errors that occur down stream.\n destination.error(err);\n } finally {\n // Ensure finalization.\n this.unsubscribe();\n }\n }\n : super._error;\n this._complete = onComplete\n ? function (this: OperatorSubscriber) {\n try {\n onComplete();\n } catch (err) {\n // Send any errors that occur down stream.\n destination.error(err);\n } finally {\n // Ensure finalization.\n this.unsubscribe();\n }\n }\n : super._complete;\n }\n\n unsubscribe() {\n if (!this.shouldUnsubscribe || this.shouldUnsubscribe()) {\n const { closed } = this;\n super.unsubscribe();\n // Execute additional teardown if we have any and we didn't already do so.\n !closed && this.onFinalize?.();\n }\n }\n}\n", "import { Subscription } from '../Subscription';\n\ninterface AnimationFrameProvider {\n schedule(callback: FrameRequestCallback): Subscription;\n requestAnimationFrame: typeof requestAnimationFrame;\n cancelAnimationFrame: typeof cancelAnimationFrame;\n delegate:\n | {\n requestAnimationFrame: typeof requestAnimationFrame;\n cancelAnimationFrame: typeof cancelAnimationFrame;\n }\n | undefined;\n}\n\nexport const animationFrameProvider: AnimationFrameProvider = {\n // When accessing the delegate, use the variable rather than `this` so that\n // the functions can be called without being bound to the provider.\n schedule(callback) {\n let request = requestAnimationFrame;\n let cancel: typeof cancelAnimationFrame | undefined = cancelAnimationFrame;\n const { delegate } = animationFrameProvider;\n if (delegate) {\n request = delegate.requestAnimationFrame;\n cancel = delegate.cancelAnimationFrame;\n }\n const handle = request((timestamp) => {\n // Clear the cancel function. The request has been fulfilled, so\n // attempting to cancel the request upon unsubscription would be\n // pointless.\n cancel = undefined;\n callback(timestamp);\n });\n return new Subscription(() => cancel?.(handle));\n },\n requestAnimationFrame(...args) {\n const { delegate } = animationFrameProvider;\n return (delegate?.requestAnimationFrame || requestAnimationFrame)(...args);\n },\n cancelAnimationFrame(...args) {\n const { delegate } = animationFrameProvider;\n return (delegate?.cancelAnimationFrame || cancelAnimationFrame)(...args);\n },\n delegate: undefined,\n};\n", "import { createErrorClass } from './createErrorClass';\n\nexport interface ObjectUnsubscribedError extends Error {}\n\nexport interface ObjectUnsubscribedErrorCtor {\n /**\n * @deprecated Internal implementation detail. Do not construct error instances.\n * Cannot be tagged as internal: https://github.com/ReactiveX/rxjs/issues/6269\n */\n new (): ObjectUnsubscribedError;\n}\n\n/**\n * An error thrown when an action is invalid because the object has been\n * unsubscribed.\n *\n * @see {@link Subject}\n * @see {@link BehaviorSubject}\n *\n * @class ObjectUnsubscribedError\n */\nexport const ObjectUnsubscribedError: ObjectUnsubscribedErrorCtor = createErrorClass(\n (_super) =>\n function ObjectUnsubscribedErrorImpl(this: any) {\n _super(this);\n this.name = 'ObjectUnsubscribedError';\n this.message = 'object unsubscribed';\n }\n);\n", "import { Operator } from './Operator';\nimport { Observable } from './Observable';\nimport { Subscriber } from './Subscriber';\nimport { Subscription, EMPTY_SUBSCRIPTION } from './Subscription';\nimport { Observer, SubscriptionLike, TeardownLogic } from './types';\nimport { ObjectUnsubscribedError } from './util/ObjectUnsubscribedError';\nimport { arrRemove } from './util/arrRemove';\nimport { errorContext } from './util/errorContext';\n\n/**\n * A Subject is a special type of Observable that allows values to be\n * multicasted to many Observers. Subjects are like EventEmitters.\n *\n * Every Subject is an Observable and an Observer. You can subscribe to a\n * Subject, and you can call next to feed values as well as error and complete.\n */\nexport class Subject extends Observable implements SubscriptionLike {\n closed = false;\n\n private currentObservers: Observer[] | null = null;\n\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n observers: Observer[] = [];\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n isStopped = false;\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n hasError = false;\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n thrownError: any = null;\n\n /**\n * Creates a \"subject\" by basically gluing an observer to an observable.\n *\n * @nocollapse\n * @deprecated Recommended you do not use. Will be removed at some point in the future. Plans for replacement still under discussion.\n */\n static create: (...args: any[]) => any = (destination: Observer, source: Observable): AnonymousSubject => {\n return new AnonymousSubject(destination, source);\n };\n\n constructor() {\n // NOTE: This must be here to obscure Observable's constructor.\n super();\n }\n\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n lift(operator: Operator): Observable {\n const subject = new AnonymousSubject(this, this);\n subject.operator = operator as any;\n return subject as any;\n }\n\n /** @internal */\n protected _throwIfClosed() {\n if (this.closed) {\n throw new ObjectUnsubscribedError();\n }\n }\n\n next(value: T) {\n errorContext(() => {\n this._throwIfClosed();\n if (!this.isStopped) {\n if (!this.currentObservers) {\n this.currentObservers = Array.from(this.observers);\n }\n for (const observer of this.currentObservers) {\n observer.next(value);\n }\n }\n });\n }\n\n error(err: any) {\n errorContext(() => {\n this._throwIfClosed();\n if (!this.isStopped) {\n this.hasError = this.isStopped = true;\n this.thrownError = err;\n const { observers } = this;\n while (observers.length) {\n observers.shift()!.error(err);\n }\n }\n });\n }\n\n complete() {\n errorContext(() => {\n this._throwIfClosed();\n if (!this.isStopped) {\n this.isStopped = true;\n const { observers } = this;\n while (observers.length) {\n observers.shift()!.complete();\n }\n }\n });\n }\n\n unsubscribe() {\n this.isStopped = this.closed = true;\n this.observers = this.currentObservers = null!;\n }\n\n get observed() {\n return this.observers?.length > 0;\n }\n\n /** @internal */\n protected _trySubscribe(subscriber: Subscriber): TeardownLogic {\n this._throwIfClosed();\n return super._trySubscribe(subscriber);\n }\n\n /** @internal */\n protected _subscribe(subscriber: Subscriber): Subscription {\n this._throwIfClosed();\n this._checkFinalizedStatuses(subscriber);\n return this._innerSubscribe(subscriber);\n }\n\n /** @internal */\n protected _innerSubscribe(subscriber: Subscriber) {\n const { hasError, isStopped, observers } = this;\n if (hasError || isStopped) {\n return EMPTY_SUBSCRIPTION;\n }\n this.currentObservers = null;\n observers.push(subscriber);\n return new Subscription(() => {\n this.currentObservers = null;\n arrRemove(observers, subscriber);\n });\n }\n\n /** @internal */\n protected _checkFinalizedStatuses(subscriber: Subscriber) {\n const { hasError, thrownError, isStopped } = this;\n if (hasError) {\n subscriber.error(thrownError);\n } else if (isStopped) {\n subscriber.complete();\n }\n }\n\n /**\n * Creates a new Observable with this Subject as the source. You can do this\n * to create custom Observer-side logic of the Subject and conceal it from\n * code that uses the Observable.\n * @return {Observable} Observable that the Subject casts to\n */\n asObservable(): Observable {\n const observable: any = new Observable();\n observable.source = this;\n return observable;\n }\n}\n\n/**\n * @class AnonymousSubject\n */\nexport class AnonymousSubject extends Subject {\n constructor(\n /** @deprecated Internal implementation detail, do not use directly. Will be made internal in v8. */\n public destination?: Observer,\n source?: Observable\n ) {\n super();\n this.source = source;\n }\n\n next(value: T) {\n this.destination?.next?.(value);\n }\n\n error(err: any) {\n this.destination?.error?.(err);\n }\n\n complete() {\n this.destination?.complete?.();\n }\n\n /** @internal */\n protected _subscribe(subscriber: Subscriber): Subscription {\n return this.source?.subscribe(subscriber) ?? EMPTY_SUBSCRIPTION;\n }\n}\n", "import { TimestampProvider } from '../types';\n\ninterface DateTimestampProvider extends TimestampProvider {\n delegate: TimestampProvider | undefined;\n}\n\nexport const dateTimestampProvider: DateTimestampProvider = {\n now() {\n // Use the variable rather than `this` so that the function can be called\n // without being bound to the provider.\n return (dateTimestampProvider.delegate || Date).now();\n },\n delegate: undefined,\n};\n", "import { Subject } from './Subject';\nimport { TimestampProvider } from './types';\nimport { Subscriber } from './Subscriber';\nimport { Subscription } from './Subscription';\nimport { dateTimestampProvider } from './scheduler/dateTimestampProvider';\n\n/**\n * A variant of {@link Subject} that \"replays\" old values to new subscribers by emitting them when they first subscribe.\n *\n * `ReplaySubject` has an internal buffer that will store a specified number of values that it has observed. Like `Subject`,\n * `ReplaySubject` \"observes\" values by having them passed to its `next` method. When it observes a value, it will store that\n * value for a time determined by the configuration of the `ReplaySubject`, as passed to its constructor.\n *\n * When a new subscriber subscribes to the `ReplaySubject` instance, it will synchronously emit all values in its buffer in\n * a First-In-First-Out (FIFO) manner. The `ReplaySubject` will also complete, if it has observed completion; and it will\n * error if it has observed an error.\n *\n * There are two main configuration items to be concerned with:\n *\n * 1. `bufferSize` - This will determine how many items are stored in the buffer, defaults to infinite.\n * 2. `windowTime` - The amount of time to hold a value in the buffer before removing it from the buffer.\n *\n * Both configurations may exist simultaneously. So if you would like to buffer a maximum of 3 values, as long as the values\n * are less than 2 seconds old, you could do so with a `new ReplaySubject(3, 2000)`.\n *\n * ### Differences with BehaviorSubject\n *\n * `BehaviorSubject` is similar to `new ReplaySubject(1)`, with a couple of exceptions:\n *\n * 1. `BehaviorSubject` comes \"primed\" with a single value upon construction.\n * 2. `ReplaySubject` will replay values, even after observing an error, where `BehaviorSubject` will not.\n *\n * @see {@link Subject}\n * @see {@link BehaviorSubject}\n * @see {@link shareReplay}\n */\nexport class ReplaySubject extends Subject {\n private _buffer: (T | number)[] = [];\n private _infiniteTimeWindow = true;\n\n /**\n * @param bufferSize The size of the buffer to replay on subscription\n * @param windowTime The amount of time the buffered items will stay buffered\n * @param timestampProvider An object with a `now()` method that provides the current timestamp. This is used to\n * calculate the amount of time something has been buffered.\n */\n constructor(\n private _bufferSize = Infinity,\n private _windowTime = Infinity,\n private _timestampProvider: TimestampProvider = dateTimestampProvider\n ) {\n super();\n this._infiniteTimeWindow = _windowTime === Infinity;\n this._bufferSize = Math.max(1, _bufferSize);\n this._windowTime = Math.max(1, _windowTime);\n }\n\n next(value: T): void {\n const { isStopped, _buffer, _infiniteTimeWindow, _timestampProvider, _windowTime } = this;\n if (!isStopped) {\n _buffer.push(value);\n !_infiniteTimeWindow && _buffer.push(_timestampProvider.now() + _windowTime);\n }\n this._trimBuffer();\n super.next(value);\n }\n\n /** @internal */\n protected _subscribe(subscriber: Subscriber): Subscription {\n this._throwIfClosed();\n this._trimBuffer();\n\n const subscription = this._innerSubscribe(subscriber);\n\n const { _infiniteTimeWindow, _buffer } = this;\n // We use a copy here, so reentrant code does not mutate our array while we're\n // emitting it to a new subscriber.\n const copy = _buffer.slice();\n for (let i = 0; i < copy.length && !subscriber.closed; i += _infiniteTimeWindow ? 1 : 2) {\n subscriber.next(copy[i] as T);\n }\n\n this._checkFinalizedStatuses(subscriber);\n\n return subscription;\n }\n\n private _trimBuffer() {\n const { _bufferSize, _timestampProvider, _buffer, _infiniteTimeWindow } = this;\n // If we don't have an infinite buffer size, and we're over the length,\n // use splice to truncate the old buffer values off. Note that we have to\n // double the size for instances where we're not using an infinite time window\n // because we're storing the values and the timestamps in the same array.\n const adjustedBufferSize = (_infiniteTimeWindow ? 1 : 2) * _bufferSize;\n _bufferSize < Infinity && adjustedBufferSize < _buffer.length && _buffer.splice(0, _buffer.length - adjustedBufferSize);\n\n // Now, if we're not in an infinite time window, remove all values where the time is\n // older than what is allowed.\n if (!_infiniteTimeWindow) {\n const now = _timestampProvider.now();\n let last = 0;\n // Search the array for the first timestamp that isn't expired and\n // truncate the buffer up to that point.\n for (let i = 1; i < _buffer.length && (_buffer[i] as number) <= now; i += 2) {\n last = i;\n }\n last && _buffer.splice(0, last + 1);\n }\n }\n}\n", "import { Scheduler } from '../Scheduler';\nimport { Subscription } from '../Subscription';\nimport { SchedulerAction } from '../types';\n\n/**\n * A unit of work to be executed in a `scheduler`. An action is typically\n * created from within a {@link SchedulerLike} and an RxJS user does not need to concern\n * themselves about creating and manipulating an Action.\n *\n * ```ts\n * class Action extends Subscription {\n * new (scheduler: Scheduler, work: (state?: T) => void);\n * schedule(state?: T, delay: number = 0): Subscription;\n * }\n * ```\n *\n * @class Action\n */\nexport class Action extends Subscription {\n constructor(scheduler: Scheduler, work: (this: SchedulerAction, state?: T) => void) {\n super();\n }\n /**\n * Schedules this action on its parent {@link SchedulerLike} for execution. May be passed\n * some context object, `state`. May happen at some point in the future,\n * according to the `delay` parameter, if specified.\n * @param {T} [state] Some contextual data that the `work` function uses when\n * called by the Scheduler.\n * @param {number} [delay] Time to wait before executing the work, where the\n * time unit is implicit and defined by the Scheduler.\n * @return {void}\n */\n public schedule(state?: T, delay: number = 0): Subscription {\n return this;\n }\n}\n", "import type { TimerHandle } from './timerHandle';\ntype SetIntervalFunction = (handler: () => void, timeout?: number, ...args: any[]) => TimerHandle;\ntype ClearIntervalFunction = (handle: TimerHandle) => void;\n\ninterface IntervalProvider {\n setInterval: SetIntervalFunction;\n clearInterval: ClearIntervalFunction;\n delegate:\n | {\n setInterval: SetIntervalFunction;\n clearInterval: ClearIntervalFunction;\n }\n | undefined;\n}\n\nexport const intervalProvider: IntervalProvider = {\n // When accessing the delegate, use the variable rather than `this` so that\n // the functions can be called without being bound to the provider.\n setInterval(handler: () => void, timeout?: number, ...args) {\n const { delegate } = intervalProvider;\n if (delegate?.setInterval) {\n return delegate.setInterval(handler, timeout, ...args);\n }\n return setInterval(handler, timeout, ...args);\n },\n clearInterval(handle) {\n const { delegate } = intervalProvider;\n return (delegate?.clearInterval || clearInterval)(handle as any);\n },\n delegate: undefined,\n};\n", "import { Action } from './Action';\nimport { SchedulerAction } from '../types';\nimport { Subscription } from '../Subscription';\nimport { AsyncScheduler } from './AsyncScheduler';\nimport { intervalProvider } from './intervalProvider';\nimport { arrRemove } from '../util/arrRemove';\nimport { TimerHandle } from './timerHandle';\n\nexport class AsyncAction extends Action {\n public id: TimerHandle | undefined;\n public state?: T;\n // @ts-ignore: Property has no initializer and is not definitely assigned\n public delay: number;\n protected pending: boolean = false;\n\n constructor(protected scheduler: AsyncScheduler, protected work: (this: SchedulerAction, state?: T) => void) {\n super(scheduler, work);\n }\n\n public schedule(state?: T, delay: number = 0): Subscription {\n if (this.closed) {\n return this;\n }\n\n // Always replace the current state with the new state.\n this.state = state;\n\n const id = this.id;\n const scheduler = this.scheduler;\n\n //\n // Important implementation note:\n //\n // Actions only execute once by default, unless rescheduled from within the\n // scheduled callback. This allows us to implement single and repeat\n // actions via the same code path, without adding API surface area, as well\n // as mimic traditional recursion but across asynchronous boundaries.\n //\n // However, JS runtimes and timers distinguish between intervals achieved by\n // serial `setTimeout` calls vs. a single `setInterval` call. An interval of\n // serial `setTimeout` calls can be individually delayed, which delays\n // scheduling the next `setTimeout`, and so on. `setInterval` attempts to\n // guarantee the interval callback will be invoked more precisely to the\n // interval period, regardless of load.\n //\n // Therefore, we use `setInterval` to schedule single and repeat actions.\n // If the action reschedules itself with the same delay, the interval is not\n // canceled. If the action doesn't reschedule, or reschedules with a\n // different delay, the interval will be canceled after scheduled callback\n // execution.\n //\n if (id != null) {\n this.id = this.recycleAsyncId(scheduler, id, delay);\n }\n\n // Set the pending flag indicating that this action has been scheduled, or\n // has recursively rescheduled itself.\n this.pending = true;\n\n this.delay = delay;\n // If this action has already an async Id, don't request a new one.\n this.id = this.id ?? this.requestAsyncId(scheduler, this.id, delay);\n\n return this;\n }\n\n protected requestAsyncId(scheduler: AsyncScheduler, _id?: TimerHandle, delay: number = 0): TimerHandle {\n return intervalProvider.setInterval(scheduler.flush.bind(scheduler, this), delay);\n }\n\n protected recycleAsyncId(_scheduler: AsyncScheduler, id?: TimerHandle, delay: number | null = 0): TimerHandle | undefined {\n // If this action is rescheduled with the same delay time, don't clear the interval id.\n if (delay != null && this.delay === delay && this.pending === false) {\n return id;\n }\n // Otherwise, if the action's delay time is different from the current delay,\n // or the action has been rescheduled before it's executed, clear the interval id\n if (id != null) {\n intervalProvider.clearInterval(id);\n }\n\n return undefined;\n }\n\n /**\n * Immediately executes this action and the `work` it contains.\n * @return {any}\n */\n public execute(state: T, delay: number): any {\n if (this.closed) {\n return new Error('executing a cancelled action');\n }\n\n this.pending = false;\n const error = this._execute(state, delay);\n if (error) {\n return error;\n } else if (this.pending === false && this.id != null) {\n // Dequeue if the action didn't reschedule itself. Don't call\n // unsubscribe(), because the action could reschedule later.\n // For example:\n // ```\n // scheduler.schedule(function doWork(counter) {\n // /* ... I'm a busy worker bee ... */\n // var originalAction = this;\n // /* wait 100ms before rescheduling the action */\n // setTimeout(function () {\n // originalAction.schedule(counter + 1);\n // }, 100);\n // }, 1000);\n // ```\n this.id = this.recycleAsyncId(this.scheduler, this.id, null);\n }\n }\n\n protected _execute(state: T, _delay: number): any {\n let errored: boolean = false;\n let errorValue: any;\n try {\n this.work(state);\n } catch (e) {\n errored = true;\n // HACK: Since code elsewhere is relying on the \"truthiness\" of the\n // return here, we can't have it return \"\" or 0 or false.\n // TODO: Clean this up when we refactor schedulers mid-version-8 or so.\n errorValue = e ? e : new Error('Scheduled action threw falsy error');\n }\n if (errored) {\n this.unsubscribe();\n return errorValue;\n }\n }\n\n unsubscribe() {\n if (!this.closed) {\n const { id, scheduler } = this;\n const { actions } = scheduler;\n\n this.work = this.state = this.scheduler = null!;\n this.pending = false;\n\n arrRemove(actions, this);\n if (id != null) {\n this.id = this.recycleAsyncId(scheduler, id, null);\n }\n\n this.delay = null!;\n super.unsubscribe();\n }\n }\n}\n", "import { Action } from './scheduler/Action';\nimport { Subscription } from './Subscription';\nimport { SchedulerLike, SchedulerAction } from './types';\nimport { dateTimestampProvider } from './scheduler/dateTimestampProvider';\n\n/**\n * An execution context and a data structure to order tasks and schedule their\n * execution. Provides a notion of (potentially virtual) time, through the\n * `now()` getter method.\n *\n * Each unit of work in a Scheduler is called an `Action`.\n *\n * ```ts\n * class Scheduler {\n * now(): number;\n * schedule(work, delay?, state?): Subscription;\n * }\n * ```\n *\n * @class Scheduler\n * @deprecated Scheduler is an internal implementation detail of RxJS, and\n * should not be used directly. Rather, create your own class and implement\n * {@link SchedulerLike}. Will be made internal in v8.\n */\nexport class Scheduler implements SchedulerLike {\n public static now: () => number = dateTimestampProvider.now;\n\n constructor(private schedulerActionCtor: typeof Action, now: () => number = Scheduler.now) {\n this.now = now;\n }\n\n /**\n * A getter method that returns a number representing the current time\n * (at the time this function was called) according to the scheduler's own\n * internal clock.\n * @return {number} A number that represents the current time. May or may not\n * have a relation to wall-clock time. May or may not refer to a time unit\n * (e.g. milliseconds).\n */\n public now: () => number;\n\n /**\n * Schedules a function, `work`, for execution. May happen at some point in\n * the future, according to the `delay` parameter, if specified. May be passed\n * some context object, `state`, which will be passed to the `work` function.\n *\n * The given arguments will be processed an stored as an Action object in a\n * queue of actions.\n *\n * @param {function(state: ?T): ?Subscription} work A function representing a\n * task, or some unit of work to be executed by the Scheduler.\n * @param {number} [delay] Time to wait before executing the work, where the\n * time unit is implicit and defined by the Scheduler itself.\n * @param {T} [state] Some contextual data that the `work` function uses when\n * called by the Scheduler.\n * @return {Subscription} A subscription in order to be able to unsubscribe\n * the scheduled work.\n */\n public schedule(work: (this: SchedulerAction, state?: T) => void, delay: number = 0, state?: T): Subscription {\n return new this.schedulerActionCtor(this, work).schedule(state, delay);\n }\n}\n", "import { Scheduler } from '../Scheduler';\nimport { Action } from './Action';\nimport { AsyncAction } from './AsyncAction';\nimport { TimerHandle } from './timerHandle';\n\nexport class AsyncScheduler extends Scheduler {\n public actions: Array> = [];\n /**\n * A flag to indicate whether the Scheduler is currently executing a batch of\n * queued actions.\n * @type {boolean}\n * @internal\n */\n public _active: boolean = false;\n /**\n * An internal ID used to track the latest asynchronous task such as those\n * coming from `setTimeout`, `setInterval`, `requestAnimationFrame`, and\n * others.\n * @type {any}\n * @internal\n */\n public _scheduled: TimerHandle | undefined;\n\n constructor(SchedulerAction: typeof Action, now: () => number = Scheduler.now) {\n super(SchedulerAction, now);\n }\n\n public flush(action: AsyncAction): void {\n const { actions } = this;\n\n if (this._active) {\n actions.push(action);\n return;\n }\n\n let error: any;\n this._active = true;\n\n do {\n if ((error = action.execute(action.state, action.delay))) {\n break;\n }\n } while ((action = actions.shift()!)); // exhaust the scheduler queue\n\n this._active = false;\n\n if (error) {\n while ((action = actions.shift()!)) {\n action.unsubscribe();\n }\n throw error;\n }\n }\n}\n", "import { AsyncAction } from './AsyncAction';\nimport { AsyncScheduler } from './AsyncScheduler';\n\n/**\n *\n * Async Scheduler\n *\n * Schedule task as if you used setTimeout(task, duration)\n *\n * `async` scheduler schedules tasks asynchronously, by putting them on the JavaScript\n * event loop queue. It is best used to delay tasks in time or to schedule tasks repeating\n * in intervals.\n *\n * If you just want to \"defer\" task, that is to perform it right after currently\n * executing synchronous code ends (commonly achieved by `setTimeout(deferredTask, 0)`),\n * better choice will be the {@link asapScheduler} scheduler.\n *\n * ## Examples\n * Use async scheduler to delay task\n * ```ts\n * import { asyncScheduler } from 'rxjs';\n *\n * const task = () => console.log('it works!');\n *\n * asyncScheduler.schedule(task, 2000);\n *\n * // After 2 seconds logs:\n * // \"it works!\"\n * ```\n *\n * Use async scheduler to repeat task in intervals\n * ```ts\n * import { asyncScheduler } from 'rxjs';\n *\n * function task(state) {\n * console.log(state);\n * this.schedule(state + 1, 1000); // `this` references currently executing Action,\n * // which we reschedule with new state and delay\n * }\n *\n * asyncScheduler.schedule(task, 3000, 0);\n *\n * // Logs:\n * // 0 after 3s\n * // 1 after 4s\n * // 2 after 5s\n * // 3 after 6s\n * ```\n */\n\nexport const asyncScheduler = new AsyncScheduler(AsyncAction);\n\n/**\n * @deprecated Renamed to {@link asyncScheduler}. Will be removed in v8.\n */\nexport const async = asyncScheduler;\n", "import { AsyncAction } from './AsyncAction';\nimport { AnimationFrameScheduler } from './AnimationFrameScheduler';\nimport { SchedulerAction } from '../types';\nimport { animationFrameProvider } from './animationFrameProvider';\nimport { TimerHandle } from './timerHandle';\n\nexport class AnimationFrameAction extends AsyncAction {\n constructor(protected scheduler: AnimationFrameScheduler, protected work: (this: SchedulerAction, state?: T) => void) {\n super(scheduler, work);\n }\n\n protected requestAsyncId(scheduler: AnimationFrameScheduler, id?: TimerHandle, delay: number = 0): TimerHandle {\n // If delay is greater than 0, request as an async action.\n if (delay !== null && delay > 0) {\n return super.requestAsyncId(scheduler, id, delay);\n }\n // Push the action to the end of the scheduler queue.\n scheduler.actions.push(this);\n // If an animation frame has already been requested, don't request another\n // one. If an animation frame hasn't been requested yet, request one. Return\n // the current animation frame request id.\n return scheduler._scheduled || (scheduler._scheduled = animationFrameProvider.requestAnimationFrame(() => scheduler.flush(undefined)));\n }\n\n protected recycleAsyncId(scheduler: AnimationFrameScheduler, id?: TimerHandle, delay: number = 0): TimerHandle | undefined {\n // If delay exists and is greater than 0, or if the delay is null (the\n // action wasn't rescheduled) but was originally scheduled as an async\n // action, then recycle as an async action.\n if (delay != null ? delay > 0 : this.delay > 0) {\n return super.recycleAsyncId(scheduler, id, delay);\n }\n // If the scheduler queue has no remaining actions with the same async id,\n // cancel the requested animation frame and set the scheduled flag to\n // undefined so the next AnimationFrameAction will request its own.\n const { actions } = scheduler;\n if (id != null && actions[actions.length - 1]?.id !== id) {\n animationFrameProvider.cancelAnimationFrame(id as number);\n scheduler._scheduled = undefined;\n }\n // Return undefined so the action knows to request a new async id if it's rescheduled.\n return undefined;\n }\n}\n", "import { AsyncAction } from './AsyncAction';\nimport { AsyncScheduler } from './AsyncScheduler';\n\nexport class AnimationFrameScheduler extends AsyncScheduler {\n public flush(action?: AsyncAction): void {\n this._active = true;\n // The async id that effects a call to flush is stored in _scheduled.\n // Before executing an action, it's necessary to check the action's async\n // id to determine whether it's supposed to be executed in the current\n // flush.\n // Previous implementations of this method used a count to determine this,\n // but that was unsound, as actions that are unsubscribed - i.e. cancelled -\n // are removed from the actions array and that can shift actions that are\n // scheduled to be executed in a subsequent flush into positions at which\n // they are executed within the current flush.\n const flushId = this._scheduled;\n this._scheduled = undefined;\n\n const { actions } = this;\n let error: any;\n action = action || actions.shift()!;\n\n do {\n if ((error = action.execute(action.state, action.delay))) {\n break;\n }\n } while ((action = actions[0]) && action.id === flushId && actions.shift());\n\n this._active = false;\n\n if (error) {\n while ((action = actions[0]) && action.id === flushId && actions.shift()) {\n action.unsubscribe();\n }\n throw error;\n }\n }\n}\n", "import { AnimationFrameAction } from './AnimationFrameAction';\nimport { AnimationFrameScheduler } from './AnimationFrameScheduler';\n\n/**\n *\n * Animation Frame Scheduler\n *\n * Perform task when `window.requestAnimationFrame` would fire\n *\n * When `animationFrame` scheduler is used with delay, it will fall back to {@link asyncScheduler} scheduler\n * behaviour.\n *\n * Without delay, `animationFrame` scheduler can be used to create smooth browser animations.\n * It makes sure scheduled task will happen just before next browser content repaint,\n * thus performing animations as efficiently as possible.\n *\n * ## Example\n * Schedule div height animation\n * ```ts\n * // html:
\n * import { animationFrameScheduler } from 'rxjs';\n *\n * const div = document.querySelector('div');\n *\n * animationFrameScheduler.schedule(function(height) {\n * div.style.height = height + \"px\";\n *\n * this.schedule(height + 1); // `this` references currently executing Action,\n * // which we reschedule with new state\n * }, 0, 0);\n *\n * // You will see a div element growing in height\n * ```\n */\n\nexport const animationFrameScheduler = new AnimationFrameScheduler(AnimationFrameAction);\n\n/**\n * @deprecated Renamed to {@link animationFrameScheduler}. Will be removed in v8.\n */\nexport const animationFrame = animationFrameScheduler;\n", "import { Observable } from '../Observable';\nimport { SchedulerLike } from '../types';\n\n/**\n * A simple Observable that emits no items to the Observer and immediately\n * emits a complete notification.\n *\n * Just emits 'complete', and nothing else.\n *\n * ![](empty.png)\n *\n * A simple Observable that only emits the complete notification. It can be used\n * for composing with other Observables, such as in a {@link mergeMap}.\n *\n * ## Examples\n *\n * Log complete notification\n *\n * ```ts\n * import { EMPTY } from 'rxjs';\n *\n * EMPTY.subscribe({\n * next: () => console.log('Next'),\n * complete: () => console.log('Complete!')\n * });\n *\n * // Outputs\n * // Complete!\n * ```\n *\n * Emit the number 7, then complete\n *\n * ```ts\n * import { EMPTY, startWith } from 'rxjs';\n *\n * const result = EMPTY.pipe(startWith(7));\n * result.subscribe(x => console.log(x));\n *\n * // Outputs\n * // 7\n * ```\n *\n * Map and flatten only odd numbers to the sequence `'a'`, `'b'`, `'c'`\n *\n * ```ts\n * import { interval, mergeMap, of, EMPTY } from 'rxjs';\n *\n * const interval$ = interval(1000);\n * const result = interval$.pipe(\n * mergeMap(x => x % 2 === 1 ? of('a', 'b', 'c') : EMPTY),\n * );\n * result.subscribe(x => console.log(x));\n *\n * // Results in the following to the console:\n * // x is equal to the count on the interval, e.g. (0, 1, 2, 3, ...)\n * // x will occur every 1000ms\n * // if x % 2 is equal to 1, print a, b, c (each on its own)\n * // if x % 2 is not equal to 1, nothing will be output\n * ```\n *\n * @see {@link Observable}\n * @see {@link NEVER}\n * @see {@link of}\n * @see {@link throwError}\n */\nexport const EMPTY = new Observable((subscriber) => subscriber.complete());\n\n/**\n * @param scheduler A {@link SchedulerLike} to use for scheduling\n * the emission of the complete notification.\n * @deprecated Replaced with the {@link EMPTY} constant or {@link scheduled} (e.g. `scheduled([], scheduler)`). Will be removed in v8.\n */\nexport function empty(scheduler?: SchedulerLike) {\n return scheduler ? emptyScheduled(scheduler) : EMPTY;\n}\n\nfunction emptyScheduled(scheduler: SchedulerLike) {\n return new Observable((subscriber) => scheduler.schedule(() => subscriber.complete()));\n}\n", "import { SchedulerLike } from '../types';\nimport { isFunction } from './isFunction';\n\nexport function isScheduler(value: any): value is SchedulerLike {\n return value && isFunction(value.schedule);\n}\n", "import { SchedulerLike } from '../types';\nimport { isFunction } from './isFunction';\nimport { isScheduler } from './isScheduler';\n\nfunction last(arr: T[]): T | undefined {\n return arr[arr.length - 1];\n}\n\nexport function popResultSelector(args: any[]): ((...args: unknown[]) => unknown) | undefined {\n return isFunction(last(args)) ? args.pop() : undefined;\n}\n\nexport function popScheduler(args: any[]): SchedulerLike | undefined {\n return isScheduler(last(args)) ? args.pop() : undefined;\n}\n\nexport function popNumber(args: any[], defaultValue: number): number {\n return typeof last(args) === 'number' ? args.pop()! : defaultValue;\n}\n", "export const isArrayLike = ((x: any): x is ArrayLike => x && typeof x.length === 'number' && typeof x !== 'function');", "import { isFunction } from \"./isFunction\";\n\n/**\n * Tests to see if the object is \"thennable\".\n * @param value the object to test\n */\nexport function isPromise(value: any): value is PromiseLike {\n return isFunction(value?.then);\n}\n", "import { InteropObservable } from '../types';\nimport { observable as Symbol_observable } from '../symbol/observable';\nimport { isFunction } from './isFunction';\n\n/** Identifies an input as being Observable (but not necessary an Rx Observable) */\nexport function isInteropObservable(input: any): input is InteropObservable {\n return isFunction(input[Symbol_observable]);\n}\n", "import { isFunction } from './isFunction';\n\nexport function isAsyncIterable(obj: any): obj is AsyncIterable {\n return Symbol.asyncIterator && isFunction(obj?.[Symbol.asyncIterator]);\n}\n", "/**\n * Creates the TypeError to throw if an invalid object is passed to `from` or `scheduled`.\n * @param input The object that was passed.\n */\nexport function createInvalidObservableTypeError(input: any) {\n // TODO: We should create error codes that can be looked up, so this can be less verbose.\n return new TypeError(\n `You provided ${\n input !== null && typeof input === 'object' ? 'an invalid object' : `'${input}'`\n } where a stream was expected. You can provide an Observable, Promise, ReadableStream, Array, AsyncIterable, or Iterable.`\n );\n}\n", "export function getSymbolIterator(): symbol {\n if (typeof Symbol !== 'function' || !Symbol.iterator) {\n return '@@iterator' as any;\n }\n\n return Symbol.iterator;\n}\n\nexport const iterator = getSymbolIterator();\n", "import { iterator as Symbol_iterator } from '../symbol/iterator';\nimport { isFunction } from './isFunction';\n\n/** Identifies an input as being an Iterable */\nexport function isIterable(input: any): input is Iterable {\n return isFunction(input?.[Symbol_iterator]);\n}\n", "import { ReadableStreamLike } from '../types';\nimport { isFunction } from './isFunction';\n\nexport async function* readableStreamLikeToAsyncGenerator(readableStream: ReadableStreamLike): AsyncGenerator {\n const reader = readableStream.getReader();\n try {\n while (true) {\n const { value, done } = await reader.read();\n if (done) {\n return;\n }\n yield value!;\n }\n } finally {\n reader.releaseLock();\n }\n}\n\nexport function isReadableStreamLike(obj: any): obj is ReadableStreamLike {\n // We don't want to use instanceof checks because they would return\n // false for instances from another Realm, like an + +

Let's explore each of the three files that make this app work.

+

pyscript.json

+
+

We do this by putting arrr as the single entry in a list of required +packages, so the content of pyscript.json looks like this:

+
pyscript.json
{
+    "packages": ["arrr"]
+}
+
+

index.html

+

Next we come to the index.html file that is first served to your browser.

+

To start out, we need to tell the browser that this HTML document uses +PyScript, and so we create a <script> tag that references the PyScript +module in the document's <head> tag:

+
<!DOCTYPE html>
+<html>
+  <head>
+      <meta charset="utf-8" />
+      <meta name="viewport" content="width=device-width,initial-scale=1" />
+      <title>🦜 Polyglot - Piratical PyScript</title>
+      <link rel="stylesheet" href="https://pyscript.net/releases/2024.9.2/core.css">
+      <script type="module" src="https://pyscript.net/releases/2024.9.2/core.js"></script>
+  </head>
+  <body>
+
+    <!-- TODO: Fill in our custom application code here... -->
+
+  </body>
+</html>
+
+

Notice that the <body> of the document is empty except for the TODO comment. +It's in here that we put standard HTML content to define our user interface, so +the <body> now looks like:

+
<body>
+  <h1>Polyglot 🦜 💬 🇬🇧 ➡️ 🏴‍☠️</h1>
+  <p>Translate English into Pirate speak...</p>
+  <input type="text" name="english" id="english" placeholder="Type English here..." />
+  <button py-click="translate_english">Translate</button>
+  <div id="output"></div>
+  <script type="py" src="./main.py" config="./pyscript.json"></script>
+</body>
+
+

This fragment of HTML contains the application's header (<h1>), some +instructions between the <p> tags, an <input> box for the English text, and +a <button> to click to generate the translation. Towards the end there's a +<div id="output"> which will contain the resulting pirate speak as the +application's output.

+

There's something strange about the <button> tag: it has a py-click +attribute with the value translate_english. This is, in fact, the name of a +Python function we'll run whenever the button is clicked. Such py-* style +attributes are built into PyScript.

+

We put all this together in the script tag at the end of the <body>. This +tells the browser we're using PyScript (type="py"), and where PyScript +should find the Python source code (src="./main.py"). Finally, we indicate +where PyScript should find the configuration (config="./pyscript.json").

+

In the end, our HTML should look like this:

+
index.html
<!DOCTYPE html>
+<html>
+  <head>
+      <meta charset="utf-8" />
+      <meta name="viewport" content="width=device-width,initial-scale=1" />
+      <title>🦜 Polyglot - Piratical PyScript</title>
+      <link rel="stylesheet" href="https://pyscript.net/releases/2024.9.2/core.css">
+      <script type="module" src="https://pyscript.net/releases/2024.9.2/core.js"></script>
+  </head>
+  <body>
+    <h1>Polyglot 🦜 💬 🇬🇧 ➡️ 🏴‍☠️</h1>
+    <p>Translate English into Pirate speak...</p>
+    <input type="text" id="english" placeholder="Type English here..." />
+    <button py-click="translate_english">Translate</button>
+    <div id="output"></div>
+    <script type="py" src="./main.py" config="./pyscript.json"></script>
+  </body>
+</html>
+
+

But this only defines how the user interface should look. To define its +behaviour we need to write some Python. Specifically, we need to define the +translate_english function, used when the button is clicked.

+

main.py

+

The behaviour of the application is defined in main.py. It looks like this:

+
main.py
1
+2
+3
+4
+5
+6
+7
+8
+9
import arrr
+from pyscript import document
+
+
+def translate_english(event):
+    input_text = document.querySelector("#english")
+    english = input_text.value
+    output_div = document.querySelector("#output")
+    output_div.innerText = arrr.translate(english)
+
+

It's not very complicated Python code.

+

On line 1 the arrr module is imported so we can do the actual English to +Pirate translation. If we hadn't told PyScript to download the arrr module +in our pyscript.json configuration file, this line would cause an error. +PyScript has ensured our environment is set up with the expected arrr module.

+

Line 2 imports the document object. The document allows us to reach into +the things on the web page defined in index.html.

+

Finally, on line 5 the translate_english function is defined.

+

The translate_english function takes a single parameter called +event. This represents the user's click of the button (but which we don't +actually use).

+

Inside the body of the function we first get a reference to the input +element with the document.querySelector function +that takes #english as its +parameter (indicating we want the element with the id "english"). We assign the +result to input_text, then extract the user's english from the +input_text's value. Next, we get a reference called output_div that +points to the div element with the id "output". Finally, we assign the +innerText of the output_div to the result of calling +arrr.translate +(to actually translate the english to something piratical).

+

That's it!

+

Sharing your app

+

PyScript.com

+

If you're using pyscript.com, you should save all your files +and click the "run" button. Assuming you've copied the code properly, you +should have a fine old time using "Polyglot 🦜" to translate English to +Pirate-ish.

+

Alternatively, click here to see a working example of this app. +Notice that the bottom right hand corner contains a link to view the code on +pyscript.com. Why not explore the code, copy it to your own +account and change it to your satisfaction?

+

From a web server

+

Just host the three files (pyscript.json, index.html +and main.py) in the same directory on a static web server somewhere.

+

Clearly, we recommend you use pyscript.com for this, but any +static web host will do (for example, +GitHub Pages, +Amazon's S3, +Google Cloud or +Microsoft's Azure).

+

Run PyScript Offline

+

To run PyScript offline, without the need of a CDN or internet connection, read +the Run PyScript Offline section of the user +guide.

+

Conclusion

+

Congratulations!

+

You have just created your first PyScript app. We've explored the core concepts +needed to build yet more interesting things of your own.

+

PyScript is extremely powerful, and these beginner steps only just scratch the +surface. To learn about PyScript in more depth, check out +our user guide or +explore our example applications.

+ + + + + + + + + + + + + + + + + +
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/conduct/index.html b/2024.9.2/conduct/index.html new file mode 100644 index 0000000..04bd244 --- /dev/null +++ b/2024.9.2/conduct/index.html @@ -0,0 +1,1113 @@ + + + + + + + + + + + + + + + + + + + + + + + Code of Conduct - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Code of Conduct

+

Our code of conduct is based on the +Contributor Covenant code of conduct.

+

Our Pledge

+

We as members, contributors, and leaders pledge to make participation in our +community a harassment-free experience for everyone, regardless of age, body +size, visible or invisible disability, ethnicity, sex characteristics, gender +identity and expression, level of experience, education, socio-economic status, +nationality, personal appearance, race, religion, or sexual identity and +orientation.

+

We pledge to act and interact in ways that contribute to an open, welcoming, +diverse, inclusive, and healthy community.

+

Our Standards

+

Examples of behavior that contributes to a positive environment for our +community include:

+
    +
  • Demonstrating empathy and kindness toward other people
  • +
  • Being respectful of differing opinions, viewpoints, and experiences
  • +
  • Giving and gracefully accepting constructive feedback
  • +
  • Accepting responsibility and apologizing to those affected by our mistakes, + and learning from the experience
  • +
  • Focusing on what is best not just for us as individuals, but for the overall + community
  • +
+

Examples of unacceptable behavior include:

+
    +
  • The use of sexualized language or imagery, and sexual attention or + advances of any kind
  • +
  • Trolling, insulting or derogatory comments, and personal or political attacks
  • +
  • Public or private harassment
  • +
  • Publishing others' private information, such as a physical or email + address, without their explicit permission
  • +
  • Other conduct which could reasonably be considered inappropriate in a + professional setting
  • +
+

Enforcement Responsibilities

+

Community leaders are responsible for clarifying and enforcing our standards of +acceptable behavior and will take appropriate and fair corrective action in +response to any behavior that they deem inappropriate, threatening, offensive, +or harmful.

+

Community leaders have the right and responsibility to remove, edit, or reject +comments, commits, code, wiki edits, issues, and other contributions that are +not aligned to this Code of Conduct, and will communicate reasons for +moderation decisions when appropriate.

+

Scope

+

This Code of Conduct applies within all community spaces, and also applies when +an individual is officially representing the community in public spaces. +Examples of representing our community include using an official e-mail +address, posting via an official social media account, or acting as an +appointed representative at an online or offline event.

+

Enforcement

+

Instances of abusive, harassing, or otherwise unacceptable behavior may be +reported to the community leaders responsible for enforcement as set forth in +the repository's Notice.md file. All complaints will be reviewed and +investigated promptly and fairly.

+

All community leaders are obligated to respect the privacy and security of the +reporter of any incident.

+

Enforcement Guidelines

+

Community leaders will follow these Community Impact Guidelines in determining +the consequences for any action they deem in violation of this Code of Conduct:

+

1. Correction

+

Community Impact: Use of inappropriate language or other behavior deemed +unprofessional or unwelcome in the community.

+

Consequence: A private, written warning from community leaders, providing +clarity around the nature of the violation and an explanation of why the +behavior was inappropriate. A public apology may be requested.

+

2. Warning

+

Community Impact: A violation through a single incident or series of +actions.

+

Consequence: A warning with consequences for continued behavior. No +interaction with the people involved, including unsolicited interaction with +those enforcing the Code of Conduct, for a specified period of time. This +includes avoiding interactions in community spaces as well as external channels +like social media. Violating these terms may lead to a temporary or permanent +ban.

+

3. Temporary Ban

+

Community Impact: A serious violation of community standards, including +sustained inappropriate behavior.

+

Consequence: A temporary ban from any sort of interaction or public +communication with the community for a specified period of time. No public or +private interaction with the people involved, including unsolicited interaction +with those enforcing the Code of Conduct, is allowed during this period. +Violating these terms may lead to a permanent ban.

+

4. Permanent Ban

+

Community Impact: Demonstrating a pattern of violation of community +standards, including sustained inappropriate behavior, harassment of an +individual, or aggression toward or disparagement of classes of individuals.

+

Consequence: A permanent ban from any sort of public interaction within the +project community.

+

Reporting a violation

+

To report a violation of the Code of Conduct, e-mail conduct@pyscript.net

+

Attribution

+

This Code of Conduct is adapted from the Contributor Covenant, +version 2.0, +available at +https://www.contributor-covenant.org/version/2/0/code_of_conduct.html.

+

Community Impact Guidelines were inspired by +Mozilla's code of conduct enforcement ladder.

+

For answers to common questions about this code of conduct, see the FAQ at +https://www.contributor-covenant.org/faq. Translations are available at +https://www.contributor-covenant.org/translations.

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/contributing/index.html b/2024.9.2/contributing/index.html new file mode 100644 index 0000000..6a4f7c7 --- /dev/null +++ b/2024.9.2/contributing/index.html @@ -0,0 +1,1163 @@ + + + + + + + + + + + + + + + + + + + + + + + Contributing - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + + + + + +
+
+ + + + +

Contributing

+

Thank you for wanting to contribute to the PyScript project!

+

Code of conduct

+

The PyScript Code of Conduct governs the project and everyone +participating in it. By participating, you are expected to uphold this code. +Please report unacceptable behavior to the maintainers or administrators as +described in that document.

+

Ways to contribute

+

Report bugs

+

Bugs are tracked on the +project issues page.

+
+

Check first

+

Please check your bug has not already been reported by someone else by +searching the existing issues before filing a new one. Once your issue is +filed, it will be triaged by another contributor or maintainer. If there +are questions raised about your issue, please respond promptly.

+
+
    +
  • Use a clear and descriptive title.
  • +
  • Describe the starting context and specific steps needed to reproduce the + problem you have observed. Some of these steps may not be obvious, so please + as much detail as possible.
  • +
  • Explain the behaviour you observed, the behaviour you expected, and why this + difference is problematic.
  • +
  • Include screenshots if they help make the bug clearer.
  • +
  • Include commented example code if that will help recreate the bug.
  • +
+

Report security issues

+

If it is not appropriate to submit a security issue using the above process, +please e-mail us at security@pyscript.net.

+

Ask questions

+

If you have questions about the project, using PyScript, or anything else, +please ask in the project's discord server.

+

Create resources

+

Folks make all sorts of wonderful things with PyScript.

+

If you have an interesting project, a cool hack, or an innovative way to +implement a new capability or feature, please share your work and tell us about +it so we can celebrate and amplify your contribution.

+
    +
  • Show off your creation at our fortnightly + PyScript FUN + community call on discord.
  • +
  • Write up your creation in a blog post.
  • +
  • Share it on social media.
  • +
  • Create a demo video.
  • +
  • Propose a talk about it at a community event.
  • +
  • Demonstrate it as a lightning talk at a conference.
  • +
+

Please reach out to us if you'd like advice and feedback.

+

Participate

+

As an open source project, PyScript has community at its core. In addition to +the ways to engage already outlined, you could join our live community calls.

+
    +
  • PyScript Community Call
  • +
  • weekly on Tuesdays. A coordination call for anyone participating in the + PyScript project.
  • +
  • Community Engagement Call
  • +
  • weekly on Wednesdays. A non-technical meeting where we coordinate how the + PyScript project engages with, nourishes and grows our wonderful community.
  • +
  • PyScript FUN
  • +
  • held every two weeks on a Thursday, this call is an informal, + supportive and often humorous "show and tell" of community created projects, + hacks, feedback and plugins.
  • +
+

Announcement of connection details is made via the PyScript +discord server.

+

Technical contributions

+

In addition to working with PyScript, if you would like to contribute to +PyScript itself, the following advice should be followed.

+

Places to start

+

If you're not sure where to begin, we have some suggestions:

+
    +
  • Read over our documentation. Are there things missing, or could they be + clearer? Make edits/changes/additions to those documents.
  • +
  • Review the open issues. Are they clear? Can you reproduce them? You can + add comments, clarifications, or additions to those issues. If you think you + have an idea of how to address the issue, submit a fix!
  • +
  • Look over the open pull requests. Do you have comments or suggestions for + the proposed changes? Add them.
  • +
  • Check out the examples. Is there a use case that would be good to have + sample code for? Create an example for it.
  • +
+

Set up your development environment

+

We assume you are familiar with core development practices such as using a code +editor, writing Python and/or JavaScript and working with tools and services +such as GIT and GitHub.

+ +
git clone https://github.com/<your username>/pyscript
+
+
    +
  • Add our original PyScript repository as your upstream.
  • +
+
git remote add upstream https://github.com/pyscript/pyscript.git
+
+
    +
  • This allows you to pull the latest changes from the main project.
  • +
+
git pull upstream main
+
+
    +
  • Contribute changes using the + GitHub flow + model of coding collaboration.
  • +
+

License terms for contributions

+

PyScrcipt welcomes contributions, suggestions, and feedback. All contributions, +suggestions, and feedback you submitted are accepted under the +Apache 2.0 license. You represent that if you do not own +copyright in the code that you have the authority to submit it under the +Apache 2.0 license. All feedback, suggestions, or contributions +are not confidential.

+

Becoming a maintainer

+

Contributors are invited to be maintainers of the project by demonstrating good +decision making in their contributions, a commitment to the goals of the +project, and consistent adherence to the +code of conduct. New maintainers are invited by a 3/4 vote of +the existing maintainers.

+

Trademarks

+

The Project abides by the Organization's +trademark policy.

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/developers/index.html b/2024.9.2/developers/index.html new file mode 100644 index 0000000..266ea83 --- /dev/null +++ b/2024.9.2/developers/index.html @@ -0,0 +1,1243 @@ + + + + + + + + + + + + + + + + + + + + + + + Developer Guide - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Developer Guide

+

This page explains the technical and practical requirements and processes +needed to contribute to PyScript.

+
+

Info

+

In the following instructions, we assume familiarity with git, +GitHub, the command line and other +common development concepts, tools and practices.

+

For those who come from a non-Pythonic technical background (for example, +you're a JavaScript developer), we will explain Python-isms as we go along +so you're contributing with confidence.

+

If you're unsure, or encounter problems, please ask for help on our +discord server.

+
+

Welcome

+

We are a diverse, inclusive coding community and welcome contributions from +anyone irrespective of their background. If you're thinking, "but they don't +mean me", then we especially mean YOU. Our diversity means you will meet +folks in our community who are different to yourself. Therefore, thoughtful +contributions made in good faith, and engagement with respect, care and +compassion wins every time.

+
    +
  • If you're from a background which isn't well-represented in most geeky + groups, get involved - we want to help you make a difference.
  • +
  • If you're from a background which is well-represented in most geeky + groups, get involved - we want your help making a difference.
  • +
  • If you're worried about not being technical enough, get involved - your + fresh perspective will be invaluable.
  • +
  • If you need help with anything, get involved - we welcome questions asked + in good faith, and will move mountains to help.
  • +
  • If you're unsure where to start, get involved - we have many ways to + contribute.
  • +
+

All contributors are expected to follow our code of conduct.

+

Setup

+

You must have recent versions of Python, +node.js and npm already +installed on your system.

+

The following steps create a working development environment for PyScript. It +is through this environment that you contribute to PyScript.

+
+

Danger

+

The following commands work on Unix like operating systems (like MacOS or +Linux). If you are a Microsoft Windows user please use the +Windows Subsystem for Linux +with the following instructions.

+
+

Create a virtual environment

+
    +
  • +

    A Python virtual environment + is a computing "sandbox" that safely isolates your work. PyScript's + development makes use of various Python based tools, so both + Python and a virtual environment is needed. There are + many tools to help manage these environments, but the standard way to create + a virtual environment is to use this command in your terminal:

    +
    python3 -m venv my_pyscript_dev_venv
    +
    +
    +

    Warning

    +

    Replace my_pyscript_dev_venv with a meaningful name for the +virtual environment, that works for you.

    +
    +
  • +
  • +

    A my_pyscript_dev_venv directory containing the virtual environment's + "stuff" is created as a subdirectory of your current directory. Next, + activate the virtual environment to ensure your development activities happen + within the context of the sandbox:

    +
    source my_pyscript_dev_venv/bin/activate
    +
    +
  • +
  • +

    The prompt in your terminal will change to include the name of your virtual + environment indicating the sandbox is active. To deactivate the virtual + environment just type the following into your terminal:

    +
    deactivate
    +
    +
  • +
+
+

Info

+

The rest of the instructions on this page assume you are working in an +activated virtual environment for developing PyScript.

+
+

Prepare your repository

+
    +
  • Create a fork + of the + PyScript github repository to + your own GitHub account.
  • +
  • +

    Clone + your newly forked version of the PyScript repository onto your + local development machine. For example, use this command in your terminal:

    +
    git clone https://github.com/<YOUR USERNAME>/pyscript
    +
    +
    +

    Warning

    +

    In the URL for the forked PyScript repository, remember to replace +<YOUR USERNAME> with your actual GitHub username.

    +
    +
    +

    Tip

    +

    To help explain steps, we will use git commands to be typed into your +terminal / command line.

    +

    The equivalent of these commands could be achieved through other means +(such as GitHub's desktop client). How +these alternatives work is beyond the scope of this document.

    +
    +
  • +
  • +

    Change into the root directory of your newly cloned pyscript repository:

    +
    cd pyscript
    +
    +
  • +
  • +

    Add the original PyScript repository as your upstream to allow you to keep + your own fork up-to-date with the latest changes:

    +
    git remote add upstream https://github.com/pyscript/pyscript.git
    +
    +
  • +
  • +

    If the above fails, try this alternative:

    +
    git remote remove upstream
    +git remote add upstream git@github.com:pyscript/pyscript.git
    +
    +
  • +
  • +

    Pull in the latest changes from the main upstream PyScript repository:

    +
    git pull upstream main
    +
    +
  • +
  • +

    Pyscript uses a Makefile to automate the most common development tasks. In + your terminal, type make to see what it can do. You should see something + like this:

    +
    There is no default Makefile target right now. Try:
    +
    +make setup - check your environment and install the dependencies.
    +make clean - clean up auto-generated assets.
    +make build - build PyScript.
    +make precommit-check - run the precommit checks (run eslint).
    +make test-integration - run all integration tests sequentially.
    +make fmt - format the code.
    +make fmt-check - check the code formatting.
    +
    +
  • +
+

Install dependencies

+
    +
  • +

    To install the required software dependencies for working on PyScript, in + your terminal type:

    +
    make setup
    +
    +
  • +
  • +

    Updates from npm and then pip will scroll past telling you about + their progress installing the required packages.

    +
    +

    Warning

    +

    The setup process checks the versions of Python, node +and npm. If you encounter a failure at this point, it's probably +because one of these pre-requisits is out of date on your system. +Please update!

    +
    +
  • +
+

Check code

+
    +
  • +

    To ensure consistency of code layout we use tools to both reformat and check + the code.

    +
  • +
  • +

    To ensure your code is formatted correctly:

    +
    make fmt
    +
    +
  • +
  • +

    To check your code is formatted correctly:

    +
    make fmt-check
    +
    +
  • +
  • +

    Finally, as part of the automated workflow for contributing + pull requests + pre-commit checks the source code. If this fails revise your PR. To run + pre-commit checks locally (before creating the PR):

    +
    make precommit-check
    +
    +

    This may also revise your code formatting. Re-run make precommit-check to +ensure this is the case.

    +
  • +
+

Build PyScript

+
    +
  • +

    To turn the JavaScript source code found in the pyscript.core directory + into a bundled up module ready for the browser, type:

    +
    make build
    +
    +

    The resulting assets will be in the pyscript.core/dist directory.

    +
  • +
+

Run the tests

+
    +
  • +

    The integration tests for PyScript are started with:

    +
    make test-integration
    +
    +
  • +
+

Documentation

+
    +
  • +

    Documentation for PyScript (i.e. what you're reading right now), is found + in a separate repository: + https://github.com/pyscript/docs

    +
  • +
  • +

    The documentation's README file contains instructions for setting up a + development environment and contributing.

    +
  • +
+

Contributing

+
    +
  • +

    We have suggestions for how to contribute to PyScript. Take + a read and dive in.

    +
  • +
  • +

    Please make sure you discuss potential contributions before you put in + work. We don#t want folks to waste their time or re-invent the wheel.

    +
  • +
  • +

    Technical discussions happen on our discord server + and in the + discussions section of + our GitHub repository.

    +
  • +
  • +

    Every Tuesday is a technical community video call, + the details of which are posted onto + the discord server. Face to face technical discussions happen here.

    +
  • +
  • +

    Every Wednesday is a non-technical community engagement call, + in which we organise how to engage with, grow and nourish our community.

    +
  • +
  • +

    Every two weeks, on a Thursday, is a + PyScript FUN call, + the details of which + are also posted to discord. Project show-and-tells, cool hacks, new features + and a generally humorous and creative time is had by all.

    +
  • +
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/examples/index.html b/2024.9.2/examples/index.html new file mode 100644 index 0000000..b6f2091 --- /dev/null +++ b/2024.9.2/examples/index.html @@ -0,0 +1,814 @@ + + + + + + + + + + + + + + + + + + + + + + + Example Applications - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+ +
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/faq/index.html b/2024.9.2/faq/index.html new file mode 100644 index 0000000..12c91de --- /dev/null +++ b/2024.9.2/faq/index.html @@ -0,0 +1,2569 @@ + + + + + + + + + + + + + + + + + + + + + + + FAQ - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

FAQ

+

This page contains the most common questions and "gotchas" asked on +our Discord server, in +our community calls, or +within our community.

+

There are two major areas we'd like to explore: +common errors and helpful hints.

+

Common errors

+

Reading errors

+

If your application doesn't run, and you don't see any error messages on the +page, you should check +your browser's console.

+

When reading an error message, the easy way to find out what's going on, +most of the time, is to read the last line of the error.

+
A Pyodide error.
Traceback (most recent call last):
+  File "/lib/python311.zip/_pyodide/_base.py", line 501, in eval_code
+    .run(globals, locals)
+     ^^^^^^^^^^^^^^^^^^^^
+  File "/lib/python311.zip/_pyodide/_base.py", line 339, in run
+    coroutine = eval(self.code, globals, locals)
+                ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+  File "<exec>", line 1, in <module>
+NameError: name 'failure' is not defined
+━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
+
+
A MicroPython error.
Traceback (most recent call last):
+  File "<stdin>", line 1, in <module>
+NameError: name 'failure' isn't defined
+━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
+
+

In both examples, the code created a +NameError +because the object with the name failure did not exist. Everything above the +error message is potentially useful technical detail.

+

With this context in mind, these are the most common errors users of PyScript +encounter.

+

SharedArrayBuffer

+

This is the first and most common error users may encounter with PyScript:

+
+

Failure

+

Your application doesn't run and in +your browser's console +you see this message:

+
Unable to use `window` or `document` -> https://docs.pyscript.net/latest/faq/#sharedarraybuffer
+
+
+

When

+

This happens when you're unable to access objects in the main thread (window +and document) from code running in a web worker.

+

This error happens because the server delivering your PyScript application is +incorrectly configured or a service-worker attribute has not been used in +your script element.

+

Specifically, one of the following three problem situations applies to your +code:

+
    +
  • Because of the way your web server is configured, the browser limits the use + of a technology called "Atomics" (you don't need to know how it works, just + that it may be limited by the browser). If there is a worker attribute in + your script element, and your Python code uses the window or document + objects (that actually exist on the main thread), then the browser limitation + on Atomics will cause the failure, unless you reconfigure your server.
  • +
  • There is a <script type="py-editor"> (that must always use a worker behind + the scenes) and no fallback has been provided via a service-worker + attribute on that element.
  • +
  • There is an explicit PyWorker or MPWorker instance bootstrapping + somewhere in your code and no service_worker fallback has been provided.
  • +
+

All these cases have been documented with code examples and possible solutions +in our section on web workers.

+

Why

+

The only way for document.getElementById('some-id').value to work in a +worker is to use these two JavaScript primitives:

+
    +
  • SharedArrayBuffer, + to allow multiple threads to read and / or write into a chunk of shared + memory.
  • +
  • Atomics, + to both wait(sab, index) (sab is a SharedArrayBuffer) and + notify(sab, index) to unlock the awaiting thread.
  • +
+

While a worker waits for an operation on main to happen, it is not using the +CPU. It idles until the referenced index of the shared buffer changes, +effectively never blocking the main thread while still pausing its own +execution until the buffer's index is changed.

+

As overwhelming or complicated as this might sound, these two fundamental +primitives make main ↔ worker interoperability an absolute wonder in term of +developer experience. Therefore, we encourage folks to prefer using workers +over running Python in the main thread. This is especially so when using +Pyodide related projects, because of its heavier bootstrap or computation +requirements. Using workers ensures the main thread (and thus, the user +interface) remains unblocked.

+

Unfortunately, we can patch, polyfill, or workaround, these primitives but +we cannot change their intrinsic nature and limitations defined by web +standards. However, there are various solutions for working around such +limitations. Please read our web workers +section to learn more.

+

Borrowed proxy

+

This is another common error that happens with listeners, timers or in any +other situation where a Python callback is lazily invoked from JavaScript:

+
+

Failure

+

Your application doesn't run and in +your browser's console +you see this message:

+
Uncaught Error: This borrowed proxy was automatically destroyed at the end of a function call.
+Try using create_proxy or create_once_callable.
+For more information about the cause of this error, use `pyodide.setDebug(true)`
+
+
+

When

+

This error happens when using Pyodide as the interpreter on the main thread, +and when a bare Python callable/function has been passed into JavaScript as a +callback handler:

+
An expired borrowed proxy example, with Pyodide on the main thread.
import js
+
+
+# will throw the error
+js.setTimeout(lambda msg: print(msg), 1000, "FAIL")
+
+

The garbage collector immediately cleans up the Python function once it is +passed into the JavaScript context. Clearly, for the Python function to work as +a callback at some time in the future, it should NOT be garbage collected and +hence the error message.

+
+

Info

+

This error does not happen if the code is executed in a worker and the +JavaScript reference comes from the main thread:

+
Code running on Pyodide in a worker has no borrowed proxy issue.
from pyscript import window
+
+
+window.setTimeout(lambda x: print(x), 1000, "OK")
+
+

Proxy objects (i.e. how Python objects appear to JavaScript, and vice +versa) cannot be communicated between a worker and the main thread.

+

Behind the scenes, PyScript ensures references are maintained between +workers and the main thread. It means Python functions in a worker are +actually represented by JavaScript proxy objects in the main thread.

+

As a result, such worker based Python functions are therefore not bare +Python functions, but already wrapped in a managed JavaScript proxy, thus +avoiding the borrowed proxy problem.

+
+

If you encounter this problem you have two possible solutions:

+
    +
  1. Manually wrap such functions with a call to + pyscript.ffi.create_proxy.
  2. +
  3. Set the + experimental_create_proxy = "auto" + flag in your application's settings. This flag intercepts Python objects + passed into a JavaScript callback and ensures an automatic and sensible + memory management operation via the JavaScript garbage collector.
  4. +
+
+

Note

+

The +FinalizationRegistry +is the browser feature used to make this so.

+

By default, it is not observable and it is not possible to predict when it +will free, and hence destroy, retained Python proxy objects. As a result, +memory consumption might be slightly higher than when manually using +create_proxy. However, the JavaScript engine is responsible for memory +consumption, and will cause the finalization registry to free all retained +proxies, should memory consumption become too high.

+
+

Why

+

PyScript's interpreters (Pyodide and MicroPython) both have their own garbage +collector for automatic memory management. When references to Python objects +are passed to JavaScript via the FFI, the Python +interpreters cannot guarantee such references will ever be freed by +JavaScript's own garbage collector. They may even lose control over the +reference since there's no infallible way to know when such objects won't be +needed by JavaScript.

+

One solution is to expect users to explicitly create and destroy such proxy +objects themselves. But this manual memory management makes automatic memory +management pointless while raising the possibility of dead references (where +the user explicitly destroys a Python object that's still alive in the +JavaScript context). Put simply, this is a difficult situation.

+

Pyodide provides +ffi.wrappers +to help with many of the common cases, and PyScript, through the +experimental_create_proxy = "auto" configuration option, automates memory +management via the FinalizationRegistry described above.

+

Python packages

+

Sometimes Python packages, specified via the +packages configuration setting +don't work with PyScript's Python interpreter.

+
+

Failure

+

You are using Pyodide.

+

Your application doesn't run and in +your browser's console +you see this message:

+
ValueError: Can't find a pure Python 3 wheel for: 'package_name'
+
+
+
+

Failure

+

You are using MicroPython.

+

Your application doesn't run and in +your browser's console +you see this message:

+
Cross-Origin Request Blocked: The Same Origin Policy disallows reading the
+remote resource at https://micropython.org/pi/v2/package/py/package_name/latest.json.
+(Reason: CORS header ‘Access-Control-Allow-Origin’ missing).
+Status code: 404.
+
+
+

When

+

This is a complicated problem, but the summary is:

+
    +
  • Check you have used the correct name for the package you want to use. + This is a remarkably common mistake to make: let's just check. :-)
  • +
  • In Pyodide, the error indicates that the package you are trying to + install has some part of it written in C, C++ or Rust. These languages are + compiled, and the package has not yet been compiled for web assembly. Our + friends in the Pyodide project and the + Python packaging authority are working + together to ensure web assembly is a default target for compilation. Until + such time, we suggest you follow + Pyodide's own guidance + to overcome this situation.
  • +
  • In MicroPython, the package you want to use has not been ported into the + micropython-lib package repository. + If you want to use a pure Python package with MicroPython, use the + files configuration option to manually + copy the package onto the file system, or use a URL to reference the package.
  • +
+

For hints and tips about packaging related aspects of PyScript read the +packaging pointers section of this FAQ.

+

Why

+

Put simply, Pyodide and MicroPython are different Python interpreters, and both +are running in a web assembly environment. Packages built for Pyodide may not +work for MicroPython, and vice versa. Furthermore, if a package contains +compiled code, it may not yet have been natively compiled for web assembly.

+

If the package you want to use is written in a version of Python that both +Pyodide and MicroPython support (there are subtle differences between the +interpreters), then you should be able to use the package so long as you are +able to get it into the Python path via configuration (see above).

+

Currently, MicroPython cannot expose modules that require native compilation, +but PyScript is working with the MicroPython team to provide different builds +of MicroPython that include commonly requested packages (e.g. MicroPython's +version of numpy or sqlite).

+
+

Warning

+

Depending on the complexity of the project, it may be hard to seamlessly +make a 1:1 port from a Pyodide code base to MicroPython.

+

MicroPython has comprehensive documentation +to explain the differences between itself and "regular" CPython (i.e. the +version of Python Pyodide provides).

+
+

JavaScript modules

+

When using JavaScript modules with PyScript +you may encounter the following errors:

+
+

Failure

+

Uncaught SyntaxError: The requested module './library.js' does not provide an export named 'default'

+
+
+

Failure

+

Uncaught SyntaxError: The requested module './library.js' does not provide an export named 'util'

+
+

When

+

These errors happen because the JavaScript module you are trying to use is not +written as a standards-compliant JavaScript module.

+

Happily, to solve this issue various content delivery networks (CDNs) +provide a way to automatically deliver standard ESM (aka: +ECMAScript Modules). +The one we recommend is esm.run.

+
An example of esm.run
<mpy-config>
+[js_modules.main]
+"https://esm.run/d3" = "d3"
+</mpy-config>
+<script type="mpy">
+  from pyscript.js_modules import d3
+</script>
+
+

Alternatively, ensure any JavaScript code you reference uses export ... or +ask for an .mjs version of the code. All the various options and technical +considerations surrounding the use of JavaScript modules in PyScript are +covered in our user guide.

+

Why

+

Even though the standard for JavaScript modules has existed since 2015, many +old and new libraries still produce files that are incompatible with such +modern and idiomatic standards.

+

This isn't so much a technical problem, as a human problem as folks learn to +use the new standard and migrate old code away from previous and now +obsolete standards.

+

While such legacy code exists, be aware that JavaScript code may require +special care.

+

Possible deadlock

+

Users may encounter an error message similar to the following:

+
+

Failure

+
💀🔒 - Possible deadlock if proxy.xyz(...args) is awaited
+
+
+

When

+

This error happens when your code on a worker and in the main thread are +in a deadlock. Put simply, neither +fragment of code can proceed without waiting for the other.

+

Why

+

Let's assume a worker script contains the following Python code:

+
worker: a deadlock example
from pyscript import sync
+
+sync.worker_task = lambda: print('🔥 this is fine 🔥')
+
+# deadlock 💀🔒
+sync.main_task()
+
+

On the main thread, let's instead assume this code:

+
main: a deadlock example
<script type="mpy">
+from pyscript import PyWorker
+
+def async main_task():
+    # deadlock 💀🔒
+    await pw.sync.worker_task()
+
+pw = PyWorker("./worker.py", {"type": "pyodide"})
+pw.sync.main_task = main_task
+</script>
+
+

When the worker bootstraps and calls sync.main_task() on the main thread, it +blocks until the result of this call is returned. Hence it cannot respond to +anything at all. However, in the code on the main thread, the +sync.worker_task() in the worker is called, but the worker is blocked! Now +the code on both the main thread and worker are mutually blocked and waiting +on each other. We are in a classic +deadlock situation.

+

The moral of the story? Don't create such circular deadlocks!

+

How?

+

The mutually blocking calls cause the deadlock, so simply don't block.

+

For example, on the main thread, let's instead assume this code:

+
main: avoiding deadlocks
<script type="mpy">
+from pyscript import window, PyWorker
+
+async def main_task():
+    # do not await the worker,
+    # just schedule it for later (as resolved)
+    window.Promise.resolve(pw.sync.worker_task())
+
+pw = PyWorker("./worker.py", {"type": "pyodide"})
+pw.sync.main_task = main_task
+</script>
+
+

By scheduling the call to the worker (rather than awaiting it), it's possible +for the main thread to call functions defined in the worker in a non-blocking +manner, thus allowing the worker to also work in an unblocked manner and react +to such calls. We have resolved the mutual deadlock.

+

Helpful hints

+

This section contains common hacks or hints to make using PyScript easier.

+
+

Note

+

We have an absolutely lovely PyScript contributor called +Jeff Glass who maintains an exceptional +blog full of PyScript recipes with even more +use cases, hints, tips and solutions. Jeff also has a +wonderful YouTube channel full of +very engaging PyScript related content.

+

If you cannot find what you are looking for here, please check Jeff's blog +as it's likely he's probably covered something close to the situation in +which you find yourself.

+

Of course, if ever you meet Jeff in person, please buy him a beer and +remember to say a big "thank you". 🍻

+
+

PyScript latest

+

PyScript follows the CalVer convention for version +numbering.

+

Put simply, it means each version is numbered according to when, in the +calendar, it was released. For instance, version 2024.4.2 was the second +release in the month of April in the year 2024 (not the release on the 2nd +of April but the second release in April).

+

It used to be possible to reference PyScript via a version called latest, +which would guarantee you always got the latest release.

+

However, at the end of 2023, we decided to stop supporting latest as a +way to reference PyScript. We did this for two broad reasons:

+
    +
  1. In the autumn of 2023, we release a completely updated version of PyScript + with some breaking changes. Folks who wrote for the old version, yet still + referenced latest, found their applications broke. We want to avoid this + at all costs.
  2. +
  3. Our release cadence is more regular, with around two or three releases a + month. Having transitioned to the new version of PyScript, we aim to avoid + breaking changes. However, we are refining and adding features as we adapt + to our users' invaluable feedback.
  4. +
+

Therefore, +pinning your app's version of PyScript to a specific release +(rather than latest) ensures you get exactly the version of PyScript you +used when writing your code.

+

However, as we continue to develop PyScript it is possible to get our latest +development version of PyScript via npm and we could (should there be enough +interest) deliver our work-in-progress via a CDN's "canary" or "development" +channel. We do not guarantee the stability of such versions of PyScript, +so never use them in production, and our documentation may not reflect the +development version.

+

If you require the development version of PyScript, these are the URLs to use:

+
PyScript development. ⚠️⚠️⚠️ WARNING: HANDLE WITH CARE! ⚠️⚠️⚠️
<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/@pyscript/core/dist/core.css">
+<script type="module" src="https://cdn.jsdelivr.net/npm/@pyscript/core/dist/core.js"></script>
+
+
+

Warning

+

Do not use shorter urls or other CDNs.

+

PyScript needs both the correct headers to use workers and to find its own +assets at runtime. Other CDN links might result into a broken +experience.

+
+

Workers via JavaScript

+

Sometimes you want to start a Pyodide or MicroPython web worker from +JavaScript.

+

Here's how:

+
Starting a PyScript worker from JavaScript.
<script type="module">
+  // use sourceMap for @pyscript/core or change to a CDN
+  import {
+    PyWorker, // Pyodide Worker
+    MPWorker  // MicroPython Worker
+  } from '@pyscript/core';
+
+  const worker = await MPWorker(
+    // Python code to execute
+    './micro.py',
+    // optional details or config with flags
+    { config: { sync_main_only: true } }
+    //          ^ just as example ^
+  );
+
+  // "heavy computation"
+  await worker.sync.doStuff();
+
+  // kill the worker when/if needed
+  worker.terminate();
+</script>
+
+
micro.py
from pyscript import sync
+
+def do_stuff():
+  print("heavy computation")
+
+# Note: this reference is awaited in the JavaScript code.
+sync.doStuff = do_stuff
+
+

JavaScript Class.new()

+

When using Python to instantiate a class defined in JavaScript, one needs to +use the class's new() method, rather than just using Class() (as in +Python).

+

Why?

+

The reason is technical, related to JavaScript's history and its relatively +poor introspection capabilities:

+
    +
  • In JavaScript, typeof function () {} and typeof class {} produce the + same outcome: function. This makes it very hard to disambiguate the + intent of the caller as both are valid, JavaScript used to use + function (rather than class) to instantiate objects, and the class you're + using may not use the modern, class based, idiom.
  • +
  • In the FFI, the JavaScript proxy has traps to intercept the use of the + apply and construct methods used during instantiation. However, because + of the previous point, it's not possible to be sure that apply is meant to + construct an instance or call a function.
  • +
  • Unlike Python, just invoking a Class() in JavaScript (without + the new operator) + throws an error.
  • +
  • Using new Class() is invalid syntax in Python. So there is still a need to + somehow disambiguate the intent to call a function or instantiate a class.
  • +
  • Making use of the capitalized-name-for-classes convention is brittle because + when JavaScript code is minified the class name can sometimes change.
  • +
  • This leaves our convention of Class.new() to explicitly signal the intent + to instantiate a JavaScript class. While not ideal it is clear and + unambiguous.
  • +
+

PyScript events

+

PyScript uses hooks during the lifecycle of the application to facilitate the +creation of plugins.

+

Beside hooks, PyScript also dispatches events at specific moments in the +lifecycle of the app, so users can react to changes in state:

+

m/py:ready

+

Both the mpy:ready and py:ready events are dispatched for every PyScript +related element found on the page. This includes <script type="py">, +<py-script> or any MicroPython/mpy counterpart.

+

The m/py:ready events dispatch immediately before the code is executed, +but after the interpreter is bootstrapped.

+
A py:ready example.
<script>
+    addEventListener("py:ready", () => {
+        // show running for an instance
+        const status = document.getElementById("status");
+        status.textContent = 'running';
+    });
+</script>
+<!-- show bootstrapping right away -->
+<div id="status">bootstrapping</div>
+<script type="py" worker>
+    from pyscript import document
+
+    # show done after running
+    status = document.getElementById("status")
+    status.textContent = "done"
+</script>
+
+

A classic use case for this event is to recreate the "starting up" +spinner that used to be displayed when PyScript bootstrapped. Just show the +spinner first, then close it once py:ready is triggered!

+
+

Warning

+

If using Pyodide on the main thread, the UI will block until Pyodide has +finished bootstrapping. The "starting up" spinner won't work unless Pyodide +is started on a worker instead.

+
+

m/py:done

+

The mpy:done and py:done events dispatch after the either the synchronous +or asynchronous code has finished execution.

+
A py:done example.
<script>
+    addEventListener("py:ready", () => {
+        // show running for an instance
+        const status = document.getElementById("status");
+        status.textContent = 'running';
+    });
+    addEventListener("py:done", () => {
+        // show done after logging "Hello 👋"
+        const status = document.getElementById("status");
+        status.textContent = 'done';
+    });
+</script>
+
+<!-- show bootstrapping right away -->
+<div id="status">bootstrapping</div>
+<script type="py" worker>
+    print("Hello 👋")
+</script>
+
+
+

Warning

+

If async code contains an infinite loop or some orchestration that keeps +it running forever, then these events may never trigger because the code +never really finishes.

+
+

py:all-done

+

The py:all-done event dispatches when all code is finished executing.

+

This event is special because it depends upon all the MicroPython and Pyodide +scripts found on the page, no matter the interpreter.

+

In this example, MicroPython waves before Pyodide before the "everything is +done" message is written to the browser's console.

+
A py:all-done example.
<script>
+    addEventListener("py:all-done", () => {
+        console.log("everything is done");
+    });
+</script>
+<script type="mpy" worker>
+    print("MicroPython 👋")
+</script>
+<script type="py" worker>
+    print("Pyodide 👋")
+</script>
+
+

m/py:progress

+

The py:progress or mpy:progress event triggers on the main thread during +interpreter bootstrap (no matter if your code is running on main or in a +worker).

+

The received event.detail is a string that indicates operations between +Loading {what} and Loaded {what}. So, the first event would be, for +example, Loading Pyodide and the last one per each bootstrap would be +Loaded Pyodide.

+

In between all operations are event.details, such as:

+
    +
  • Loading files and Loaded files, when [files] is found in the optional + config
  • +
  • Loading fetch and Loaded fetch, when [fetch] is found in the optional + config
  • +
  • Loading JS modules and Loaded JS modules, when [js_modules.main] or + [js_modules.worker] is found in the optional config
  • +
  • finally, all optional packages handled via micropip or mip will also + trigger various Loading ... and Loaded ... events so that users can see + what is going on while PyScript is bootstrapping
  • +
+

An example of this listener applied to a dialog can be found in here.

+

Packaging pointers

+

Applications need third party packages and PyScript can be configured to +automatically install packages for you. +Yet packaging can be a complicated beast, so here are some +hints for a painless packaging experience with PyScript.

+

There are essentially five ways in which a third party package can become +available in PyScript.

+
    +
  1. The module is already part of either the Pyodide or MicroPython + distribution. For instance, Pyodide includes numpy, pandas, scipy, + matplotlib and scikit-learn as pre-built packages you need only activate + via the packages setting in + PyScript. There are plans for MicroPython to offer different builds for + PyScript, some to include MicroPython's version of numpy or the API for + sqlite.
  2. +
  3. Host a standard Python package somewhere (such as + PyScript.com or in a GitHub repository) so it can + be fetched as a package via a URL at runtime.
  4. +
  5. Reference hosted Python source files, to be included on the file + system, via the files setting.
  6. +
  7. Create a folder containing the package's files and sub folders, and create + a hosted .zip or .tgz/.tar.gz/.whl archive to be decompressed into + the file system (again, via the + files setting).
  8. +
  9. Provide your own .whl package and reference it via a URL in the + packages = [...] list.
  10. +
+

Host a package

+

Just put the package you need somewhere it can be served (like +PyScript.com) and reference the URL in the +packages setting. So long as the +server at which you are hosting the package +allows CORS +(fetching files from other domains) everything should just work.

+

It is even possible to install such packages at runtime, as this example using +MicroPython's mip tool +demonstrates (the equivalent can be achieved with Pyodide +via micropip).

+
MicroPython mip example.
# Install default version from micropython-lib
+mip.install("keyword")
+
+# Install from raw URL
+mip.install("https://raw.githubusercontent.com/micropython/micropython-lib/master/python-stdlib/bisect/bisect.py")
+
+# Install from GitHub shortcut
+mip.install("github:jeffersglass/some-project/foo.py")
+
+

Provide your own file

+

One can use the files setting to copy +packages onto the Python path:

+
A file copied into the Python path.
<mpy-config>
+[files]
+"./modules/bisect.py" = "./bisect.py"
+</mpy-config>
+<script type="mpy">
+  import bisect
+</script>
+
+

Code archive (zip/tgz/whl)

+

Compress all the code you want into an archive (using either either zip or +tgz/tar.gz). Host the resulting archive and use the +files setting to decompress it onto +the Python interpreter's file system.

+

Consider the following file structure:

+
my_module/__init__.py
+my_module/util.py
+my_module/sub/sub_util.py
+
+

Host it somewhere, and decompress it into the home directory of the Python +interpreter:

+
A code archive.
<mpy-config>
+[files]
+"./my_module.zip" = "./*"
+</mpy-config>
+
+<script type="mpy">
+  from my_module import util
+  from my_module.sub import sub_util
+</script>
+
+

Please note, the target folder must end with a star (*), and will contain +everything in the archive. For example, "./*" refers to the home folder for +the interpreter.

+

File System

+

Python expects a file system. In PyScript each interpreter provides its own +in-memory virtual file system. This is not the same as the filesystem +on the user's device, but is simply a block of memory in the browser.

+
+

Warning

+

The file system is not persistent nor shareable (yet).

+

Every time a user loads or stores files, it is done in ephemeral memory +associated with the current browser session. Beyond the life of the +session, nothing is shared, nothing is stored, nothing persists!

+
+

Read/Write

+

The easiest way to add content to the virtual file system is by using native +Python file operations:

+
Writing to a text file.
with open("./test.txt", "w") as dest:
+    dest.write("hello vFS")
+    dest.close()
+
+# Read and print the written content.
+with open("./test.txt", "r") as f:
+    content = f.read()
+    print(content)
+
+

Combined with our pyscript.fetch utility, it's also possible to store more +complex data from the web.

+
Writing a binary file.
# Assume async execution.
+from pyscript import fetch, window
+
+href = window.location.href
+
+with open("./page.html", "wb") as dest:
+    dest.write(await fetch(href).bytearray())
+
+# Read and print the current HTML page.
+with open("./page.html", "r") as source:
+    print(source.read())
+
+

Upload

+

It's possible to upload a file onto the virtual file system from the browser +(<input type="file">), and using the DOM API.

+

The following fragment is just one way to achieve this. It's very simple and +builds on the file system examples already seen.

+
Upload files onto the virtual file system via the browser.
<!-- Creates a file upload element on the web page. -->
+<input type="file">
+
+<!-- Python code to handle file uploads via the HTML input element. -->
+<script type="mpy">
+    from pyscript import document, fetch, window
+
+    async def on_change(event):
+        # For each file the user has selected to upload...
+        for file in input.files:
+            # create a temporary URL,
+            tmp = window.URL.createObjectURL(file)
+            # fetch and save its content somewhere,
+            with open(f"./{file.name}", "wb") as dest:
+                dest.write(await fetch(tmp).bytearray())
+            # then revoke the tmp URL.
+            window.URL.revokeObjectURL(tmp)
+
+    # Grab a reference to the file upload input element and add
+    # the on_change handler (defined above) to process the files.
+    input = document.querySelector("input[type=file]")
+    input.onchange = on_change
+</script>
+
+

Download

+

It is also possible to create a temporary link through which you can download +files present on the interpreter's virtual file system.

+
Download file from the virtual file system.
from pyscript import document, ffi, window
+import os
+
+
+def download_file(path, mime_type):
+    name = os.path.basename(path)
+    with open(path, "rb") as source:
+        data = source.read()
+
+        # Populate the buffer.
+        buffer = window.Uint8Array.new(len(data))
+        for pos, b in enumerate(data):
+            buffer[pos] = b
+        details = ffi.to_js({"type": mime_type})
+
+        # This is JS specific
+        file = window.File.new([buffer], name, details)
+        tmp = window.URL.createObjectURL(file)
+        dest = document.createElement("a")
+        dest.setAttribute("download", name)
+        dest.setAttribute("href", tmp)
+        dest.click()
+
+        # here a timeout to window.URL.revokeObjectURL(tmp)
+        # should keep the memory clear for the session
+
+

create_proxy

+

The create_proxy function is described in great detail +on the FFI page, but it's also useful to explain when +create_proxy is needed and the subtle differences between Pyodide and +MicroPython.

+

Background

+

To call a Python function from JavaScript, the native Python function needs +to be wrapped in a JavaScript object that JavaScript can use. This JavaScript +object converts and normalises arguments passed into the function before +handing off to the native Python function. It also reverses this process with +any results from the Python function, and so converts and normalises values +before returning the result to JavaScript.

+

The JavaScript primitive used for this purpose is the +Proxy. +It enables "traps", such as +apply, +so the extra work required to call the Python function can happen.

+

Once the apply(target, self, args) trap is invoked:

+
    +
  • JavaScript must find the correct Python interpreter to evaluate the code.
  • +
  • In JavaScript, the self argument for apply is probably ignored for most + common cases.
  • +
  • All the args must be resolved and converted into their Python primitive + representations or associated Python objects.
  • +
+

Ultimately, the targets referenced in the apply must exist in the Python +context so they are ready when the JavaScript apply method calls into the +Python context.

+

Here's the important caveat: locally scoped Python functions, or functions +created at run time cannot be retained forever.

+
A basic Python to JavaScript callback.
import js
+
+js.addEventListener(
+  "custom:event",
+  lambda e: print(e.type)
+)
+
+

In this example, the anonymous lambda function has no reference in the Python +context. It's just delegated to the JavaScript runtime via addEventListener, +and then Python immediately garbage collects it. However, as previously +mentioned, such a Python object must exist for when the custom:event is +dispatched.

+

Furthermore, there is no way to define how long the lambda should be kept +alive in the Python environment, nor any way to discover if the custom:event +callback will ever dispatch (so the lambda is forever pending). PyScript, the +browser and the Python interpreters can only work within a finite amount of +memory, so memory management and the "aliveness" of objects is important.

+

Therefore, create_proxy is provided to delegate responsibility for the +lifecycle of an object to the author of the code. In other words, wrapping the +lambda in a call to create_proxy would ensure the Python interpreter +retains a reference to the anonymous function for future use.

+
+

Info

+

This probably feels strange! An implementation detail of how the Python +and JavaScript worlds interact with each other is bleeding into your code +via create_proxy. Surely, if we always just need to create a proxy, a +more elegant solution would be to do this automatically?

+

As you'll see, this is a complicated situation with inevitable tradeoffs, +but ultimately, through the +experimental_create_proxy = "auto" flag, +you probably never need to use create_proxy. This section of +our docs gives you the context you need to make an informed decision.

+
+

However, this isn't the end of the story.

+

When a Python callback is attached to a specific JavaScript +instance (rather than passed as argument into an event listener), it is easy +for the Python interpreter to know when the function could be freed from the +memory.

+
A sticky lambda.
from pyscript import document
+
+# logs "click" if nothing else stopped propagation
+document.onclick = lambda e: print(e.type)
+
+

"Wait, wat? This doesn't make sense at all!?!?", is a valid +question/response to this situation.

+

In this case there's +no need to use create_proxy because the JavaScript reference to which the +function is attached isn't going away and the interpreter can use the +FinalizationRegistry +to destroy the lambda (or decrease its reference count) when the underlying +JavaScript reference to which it is attached is itself destroyed.

+

In Pyodide

+

The create_proxy utility was created +(among others) +to smooth out and circumvent the afore mentioned memory issues when using +Python callables with JavaScript event handlers.

+

Using it requires special care. The coder must invoke the destroy() method +when the Python callback is no longer needed. It means coders must track the +callback's lifecycle. But this is not always possible:

+
    +
  • If the callback is passed into opaque third party libraries, the reference is + "lost in a limbo" where who-knows-when the reference should be freed.
  • +
  • If the callback is passed to listeners, timers or promises it's hard to + predict when the callback is no longer needed.
  • +
+

Luckily the Promise use case is automatically handled by Pyodide, but we're +still left with the other cases:

+
Different Pyodide create_proxy contexts.
from pyscript import ffi, window
+
+# The create_proxy is needed when a Python
+# function isn't attached to an object reference
+# (but is, rather, an argument passed into
+# the JavaScript context).
+
+# This is needed so a proxy is created for
+# future use, even if `print` won't ever need
+# to be freed from the Python runtime.
+window.setTimeout(
+  ffi.create_proxy(print),
+  100,
+  "print"
+)
+
+# This is needed because the lambda is
+# immediately garbage collected.
+window.setTimeout(
+  ffi.create_proxy(
+    lambda x: print(x)
+  ),
+  100,
+  "lambda"
+)
+
+def print_type(event):
+    print(event.type)
+
+# This is needed even if `print_type`
+# is not a scoped / local function.
+window.addEventListener(
+  "some:event",
+  ffi.create_proxy(print_type),
+  # despite this intent, the proxy
+  # will be trapped forever if not destroyed
+  ffi.to_js({"once": True})
+)
+
+# This does NOT need create_function as it is
+# attached to an object reference, hence observed to free.
+window.Object().no_create_function = lambda: print("ok")
+
+

To simplify this complicated situation PyScript has an +experimental_create_proxy = "auto" flag. When set, PyScript intercepts +JavaScript callback invocations, such as those in the example code above, and +automatically proxies and destroys any references that are garbage collected +in the JavaScript environment.

+

When this flag is set to auto in your configuration, you should never need +to use create_proxy with Pyodide.

+
+

Note

+

When it comes code running on a web worker, due to the way browser work, no +Proxy can survive a round trip to the main thread and back.

+

In this scenario PyScript works differently and references callbacks +via a unique id, rather than by their identity on the worker. When running +on a web worker, PyScript automatically frees proxy object references, so +you never need to use create_proxy when running code on a web worker.

+
+

In MicroPython

+

The proxy situation is definitely simpler in MicroPython. It just creates +proxies automatically (so there is no need for a manual create_proxy step).

+

This is because MicroPython doesn't (yet) have a destroy() method for +proxies, rendering the use case of create_proxy redundant.

+

Accordingly, the use of create_proxy in MicroPython is only needed for +code portability purposes between Pyodide and MicroPython. When using +create_proxy in MicroPython, it's just a pass-through function and doesn't +actually do anything.

+

All the examples that require create_proxy in Pyodide, don't need it in +MicroPython:

+
Different MicroPython create_proxy contexts.
from pyscript import window
+
+# This just works.
+window.setTimeout(print, 100, "print")
+
+# This also just works.
+window.setTimeout(lambda x: print(x), 100, "lambda")
+
+def print_type(event):
+    print(event.type)
+
+# This just works too.
+window.addEventListener(
+  "some:event",
+  print_type,
+  ffi.to_js({"once": True})
+)
+
+# And so does this.
+window.Object().no_create_function = lambda: print("ok")
+
+

to_js

+

Use of the pyodide.ffi.to_js function is described +in the ffi page. +But it's also useful to cover the when and why to_js is needed, if at +all.

+

Background

+

Despite their apparent similarity, +Python dictionaries +and +JavaScript object literals +are very different primitives:

+
A Python dictionary.
ref = {"some": "thing"}
+
+# Keys don't need quoting, but only when initialising a dict...
+ref = dict(some="thing")
+
+
A JavaScript object literal.
const ref = {"some": "thing"};
+
+// Keys don't need quoting, so this is as equally valid...
+const ref = {some: "thing"};
+
+

In both worlds, accessing ref["some"] would produce the same result: the +string "thing".

+

However, in JavaScript ref.some (i.e. a dotted reference to the key) would +also work to return the string "thing" (this is not the case in Python), +while in Python ref.get("some") achieves the same result (and this is not the +case in JavaScript).

+

Perhaps because of this, Pyodide chose to convert Python dictionaries to +JavaScript +Map +objects that share a +.get method +with Python.

+

Unfortunately, in idiomatic JavaScript and for the vast majority of APIs, +an object literal (rather than a Map) is used to represent key/value pairs. +Feedback from our users indicates the dissonance of using a Map rather than +the expected object literal to represent a Python dict is the source of a +huge amount of frustration. Sadly, the APIs for Map and object literals +are sufficiently different that one cannot be a drop in replacement for +another.

+

Pyodide have provided a way to override the default Map based behaviour, but +this results some rather esoteric code:

+
Convert a dict to an object literal in Pyodide.
import js
+from pyodide.ffi import to_js
+
+js.callback(
+    to_js(
+        {"async": False},
+        # Transform the default Map into an object literal.
+        dict_converter=js.Object.fromEntries
+    )
+)
+
+
+

Info

+

Thanks to a +recent change in Pyodide, +such Map instances are +duck-typed to behave like +object literals. Conversion may not be needed anymore, and to_js may just +work without the need of the dict_converter. Please check.

+
+

MicroPython's version of to_js takes the opposite approach (for +many of the reasons stated above) and converts Python dictionaries to object +literals instead of Map objects.

+

As a result, the PyScript pyscript.ffi.to_js ALWAYS returns a JavaScript +object literal by default when converting a Python dictionary no matter if +you're using Pyodide or MicroPython as your interpreter. Furthermore, when +using MicroPython, because things are closer to idiomatic JavaScript behaviour, +you may not even need to use to_js unless you want to ensure +cross-interpreter compatibility.

+

Caveat

+
+

Warning

+

When using pyscript.to_js, the result is detached from the original +Python dictionary.

+
+

Any change to the JavaScript object will not be reflected in the original +Python object. For the vast majority of use cases, this is a desirable +trade-off. But it's important to note this detachment.

+

If you're simply passing data around, pyscript.ffi.to_js will fulfil your +requirements in a simple and idiomatic manner.

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/index.html b/2024.9.2/index.html new file mode 100644 index 0000000..a8e430f --- /dev/null +++ b/2024.9.2/index.html @@ -0,0 +1,919 @@ + + + + + + + + + + + + + + + + + + + + + PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

PyScript Logo

+

PyScript is an open source platform for Python in the browser.

+ +

PyScript is...

+
    +
  • Easy: your apps run in the browser with no complicated installation + required.
  • +
  • Expressive: create apps with a powerful, popular and easy to learn + language like Python.
  • +
  • Scalable: no need for expensive infrastructure ~ your code runs in + your user's browser.
  • +
  • Shareable: applications are just a URL on the web. That's it!
  • +
  • Universal: your code runs anywhere a browser runs... which is + everywhere!
  • +
  • Secure: PyScript runs in the world's most battle-tested computing + platform, the browser!
  • +
  • Powerful: the best of the web and Python, together at last.
  • +
+

What's next?

+
+
I'm a beginner...
+
Welcome! PyScript is designed to be friendly for beginner coders. The + best way to start is to read our + beginning PyScript guide + and then use + pyscript.com + to create your first apps. Problems? Check out our + frequently asked questions.
+
I'm already technical...
+
The beginner docs will set you up with a simple coding environment. For + more in-depth technical coverage of PyScript, consult the + user guide. The + example applications demonstrate many of the features + of PyScript. The API docs and FAQ + contain lots of technical detail.
+
I want to contribute...
+
+

Welcome, friend! + PyScript is an open source project, we expect + participants to act in the spirit of our + code of conduct and we have many + ways in which you can contribute. + Our developer guide explains how to set + up a working development environment for PyScript.

+
+
Just show me...
+
That's easy! Just take a look around + pyscript.com - our + platform for developing and hosting PyScript applications. By using + using this service you help to support and sustain the development and growth + of the open-source PyScript project.
+
I want support...
+
+

Join the conversation on our + discord server, + for realtime chat with core maintainers and fellow users of PyScript. + Check out our YouTube + channel, full of community calls and show and tells. + Explore + educational + and + commercial + support provided by our open source sponsor + Anaconda Inc (this + helps pay for and sustain PyScript!).

+
+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/license/index.html b/2024.9.2/license/index.html new file mode 100644 index 0000000..43ed478 --- /dev/null +++ b/2024.9.2/license/index.html @@ -0,0 +1,1157 @@ + + + + + + + + + + + + + + + + + + + + + License - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + + + + + +
+
+ + + + +

Apache License

+

Version 2.0, January 2004
+<http://www.apache.org/licenses/>

+

Terms and Conditions for use, reproduction, and distribution

+

1. Definitions

+

“License” shall mean the terms and conditions for use, reproduction, and +distribution as defined by Sections 1 through 9 of this document.

+

“Licensor” shall mean the copyright owner or entity authorized by the copyright +owner that is granting the License.

+

“Legal Entity” shall mean the union of the acting entity and all other entities +that control, are controlled by, or are under common control with that entity. +For the purposes of this definition, “control” means (i) the power, direct or +indirect, to cause the direction or management of such entity, whether by +contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the +outstanding shares, or (iii) beneficial ownership of such entity.

+

“You” (or “Your”) shall mean an individual or Legal Entity exercising +permissions granted by this License.

+

“Source” form shall mean the preferred form for making modifications, including +but not limited to software source code, documentation source, and configuration +files.

+

“Object” form shall mean any form resulting from mechanical transformation or +translation of a Source form, including but not limited to compiled object code, +generated documentation, and conversions to other media types.

+

“Work” shall mean the work of authorship, whether in Source or Object form, made +available under the License, as indicated by a copyright notice that is included +in or attached to the work (an example is provided in the Appendix below).

+

“Derivative Works” shall mean any work, whether in Source or Object form, that +is based on (or derived from) the Work and for which the editorial revisions, +annotations, elaborations, or other modifications represent, as a whole, an +original work of authorship. For the purposes of this License, Derivative Works +shall not include works that remain separable from, or merely link (or bind by +name) to the interfaces of, the Work and Derivative Works thereof.

+

“Contribution” shall mean any work of authorship, including the original version +of the Work and any modifications or additions to that Work or Derivative Works +thereof, that is intentionally submitted to Licensor for inclusion in the Work +by the copyright owner or by an individual or Legal Entity authorized to submit +on behalf of the copyright owner. For the purposes of this definition, +“submitted” means any form of electronic, verbal, or written communication sent +to the Licensor or its representatives, including but not limited to +communication on electronic mailing lists, source code control systems, and +issue tracking systems that are managed by, or on behalf of, the Licensor for +the purpose of discussing and improving the Work, but excluding communication +that is conspicuously marked or otherwise designated in writing by the copyright +owner as “Not a Contribution.”

+

“Contributor” shall mean Licensor and any individual or Legal Entity on behalf +of whom a Contribution has been received by Licensor and subsequently +incorporated within the Work.

+ +

Subject to the terms and conditions of this License, each Contributor hereby +grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, +irrevocable copyright license to reproduce, prepare Derivative Works of, +publicly display, publicly perform, sublicense, and distribute the Work and such +Derivative Works in Source or Object form.

+

3. Grant of Patent License

+

Subject to the terms and conditions of this License, each Contributor hereby +grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, +irrevocable (except as stated in this section) patent license to make, have +made, use, offer to sell, sell, import, and otherwise transfer the Work, where +such license applies only to those patent claims licensable by such Contributor +that are necessarily infringed by their Contribution(s) alone or by combination +of their Contribution(s) with the Work to which such Contribution(s) was +submitted. If You institute patent litigation against any entity (including a +cross-claim or counterclaim in a lawsuit) alleging that the Work or a +Contribution incorporated within the Work constitutes direct or contributory +patent infringement, then any patent licenses granted to You under this License +for that Work shall terminate as of the date such litigation is filed.

+

4. Redistribution

+

You may reproduce and distribute copies of the Work or Derivative Works thereof +in any medium, with or without modifications, and in Source or Object form, +provided that You meet the following conditions:

+
    +
  • (a) You must give any other recipients of the Work or Derivative Works a copy of +this License; and
  • +
  • (b) You must cause any modified files to carry prominent notices stating that You +changed the files; and
  • +
  • (c) You must retain, in the Source form of any Derivative Works that You distribute, +all copyright, patent, trademark, and attribution notices from the Source form +of the Work, excluding those notices that do not pertain to any part of the +Derivative Works; and
  • +
  • (d) If the Work includes a “NOTICE” text file as part of its distribution, then any +Derivative Works that You distribute must include a readable copy of the +attribution notices contained within such NOTICE file, excluding those notices +that do not pertain to any part of the Derivative Works, in at least one of the +following places: within a NOTICE text file distributed as part of the +Derivative Works; within the Source form or documentation, if provided along +with the Derivative Works; or, within a display generated by the Derivative +Works, if and wherever such third-party notices normally appear. The contents of +the NOTICE file are for informational purposes only and do not modify the +License. You may add Your own attribution notices within Derivative Works that +You distribute, alongside or as an addendum to the NOTICE text from the Work, +provided that such additional attribution notices cannot be construed as +modifying the License.
  • +
+

You may add Your own copyright statement to Your modifications and may provide +additional or different license terms and conditions for use, reproduction, or +distribution of Your modifications, or for any such Derivative Works as a whole, +provided Your use, reproduction, and distribution of the Work otherwise complies +with the conditions stated in this License.

+

5. Submission of Contributions

+

Unless You explicitly state otherwise, any Contribution intentionally submitted +for inclusion in the Work by You to the Licensor shall be under the terms and +conditions of this License, without any additional terms or conditions. +Notwithstanding the above, nothing herein shall supersede or modify the terms of +any separate license agreement you may have executed with Licensor regarding +such Contributions.

+

6. Trademarks

+

This License does not grant permission to use the trade names, trademarks, +service marks, or product names of the Licensor, except as required for +reasonable and customary use in describing the origin of the Work and +reproducing the content of the NOTICE file.

+

7. Disclaimer of Warranty

+

Unless required by applicable law or agreed to in writing, Licensor provides the +Work (and each Contributor provides its Contributions) on an “AS IS” BASIS, +WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, +including, without limitation, any warranties or conditions of TITLE, +NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are +solely responsible for determining the appropriateness of using or +redistributing the Work and assume any risks associated with Your exercise of +permissions under this License.

+

8. Limitation of Liability

+

In no event and under no legal theory, whether in tort (including negligence), +contract, or otherwise, unless required by applicable law (such as deliberate +and grossly negligent acts) or agreed to in writing, shall any Contributor be +liable to You for damages, including any direct, indirect, special, incidental, +or consequential damages of any character arising as a result of this License or +out of the use or inability to use the Work (including but not limited to +damages for loss of goodwill, work stoppage, computer failure or malfunction, or +any and all other commercial damages or losses), even if such Contributor has +been advised of the possibility of such damages.

+

9. Accepting Warranty or Additional Liability

+

While redistributing the Work or Derivative Works thereof, You may choose to +offer, and charge a fee for, acceptance of support, warranty, indemnity, or +other liability obligations and/or rights consistent with this License. However, +in accepting such obligations, You may act only on Your own behalf and on Your +sole responsibility, not on behalf of any other Contributor, and only if You +agree to indemnify, defend, and hold each Contributor harmless for any liability +incurred by, or claims asserted against, such Contributor by reason of your +accepting any such warranty or additional liability.

+

END OF TERMS AND CONDITIONS

+

APPENDIX: How to apply the Apache License to your work

+

To apply the Apache License to your work, attach the following boilerplate +notice, with the fields enclosed by brackets [] replaced with your own +identifying information. (Don't include the brackets!) The text should be +enclosed in the appropriate comment syntax for the file format. We also +recommend that a file or class name and description of purpose be included on +the same “printed page” as the copyright notice for easier identification within +third-party archives.

+
Copyright [yyyy] [name of copyright owner]
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+  http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/mini-coi.js b/2024.9.2/mini-coi.js new file mode 100644 index 0000000..b7a23bf --- /dev/null +++ b/2024.9.2/mini-coi.js @@ -0,0 +1,28 @@ +/*! coi-serviceworker v0.1.7 - Guido Zuidhof and contributors, licensed under MIT */ +/*! mini-coi - Andrea Giammarchi and contributors, licensed under MIT */ +(({ document: d, navigator: { serviceWorker: s } }) => { + if (d) { + const { currentScript: c } = d; + s.register(c.src, { scope: c.getAttribute('scope') || '.' }).then(r => { + r.addEventListener('updatefound', () => location.reload()); + if (r.active && !s.controller) location.reload(); + }); + } + else { + addEventListener('install', () => skipWaiting()); + addEventListener('activate', e => e.waitUntil(clients.claim())); + addEventListener('fetch', e => { + const { request: r } = e; + if (r.cache === 'only-if-cached' && r.mode !== 'same-origin') return; + e.respondWith(fetch(r).then(r => { + const { body, status, statusText } = r; + if (!status || status > 399) return r; + const h = new Headers(r.headers); + h.set('Cross-Origin-Opener-Policy', 'same-origin'); + h.set('Cross-Origin-Embedder-Policy', 'require-corp'); + h.set('Cross-Origin-Resource-Policy', 'cross-origin'); + return new Response(body, { status, statusText, headers: h }); + })); + }); + } +})(self); diff --git a/2024.9.2/search/search_index.json b/2024.9.2/search/search_index.json new file mode 100644 index 0000000..da7aaae --- /dev/null +++ b/2024.9.2/search/search_index.json @@ -0,0 +1 @@ +{"config":{"lang":["en"],"separator":"[\\s\\-]+","pipeline":["stopWordFilter"]},"docs":[{"location":"","title":"Home","text":"PyScript is an open source platform for Python in the browser."},{"location":"#pyscript-is","title":"PyScript is...","text":"
  • Easy: your apps run in the browser with no complicated installation required.
  • Expressive: create apps with a powerful, popular and easy to learn language like Python.
  • Scalable: no need for expensive infrastructure ~ your code runs in your user's browser.
  • Shareable: applications are just a URL on the web. That's it!
  • Universal: your code runs anywhere a browser runs... which is everywhere!
  • Secure: PyScript runs in the world's most battle-tested computing platform, the browser!
  • Powerful: the best of the web and Python, together at last.
"},{"location":"#whats-next","title":"What's next?","text":"I'm a beginner... Welcome! PyScript is designed to be friendly for beginner coders. The best way to start is to read our beginning PyScript guide and then use pyscript.com to create your first apps. Problems? Check out our frequently asked questions. I'm already technical... The beginner docs will set you up with a simple coding environment. For more in-depth technical coverage of PyScript, consult the user guide. The example applications demonstrate many of the features of PyScript. The API docs and FAQ contain lots of technical detail. I want to contribute...

Welcome, friend! PyScript is an open source project, we expect participants to act in the spirit of our code of conduct and we have many ways in which you can contribute. Our developer guide explains how to set up a working development environment for PyScript.

Just show me... That's easy! Just take a look around pyscript.com - our platform for developing and hosting PyScript applications. By using using this service you help to support and sustain the development and growth of the open-source PyScript project. I want support...

Join the conversation on our discord server, for realtime chat with core maintainers and fellow users of PyScript. Check out our YouTube channel, full of community calls and show and tells. Explore educational and commercial support provided by our open source sponsor Anaconda Inc (this helps pay for and sustain PyScript!).

"},{"location":"api/","title":"Built-in APIs","text":"

PyScript makes available convenience objects, functions and attributes.

In Python this is done via the builtin pyscript module:

Accessing the document object via the pyscript module
from pyscript import document\n

In HTML this is done via py-* and mpy-* attributes (depending on the interpreter you're using):

An example of a py-click handler
<button id=\"foo\" py-click=\"handler_defined_in_python\">Click me</button>\n

These APIs will work with both Pyodide and Micropython in exactly the same way.

Info

Both Pyodide and MicroPython provide access to two further lower-level APIs:

  • Access to JavaScript's globalThis via importing the js module: import js (now js is a proxy for globalThis in which all native JavaScript based browser APIs are found).
  • Access to interpreter specific versions of utilities and the foreign function interface. Since these are different for each interpreter, and beyond the scope of PyScript's own documentation, please check each project's documentation (Pyodide / MicroPython) for details of these lower-level APIs.

PyScript can run in two contexts: the main browser thread, or on a web worker. The following three categories of API functionality explain features that are common for both main thread and worker, main thread only, and worker only. Most features work in both contexts in exactly the same manner, but please be aware that some are specific to either the main thread or a worker context.

"},{"location":"api/#common-features","title":"Common features","text":"

These Python objects / functions are available in both the main thread and in code running on a web worker:

"},{"location":"api/#pyscriptconfig","title":"pyscript.config","text":"

A Python dictionary representing the configuration for the interpreter.

Reading the current configuration.
from pyscript import config\n# It's just a dict.\nprint(config.get(\"files\"))\n# This will be either \"mpy\" or \"py\" depending on the current interpreter.\nprint(config[\"type\"])\n

Info

The config object will always include a type attribute set to either mpy or py, to indicate which version of Python your code is currently running in.

Warning

Changing the config dictionary at runtime has no effect on the actual configuration.

It's just a convenience to read the configuration at run time.

"},{"location":"api/#pyscriptcurrent_target","title":"pyscript.current_target","text":"

A utility function to retrieve the unique identifier of the element used to display content. If the element is not a <script> and it already has an id, that id will be returned.

The current_target utility
<!-- current_target(): explicit-id -->\n<mpy-script id=\"explicit-id\">\n    from pyscript import display, current_target\n    display(f\"current_target(): {current_target()}\")\n</mpy-script>\n<!-- current_target(): mpy-0 -->\n<mpy-script>\n    from pyscript import display, current_target\n    display(f\"current_target(): {current_target()}\")\n</mpy-script>\n<!-- current_target(): mpy-1 -->\n<!-- creates right after the <script>:\n    <script-py id=\"mpy-1\">\n        <div>current_target(): mpy-1</div>\n    </script-py>\n-->\n<script type=\"mpy\">\nfrom pyscript import display, current_target\ndisplay(f\"current_target(): {current_target()}\")\n</script>\n

Note

The return value of current_target() always references a visible element on the page, not at the current <script> that is executing the code.

To reference the <script> element executing the code, assign it an id:

<script type=\"mpy\" id=\"unique-id\">...</script>\n

Then use the standard document.getElementById(script_id) function to return a reference to it in your code.

"},{"location":"api/#pyscriptdisplay","title":"pyscript.display","text":"

A function used to display content. The function is intelligent enough to introspect the object[s] it is passed and work out how to correctly display the object[s] in the web page based on the following mime types:

  • text/plain to show the content as text
  • text/html to show the content as HTML
  • image/png to show the content as <img>
  • image/jpeg to show the content as <img>
  • image/svg+xml to show the content as <svg>
  • application/json to show the content as JSON
  • application/javascript to put the content in <script> (discouraged)

The display function takes a list of *values as its first argument, and has two optional named arguments:

  • target=None - the DOM element into which the content should be placed. If not specified, the target will use the current_script() returned id and populate the related dedicated node to show the content.
  • append=True - a flag to indicate if the output is going to be appended to the target.

There are some caveats:

  • When used in the main thread, the display function automatically uses the current <py-script> or <mpy-script> tag as the target into which the content will be displayed.
  • If the <script> tag has the target attribute, and is not a worker, the element on the page with that ID (or which matches that selector) will be used to display the content instead.
  • When used in a worker, the display function needs an explicit target=\"dom-id\" argument to identify where the content will be displayed.
  • In both the main thread and worker, append=True is the default behaviour.
Various display examples
<!-- will produce\n    <py-script>PyScript</py-script>\n-->\n<py-script worker>\n    from pyscript import display\n    display(\"PyScript\", append=False)\n</py-script>\n<!-- will produce\n    <script type=\"py\">...</script>\n    <script-py>PyScript</script-py>\n-->\n<script type=\"py\">\nfrom pyscript import display\ndisplay(\"PyScript\", append=False)\n</script>\n<!-- will populate <h1>PyScript</h1> -->\n<script type=\"py\" target=\"my-h1\">\nfrom pyscript import display\ndisplay(\"PyScript\", append=False)\n</script>\n<h1 id=\"my-h1\"></h1>\n<!-- will populate <h2>PyScript</h2> -->\n<script type=\"py\" worker>\nfrom pyscript import display\ndisplay(\"PyScript\", target=\"my-h2\", append=False)\n</script>\n<h2 id=\"my-h2\"></h2>\n
"},{"location":"api/#pyscriptdocument","title":"pyscript.document","text":"

On both main and worker threads, this object is a proxy for the web page's document object. The document is a representation of the DOM and can be used to read or manipulate the content of the web page.

"},{"location":"api/#pyscriptfetch","title":"pyscript.fetch","text":"

A common task is to fetch data from the web via HTTP requests. The pyscript.fetch function provides a uniform way to achieve this in both Pyodide and MicroPython. It is closely modelled on the Fetch API found in browsers with some important Pythonic differences.

The simple use case is to pass in a URL and await the response. If this request is in a function, that function should also be defined as async.

A simple HTTP GET with pyscript.fetch
from pyscript import fetch\nresponse = await fetch(\"https://example.com\")\nif response.ok:\ndata = await response.text()\nelse:\nprint(response.status)\n

The object returned from an await fetch call will have attributes that correspond to the JavaScript response object. This is useful for getting response codes, headers and other metadata before processing the response's data.

Alternatively, rather than using a double await (one to get the response, the other to grab the data), it's possible to chain the calls into a single await like this:

A simple HTTP GET as a single await
from pyscript import fetch\ndata = await fetch(\"https://example.com\").text()\n

The following awaitable methods are available to you to access the data returned from the server:

  • arrayBuffer() returns a Python memoryview of the response. This is equivalent to the arrayBuffer() method in the browser based fetch API.
  • blob() returns a JavaScript blob version of the response. This is equivalent to the blob() method in the browser based fetch API.
  • bytearray() returns a Python bytearray version of the response.
  • json() returns a Python datastructure representing a JSON serialised payload in the response.
  • text() returns a Python string version of the response.

The underlying browser fetch API has many request options that you should simply pass in as keyword arguments like this:

Supplying request options.
from pyscript import fetch\nresult = await fetch(\"https://example.com\", method=\"POST\", body=\"HELLO\").text()\n

Danger

You may encounter CORS errors (especially with reference to a missing Access-Control-Allow-Origin header.

This is a security feature of modern browsers where the site to which you are making a request will not process a request from a site hosted at another domain.

For example, if your PyScript app is hosted under example.com and you make a request to bbc.co.uk (who don't allow requests from other domains) then you'll encounter this sort of CORS related error.

There is nothing PyScript can do about this problem (it's a feature, not a bug). However, you could use a pass-through proxy service to get around this limitation (i.e. the proxy service makes the call on your behalf).

"},{"location":"api/#pyscriptffi","title":"pyscript.ffi","text":"

The pyscript.ffi namespace contains foreign function interface (FFI) methods that work in both Pyodide and MicroPython.

"},{"location":"api/#pyscriptfficreate_proxy","title":"pyscript.ffi.create_proxy","text":"

A utility function explicitly for when a callback function is added via an event listener. It ensures the function still exists beyond the assignment of the function to an event. Should you not create_proxy around the callback function, it will be immediately garbage collected after being bound to the event.

Warning

There is some technical complexity to this situation, and we have attempted to create a mechanism where create_proxy is never needed.

Pyodide expects the created proxy to be explicitly destroyed when it's not needed / used anymore. However, the underlying proxy.destroy() method has not been implemented in MicroPython (yet).

To simplify this situation and automatically destroy proxies based on JavaScript memory management (garbage collection) heuristics, we have introduced an experimental flag:

experimental_create_proxy = \"auto\"\n

This flag ensures the proxy creation and destruction process is managed for you. When using this flag you should never need to explicitly call create_proxy.

The technical details of how this works are described here.

"},{"location":"api/#pyscriptffito_js","title":"pyscript.ffi.to_js","text":"

A utility function to convert Python references into their JavaScript equivalents. For example, a Python dictionary is converted into a JavaScript object literal (rather than a JavaScript Map), unless a dict_converter is explicitly specified and the runtime is Pyodide.

The technical details of how this works are described here.

"},{"location":"api/#pyscriptjs_modules","title":"pyscript.js_modules","text":"

It is possible to define JavaScript modules to use within your Python code.

Such named modules will always then be available under the pyscript.js_modules namespace.

Warning

Please see the documentation (linked above) about restrictions and gotchas when configuring how JavaScript modules are made available to PyScript.

"},{"location":"api/#pyscriptstorage","title":"pyscript.storage","text":"

The pyscript.storage API wraps the browser's built-in IndexDB persistent storage in a synchronous Pythonic API.

Info

The storage API is persistent per user tab, page, or domain, in the same way IndexedDB persists.

This API is not saving files in the interpreter's virtual file system nor onto the user's hard drive.

from pyscript import storage\n# Each store must have a meaningful name.\nstore = await storage(\"my-storage-name\")\n# store is a dictionary and can now be used as such.\n

The returned dictionary automatically loads the current state of the referenced IndexDB. All changes are automatically queued in the background.

# This is a write operation.\nstore[\"key\"] = value\n# This is also a write operation (it changes the stored data).\ndel store[\"key\"]\n

Should you wish to be certain changes have been synchronized to the underlying IndexDB, just await store.sync().

Common types of value can be stored via this API: bool, float, int, str and None. In addition, data structures like list, dict and tuple can be stored.

Warning

Because of the way the underlying data structure are stored in IndexDB, a Python tuple will always be returned as a Python list.

It is even possible to store arbitrary data via a bytearray or memoryview object. However, there is a limitation that such values must be stored as a single key/value pair, and not as part of a nested data structure.

Sometimes you may need to modify the behaviour of the dict like object returned by pyscript.storage. To do this, create a new class that inherits from pyscript.Storage, then pass in your class to pyscript.storage as the storage_class argument:

from pyscript import window, storage, Storage\nclass MyStorage(Storage):\ndef __setitem__(self, key, value):\nsuper().__setitem__(key, value)\nwindow.console.log(key, value)\n...\nstore = await storage(\"my-data-store\", storage_class=MyStorage)\n# The store object is now an instance of MyStorage.\n
"},{"location":"api/#pyscriptcorediststoragejs","title":"@pyscript/core/dist/storage.js","text":"

The equivalent functionality based on the JS module can be found through our module.

The goal is to be able to share the same database across different worlds (interpreters) and the functionality is nearly identical except there is no class to provide because the storage in JS is just a dictionary proxy that synchronizes behind the scene all read, write or delete operations.

"},{"location":"api/#pyscriptweb","title":"pyscript.web","text":"

The classes and references in this namespace provide a Pythonic way to interact with the DOM. An explanation for how to idiomatically use this API can be found in the user guide

"},{"location":"api/#pyscriptwebpage","title":"pyscript.web.page","text":"

This object represents a web page. It has four attributes and two methods:

  • html - a reference to a Python object representing the document's html root element.
  • head - a reference to a Python object representing the document's head.
  • body - a reference to a Python object representing the document's body.
  • title - the page's title (usually displayed in the browser's title bar or a page's tab.
  • find - a method that takes a single selector argument and returns a collection of Python objects representing the matching elements.
  • append - a shortcut for page.body.append (to add new elements to the page).

You may also shortcut the find method by enclosing a CSS selector in square brackets: page[\"#my-thing\"].

These are provided as a convenience so you have several simple and obvious options for accessing and changing the content of the page.

All the Python objects returned by these attributes and method are instances of classes relating to HTML elements defined in the pyscript.web namespace.

"},{"location":"api/#pyscriptweb_1","title":"pyscript.web.*","text":"

There are many classes in this namespace. Each is a one-to-one mapping of any HTML element name to a Python class representing the HTML element of that name. Each Python class ensures only valid properties and attributes can be assigned, according to web standards.

Usage of these classes is explained in the user guide.

Info

The full list of supported element/class names is:

grid\na, abbr, address, area, article, aside, audio\nb, base, blockquote, body, br, button\ncanvas, caption, cite, code, col, colgroup\ndata, datalist, dd, del_, details, dialog, div, dl, dt\nem, embed\nfieldset, figcaption, figure, footer, form\nh1, h2, h3, h4, h5, h6, head, header, hgroup, hr, html\ni, iframe, img, input_, ins\nkbd\nlabel, legend, li, link\nmain, map_, mark, menu, meta, meter\nnav\nobject_, ol, optgroup, option, output\np, param, picture, pre, progress\nq\ns, script, section, select, small, source, span, strong, style, sub, summary, sup\ntable, tbody, td, template, textarea, tfoot, th, thead, time, title, tr, track\nu, ul\nvar, video\nwbr\n

These correspond to the standard HTML elements with the caveat that del_ and input_ have the trailing underscore (_) because they are also keywords in Python, and the grid is a custom class for a div with a grid style display property.

All these classes ultimately derive from the pyscript.web.elements.Element base class.

In addition to properties defined by the HTML standard for each type of HTML element (e.g. title, src or href), all elements have the following properties and methods (in alphabetical order):

  • append(child) - add the child element to the element's children.
  • children - a collection containing the element's child elements (that it contains).
  • classes - a set of CSS classes associated with the element.
  • clone(clone_id=None) - Make a clone of the element (and the underlying DOM object), and assign it the optional clone_id.
  • find(selector) - use a CSS selector to find matching child elements.
  • parent - the element's parent element (that contains it).
  • show_me - scroll the element into view.
  • style - a dictionary of CSS style properties associated with the element.
  • update(classes=None, style=None, **kwargs) - update the element with the specified classes (set), style (dict) and DOM properties (kwargs).
  • _dom_element - a reference to the proxy object that represents the underlying native HTML element.

Info

All elements, by virtue of inheriting from the base Element class, may have the following properties:

accesskey, autofocus, autocapitalize,\nclassName, contenteditable,\ndraggable,\nenterkeyhint,\nhidden,\ninnerHTML, id,\nlang,\nnonce,\npart, popover,\nslot, spellcheck,\ntabindex, text, title, translate,\nvirtualkeyboardpolicy\n

The classes set-like object has the following convenience functions:

  • add(*class_names) - add the class(es) to the element.
  • contains(class_name) - indicate if class_name is associated with the element.
  • remove(*class_names) - remove the class(es) from the element.
  • replace(old_class, new_class) - replace the old_class with new_class.
  • toggle(class_name) - add a class if it is absent, or remove a class if it is present.

Elements that require options (such as the datalist, optgroup and select elements), can have options passed in when they are created:

my_select = select_(option(\"apple\", value=1), option(\"pear\"))\n

Notice how options can be a tuple of two values (the name and associated value) or just the single name (whose associated value will default to the given name).

It's possible to access and manipulate the options of the resulting elements:

selected_option = my_select.options.selected\nmy_select.options.remove(0)  # Remove the first option (in position 0).\nmy_select.clear()\nmy_select.options.add(html=\"Orange\")\n

Finally, the collection of elements returned by find and children is iterable, indexable and sliceable:

for child in my_element.children[10:]:\nprint(child.html)\n

Furthermore, four attributes related to all elements contained in the collection can be read (as a list) or set (applied to all contained elements):

  • classes - the list of classes associated with the elements.
  • innerHTML - the innerHTML of each element.
  • style - a dictionary like object for interacting with CSS style rules.
  • value - the value attribute associated with each element.
"},{"location":"api/#pyscriptwhen","title":"pyscript.when","text":"

A Python decorator to indicate the decorated function should handle the specified events for selected elements.

The decorator takes two parameters:

  • The event_type should be the name of the browser event to handle as a string (e.g. \"click\").
  • The selector should be a string containing a valid selector to indicate the target elements in the DOM whose events of event_type are of interest.

The following example has a button with an id of my_button and a decorated function that handles click events dispatched by the button.

The HTML button
<button id=\"my_button\">Click me!</button>\n
The decorated Python function to handle click events
from pyscript import when, display\n@when(\"click\", \"#my_button\")\ndef click_handler(event):\n\"\"\"\n    Event handlers get an event object representing the activity that raised\n    them.\n    \"\"\"\ndisplay(\"I've been clicked!\")\n

This functionality is related to the py-* or mpy-* HTML attributes.

"},{"location":"api/#pyscriptwindow","title":"pyscript.window","text":"

On the main thread, this object is exactly the same as import js which, in turn, is a proxy of JavaScript's globalThis object.

On a worker thread, this object is a proxy for the web page's global window context.

Warning

The reference for pyscript.window is always a reference to the main thread's global window context.

If you're running code in a worker this is not the worker's own global context. A worker's global context is always reachable via import js (the js object being a proxy for the worker's globalThis).

"},{"location":"api/#pyscripthtml","title":"pyscript.HTML","text":"

A class to wrap generic content and display it as un-escaped HTML on the page.

The HTML class
<script type=\"mpy\">\nfrom pyscript import display, HTML\n# Escaped by default:\ndisplay(\"<em>em</em>\")  # &lt;em&gt;em&lt;/em&gt;\n</script>\n<script type=\"mpy\">\nfrom pyscript import display, HTML\n# Un-escaped raw content inserted into the page:\ndisplay(HTML(\"<em>em</em>\"))  # <em>em</em>\n</script>\n
"},{"location":"api/#pyscriptrunning_in_worker","title":"pyscript.RUNNING_IN_WORKER","text":"

This constant flag is True when the current code is running within a worker. It is False when the code is running within the main thread.

"},{"location":"api/#pyscriptwebsocket","title":"pyscript.WebSocket","text":"

If a pyscript.fetch results in a call and response HTTP interaction with a web server, the pyscript.Websocket class provides a way to use websockets for two-way sending and receiving of data via a long term connection with a web server.

PyScript's implementation, available in both the main thread and a web worker, closely follows the browser's own WebSocket class.

This class accepts the following named arguments:

  • A url pointing at the ws or wss address. E.g.: WebSocket(url=\"ws://localhost:5037/\")
  • Some protocols, an optional string or a list of strings as described here.

The WebSocket class also provides these convenient static constants:

  • WebSocket.CONNECTING (0) - the ws.readyState value when a web socket has just been created.
  • WebSocket.OPEN (1) - the ws.readyState value once the socket is open.
  • WebSocket.CLOSING (2) - the ws.readyState after ws.close() is explicitly invoked to stop the connection.
  • WebSocket.CLOSED (3) - the ws.readyState once closed.

A WebSocket instance has only 2 methods:

  • ws.send(data) - where data is either a string or a Python buffer, automatically converted into a JavaScript typed array. This sends data via the socket to the connected web server.
  • ws.close(code=0, reason=\"because\") - which optionally accepts code and reason as named arguments to signal some specific status or cause for closing the web socket. Otherwise ws.close() works with the default standard values.

A WebSocket instance also has the fields that the JavaScript WebSocket instance will have:

  • binaryType - the type of binary data being received over the WebSocket connection.
  • bufferedAmount - a read-only property that returns the number of bytes of data that have been queued using calls to send() but not yet transmitted to the network.
  • extensions - a read-only property that returns the extensions selected by the server.
  • protocol - a read-only property that returns the name of the sub-protocol the server selected.
  • readyState - a read-only property that returns the current state of the WebSocket connection as one of the WebSocket static constants (CONNECTING, OPEN, etc...).
  • url - a read-only property that returns the absolute URL of the WebSocket instance.

A WebSocket instance can have the following listeners. Directly attach handler functions to them. Such functions will always receive a single event object.

  • onclose - fired when the WebSocket's connection is closed.
  • onerror - fired when the connection is closed due to an error.
  • onmessage - fired when data is received via the WebSocket. If the event.data is a JavaScript typed array instead of a string, the reference it will point directly to a memoryview of the underlying bytearray data.
  • onopen - fired when the connection is opened.

The following code demonstrates a pyscript.WebSocket in action.

<script type=\"mpy\" worker>\nfrom pyscript import WebSocket\ndef onopen(event):\nprint(event.type)\nws.send(\"hello\")\ndef onmessage(event):\nprint(event.type, event.data)\nws.close()\ndef onclose(event):\nprint(event.type)\nws = WebSocket(url=\"ws://localhost:5037/\")\nws.onopen = onopen\nws.onmessage = onmessage\nws.onclose = onclose\n</script>\n

Info

It's also possible to pass in any handler functions as named arguments when you instantiate the pyscript.WebSocket class:

from pyscript import WebSocket\ndef onmessage(event):\nprint(event.type, event.data)\nws.close()\nws = WebSocket(url=\"ws://example.com/socket\", onmessage=onmessage)\n
"},{"location":"api/#pyscriptjs_import","title":"pyscript.js_import","text":"

If a JavaScript module is only needed under certain circumstances, we provide an asynchronous way to import packages that were not originally referenced in your configuration.

A pyscript.js_import example.
<script type=\"py\">\nfrom pyscript import js_import, window\nescaper, = await js_import(\"https://esm.run/html-escaper\")\n\nwindow.console.log(escaper)\n

The js_import call returns an asynchronous tuple containing the JavaScript modules referenced as string arguments.

"},{"location":"api/#pyscriptpy_import","title":"pyscript.py_import","text":"

Warning

This is an experimental feature.

Feedback and bug reports are welcome!

If you have a lot of Python packages referenced in your configuration, startup performance may be degraded as these are downloaded.

If a Python package is only needed under certain circumstances, we provide an asynchronous way to import packages that were not originally referenced in your configuration.

A pyscript.py_import example.
<script type=\"py\">\nfrom pyscript import py_import\nmatplotlib, regex, = await py_import(\"matplotlib\", \"regex\")\nprint(matplotlib, regex)\n</script>\n

The py_import call returns an asynchronous tuple containing the Python modules provided by the packages referenced as string arguments.

"},{"location":"api/#main-thread-only-features","title":"Main-thread only features","text":""},{"location":"api/#pyscriptpyworker","title":"pyscript.PyWorker","text":"

A class used to instantiate a new worker from within Python.

Note

Sometimes we disambiguate between interpreters through naming conventions (e.g. py or mpy).

However, this class is always PyWorker and the desired interpreter MUST be specified via a type option. Valid values for the type of interpreter are either micropython or pyodide.

The following fragments demonstrate how to evaluate the file worker.py on a new worker from within Python.

worker.py - the file to run in the worker.
from pyscript import RUNNING_IN_WORKER, display, sync\ndisplay(\"Hello World\", target=\"output\", append=True)\n# will log into devtools console\nprint(RUNNING_IN_WORKER)  # True\nprint(\"sleeping\")\nsync.sleep(1)\nprint(\"awake\")\n
main.py - starts a new worker in Python.
from pyscript import PyWorker\n# type MUST be either `micropython` or `pyodide`\nPyWorker(\"worker.py\", type=\"micropython\")\n
The HTML context for the worker.
<script type=\"mpy\" src=\"./main.py\">\n<div id=\"output\"></div>  <!-- The display target -->\n
"},{"location":"api/#pyscriptworkers","title":"pyscript.workers","text":"

The pyscript.workers reference allows Python code in the main thread to easily access named workers (and their exported functionality).

For example, the following Pyodide code may be running on a named worker (see the name attribute of the script tag):

<script type=\"py\" worker name=\"py-version\">\nimport sys\ndef version():\nreturn sys.version\n# define what to export to main consumers\n__export__ = [\"version\"]\n</script>\n

While over on the main thread, this fragment of MicroPython will be able to access the worker's version function via the workers reference:

<script type=\"mpy\">\nfrom pyscript import workers\npyworker = await workers[\"py-version\"]\n# print the pyodide version\nprint(await pyworker.version())\n</script>\n

Importantly, the workers reference will NOT provide a list of known workers, but will only await for a reference to a named worker (resolving when the worker is ready). This is because the timing of worker startup is not deterministic.

Should you wish to await for all workers on the page at load time, it's possible to loop over matching elements in the document like this:

<script type=\"mpy\">\nfrom pyscript import document, workers\nfor el in document.querySelectorAll(\"[type='py'][worker][name]\"):\nawait workers[el.getAttribute('name')]\n# ... rest of the code\n</script>\n
"},{"location":"api/#worker-only-features","title":"Worker only features","text":""},{"location":"api/#pyscriptsync","title":"pyscript.sync","text":"

A function used to pass serializable data from workers to the main thread.

Imagine you have this code on the main thread:

Python code on the main thread
from pyscript import PyWorker\ndef hello(name=\"world\"):\ndisplay(f\"Hello, {name}\")\nworker = PyWorker(\"./worker.py\")\nworker.sync.hello = hello\n

In the code on the worker, you can pass data back to handler functions like this:

Pass data back to the main thread from a worker
from pyscript import sync\nsync.hello(\"PyScript\")\n
"},{"location":"api/#html-attributes","title":"HTML attributes","text":"

As a convenience, and to ensure backwards compatibility, PyScript allows the use of inline event handlers via custom HTML attributes.

Warning

This classic pattern of coding (inline event handlers) is no longer considered good practice in web development circles.

We include this behaviour for historic reasons, but the folks at Mozilla have a good explanation of why this is currently considered bad practice.

These attributes, expressed as py-* or mpy-* attributes of an HTML element, reference the name of a Python function to run when the event is fired. You should replace the * with the actual name of an event (e.g. py-click or mpy-click). This is similar to how all event handlers on elements start with on in standard HTML (e.g. onclick). The rule of thumb is to simply replace on with py- or mpy- and then reference the name of a Python function.

A py-click event on an HTML button element.
<button py-click=\"handle_click\" id=\"my_button\">Click me!</button>\n
The related Python function.
from pyscript import window\ndef handle_click(event):\n\"\"\"\n    Simply log the click event to the browser's console.\n    \"\"\"\nwindow.console.log(event)    \n

Under the hood, the pyscript.when decorator is used to enable this behaviour.

Note

In earlier versions of PyScript, the value associated with the attribute was simply evaluated by the Python interpreter. This was unsafe: manipulation of the attribute's value could have resulted in the evaluation of arbitrary code.

This is why we changed to the current behaviour: just supply the name of the Python function to be evaluated, and PyScript will do this safely.

"},{"location":"beginning-pyscript/","title":"Beginning PyScript","text":"

PyScript is a platform for running Python in modern web browsers.

Create apps with a PyScript development environment: write code, curate the project's assets, and test your application.

To distribute a PyScript application, host it on the web, then click on the link to your application. PyScript and the browser do the rest.

This page covers these core aspects of PyScript in a beginner friendly manner. We only assume you know how to use a browser and edit text.

Note

The easiest way to get a PyScript development environment and hosting, is to use pyscript.com in your browser.

It is a free service that helps you create new projects from templates, and then edit, preview and deploy your apps with a unique link.

While the core features of pyscript.com will always be free, additional paid-for capabilities directly support and sustain the PyScript open source project. Commercial and educational support is also available.

"},{"location":"beginning-pyscript/#an-application","title":"An application","text":"

All PyScript applications need three things:

  1. An index.html file that is served to your browser.
  2. A description of the Python environment in which your application will run. This is usually specified by a pyscript.json or pyscript.toml file.
  3. Python code (usually in a file called something like main.py) that defines how your application works.

Create these files with your favourite code editor on your local file system. Alternatively, pyscript.com will take away all the pain of organising, previewing and deploying your application.

If you're using your local file system, you'll need a way to view your application in your browser. If you already have Python installed on your local machine, serve your files with the following command run from your terminal and in the same directory as your files:

python3 -m http.server\n

Point your browser at http://localhost:8000. Remember to refresh the page (CTRL-R) to see any updates you may have made.

Note

If you're using VSCode as your editor, the Live Server extension can be used to reload the page as you edit your files.

Alternatively, if you have an account on GitHub you could use VSCode in your browser as a PyScript aware \"CodeSpace\" (just follow the instructions in the README file).

If you decide to use pyscript.com (recommended for first steps), once signed in, create a new project by pressing the \"+\" button on the left hand side below the site's logo. You'll be presented with a page containing three columns (listing your files, showing your code and previewing the app). The \"save\" and \"run\" buttons do exactly what you'd expect.

Let's build a simple PyScript application that translates English \ud83c\uddec\ud83c\udde7 into Pirate \ud83c\udff4\u200d\u2620\ufe0f speak. In order to do this we'll make use of the arrr library. By building this app you'll be introduced to all the core concepts of PyScript at an introductory level.

You can see this application embedded into the page below (try it out!):

Let's explore each of the three files that make this app work.

"},{"location":"beginning-pyscript/#pyscriptjson","title":"pyscript.json","text":"

This file tells PyScript and your browser about various configurable aspects of your application. Put simply, it tells PyScript what it needs in order to run your application. The only thing we need to show is that we require the third party arrr module to do the actual translation.

We do this by putting arrr as the single entry in a list of required packages, so the content of pyscript.json looks like this:

pyscript.json
{\n\"packages\": [\"arrr\"]\n}\n
"},{"location":"beginning-pyscript/#indexhtml","title":"index.html","text":"

Next we come to the index.html file that is first served to your browser.

To start out, we need to tell the browser that this HTML document uses PyScript, and so we create a <script> tag that references the PyScript module in the document's <head> tag:

<!DOCTYPE html>\n<html>\n<head>\n<meta charset=\"utf-8\" />\n<meta name=\"viewport\" content=\"width=device-width,initial-scale=1\" />\n<title>\ud83e\udd9c Polyglot - Piratical PyScript</title>\n<link rel=\"stylesheet\" href=\"https://pyscript.net/releases/2024.9.2/core.css\">\n<script type=\"module\" src=\"https://pyscript.net/releases/2024.9.2/core.js\"></script>\n</head>\n<body>\n<!-- TODO: Fill in our custom application code here... -->\n</body>\n</html>\n

Notice that the <body> of the document is empty except for the TODO comment. It's in here that we put standard HTML content to define our user interface, so the <body> now looks like:

<body>\n<h1>Polyglot \ud83e\udd9c \ud83d\udcac \ud83c\uddec\ud83c\udde7 \u27a1\ufe0f \ud83c\udff4\u200d\u2620\ufe0f</h1>\n<p>Translate English into Pirate speak...</p>\n<input type=\"text\" name=\"english\" id=\"english\" placeholder=\"Type English here...\" />\n<button py-click=\"translate_english\">Translate</button>\n<div id=\"output\"></div>\n<script type=\"py\" src=\"./main.py\" config=\"./pyscript.json\"></script>\n</body>\n

This fragment of HTML contains the application's header (<h1>), some instructions between the <p> tags, an <input> box for the English text, and a <button> to click to generate the translation. Towards the end there's a <div id=\"output\"> which will contain the resulting pirate speak as the application's output.

There's something strange about the <button> tag: it has a py-click attribute with the value translate_english. This is, in fact, the name of a Python function we'll run whenever the button is clicked. Such py-* style attributes are built into PyScript.

We put all this together in the script tag at the end of the <body>. This tells the browser we're using PyScript (type=\"py\"), and where PyScript should find the Python source code (src=\"./main.py\"). Finally, we indicate where PyScript should find the configuration (config=\"./pyscript.json\").

In the end, our HTML should look like this:

index.html
<!DOCTYPE html>\n<html>\n<head>\n<meta charset=\"utf-8\" />\n<meta name=\"viewport\" content=\"width=device-width,initial-scale=1\" />\n<title>\ud83e\udd9c Polyglot - Piratical PyScript</title>\n<link rel=\"stylesheet\" href=\"https://pyscript.net/releases/2024.9.2/core.css\">\n<script type=\"module\" src=\"https://pyscript.net/releases/2024.9.2/core.js\"></script>\n</head>\n<body>\n<h1>Polyglot \ud83e\udd9c \ud83d\udcac \ud83c\uddec\ud83c\udde7 \u27a1\ufe0f \ud83c\udff4\u200d\u2620\ufe0f</h1>\n<p>Translate English into Pirate speak...</p>\n<input type=\"text\" id=\"english\" placeholder=\"Type English here...\" />\n<button py-click=\"translate_english\">Translate</button>\n<div id=\"output\"></div>\n<script type=\"py\" src=\"./main.py\" config=\"./pyscript.json\"></script>\n</body>\n</html>\n

But this only defines how the user interface should look. To define its behaviour we need to write some Python. Specifically, we need to define the translate_english function, used when the button is clicked.

"},{"location":"beginning-pyscript/#mainpy","title":"main.py","text":"

The behaviour of the application is defined in main.py. It looks like this:

main.py
import arrr\nfrom pyscript import document\ndef translate_english(event):\ninput_text = document.querySelector(\"#english\")\nenglish = input_text.value\noutput_div = document.querySelector(\"#output\")\noutput_div.innerText = arrr.translate(english)\n

It's not very complicated Python code.

On line 1 the arrr module is imported so we can do the actual English to Pirate translation. If we hadn't told PyScript to download the arrr module in our pyscript.json configuration file, this line would cause an error. PyScript has ensured our environment is set up with the expected arrr module.

Line 2 imports the document object. The document allows us to reach into the things on the web page defined in index.html.

Finally, on line 5 the translate_english function is defined.

The translate_english function takes a single parameter called event. This represents the user's click of the button (but which we don't actually use).

Inside the body of the function we first get a reference to the input element with the document.querySelector function that takes #english as its parameter (indicating we want the element with the id \"english\"). We assign the result to input_text, then extract the user's english from the input_text's value. Next, we get a reference called output_div that points to the div element with the id \"output\". Finally, we assign the innerText of the output_div to the result of calling arrr.translate (to actually translate the english to something piratical).

That's it!

"},{"location":"beginning-pyscript/#sharing-your-app","title":"Sharing your app","text":""},{"location":"beginning-pyscript/#pyscriptcom","title":"PyScript.com","text":"

If you're using pyscript.com, you should save all your files and click the \"run\" button. Assuming you've copied the code properly, you should have a fine old time using \"Polyglot \ud83e\udd9c\" to translate English to Pirate-ish.

Alternatively, click here to see a working example of this app. Notice that the bottom right hand corner contains a link to view the code on pyscript.com. Why not explore the code, copy it to your own account and change it to your satisfaction?

"},{"location":"beginning-pyscript/#from-a-web-server","title":"From a web server","text":"

Just host the three files (pyscript.json, index.html and main.py) in the same directory on a static web server somewhere.

Clearly, we recommend you use pyscript.com for this, but any static web host will do (for example, GitHub Pages, Amazon's S3, Google Cloud or Microsoft's Azure).

"},{"location":"beginning-pyscript/#run-pyscript-offline","title":"Run PyScript Offline","text":"

To run PyScript offline, without the need of a CDN or internet connection, read the Run PyScript Offline section of the user guide.

"},{"location":"beginning-pyscript/#conclusion","title":"Conclusion","text":"

Congratulations!

You have just created your first PyScript app. We've explored the core concepts needed to build yet more interesting things of your own.

PyScript is extremely powerful, and these beginner steps only just scratch the surface. To learn about PyScript in more depth, check out our user guide or explore our example applications.

"},{"location":"conduct/","title":"Code of Conduct","text":"

Our code of conduct is based on the Contributor Covenant code of conduct.

"},{"location":"conduct/#our-pledge","title":"Our Pledge","text":"

We as members, contributors, and leaders pledge to make participation in our community a harassment-free experience for everyone, regardless of age, body size, visible or invisible disability, ethnicity, sex characteristics, gender identity and expression, level of experience, education, socio-economic status, nationality, personal appearance, race, religion, or sexual identity and orientation.

We pledge to act and interact in ways that contribute to an open, welcoming, diverse, inclusive, and healthy community.

"},{"location":"conduct/#our-standards","title":"Our Standards","text":"

Examples of behavior that contributes to a positive environment for our community include:

  • Demonstrating empathy and kindness toward other people
  • Being respectful of differing opinions, viewpoints, and experiences
  • Giving and gracefully accepting constructive feedback
  • Accepting responsibility and apologizing to those affected by our mistakes, and learning from the experience
  • Focusing on what is best not just for us as individuals, but for the overall community

Examples of unacceptable behavior include:

  • The use of sexualized language or imagery, and sexual attention or advances of any kind
  • Trolling, insulting or derogatory comments, and personal or political attacks
  • Public or private harassment
  • Publishing others' private information, such as a physical or email address, without their explicit permission
  • Other conduct which could reasonably be considered inappropriate in a professional setting
"},{"location":"conduct/#enforcement-responsibilities","title":"Enforcement Responsibilities","text":"

Community leaders are responsible for clarifying and enforcing our standards of acceptable behavior and will take appropriate and fair corrective action in response to any behavior that they deem inappropriate, threatening, offensive, or harmful.

Community leaders have the right and responsibility to remove, edit, or reject comments, commits, code, wiki edits, issues, and other contributions that are not aligned to this Code of Conduct, and will communicate reasons for moderation decisions when appropriate.

"},{"location":"conduct/#scope","title":"Scope","text":"

This Code of Conduct applies within all community spaces, and also applies when an individual is officially representing the community in public spaces. Examples of representing our community include using an official e-mail address, posting via an official social media account, or acting as an appointed representative at an online or offline event.

"},{"location":"conduct/#enforcement","title":"Enforcement","text":"

Instances of abusive, harassing, or otherwise unacceptable behavior may be reported to the community leaders responsible for enforcement as set forth in the repository's Notice.md file. All complaints will be reviewed and investigated promptly and fairly.

All community leaders are obligated to respect the privacy and security of the reporter of any incident.

"},{"location":"conduct/#enforcement-guidelines","title":"Enforcement Guidelines","text":"

Community leaders will follow these Community Impact Guidelines in determining the consequences for any action they deem in violation of this Code of Conduct:

"},{"location":"conduct/#1-correction","title":"1. Correction","text":"

Community Impact: Use of inappropriate language or other behavior deemed unprofessional or unwelcome in the community.

Consequence: A private, written warning from community leaders, providing clarity around the nature of the violation and an explanation of why the behavior was inappropriate. A public apology may be requested.

"},{"location":"conduct/#2-warning","title":"2. Warning","text":"

Community Impact: A violation through a single incident or series of actions.

Consequence: A warning with consequences for continued behavior. No interaction with the people involved, including unsolicited interaction with those enforcing the Code of Conduct, for a specified period of time. This includes avoiding interactions in community spaces as well as external channels like social media. Violating these terms may lead to a temporary or permanent ban.

"},{"location":"conduct/#3-temporary-ban","title":"3. Temporary Ban","text":"

Community Impact: A serious violation of community standards, including sustained inappropriate behavior.

Consequence: A temporary ban from any sort of interaction or public communication with the community for a specified period of time. No public or private interaction with the people involved, including unsolicited interaction with those enforcing the Code of Conduct, is allowed during this period. Violating these terms may lead to a permanent ban.

"},{"location":"conduct/#4-permanent-ban","title":"4. Permanent Ban","text":"

Community Impact: Demonstrating a pattern of violation of community standards, including sustained inappropriate behavior, harassment of an individual, or aggression toward or disparagement of classes of individuals.

Consequence: A permanent ban from any sort of public interaction within the project community.

"},{"location":"conduct/#reporting-a-violation","title":"Reporting a violation","text":"

To report a violation of the Code of Conduct, e-mail conduct@pyscript.net

"},{"location":"conduct/#attribution","title":"Attribution","text":"

This Code of Conduct is adapted from the Contributor Covenant, version 2.0, available at https://www.contributor-covenant.org/version/2/0/code_of_conduct.html.

Community Impact Guidelines were inspired by Mozilla's code of conduct enforcement ladder.

For answers to common questions about this code of conduct, see the FAQ at https://www.contributor-covenant.org/faq. Translations are available at https://www.contributor-covenant.org/translations.

"},{"location":"contributing/","title":"Contributing","text":"

Thank you for wanting to contribute to the PyScript project!

"},{"location":"contributing/#code-of-conduct","title":"Code of conduct","text":"

The PyScript Code of Conduct governs the project and everyone participating in it. By participating, you are expected to uphold this code. Please report unacceptable behavior to the maintainers or administrators as described in that document.

"},{"location":"contributing/#ways-to-contribute","title":"Ways to contribute","text":""},{"location":"contributing/#report-bugs","title":"Report bugs","text":"

Bugs are tracked on the project issues page.

Check first

Please check your bug has not already been reported by someone else by searching the existing issues before filing a new one. Once your issue is filed, it will be triaged by another contributor or maintainer. If there are questions raised about your issue, please respond promptly.

  • Use a clear and descriptive title.
  • Describe the starting context and specific steps needed to reproduce the problem you have observed. Some of these steps may not be obvious, so please as much detail as possible.
  • Explain the behaviour you observed, the behaviour you expected, and why this difference is problematic.
  • Include screenshots if they help make the bug clearer.
  • Include commented example code if that will help recreate the bug.
"},{"location":"contributing/#report-security-issues","title":"Report security issues","text":"

If it is not appropriate to submit a security issue using the above process, please e-mail us at security@pyscript.net.

"},{"location":"contributing/#ask-questions","title":"Ask questions","text":"

If you have questions about the project, using PyScript, or anything else, please ask in the project's discord server.

"},{"location":"contributing/#create-resources","title":"Create resources","text":"

Folks make all sorts of wonderful things with PyScript.

If you have an interesting project, a cool hack, or an innovative way to implement a new capability or feature, please share your work and tell us about it so we can celebrate and amplify your contribution.

  • Show off your creation at our fortnightly PyScript FUN community call on discord.
  • Write up your creation in a blog post.
  • Share it on social media.
  • Create a demo video.
  • Propose a talk about it at a community event.
  • Demonstrate it as a lightning talk at a conference.

Please reach out to us if you'd like advice and feedback.

"},{"location":"contributing/#participate","title":"Participate","text":"

As an open source project, PyScript has community at its core. In addition to the ways to engage already outlined, you could join our live community calls.

  • PyScript Community Call
  • weekly on Tuesdays. A coordination call for anyone participating in the PyScript project.
  • Community Engagement Call
  • weekly on Wednesdays. A non-technical meeting where we coordinate how the PyScript project engages with, nourishes and grows our wonderful community.
  • PyScript FUN
  • held every two weeks on a Thursday, this call is an informal, supportive and often humorous \"show and tell\" of community created projects, hacks, feedback and plugins.

Announcement of connection details is made via the PyScript discord server.

"},{"location":"contributing/#technical-contributions","title":"Technical contributions","text":"

In addition to working with PyScript, if you would like to contribute to PyScript itself, the following advice should be followed.

"},{"location":"contributing/#places-to-start","title":"Places to start","text":"

If you're not sure where to begin, we have some suggestions:

  • Read over our documentation. Are there things missing, or could they be clearer? Make edits/changes/additions to those documents.
  • Review the open issues. Are they clear? Can you reproduce them? You can add comments, clarifications, or additions to those issues. If you think you have an idea of how to address the issue, submit a fix!
  • Look over the open pull requests. Do you have comments or suggestions for the proposed changes? Add them.
  • Check out the examples. Is there a use case that would be good to have sample code for? Create an example for it.
"},{"location":"contributing/#set-up-your-development-environment","title":"Set up your development environment","text":"

We assume you are familiar with core development practices such as using a code editor, writing Python and/or JavaScript and working with tools and services such as GIT and GitHub.

  • Create your own fork of the main PyScript github repository.
  • Clone your fork of PyScript onto your local machine.
git clone https://github.com/<your username>/pyscript\n
  • Add our original PyScript repository as your upstream.
git remote add upstream https://github.com/pyscript/pyscript.git\n
  • This allows you to pull the latest changes from the main project.
git pull upstream main\n
  • Contribute changes using the GitHub flow model of coding collaboration.
"},{"location":"contributing/#license-terms-for-contributions","title":"License terms for contributions","text":"

PyScrcipt welcomes contributions, suggestions, and feedback. All contributions, suggestions, and feedback you submitted are accepted under the Apache 2.0 license. You represent that if you do not own copyright in the code that you have the authority to submit it under the Apache 2.0 license. All feedback, suggestions, or contributions are not confidential.

"},{"location":"contributing/#becoming-a-maintainer","title":"Becoming a maintainer","text":"

Contributors are invited to be maintainers of the project by demonstrating good decision making in their contributions, a commitment to the goals of the project, and consistent adherence to the code of conduct. New maintainers are invited by a 3/4 vote of the existing maintainers.

"},{"location":"contributing/#trademarks","title":"Trademarks","text":"

The Project abides by the Organization's trademark policy.

"},{"location":"developers/","title":"Developer Guide","text":"

This page explains the technical and practical requirements and processes needed to contribute to PyScript.

Info

In the following instructions, we assume familiarity with git, GitHub, the command line and other common development concepts, tools and practices.

For those who come from a non-Pythonic technical background (for example, you're a JavaScript developer), we will explain Python-isms as we go along so you're contributing with confidence.

If you're unsure, or encounter problems, please ask for help on our discord server.

"},{"location":"developers/#welcome","title":"Welcome","text":"

We are a diverse, inclusive coding community and welcome contributions from anyone irrespective of their background. If you're thinking, \"but they don't mean me\", then we especially mean YOU. Our diversity means you will meet folks in our community who are different to yourself. Therefore, thoughtful contributions made in good faith, and engagement with respect, care and compassion wins every time.

  • If you're from a background which isn't well-represented in most geeky groups, get involved - we want to help you make a difference.
  • If you're from a background which is well-represented in most geeky groups, get involved - we want your help making a difference.
  • If you're worried about not being technical enough, get involved - your fresh perspective will be invaluable.
  • If you need help with anything, get involved - we welcome questions asked in good faith, and will move mountains to help.
  • If you're unsure where to start, get involved - we have many ways to contribute.

All contributors are expected to follow our code of conduct.

"},{"location":"developers/#setup","title":"Setup","text":"

You must have recent versions of Python, node.js and npm already installed on your system.

The following steps create a working development environment for PyScript. It is through this environment that you contribute to PyScript.

Danger

The following commands work on Unix like operating systems (like MacOS or Linux). If you are a Microsoft Windows user please use the Windows Subsystem for Linux with the following instructions.

"},{"location":"developers/#create-a-virtual-environment","title":"Create a virtual environment","text":"
  • A Python virtual environment is a computing \"sandbox\" that safely isolates your work. PyScript's development makes use of various Python based tools, so both Python and a virtual environment is needed. There are many tools to help manage these environments, but the standard way to create a virtual environment is to use this command in your terminal:

    python3 -m venv my_pyscript_dev_venv\n

    Warning

    Replace my_pyscript_dev_venv with a meaningful name for the virtual environment, that works for you.

  • A my_pyscript_dev_venv directory containing the virtual environment's \"stuff\" is created as a subdirectory of your current directory. Next, activate the virtual environment to ensure your development activities happen within the context of the sandbox:

    source my_pyscript_dev_venv/bin/activate\n
  • The prompt in your terminal will change to include the name of your virtual environment indicating the sandbox is active. To deactivate the virtual environment just type the following into your terminal:

    deactivate\n

Info

The rest of the instructions on this page assume you are working in an activated virtual environment for developing PyScript.

"},{"location":"developers/#prepare-your-repository","title":"Prepare your repository","text":"
  • Create a fork of the PyScript github repository to your own GitHub account.
  • Clone your newly forked version of the PyScript repository onto your local development machine. For example, use this command in your terminal:

    git clone https://github.com/<YOUR USERNAME>/pyscript\n

    Warning

    In the URL for the forked PyScript repository, remember to replace <YOUR USERNAME> with your actual GitHub username.

    Tip

    To help explain steps, we will use git commands to be typed into your terminal / command line.

    The equivalent of these commands could be achieved through other means (such as GitHub's desktop client). How these alternatives work is beyond the scope of this document.

  • Change into the root directory of your newly cloned pyscript repository:

    cd pyscript\n
  • Add the original PyScript repository as your upstream to allow you to keep your own fork up-to-date with the latest changes:

    git remote add upstream https://github.com/pyscript/pyscript.git\n
  • If the above fails, try this alternative:

    git remote remove upstream\ngit remote add upstream git@github.com:pyscript/pyscript.git\n
  • Pull in the latest changes from the main upstream PyScript repository:

    git pull upstream main\n
  • Pyscript uses a Makefile to automate the most common development tasks. In your terminal, type make to see what it can do. You should see something like this:

    There is no default Makefile target right now. Try:\n\nmake setup - check your environment and install the dependencies.\nmake clean - clean up auto-generated assets.\nmake build - build PyScript.\nmake precommit-check - run the precommit checks (run eslint).\nmake test-integration - run all integration tests sequentially.\nmake fmt - format the code.\nmake fmt-check - check the code formatting.\n
"},{"location":"developers/#install-dependencies","title":"Install dependencies","text":"
  • To install the required software dependencies for working on PyScript, in your terminal type:

    make setup\n
  • Updates from npm and then pip will scroll past telling you about their progress installing the required packages.

    Warning

    The setup process checks the versions of Python, node and npm. If you encounter a failure at this point, it's probably because one of these pre-requisits is out of date on your system. Please update!

"},{"location":"developers/#check-code","title":"Check code","text":"
  • To ensure consistency of code layout we use tools to both reformat and check the code.

  • To ensure your code is formatted correctly:

    make fmt\n
  • To check your code is formatted correctly:

    make fmt-check\n
  • Finally, as part of the automated workflow for contributing pull requests pre-commit checks the source code. If this fails revise your PR. To run pre-commit checks locally (before creating the PR):

    make precommit-check\n

    This may also revise your code formatting. Re-run make precommit-check to ensure this is the case.

"},{"location":"developers/#build-pyscript","title":"Build PyScript","text":"
  • To turn the JavaScript source code found in the pyscript.core directory into a bundled up module ready for the browser, type:

    make build\n

    The resulting assets will be in the pyscript.core/dist directory.

"},{"location":"developers/#run-the-tests","title":"Run the tests","text":"
  • The integration tests for PyScript are started with:

    make test-integration\n
"},{"location":"developers/#documentation","title":"Documentation","text":"
  • Documentation for PyScript (i.e. what you're reading right now), is found in a separate repository: https://github.com/pyscript/docs

  • The documentation's README file contains instructions for setting up a development environment and contributing.

"},{"location":"developers/#contributing","title":"Contributing","text":"
  • We have suggestions for how to contribute to PyScript. Take a read and dive in.

  • Please make sure you discuss potential contributions before you put in work. We don#t want folks to waste their time or re-invent the wheel.

  • Technical discussions happen on our discord server and in the discussions section of our GitHub repository.

  • Every Tuesday is a technical community video call, the details of which are posted onto the discord server. Face to face technical discussions happen here.

  • Every Wednesday is a non-technical community engagement call, in which we organise how to engage with, grow and nourish our community.

  • Every two weeks, on a Thursday, is a PyScript FUN call, the details of which are also posted to discord. Project show-and-tells, cool hacks, new features and a generally humorous and creative time is had by all.

"},{"location":"examples/","title":"Example applications","text":"

A curated list of example applications that demonstrate various features of PyScript can be found on PyScript.com.

The examples are (links take you to the code):

  • Hello world
  • A simple clock
  • Simple slider panel
  • Streaming data panel
  • WebGL Icosahedron
  • KMeans in a panel
  • New York Taxi panel (WebGL)
  • Pandas dataframe fun
  • Matplotlib example
  • Numpy fractals
  • Folium geographical data
  • Bokeh data plotting
  • Import antigravity
  • Altair data plotting
"},{"location":"faq/","title":"FAQ","text":"

This page contains the most common questions and \"gotchas\" asked on our Discord server, in our community calls, or within our community.

There are two major areas we'd like to explore: common errors and helpful hints.

"},{"location":"faq/#common-errors","title":"Common errors","text":""},{"location":"faq/#reading-errors","title":"Reading errors","text":"

If your application doesn't run, and you don't see any error messages on the page, you should check your browser's console.

When reading an error message, the easy way to find out what's going on, most of the time, is to read the last line of the error.

A Pyodide error.
Traceback (most recent call last):\n  File \"/lib/python311.zip/_pyodide/_base.py\", line 501, in eval_code\n    .run(globals, locals)\n     ^^^^^^^^^^^^^^^^^^^^\n  File \"/lib/python311.zip/_pyodide/_base.py\", line 339, in run\n    coroutine = eval(self.code, globals, locals)\n                ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\n  File \"<exec>\", line 1, in <module>\nNameError: name 'failure' is not defined\n\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\n
A MicroPython error.
Traceback (most recent call last):\n  File \"<stdin>\", line 1, in <module>\nNameError: name 'failure' isn't defined\n\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\u2501\n

In both examples, the code created a NameError because the object with the name failure did not exist. Everything above the error message is potentially useful technical detail.

With this context in mind, these are the most common errors users of PyScript encounter.

"},{"location":"faq/#sharedarraybuffer","title":"SharedArrayBuffer","text":"

This is the first and most common error users may encounter with PyScript:

Failure

Your application doesn't run and in your browser's console you see this message:

Unable to use `window` or `document` -> https://docs.pyscript.net/latest/faq/#sharedarraybuffer\n
"},{"location":"faq/#when","title":"When","text":"

This happens when you're unable to access objects in the main thread (window and document) from code running in a web worker.

This error happens because the server delivering your PyScript application is incorrectly configured or a service-worker attribute has not been used in your script element.

Specifically, one of the following three problem situations applies to your code:

  • Because of the way your web server is configured, the browser limits the use of a technology called \"Atomics\" (you don't need to know how it works, just that it may be limited by the browser). If there is a worker attribute in your script element, and your Python code uses the window or document objects (that actually exist on the main thread), then the browser limitation on Atomics will cause the failure, unless you reconfigure your server.
  • There is a <script type=\"py-editor\"> (that must always use a worker behind the scenes) and no fallback has been provided via a service-worker attribute on that element.
  • There is an explicit PyWorker or MPWorker instance bootstrapping somewhere in your code and no service_worker fallback has been provided.

All these cases have been documented with code examples and possible solutions in our section on web workers.

"},{"location":"faq/#why","title":"Why","text":"

The only way for document.getElementById('some-id').value to work in a worker is to use these two JavaScript primitives:

  • SharedArrayBuffer, to allow multiple threads to read and / or write into a chunk of shared memory.
  • Atomics, to both wait(sab, index) (sab is a SharedArrayBuffer) and notify(sab, index) to unlock the awaiting thread.

While a worker waits for an operation on main to happen, it is not using the CPU. It idles until the referenced index of the shared buffer changes, effectively never blocking the main thread while still pausing its own execution until the buffer's index is changed.

As overwhelming or complicated as this might sound, these two fundamental primitives make main \u2194 worker interoperability an absolute wonder in term of developer experience. Therefore, we encourage folks to prefer using workers over running Python in the main thread. This is especially so when using Pyodide related projects, because of its heavier bootstrap or computation requirements. Using workers ensures the main thread (and thus, the user interface) remains unblocked.

Unfortunately, we can patch, polyfill, or workaround, these primitives but we cannot change their intrinsic nature and limitations defined by web standards. However, there are various solutions for working around such limitations. Please read our web workers section to learn more.

"},{"location":"faq/#borrowed-proxy","title":"Borrowed proxy","text":"

This is another common error that happens with listeners, timers or in any other situation where a Python callback is lazily invoked from JavaScript:

Failure

Your application doesn't run and in your browser's console you see this message:

Uncaught Error: This borrowed proxy was automatically destroyed at the end of a function call.\nTry using create_proxy or create_once_callable.\nFor more information about the cause of this error, use `pyodide.setDebug(true)`\n
"},{"location":"faq/#when_1","title":"When","text":"

This error happens when using Pyodide as the interpreter on the main thread, and when a bare Python callable/function has been passed into JavaScript as a callback handler:

An expired borrowed proxy example, with Pyodide on the main thread.
import js\n# will throw the error\njs.setTimeout(lambda msg: print(msg), 1000, \"FAIL\")\n

The garbage collector immediately cleans up the Python function once it is passed into the JavaScript context. Clearly, for the Python function to work as a callback at some time in the future, it should NOT be garbage collected and hence the error message.

Info

This error does not happen if the code is executed in a worker and the JavaScript reference comes from the main thread:

Code running on Pyodide in a worker has no borrowed proxy issue.
from pyscript import window\nwindow.setTimeout(lambda x: print(x), 1000, \"OK\")\n

Proxy objects (i.e. how Python objects appear to JavaScript, and vice versa) cannot be communicated between a worker and the main thread.

Behind the scenes, PyScript ensures references are maintained between workers and the main thread. It means Python functions in a worker are actually represented by JavaScript proxy objects in the main thread.

As a result, such worker based Python functions are therefore not bare Python functions, but already wrapped in a managed JavaScript proxy, thus avoiding the borrowed proxy problem.

If you encounter this problem you have two possible solutions:

  1. Manually wrap such functions with a call to pyscript.ffi.create_proxy.
  2. Set the experimental_create_proxy = \"auto\" flag in your application's settings. This flag intercepts Python objects passed into a JavaScript callback and ensures an automatic and sensible memory management operation via the JavaScript garbage collector.

Note

The FinalizationRegistry is the browser feature used to make this so.

By default, it is not observable and it is not possible to predict when it will free, and hence destroy, retained Python proxy objects. As a result, memory consumption might be slightly higher than when manually using create_proxy. However, the JavaScript engine is responsible for memory consumption, and will cause the finalization registry to free all retained proxies, should memory consumption become too high.

"},{"location":"faq/#why_1","title":"Why","text":"

PyScript's interpreters (Pyodide and MicroPython) both have their own garbage collector for automatic memory management. When references to Python objects are passed to JavaScript via the FFI, the Python interpreters cannot guarantee such references will ever be freed by JavaScript's own garbage collector. They may even lose control over the reference since there's no infallible way to know when such objects won't be needed by JavaScript.

One solution is to expect users to explicitly create and destroy such proxy objects themselves. But this manual memory management makes automatic memory management pointless while raising the possibility of dead references (where the user explicitly destroys a Python object that's still alive in the JavaScript context). Put simply, this is a difficult situation.

Pyodide provides ffi.wrappers to help with many of the common cases, and PyScript, through the experimental_create_proxy = \"auto\" configuration option, automates memory management via the FinalizationRegistry described above.

"},{"location":"faq/#python-packages","title":"Python packages","text":"

Sometimes Python packages, specified via the packages configuration setting don't work with PyScript's Python interpreter.

Failure

You are using Pyodide.

Your application doesn't run and in your browser's console you see this message:

ValueError: Can't find a pure Python 3 wheel for: 'package_name'\n

Failure

You are using MicroPython.

Your application doesn't run and in your browser's console you see this message:

Cross-Origin Request Blocked: The Same Origin Policy disallows reading the\nremote resource at https://micropython.org/pi/v2/package/py/package_name/latest.json.\n(Reason: CORS header \u2018Access-Control-Allow-Origin\u2019 missing).\nStatus code: 404.\n
"},{"location":"faq/#when_2","title":"When","text":"

This is a complicated problem, but the summary is:

  • Check you have used the correct name for the package you want to use. This is a remarkably common mistake to make: let's just check. :-)
  • In Pyodide, the error indicates that the package you are trying to install has some part of it written in C, C++ or Rust. These languages are compiled, and the package has not yet been compiled for web assembly. Our friends in the Pyodide project and the Python packaging authority are working together to ensure web assembly is a default target for compilation. Until such time, we suggest you follow Pyodide's own guidance to overcome this situation.
  • In MicroPython, the package you want to use has not been ported into the micropython-lib package repository. If you want to use a pure Python package with MicroPython, use the files configuration option to manually copy the package onto the file system, or use a URL to reference the package.

For hints and tips about packaging related aspects of PyScript read the packaging pointers section of this FAQ.

"},{"location":"faq/#why_2","title":"Why","text":"

Put simply, Pyodide and MicroPython are different Python interpreters, and both are running in a web assembly environment. Packages built for Pyodide may not work for MicroPython, and vice versa. Furthermore, if a package contains compiled code, it may not yet have been natively compiled for web assembly.

If the package you want to use is written in a version of Python that both Pyodide and MicroPython support (there are subtle differences between the interpreters), then you should be able to use the package so long as you are able to get it into the Python path via configuration (see above).

Currently, MicroPython cannot expose modules that require native compilation, but PyScript is working with the MicroPython team to provide different builds of MicroPython that include commonly requested packages (e.g. MicroPython's version of numpy or sqlite).

Warning

Depending on the complexity of the project, it may be hard to seamlessly make a 1:1 port from a Pyodide code base to MicroPython.

MicroPython has comprehensive documentation to explain the differences between itself and \"regular\" CPython (i.e. the version of Python Pyodide provides).

"},{"location":"faq/#javascript-modules","title":"JavaScript modules","text":"

When using JavaScript modules with PyScript you may encounter the following errors:

Failure

Uncaught SyntaxError: The requested module './library.js' does not provide an export named 'default'

Failure

Uncaught SyntaxError: The requested module './library.js' does not provide an export named 'util'

"},{"location":"faq/#when_3","title":"When","text":"

These errors happen because the JavaScript module you are trying to use is not written as a standards-compliant JavaScript module.

Happily, to solve this issue various content delivery networks (CDNs) provide a way to automatically deliver standard ESM (aka: ECMAScript Modules). The one we recommend is esm.run.

An example of esm.run
<mpy-config>\n[js_modules.main]\n\"https://esm.run/d3\" = \"d3\"\n</mpy-config>\n<script type=\"mpy\">\nfrom pyscript.js_modules import d3\n</script>\n

Alternatively, ensure any JavaScript code you reference uses export ... or ask for an .mjs version of the code. All the various options and technical considerations surrounding the use of JavaScript modules in PyScript are covered in our user guide.

"},{"location":"faq/#why_3","title":"Why","text":"

Even though the standard for JavaScript modules has existed since 2015, many old and new libraries still produce files that are incompatible with such modern and idiomatic standards.

This isn't so much a technical problem, as a human problem as folks learn to use the new standard and migrate old code away from previous and now obsolete standards.

While such legacy code exists, be aware that JavaScript code may require special care.

"},{"location":"faq/#possible-deadlock","title":"Possible deadlock","text":"

Users may encounter an error message similar to the following:

Failure

\ud83d\udc80\ud83d\udd12 - Possible deadlock if proxy.xyz(...args) is awaited\n
"},{"location":"faq/#when_4","title":"When","text":"

This error happens when your code on a worker and in the main thread are in a deadlock. Put simply, neither fragment of code can proceed without waiting for the other.

"},{"location":"faq/#why_4","title":"Why","text":"

Let's assume a worker script contains the following Python code:

worker: a deadlock example
from pyscript import sync\nsync.worker_task = lambda: print('\ud83d\udd25 this is fine \ud83d\udd25')\n# deadlock \ud83d\udc80\ud83d\udd12\nsync.main_task()\n

On the main thread, let's instead assume this code:

main: a deadlock example
<script type=\"mpy\">\nfrom pyscript import PyWorker\ndef async main_task():\n# deadlock \ud83d\udc80\ud83d\udd12\nawait pw.sync.worker_task()\npw = PyWorker(\"./worker.py\", {\"type\": \"pyodide\"})\npw.sync.main_task = main_task\n</script>\n

When the worker bootstraps and calls sync.main_task() on the main thread, it blocks until the result of this call is returned. Hence it cannot respond to anything at all. However, in the code on the main thread, the sync.worker_task() in the worker is called, but the worker is blocked! Now the code on both the main thread and worker are mutually blocked and waiting on each other. We are in a classic deadlock situation.

The moral of the story? Don't create such circular deadlocks!

How?

The mutually blocking calls cause the deadlock, so simply don't block.

For example, on the main thread, let's instead assume this code:

main: avoiding deadlocks
<script type=\"mpy\">\nfrom pyscript import window, PyWorker\nasync def main_task():\n# do not await the worker,\n# just schedule it for later (as resolved)\nwindow.Promise.resolve(pw.sync.worker_task())\npw = PyWorker(\"./worker.py\", {\"type\": \"pyodide\"})\npw.sync.main_task = main_task\n</script>\n

By scheduling the call to the worker (rather than awaiting it), it's possible for the main thread to call functions defined in the worker in a non-blocking manner, thus allowing the worker to also work in an unblocked manner and react to such calls. We have resolved the mutual deadlock.

"},{"location":"faq/#helpful-hints","title":"Helpful hints","text":"

This section contains common hacks or hints to make using PyScript easier.

Note

We have an absolutely lovely PyScript contributor called Jeff Glass who maintains an exceptional blog full of PyScript recipes with even more use cases, hints, tips and solutions. Jeff also has a wonderful YouTube channel full of very engaging PyScript related content.

If you cannot find what you are looking for here, please check Jeff's blog as it's likely he's probably covered something close to the situation in which you find yourself.

Of course, if ever you meet Jeff in person, please buy him a beer and remember to say a big \"thank you\". \ud83c\udf7b

"},{"location":"faq/#pyscript-latest","title":"PyScript latest","text":"

PyScript follows the CalVer convention for version numbering.

Put simply, it means each version is numbered according to when, in the calendar, it was released. For instance, version 2024.4.2 was the second release in the month of April in the year 2024 (not the release on the 2nd of April but the second release in April).

It used to be possible to reference PyScript via a version called latest, which would guarantee you always got the latest release.

However, at the end of 2023, we decided to stop supporting latest as a way to reference PyScript. We did this for two broad reasons:

  1. In the autumn of 2023, we release a completely updated version of PyScript with some breaking changes. Folks who wrote for the old version, yet still referenced latest, found their applications broke. We want to avoid this at all costs.
  2. Our release cadence is more regular, with around two or three releases a month. Having transitioned to the new version of PyScript, we aim to avoid breaking changes. However, we are refining and adding features as we adapt to our users' invaluable feedback.

Therefore, pinning your app's version of PyScript to a specific release (rather than latest) ensures you get exactly the version of PyScript you used when writing your code.

However, as we continue to develop PyScript it is possible to get our latest development version of PyScript via npm and we could (should there be enough interest) deliver our work-in-progress via a CDN's \"canary\" or \"development\" channel. We do not guarantee the stability of such versions of PyScript, so never use them in production, and our documentation may not reflect the development version.

If you require the development version of PyScript, these are the URLs to use:

PyScript development. \u26a0\ufe0f\u26a0\ufe0f\u26a0\ufe0f WARNING: HANDLE WITH CARE! \u26a0\ufe0f\u26a0\ufe0f\u26a0\ufe0f
<link rel=\"stylesheet\" href=\"https://cdn.jsdelivr.net/npm/@pyscript/core/dist/core.css\">\n<script type=\"module\" src=\"https://cdn.jsdelivr.net/npm/@pyscript/core/dist/core.js\"></script>\n

Warning

Do not use shorter urls or other CDNs.

PyScript needs both the correct headers to use workers and to find its own assets at runtime. Other CDN links might result into a broken experience.

"},{"location":"faq/#workers-via-javascript","title":"Workers via JavaScript","text":"

Sometimes you want to start a Pyodide or MicroPython web worker from JavaScript.

Here's how:

Starting a PyScript worker from JavaScript.
<script type=\"module\">\n// use sourceMap for @pyscript/core or change to a CDN\nimport {\nPyWorker, // Pyodide Worker\nMPWorker  // MicroPython Worker\n} from '@pyscript/core';\nconst worker = await MPWorker(\n// Python code to execute\n'./micro.py',\n// optional details or config with flags\n{ config: { sync_main_only: true } }\n//          ^ just as example ^\n);\n// \"heavy computation\"\nawait worker.sync.doStuff();\n// kill the worker when/if needed\nworker.terminate();\n</script>\n
micro.py
from pyscript import sync\ndef do_stuff():\nprint(\"heavy computation\")\n# Note: this reference is awaited in the JavaScript code.\nsync.doStuff = do_stuff\n
"},{"location":"faq/#javascript-classnew","title":"JavaScript Class.new()","text":"

When using Python to instantiate a class defined in JavaScript, one needs to use the class's new() method, rather than just using Class() (as in Python).

Why?

The reason is technical, related to JavaScript's history and its relatively poor introspection capabilities:

  • In JavaScript, typeof function () {} and typeof class {} produce the same outcome: function. This makes it very hard to disambiguate the intent of the caller as both are valid, JavaScript used to use function (rather than class) to instantiate objects, and the class you're using may not use the modern, class based, idiom.
  • In the FFI, the JavaScript proxy has traps to intercept the use of the apply and construct methods used during instantiation. However, because of the previous point, it's not possible to be sure that apply is meant to construct an instance or call a function.
  • Unlike Python, just invoking a Class() in JavaScript (without the new operator) throws an error.
  • Using new Class() is invalid syntax in Python. So there is still a need to somehow disambiguate the intent to call a function or instantiate a class.
  • Making use of the capitalized-name-for-classes convention is brittle because when JavaScript code is minified the class name can sometimes change.
  • This leaves our convention of Class.new() to explicitly signal the intent to instantiate a JavaScript class. While not ideal it is clear and unambiguous.
"},{"location":"faq/#pyscript-events","title":"PyScript events","text":"

PyScript uses hooks during the lifecycle of the application to facilitate the creation of plugins.

Beside hooks, PyScript also dispatches events at specific moments in the lifecycle of the app, so users can react to changes in state:

"},{"location":"faq/#mpyready","title":"m/py:ready","text":"

Both the mpy:ready and py:ready events are dispatched for every PyScript related element found on the page. This includes <script type=\"py\">, <py-script> or any MicroPython/mpy counterpart.

The m/py:ready events dispatch immediately before the code is executed, but after the interpreter is bootstrapped.

A py:ready example.
<script>\naddEventListener(\"py:ready\", () => {\n// show running for an instance\nconst status = document.getElementById(\"status\");\nstatus.textContent = 'running';\n});\n</script>\n<!-- show bootstrapping right away -->\n<div id=\"status\">bootstrapping</div>\n<script type=\"py\" worker>\nfrom pyscript import document\n# show done after running\nstatus = document.getElementById(\"status\")\nstatus.textContent = \"done\"\n</script>\n

A classic use case for this event is to recreate the \"starting up\" spinner that used to be displayed when PyScript bootstrapped. Just show the spinner first, then close it once py:ready is triggered!

Warning

If using Pyodide on the main thread, the UI will block until Pyodide has finished bootstrapping. The \"starting up\" spinner won't work unless Pyodide is started on a worker instead.

"},{"location":"faq/#mpydone","title":"m/py:done","text":"

The mpy:done and py:done events dispatch after the either the synchronous or asynchronous code has finished execution.

A py:done example.
<script>\naddEventListener(\"py:ready\", () => {\n// show running for an instance\nconst status = document.getElementById(\"status\");\nstatus.textContent = 'running';\n});\naddEventListener(\"py:done\", () => {\n// show done after logging \"Hello \ud83d\udc4b\"\nconst status = document.getElementById(\"status\");\nstatus.textContent = 'done';\n});\n</script>\n<!-- show bootstrapping right away -->\n<div id=\"status\">bootstrapping</div>\n<script type=\"py\" worker>\nprint(\"Hello \ud83d\udc4b\")\n</script>\n

Warning

If async code contains an infinite loop or some orchestration that keeps it running forever, then these events may never trigger because the code never really finishes.

"},{"location":"faq/#pyall-done","title":"py:all-done","text":"

The py:all-done event dispatches when all code is finished executing.

This event is special because it depends upon all the MicroPython and Pyodide scripts found on the page, no matter the interpreter.

In this example, MicroPython waves before Pyodide before the \"everything is done\" message is written to the browser's console.

A py:all-done example.
<script>\naddEventListener(\"py:all-done\", () => {\nconsole.log(\"everything is done\");\n});\n</script>\n<script type=\"mpy\" worker>\nprint(\"MicroPython \ud83d\udc4b\")\n</script>\n<script type=\"py\" worker>\nprint(\"Pyodide \ud83d\udc4b\")\n</script>\n
"},{"location":"faq/#mpyprogress","title":"m/py:progress","text":"

The py:progress or mpy:progress event triggers on the main thread during interpreter bootstrap (no matter if your code is running on main or in a worker).

The received event.detail is a string that indicates operations between Loading {what} and Loaded {what}. So, the first event would be, for example, Loading Pyodide and the last one per each bootstrap would be Loaded Pyodide.

In between all operations are event.details, such as:

  • Loading files and Loaded files, when [files] is found in the optional config
  • Loading fetch and Loaded fetch, when [fetch] is found in the optional config
  • Loading JS modules and Loaded JS modules, when [js_modules.main] or [js_modules.worker] is found in the optional config
  • finally, all optional packages handled via micropip or mip will also trigger various Loading ... and Loaded ... events so that users can see what is going on while PyScript is bootstrapping

An example of this listener applied to a dialog can be found in here.

"},{"location":"faq/#packaging-pointers","title":"Packaging pointers","text":"

Applications need third party packages and PyScript can be configured to automatically install packages for you. Yet packaging can be a complicated beast, so here are some hints for a painless packaging experience with PyScript.

There are essentially five ways in which a third party package can become available in PyScript.

  1. The module is already part of either the Pyodide or MicroPython distribution. For instance, Pyodide includes numpy, pandas, scipy, matplotlib and scikit-learn as pre-built packages you need only activate via the packages setting in PyScript. There are plans for MicroPython to offer different builds for PyScript, some to include MicroPython's version of numpy or the API for sqlite.
  2. Host a standard Python package somewhere (such as PyScript.com or in a GitHub repository) so it can be fetched as a package via a URL at runtime.
  3. Reference hosted Python source files, to be included on the file system, via the files setting.
  4. Create a folder containing the package's files and sub folders, and create a hosted .zip or .tgz/.tar.gz/.whl archive to be decompressed into the file system (again, via the files setting).
  5. Provide your own .whl package and reference it via a URL in the packages = [...] list.
"},{"location":"faq/#host-a-package","title":"Host a package","text":"

Just put the package you need somewhere it can be served (like PyScript.com) and reference the URL in the packages setting. So long as the server at which you are hosting the package allows CORS (fetching files from other domains) everything should just work.

It is even possible to install such packages at runtime, as this example using MicroPython's mip tool demonstrates (the equivalent can be achieved with Pyodide via micropip).

MicroPython mip example.
# Install default version from micropython-lib\nmip.install(\"keyword\")\n# Install from raw URL\nmip.install(\"https://raw.githubusercontent.com/micropython/micropython-lib/master/python-stdlib/bisect/bisect.py\")\n# Install from GitHub shortcut\nmip.install(\"github:jeffersglass/some-project/foo.py\")\n
"},{"location":"faq/#provide-your-own-file","title":"Provide your own file","text":"

One can use the files setting to copy packages onto the Python path:

A file copied into the Python path.
<mpy-config>\n[files]\n\"./modules/bisect.py\" = \"./bisect.py\"\n</mpy-config>\n<script type=\"mpy\">\nimport bisect\n</script>\n
"},{"location":"faq/#code-archive-ziptgzwhl","title":"Code archive (zip/tgz/whl)","text":"

Compress all the code you want into an archive (using either either zip or tgz/tar.gz). Host the resulting archive and use the files setting to decompress it onto the Python interpreter's file system.

Consider the following file structure:

my_module/__init__.py\nmy_module/util.py\nmy_module/sub/sub_util.py\n

Host it somewhere, and decompress it into the home directory of the Python interpreter:

A code archive.
<mpy-config>\n[files]\n\"./my_module.zip\" = \"./*\"\n</mpy-config>\n<script type=\"mpy\">\nfrom my_module import util\nfrom my_module.sub import sub_util\n</script>\n

Please note, the target folder must end with a star (*), and will contain everything in the archive. For example, \"./*\" refers to the home folder for the interpreter.

"},{"location":"faq/#file-system","title":"File System","text":"

Python expects a file system. In PyScript each interpreter provides its own in-memory virtual file system. This is not the same as the filesystem on the user's device, but is simply a block of memory in the browser.

Warning

The file system is not persistent nor shareable (yet).

Every time a user loads or stores files, it is done in ephemeral memory associated with the current browser session. Beyond the life of the session, nothing is shared, nothing is stored, nothing persists!

"},{"location":"faq/#readwrite","title":"Read/Write","text":"

The easiest way to add content to the virtual file system is by using native Python file operations:

Writing to a text file.
with open(\"./test.txt\", \"w\") as dest:\ndest.write(\"hello vFS\")\ndest.close()\n# Read and print the written content.\nwith open(\"./test.txt\", \"r\") as f:\ncontent = f.read()\nprint(content)\n

Combined with our pyscript.fetch utility, it's also possible to store more complex data from the web.

Writing a binary file.
# Assume async execution.\nfrom pyscript import fetch, window\nhref = window.location.href\nwith open(\"./page.html\", \"wb\") as dest:\ndest.write(await fetch(href).bytearray())\n# Read and print the current HTML page.\nwith open(\"./page.html\", \"r\") as source:\nprint(source.read())\n
"},{"location":"faq/#upload","title":"Upload","text":"

It's possible to upload a file onto the virtual file system from the browser (<input type=\"file\">), and using the DOM API.

The following fragment is just one way to achieve this. It's very simple and builds on the file system examples already seen.

Upload files onto the virtual file system via the browser.
<!-- Creates a file upload element on the web page. -->\n<input type=\"file\">\n<!-- Python code to handle file uploads via the HTML input element. -->\n<script type=\"mpy\">\nfrom pyscript import document, fetch, window\nasync def on_change(event):\n# For each file the user has selected to upload...\nfor file in input.files:\n# create a temporary URL,\ntmp = window.URL.createObjectURL(file)\n# fetch and save its content somewhere,\nwith open(f\"./{file.name}\", \"wb\") as dest:\ndest.write(await fetch(tmp).bytearray())\n# then revoke the tmp URL.\nwindow.URL.revokeObjectURL(tmp)\n# Grab a reference to the file upload input element and add\n# the on_change handler (defined above) to process the files.\ninput = document.querySelector(\"input[type=file]\")\ninput.onchange = on_change\n</script>\n
"},{"location":"faq/#download","title":"Download","text":"

It is also possible to create a temporary link through which you can download files present on the interpreter's virtual file system.

Download file from the virtual file system.
from pyscript import document, ffi, window\nimport os\ndef download_file(path, mime_type):\nname = os.path.basename(path)\nwith open(path, \"rb\") as source:\ndata = source.read()\n# Populate the buffer.\nbuffer = window.Uint8Array.new(len(data))\nfor pos, b in enumerate(data):\nbuffer[pos] = b\ndetails = ffi.to_js({\"type\": mime_type})\n# This is JS specific\nfile = window.File.new([buffer], name, details)\ntmp = window.URL.createObjectURL(file)\ndest = document.createElement(\"a\")\ndest.setAttribute(\"download\", name)\ndest.setAttribute(\"href\", tmp)\ndest.click()\n# here a timeout to window.URL.revokeObjectURL(tmp)\n# should keep the memory clear for the session\n
"},{"location":"faq/#create_proxy","title":"create_proxy","text":"

The create_proxy function is described in great detail on the FFI page, but it's also useful to explain when create_proxy is needed and the subtle differences between Pyodide and MicroPython.

"},{"location":"faq/#background","title":"Background","text":"

To call a Python function from JavaScript, the native Python function needs to be wrapped in a JavaScript object that JavaScript can use. This JavaScript object converts and normalises arguments passed into the function before handing off to the native Python function. It also reverses this process with any results from the Python function, and so converts and normalises values before returning the result to JavaScript.

The JavaScript primitive used for this purpose is the Proxy. It enables \"traps\", such as apply, so the extra work required to call the Python function can happen.

Once the apply(target, self, args) trap is invoked:

  • JavaScript must find the correct Python interpreter to evaluate the code.
  • In JavaScript, the self argument for apply is probably ignored for most common cases.
  • All the args must be resolved and converted into their Python primitive representations or associated Python objects.

Ultimately, the targets referenced in the apply must exist in the Python context so they are ready when the JavaScript apply method calls into the Python context.

Here's the important caveat: locally scoped Python functions, or functions created at run time cannot be retained forever.

A basic Python to JavaScript callback.
import js\njs.addEventListener(\n\"custom:event\",\nlambda e: print(e.type)\n)\n

In this example, the anonymous lambda function has no reference in the Python context. It's just delegated to the JavaScript runtime via addEventListener, and then Python immediately garbage collects it. However, as previously mentioned, such a Python object must exist for when the custom:event is dispatched.

Furthermore, there is no way to define how long the lambda should be kept alive in the Python environment, nor any way to discover if the custom:event callback will ever dispatch (so the lambda is forever pending). PyScript, the browser and the Python interpreters can only work within a finite amount of memory, so memory management and the \"aliveness\" of objects is important.

Therefore, create_proxy is provided to delegate responsibility for the lifecycle of an object to the author of the code. In other words, wrapping the lambda in a call to create_proxy would ensure the Python interpreter retains a reference to the anonymous function for future use.

Info

This probably feels strange! An implementation detail of how the Python and JavaScript worlds interact with each other is bleeding into your code via create_proxy. Surely, if we always just need to create a proxy, a more elegant solution would be to do this automatically?

As you'll see, this is a complicated situation with inevitable tradeoffs, but ultimately, through the experimental_create_proxy = \"auto\" flag, you probably never need to use create_proxy. This section of our docs gives you the context you need to make an informed decision.

However, this isn't the end of the story.

When a Python callback is attached to a specific JavaScript instance (rather than passed as argument into an event listener), it is easy for the Python interpreter to know when the function could be freed from the memory.

A sticky lambda.
from pyscript import document\n# logs \"click\" if nothing else stopped propagation\ndocument.onclick = lambda e: print(e.type)\n

\"Wait, wat? This doesn't make sense at all!?!?\", is a valid question/response to this situation.

In this case there's no need to use create_proxy because the JavaScript reference to which the function is attached isn't going away and the interpreter can use the FinalizationRegistry to destroy the lambda (or decrease its reference count) when the underlying JavaScript reference to which it is attached is itself destroyed.

"},{"location":"faq/#in-pyodide","title":"In Pyodide","text":"

The create_proxy utility was created (among others) to smooth out and circumvent the afore mentioned memory issues when using Python callables with JavaScript event handlers.

Using it requires special care. The coder must invoke the destroy() method when the Python callback is no longer needed. It means coders must track the callback's lifecycle. But this is not always possible:

  • If the callback is passed into opaque third party libraries, the reference is \"lost in a limbo\" where who-knows-when the reference should be freed.
  • If the callback is passed to listeners, timers or promises it's hard to predict when the callback is no longer needed.

Luckily the Promise use case is automatically handled by Pyodide, but we're still left with the other cases:

Different Pyodide create_proxy contexts.
from pyscript import ffi, window\n# The create_proxy is needed when a Python\n# function isn't attached to an object reference\n# (but is, rather, an argument passed into\n# the JavaScript context).\n# This is needed so a proxy is created for\n# future use, even if `print` won't ever need\n# to be freed from the Python runtime.\nwindow.setTimeout(\nffi.create_proxy(print),\n100,\n\"print\"\n)\n# This is needed because the lambda is\n# immediately garbage collected.\nwindow.setTimeout(\nffi.create_proxy(\nlambda x: print(x)\n),\n100,\n\"lambda\"\n)\ndef print_type(event):\nprint(event.type)\n# This is needed even if `print_type`\n# is not a scoped / local function.\nwindow.addEventListener(\n\"some:event\",\nffi.create_proxy(print_type),\n# despite this intent, the proxy\n# will be trapped forever if not destroyed\nffi.to_js({\"once\": True})\n)\n# This does NOT need create_function as it is\n# attached to an object reference, hence observed to free.\nwindow.Object().no_create_function = lambda: print(\"ok\")\n

To simplify this complicated situation PyScript has an experimental_create_proxy = \"auto\" flag. When set, PyScript intercepts JavaScript callback invocations, such as those in the example code above, and automatically proxies and destroys any references that are garbage collected in the JavaScript environment.

When this flag is set to auto in your configuration, you should never need to use create_proxy with Pyodide.

Note

When it comes code running on a web worker, due to the way browser work, no Proxy can survive a round trip to the main thread and back.

In this scenario PyScript works differently and references callbacks via a unique id, rather than by their identity on the worker. When running on a web worker, PyScript automatically frees proxy object references, so you never need to use create_proxy when running code on a web worker.

"},{"location":"faq/#in-micropython","title":"In MicroPython","text":"

The proxy situation is definitely simpler in MicroPython. It just creates proxies automatically (so there is no need for a manual create_proxy step).

This is because MicroPython doesn't (yet) have a destroy() method for proxies, rendering the use case of create_proxy redundant.

Accordingly, the use of create_proxy in MicroPython is only needed for code portability purposes between Pyodide and MicroPython. When using create_proxy in MicroPython, it's just a pass-through function and doesn't actually do anything.

All the examples that require create_proxy in Pyodide, don't need it in MicroPython:

Different MicroPython create_proxy contexts.
from pyscript import window\n# This just works.\nwindow.setTimeout(print, 100, \"print\")\n# This also just works.\nwindow.setTimeout(lambda x: print(x), 100, \"lambda\")\ndef print_type(event):\nprint(event.type)\n# This just works too.\nwindow.addEventListener(\n\"some:event\",\nprint_type,\nffi.to_js({\"once\": True})\n)\n# And so does this.\nwindow.Object().no_create_function = lambda: print(\"ok\")\n
"},{"location":"faq/#to_js","title":"to_js","text":"

Use of the pyodide.ffi.to_js function is described in the ffi page. But it's also useful to cover the when and why to_js is needed, if at all.

"},{"location":"faq/#background_1","title":"Background","text":"

Despite their apparent similarity, Python dictionaries and JavaScript object literals are very different primitives:

A Python dictionary.
ref = {\"some\": \"thing\"}\n# Keys don't need quoting, but only when initialising a dict...\nref = dict(some=\"thing\")\n
A JavaScript object literal.
const ref = {\"some\": \"thing\"};\n// Keys don't need quoting, so this is as equally valid...\nconst ref = {some: \"thing\"};\n

In both worlds, accessing ref[\"some\"] would produce the same result: the string \"thing\".

However, in JavaScript ref.some (i.e. a dotted reference to the key) would also work to return the string \"thing\" (this is not the case in Python), while in Python ref.get(\"some\") achieves the same result (and this is not the case in JavaScript).

Perhaps because of this, Pyodide chose to convert Python dictionaries to JavaScript Map objects that share a .get method with Python.

Unfortunately, in idiomatic JavaScript and for the vast majority of APIs, an object literal (rather than a Map) is used to represent key/value pairs. Feedback from our users indicates the dissonance of using a Map rather than the expected object literal to represent a Python dict is the source of a huge amount of frustration. Sadly, the APIs for Map and object literals are sufficiently different that one cannot be a drop in replacement for another.

Pyodide have provided a way to override the default Map based behaviour, but this results some rather esoteric code:

Convert a dict to an object literal in Pyodide.
import js\nfrom pyodide.ffi import to_js\njs.callback(\nto_js(\n{\"async\": False},\n# Transform the default Map into an object literal.\ndict_converter=js.Object.fromEntries\n)\n)\n

Info

Thanks to a recent change in Pyodide, such Map instances are duck-typed to behave like object literals. Conversion may not be needed anymore, and to_js may just work without the need of the dict_converter. Please check.

MicroPython's version of to_js takes the opposite approach (for many of the reasons stated above) and converts Python dictionaries to object literals instead of Map objects.

As a result, the PyScript pyscript.ffi.to_js ALWAYS returns a JavaScript object literal by default when converting a Python dictionary no matter if you're using Pyodide or MicroPython as your interpreter. Furthermore, when using MicroPython, because things are closer to idiomatic JavaScript behaviour, you may not even need to use to_js unless you want to ensure cross-interpreter compatibility.

"},{"location":"faq/#caveat","title":"Caveat","text":"

Warning

When using pyscript.to_js, the result is detached from the original Python dictionary.

Any change to the JavaScript object will not be reflected in the original Python object. For the vast majority of use cases, this is a desirable trade-off. But it's important to note this detachment.

If you're simply passing data around, pyscript.ffi.to_js will fulfil your requirements in a simple and idiomatic manner.

"},{"location":"license/","title":"Apache License","text":"

Version 2.0, January 2004 <http://www.apache.org/licenses/>

"},{"location":"license/#terms-and-conditions-for-use-reproduction-and-distribution","title":"Terms and Conditions for use, reproduction, and distribution","text":""},{"location":"license/#1-definitions","title":"1. Definitions","text":"

\u201cLicense\u201d shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document.

\u201cLicensor\u201d shall mean the copyright owner or entity authorized by the copyright owner that is granting the License.

\u201cLegal Entity\u201d shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, \u201ccontrol\u201d means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity.

\u201cYou\u201d (or \u201cYour\u201d) shall mean an individual or Legal Entity exercising permissions granted by this License.

\u201cSource\u201d form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files.

\u201cObject\u201d form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types.

\u201cWork\u201d shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below).

\u201cDerivative Works\u201d shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof.

\u201cContribution\u201d shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, \u201csubmitted\u201d means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as \u201cNot a Contribution.\u201d

\u201cContributor\u201d shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work.

"},{"location":"license/#2-grant-of-copyright-license","title":"2. Grant of Copyright License","text":"

Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form.

"},{"location":"license/#3-grant-of-patent-license","title":"3. Grant of Patent License","text":"

Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed.

"},{"location":"license/#4-redistribution","title":"4. Redistribution","text":"

You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions:

  • (a) You must give any other recipients of the Work or Derivative Works a copy of this License; and
  • (b) You must cause any modified files to carry prominent notices stating that You changed the files; and
  • (c) You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and
  • (d) If the Work includes a \u201cNOTICE\u201d text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License.

You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License.

"},{"location":"license/#5-submission-of-contributions","title":"5. Submission of Contributions","text":"

Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions.

"},{"location":"license/#6-trademarks","title":"6. Trademarks","text":"

This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file.

"},{"location":"license/#7-disclaimer-of-warranty","title":"7. Disclaimer of Warranty","text":"

Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an \u201cAS IS\u201d BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License.

"},{"location":"license/#8-limitation-of-liability","title":"8. Limitation of Liability","text":"

In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages.

"},{"location":"license/#9-accepting-warranty-or-additional-liability","title":"9. Accepting Warranty or Additional Liability","text":"

While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability.

END OF TERMS AND CONDITIONS

"},{"location":"license/#appendix-how-to-apply-the-apache-license-to-your-work","title":"APPENDIX: How to apply the Apache License to your work","text":"

To apply the Apache License to your work, attach the following boilerplate notice, with the fields enclosed by brackets [] replaced with your own identifying information. (Don't include the brackets!) The text should be enclosed in the appropriate comment syntax for the file format. We also recommend that a file or class name and description of purpose be included on the same \u201cprinted page\u201d as the copyright notice for easier identification within third-party archives.

Copyright [yyyy] [name of copyright owner]\n\nLicensed under the Apache License, Version 2.0 (the \"License\");\nyou may not use this file except in compliance with the License.\nYou may obtain a copy of the License at\n\n  http://www.apache.org/licenses/LICENSE-2.0\n\nUnless required by applicable law or agreed to in writing, software\ndistributed under the License is distributed on an \"AS IS\" BASIS,\nWITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\nSee the License for the specific language governing permissions and\nlimitations under the License.\n
"},{"location":"user-guide/","title":"The PyScript User Guide","text":"

Info

This guide provides technical guidance and exploration of the PyScript platform.

While we endeavour to write clearly, some of the content in this user guide will not be suitable for beginners. We assume you already have Python or web development experience. If you're a beginner start with our beginner's guide.

We welcome constructive feedback.

Our docs have three aims:

  1. A clear overview of all things PyScript.
  2. Exploration of PyScript in substantial technical detail.
  3. Demonstration of the features of PyScript working together in real-world example applications.

Read this user guide in full: it is a short but comprehensive overview of the PyScript platform.

Get involved! Join in the PyScript conversation on our discord server. There you'll find core developers, community contributors and a flourishing forum for those creating projects with PyScript. Should you wish to engage with the development of PyScript, you are welcome to contribute via the project's GitHub organisation.

Finally, the example projects referenced in our docs are all freely available and copiously commented on pyscript.com.

Note

Many of these examples come from contributors in our wonderful community. We love to recognise, share and celebrate the incredible work of folks in the PyScript community. If you believe you have a project that would make a good demonstration, please don't hesitate to get in touch.

"},{"location":"user-guide/architecture/","title":"Architecture, Lifecycle & Interpreters","text":""},{"location":"user-guide/architecture/#core-concepts","title":"Core concepts","text":"

PyScript's architecture has three core concepts:

  1. A small, efficient and powerful kernel called PolyScript is the foundation upon which PyScript and plugins are built.
  2. A library called coincident that simplifies and coordinates interactions with web workers.
  3. The PyScript stack inside the browser is simple and clearly defined.
"},{"location":"user-guide/architecture/#polyscript","title":"PolyScript","text":"

PolyScript is the core of PyScript.

Danger

Unless you are an advanced user, you only need to know that PolyScript exists, and it can be safely ignored.

PolyScript's purpose is to bootstrap the platform and provide all the necessary core capabilities. Setting aside PyScript for a moment, to use just PolyScript requires a <script> reference to it, along with a further <script> tag defining how to run your code.

Bootstrapping with just PolyScript
<!doctype html>\n<html>\n<head>\n<!-- this is a way to automatically bootstrap polyscript -->\n<script type=\"module\" src=\"https://cdn.jsdelivr.net/npm/polyscript\"></script>\n</head>\n<body>\n<!--\n            Run some Python code with the MicroPython interpreter, but without\n            the extra benefits provided by PyScript.\n        -->\n<script type=\"micropython\">\nfrom js import document\ndocument.body.textContent = 'polyscript'\n</script>\n</body>\n</html>\n

Warning

PolyScript is not PyScript.

PyScript enhances the available Python interpreters with convenient features, helper functions and easy-to-use yet powerful capabilities.

These enhancements are missing from PolyScript.

PolyScript's capabilities, upon which PyScript is built, can be summarised as:

  • Evaluation of code via <script> tags.
  • Handling browser events via code evaluated with an interpreter supported by PolyScript.
  • A clear way to use workers via the XWorker class and its related reference, xworker.
  • Custom scripts to enrich PolyScript's capabilities.
  • A ready event dispatched when an interpreter is ready and about to run code, and a done event when an interpreter has finished evaluating code.
  • Hooks, called at clearly defined moments in the page lifecycle, provide a means of calling user defined functions to modify and enhance PolyScript's default behaviour.
  • Multiple interpreters (in addition to Pyodide and MicroPython, PolyScript works with R, Lua and Ruby - although these are beyond the scope of this project).

PolyScript may become important if you encounter problems with PyScript. You should investigate PolyScript if any of the following is true about your problem:

  • The interpreter fails to load.
  • There are errors about the interpreter starting.
  • HTML events (e.g. py-* or mpy-*) are not triggered.
  • An explicit feature of PolyScript is not reflected in PyScript.

We encourage you to engage and ask questions about PolyScript on our discord server. But in summary, as a user of PyScript you should probably never encounter PolyScript. However, please be aware that specific features of bug fixes my happen in the PolyScript layer in order to then land in PyScript.

"},{"location":"user-guide/architecture/#coincident","title":"Coincident","text":"

Danger

Unless you are an advanced user, you only need to know that coincident exists, and it can be safely ignored. As with PolyScript, we include these details only for those interested in the more fundamental aspects of PyScript.

PolyScript uses the coincident library to seamlessly interact with web workers and coordinate interactions between the browser's main thread and such workers.

Any SharedArrayBuffer issues are the responsibility of coincident and, to some extent, anything related to memory leaks.

In a nutshell, this project is likely responsible for the following modes of failure:

  • Failing to invoke something from a worker that refers to the main thread.
  • A reproducible and cross platform (browser based) memory leak.
  • Invoking a function with a specific argument from a worker that doesn't produce the expected result.

We hope all these scenarios are unlikely to happen within a PyScript project. They are all battle tested and covered with general purpose cross-environment testing before landing in PyScript. But, if you feel something is odd, leaking, or badly broken, please feel free to file an issue in the coincident project. As usual, there is never a silly question, so long as you provide a minimal reproducible example in your bug reports or query.

"},{"location":"user-guide/architecture/#the-stack","title":"The stack","text":"

The stack describes how the different building blocks inside a PyScript application relate to each other:

  • Everything happens inside the context of the browser (represented by the black border). The browser tab for your PyScript app is your sandboxed computing environment.

Failure

PyScript is simply Python running in the browser. Please remember:

  • PyScript isn't running on a server hosted in the cloud.
  • PyScript doesn't use the version of Python running natively on the user's operating system.
  • PyScript only runs IN THE BROWSER (and nowhere else).
  • At the bottom of the stack are the Python interpreters compiled to WASM. They evaluate your code and interact with the browser via the FFI.
  • The PyScript layer makes it easy to use and configure the Python interpreters. There are two parts to this:
    1. The PolyScript kernel (see above), that bootstraps everything and provides the core capabilities.
    2. PyScript and related plugins that sit atop PolyScript to give us an easy-to-use Python platform in the browser.
  • Above the PyScript layer are either:
    1. Application frameworks, modules and libraries written in Python that you use to create useful applications.
    2. Your code (that's your responsibility).
"},{"location":"user-guide/architecture/#lifecycle","title":"Lifecycle","text":"

If the architecture explains how components relate to each other, the lifecycle explains how things unfold. It's important to understand both: it will help you think about your own code and how it sits within PyScript.

Here's how PyScript unfolds through time:

  • The browser is directed to a URL. The response is HTML.
  • When parsing the HTML response the browser encounters the <script> tag that references PyScript. PyScript is loaded and evaluated as a JavaScript module, meaning it doesn't hold up the loading of the page and is only evaluated when the HTML is fully parsed.
  • The PyScript module does broadly six things:
    1. Discover Python code referenced in the page.
    2. Evaluate any configuration on the page (either via single <py-config> or <mpy-config> tags or the config attribute of a <script>, <py-script> or <mpy-script> tag).
    3. Given the detected configuration, download the required interpreter.
    4. Setup the interpreter's environment. This includes any plugins, packages, files or JavaScript modules that need to be loaded.
    5. Make available various builtin helper objects and functions to the interpreter's environment (accessed via the pyscript module).
    6. Only then use the interpreter in the correctly configured environment to evaluate the detected Python code.
  • When an interpreter is ready the py:ready or mpy:ready events are dispatched, depending which interpreter you've specified (Pyodide or MicroPython respectively).
  • Finally, a py:done event is dispatched after every single script referenced from the page has finished.

In addition, various \"hooks\" are called at different moments in the lifecycle of PyScript. These can be used by plugin authors to modify or enhance the behaviour of PyScript. The hooks, and how to use them, are explored further in the section on plugins.

Warning

A web page's workers have completely separate environments to the main thread.

It means configuration in the main thread can be different to that for an interpreter running on a worker. In fact, you can use different interpreters and configuration in each context (for instance, MicroPython on the main thread, and Pyodide on a worker).

Think of workers as completely separate sub-processes inside your browser tab.

"},{"location":"user-guide/architecture/#interpreters","title":"Interpreters","text":"

Python is an interpreted language, and thus needs an interpreter to work.

PyScript currently supports two versions of the Python interpreter that have been compiled to WASM: Pyodide and MicroPython. You should select which one to use depending on your use case and acceptable trade-offs.

Info

In future, and subject to progress, we hope to make available a third Pythonic option: SPy, a staticially typed version of Python compiled directly to WASM.

Both interpreters make use of emscripten, a compiler toolchain (using LLVM), for emitting WASM assets for the browser. Emscripten also provides APIs so operating-system level features such as a sandboxed file system (not the user's local machine's filesystem), IO (stdin, stdout, stderr etc,) and networking are available within the context of a browser.

Both Pyodide and MicroPython implement the same robust Python \u27fa JavaScript foreign function interface (FFI). This bridges the gap between the browser and Python worlds.

"},{"location":"user-guide/architecture/#pyodide","title":"Pyodide","text":"

Pyodide is a version of the standard CPython interpreter, patched to compile to WASM and work in the browser.

It includes many useful features:

  • The installation of pure Python packages from PyPI via the micropip package installer.
  • An active, friendly and technically outstanding team of volunteer contributors (some of whom have been supported by the PyScript project).
  • Extensive official documentation, and many tutorials found online.
  • Builds of Pyodide that include popular packages for data science like Numpy, Scipy and Pandas.

Warning

You may encounter an error message from micropip that explains it can't find a \"pure Python wheel\" for a package. Pyodide's documentation explains what to do in this situation.

Briefly, some packages with C extensions have versions compiled for WASM and these can be installed with micropip. Packages containing C extensions that are not compiled for WASM cause the \"pure Python wheel\" error.

There are plans afoot to make WASM a target in PyPI so packages with C extensions are automatically compiled to WASM.

"},{"location":"user-guide/architecture/#micropython","title":"MicroPython","text":"

MicroPython is a lean and efficient implementation of the Python 3 programming language that includes a small subset of the Python standard library and is optimised to run on microcontrollers and in constrained environments (like the browser).

Everything needed to view a web page in a browser needs to be delivered over the network. The smaller the asset to be delivered can be, the better. MicroPython, when compressed for delivery to the browser, is only around 170k in size - smaller than many images found on the web.

This makes MicroPython particularly suited to browsers running in a more constrained environment such as on a mobile or tablet based device. Browsing with these devices often uses (slower) mobile internet connections. Furthermore, because MicroPython is lean and efficient it still performs exceptionally well on these relatively underpowered devices.

Thanks to collaboration between the MicroPython, Pyodide and PyScript projects, there is a foreign function interface for MicroPython. The MicroPython FFI deliberately copies the API of the FFI originally written for Pyodide - meaning it is relatively easy to migrate between the two supported interpreters via the pyscript.ffi namespace.

"},{"location":"user-guide/configuration/","title":"Configuration","text":"

The browser tab in which your PyScript based web page is displayed is a very secure sandboxed computing environment for running your Python code.

This is also the case for web workers running Python. Despite being associated with a single web page, workers are completely separate from each other (except for some very limited and clearly defined means of interacting, which PyScript looks after for you).

We need to tell PyScript how we want such Python environments to be configured. This works in the same way for both the main thread and for web workers. Such configuration ensures we get the expected resources ready before our Python code is evaluated (resources such as arbitrary data files and third party Python packages).

"},{"location":"user-guide/configuration/#toml-or-json","title":"TOML or JSON","text":"

Configuration can be expressed in two formats:

  • TOML is the configuration file format preferred by folks in the Python community.
  • JSON is a data format most often used by folks in the web community.

Since PyScript is the marriage of Python and the web, and we respect the traditions of both technical cultures, we support both formats.

However, because JSON is built into all browsers by default and TOML requires an additional download of a specialist parser before PyScript can work, the use of JSON is more efficient from a performance point of view.

The following two configurations are equivalent, and simply tell PyScript to ensure the packages arrr and numberwang are installed from PyPI (the Python Packaging Index):

Configuration via TOML.
packages = [\"arrr\", \"numberwang\" ]\n
Configuration via JSON.
{\n\"packages\": [\"arrr\", \"numberwang\"]\n}\n
"},{"location":"user-guide/configuration/#file-or-inline","title":"File or inline","text":"

The recommended way to write configuration is via a separate file and then reference it from the tag used to specify the Python code:

Reference a configuration file
<script type=\"py\" src=\"main.py\" config=\"pyscript.toml\"></script>\n

If you use JSON, you can make it the value of the config attribute:

JSON as the value of the config attribute.
<script type=\"mpy\" src=\"main.py\" config='{\"packages\":[\"arrr\", \"numberwang\"]}'></script>\n

For historical and convenience reasons we still support the inline specification of configuration information via a single <py-config> or <mpy-config> tag in your HTML document:

Inline configuration via the <py-config> tag.
<py-config>\n{\n    \"packages\": [\"arrr\", \"numberwang\" ]\n}\n</py-config>\n

Warning

Should you use <py-config> or <mpy-config>, there must be only one of these tags on the page per interpreter.

"},{"location":"user-guide/configuration/#options","title":"Options","text":"

There are five core options (interpreter, files, packages, js_modules and sync_main_only) and an experimental flag (experimental_create_proxy) that can be used in the configuration of PyScript. The user is also free to define arbitrary additional configuration options that plugins or an app may require for their own reasons.

"},{"location":"user-guide/configuration/#interpreter","title":"Interpreter","text":"

The interpreter option pins the Python interpreter to the version of the specified value. This is useful for testing (does my code work on a specific version of Pyodide?), or to ensure the precise combination of PyScript version and interpreter version are pinned to known values.

The value of the interpreter option should be a valid version number for the Python interpreter you are configuring, or a fully qualified URL to a custom version of the interpreter.

The following two examples are equivalent:

Specify the interpreter version in TOML.
interpreter = \"0.23.4\"\n
Specify the interpreter version in JSON.
{\n\"interpreter\": \"0.23.4\"\n}\n

The following JSON fragment uses a fully qualified URL to point to the same version of Pyodide as specified in the previous examples:

Specify the interpreter via a fully qualified URL.
{\n\"interpreter\": \"https://cdn.jsdelivr.net/pyodide/v0.23.4/full/pyodide.mjs\"\n}\n
"},{"location":"user-guide/configuration/#files","title":"Files","text":"

The files option fetches arbitrary content from URLs onto the filesystem available to Python, and emulated by the browser. Just map a valid URL to a destination filesystem path.

The following JSON and TOML are equivalent:

Fetch files onto the filesystem with JSON.
{\n\"files\": {\n\"https://example.com/data.csv\": \"./data.csv\",\n\"/code.py\": \"./subdir/code.py\"\n}\n}\n
Fetch files onto the filesystem with TOML.
[files]\n\"https://example.com/data.csv\" = \"./data.csv\"\n\"/code.py\" = \"./subdir/code.py\"\n

If you make the target an empty string, the final \"filename\" part of the source URL becomes the destination filename, in the root of the filesystem, to which the content is copied. As a result, the data.csv entry from the previous examples could be equivalently re-written as:

JSON implied filename in the root directory.
{\n\"files\": {\n\"https://example.com/data.csv\": \"\",\n... etc ...\n}\n}\n
TOML implied filename in the root directory.
[files]\n\"https://example.com/data.csv\" = \"\"\n... etc ...\n

If the source part of the configuration is either a .zip or .tar.gz file and its destination is a folder path followed by a star (e.g. /* or ./dest/*), then PyScript will extract the referenced archive automatically into the target directory in the browser's built in file system.

Warning

PyScript expects all file destinations to be unique.

If there is a duplication PyScript will raise an exception to help you find the problem.

Tip

For most people, most of the time, the simple URL to filename mapping, described above, will be sufficient.

Yet certain situations may require more flexibility. In which case, read on.

Sometimes many resources are needed to be fetched from a single location and copied into the same directory on the file system. To aid readability and reduce repetition, the files option comes with a mini templating language that allows reusable placeholders to be defined between curly brackets ({ and }). When these placeholders are encountered in the files configuration, their name is replaced with their associated value.

Attention

Valid placeholder names are always enclosed between curly brackets ({ and }), like this: {FROM}, {TO} and {DATA SOURCE} (capitalized names help identify placeholders when reading code ~ although this isn't strictly necessary).

Any number of placeholders can be defined and used anywhere within URLs and paths that map source to destination.

The following JSON and TOML are equivalent:

Using the template language in JSON.
{\n\"files\": {\n\"{DOMAIN}\": \"https://my-server.com\",\n\"{PATH}\": \"a/path\",\n\"{VERSION}\": \"1.2.3\",\n\"{FROM}\": \"{DOMAIN}/{PATH}/{VERSION}\",\n\"{TO}\": \"./my_module\",\n\"{FROM}/__init__.py\": \"{TO}/__init__.py\",\n\"{FROM}/foo.py\": \"{TO}/foo.py\",\n\"{FROM}/bar.py\": \"{TO}/bar.py\",\n\"{FROM}/baz.py\": \"{TO}/baz.py\",\n}\n}\n
Using the template language in TOML.
[files]\n\"{DOMAIN}\" = \"https://my-server.com\"\n\"{PATH}\" = \"a/path\"\n\"{VERSION}\" = \"1.2.3\"\n\"{FROM}\" = \"{DOMAIN}/{PATH}/{VERSION}\"\n\"{TO}\" = \"./my_module\"\n\"{FROM}/__init__.py\" = \"{TO}/__init__.py\"\n\"{FROM}/foo.py\" = \"{TO}/foo.py\"\n\"{FROM}/bar.py\" = \"{TO}/bar.py\"\n\"{FROM}/baz.py\" = \"{TO}/baz.py\"\n

The {DOMAIN}, {PATH}, and {VERSION} placeholders are used to create a further {FROM} placeholder. The {TO} placeholder is also defined to point to a common sub-directory on the file system. The final four entries use {FROM} and {TO} to copy over four files (__init__.py, foo.py, bar.py and baz.py) from the same source to a common destination directory.

For convenience, if the destination is just a directory (it ends with /) then PyScript automatically uses the filename part of the source URL as the filename in the destination directory.

For example, the end of the previous config file could be:

\"{TO}\" = \"./my_module/\"\n\"{FROM}/__init__.py\" = \"{TO}\"\n\"{FROM}/foo.py\" = \"{TO}\"\n\"{FROM}/bar.py\" = \"{TO}\"\n\"{FROM}/baz.py\" = \"{TO}\"\n
"},{"location":"user-guide/configuration/#packages","title":"Packages","text":"

The packages option lists Python packages to be installed onto the Python path.

Info

Pyodide uses a utility called micropip to install packages from PyPI.

Because micropip is a Pyodide-only feature, and MicroPython doesn't support code packaged on PyPI, the packages option only works with packages hosted on PyPI when using Pyodide.

MicroPython's equivalent utility, mip, uses a separate repository of available packages called micropython-lib. When you use the packages option with MicroPython, it is this repository (not PyPI) that is used to find available packages. Many of the packages in micropython-lib are for microcontroller based activities and may not work with the web assembly port of MicroPython.

If you need pure Python modules for MicroPython, you have two further options:

  1. Use the files option to manually copy the source code for a package onto the file system.
  2. Use a URL referencing a MicroPython friendly package instead of PyPI package name.

The following two examples are equivalent:

A packages list in TOML.
packages = [\"arrr\", \"numberwang\", \"snowballstemmer>=2.2.0\" ]\n
A packages list in JSON.
{\n\"packages\": [\"arrr\", \"numberwang\", \"snowballstemmer>=2.2.0\" ]\n}\n

When using Pyodide, the names in the list of packages can be any of the following valid forms:

  • A name of a package on PyPI: \"snowballstemmer\"
  • A name for a package on PyPI with additional constraints: \"snowballstemmer>=2.2.0\"
  • An arbitrary URL to a Python package: \"https://.../package.whl\"
  • A file copied onto the browser based file system: \"emfs://.../package.whl\"
"},{"location":"user-guide/configuration/#javascript-modules","title":"JavaScript modules","text":"

It's easy to import and use JavaScript modules in your Python code. This section of the docs examines the configuration needed to make this work. How to make use of JavaScript is dealt with elsewhere.

We need to tell PyScript about the JavaScript modules you want to use. This is the purpose of the js_modules related configuration fields.

There are two fields:

  • js_modules.main defines JavaScript modules loaded in the context of the main thread of the browser. Helpfully, it is also possible to interact with such modules from the context of workers. Sometimes such modules also need CSS files to work, and these can also be specified.
  • js_modules.worker defines JavaScript modules loaded into the context of the web worker. Such modules must not expect document or window references (if this is the case, you must load them via js_modules.main and use them from the worker). However, if the JavaScript module could work without such references, then performance is better if defined on a worker. Because CSS is meaningless in the context of a worker, it is not possible to specify such files in a worker context.

Once specified, your JavaScript modules will be available under the pyscript.js_modules.* namespace.

To specify such modules, simply provide a list of source/module name pairs.

For example, to use the excellent Leaflet JavaScript module for creating interactive maps you'd add the following lines:

JavaScript main thread modules defined in TOML.
[js_modules.main]\n\"https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet-src.esm.js\" = \"leaflet\"\n\"https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet.css\" = \"leaflet\" # CSS\n
JavaScript main thread modules defined in JSON.
{\n\"js_modules\": {\n\"main\": {\n\"https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet-src.esm.js\": \"leaflet\",\n\"https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet.css\": \"leaflet\"\n}\n}\n}\n

Info

Notice how the second line references the required CSS needed for the JavaScript module to work correctly.

The CSS file MUST target the very same name as the JavaScript module to which it is related.

Warning

Since the Leaflet module expects to manipulate the DOM and have access to document and window references, it must only be added via the js_modules.main setting (as shown) and cannot be added in a worker context.

At this point Python code running on either the main thread or in a worker will have access to the JavaScript module like this:

Making use of a JavaScript module from within Python.
from pyscript.js_modules import leaflet as L\nmap = L.map(\"map\")\n# etc....\n

Some JavaScript modules (such as html-escaper) don't require access to the DOM and, for efficiency reasons, can be included in the worker context:

A JavaScript worker module defined in TOML.
[js_modules.worker]\n\"https://cdn.jsdelivr.net/npm/html-escaper\" = \"html_escaper\"\n
A JavaScript worker module defined in JSON.
{\n\"js_modules\": {\n\"worker\": {\n\"https://cdn.jsdelivr.net/npm/html-escaper\": \"html_escaper\"\n}\n}\n}\n

However, from pyscript.js_modules import html_escaper would then only work within the context of Python code running on a worker.

"},{"location":"user-guide/configuration/#sync_main_only","title":"sync_main_only","text":"

Sometimes you just want to start an expensive computation on a web worker without the need for the worker to interact with the main thread. You're simply awaiting the result of a method exposed from a worker.

This has the advantage of not requiring the use of SharedArrayBuffer and associated CORS related header configuration.

If the sync_main_only flag is set, then interactions between the main thread and workers are limited to one way calls from the main thread to methods exposed by the workers.

Setting the sync_main_only flag in TOML.
sync_main_only = true\n
Setting the sync_main_only flag in JSON.
{\n\"sync_main_only\": true\n}\n

If sync_main_only is set, the following caveats apply:

  • It is not possible to manipulate the DOM or do anything meaningful on the main thread from a worker. This is because Atomics cannot guarantee sync-like locks between a worker and the main thread.
  • Only a worker's pyscript.sync methods are exposed, and they can only be awaited from the main thread.
  • The worker can only await main thread references one after the other, so developer experience is degraded when one needs to interact with the main thread.
"},{"location":"user-guide/configuration/#experimental_create_proxy","title":"experimental_create_proxy","text":"

Knowing when to use the pyscript.ffi.create_proxy method when using Pyodide can be confusing at the best of times and full of technical \"magic\".

This experimental flag, when set to \"auto\" will cause PyScript to try to automatically handle such situations, and should \"just work\".

Using the experimental_create_proxy flag in TOML.
experimental_create_proxy = \"auto\"\n
Using the experimental_create_proxy flag in JSON.
{\n\"experimental_create_proxy\": \"auto\"\n}\n

Warning

This feature is experimental and only needs to be used with Pyodide.

Should you encounter problems (such as problematic memory leaks) when using this flag with Pyodide, please don't hesitate to raise an issue with a reproducable example, and we'll investigate.

"},{"location":"user-guide/configuration/#custom","title":"Custom","text":"

Sometimes plugins or apps need bespoke configuration options.

So long as you don't cause a name collision with the built-in option names then you are free to use any valid data structure that works with both TOML and JSON to express your configuration needs.

Access the current configuration via pyscript.config, a Python dict representing the configuration:

Reading the current configuration.
from pyscript import config\n# It's just a dict.\nprint(config.get(\"files\"))\n

Note

Changing the config dictionary at runtime doesn't change the actual configuration.

"},{"location":"user-guide/dom/","title":"The DOM","text":"

The DOM (document object model) is a tree like data structure representing the web page displayed by the browser. PyScript interacts with the DOM to change the user interface and react to things happening in the browser.

There are currently two ways to interact with the DOM:

  1. Through the foreign function interface (FFI) to interact with objects found in the browser's globalThis or document objects.
  2. Through the pydom module that acts as a Pythonic wrapper around the FFI and comes as standard with PyScript.
"},{"location":"user-guide/dom/#ffi","title":"FFI","text":"

The foreign function interface (FFI) gives Python access to all the standard web capabilities and features, such as the browser's built-in web APIs.

This is available via the pyscript.window module which is a proxy for the main thread's globalThis object, or pyscript.document which is a proxy for the website's document object in JavaScript:

Accessing the window and document objects in Python
from pyscript import window, document\nmy_element = document.querySelector(\"#my-id\")\nmy_element.innerText = window.location.hostname\n

The FFI creates proxy objects in Python linked to actual objects in JavaScript.

The proxy objects in your Python code look and behave like Python objects but have related JavaScript objects associated with them. It means the API defined in JavaScript remains the same in Python, so any browser based JavaScript APIs or third party JavaScript libraries that expose objects in the web page's globalThis, will have exactly the same API in Python as in JavaScript.

The FFI automatically transforms Python and JavaScript objects into the equivalent in the other language. For example, Python's boolean True and False will become JavaScript's true and false, while a JavaScript array of strings and integers, [\"hello\", 1, 2, 3] becomes a Python list of the equivalent values: [\"hello\", 1, 2, 3].

Info

Instantiating classes into objects is an interesting special case that the FFI expects you to handle.

If you wish to instantiate a JavaScript class in your Python code, you need to call the class's new method:

from pyscript import window\nmy_obj = window.MyJavaScriptClass.new(\"some value\")\n

The underlying reason for this is simply JavaScript and Python do instantiation very differently. By explicitly calling the JavaScript class's new method PyScript both signals and honours this difference.

More technical information about instantiating JavaScript classes can be found in the FAQ

Should you require lower level API access to FFI features, you can find such builtin functions under the pyscript.ffi namespace in both Pyodide and MicroPython. The available functions are described in our section on the builtin API.

Advanced users may wish to explore the technical details of the FFI.

"},{"location":"user-guide/dom/#pyscriptweb","title":"pyscript.web","text":"

Warning

The pyscript.web module is currently a work in progress.

We welcome feedback and suggestions.

The pyscript.web module is an idiomatically Pythonic API for interacting with the DOM. It wraps the FFI in a way that is more familiar to Python developers and works natively with the Python language. Technical documentation for this module can be found in the API section.

There are three core concepts to remember:

  • Find elements on the page via CSS selectors. The find API uses exactly the same queries as those used by native browser methods like qurerySelector or querySelectorAll.
  • Use classes in the pyscript.web namespace to create and organise new elements on the web page.
  • Collections of elements allow you to access and change attributes en-mass. Such collections are returned from find queries and are also used for the children of an element.

You have several options for accessing the content of the page, and these are all found in the pyscript.web.page object. The html, head and body attributes reference the page's top-level html, head and body. As a convenience the page's title attribute can be used to get and set the web page's title (usually shown in the browser's tab). The append method is a shortcut for adding content to the page's body. Whereas, the find method is used to return collections of elements matching a CSS query. You may also shortcut find via a CSS query in square brackets. Finally, all elements have a find method that searches within their children for elements matching your CSS query.

from pyscript.web import page\n# Print all the child elements of the document's head.\nprint(page.head.children)\n# Find all the paragraphs in the DOM.\nparagraphs = page.find(\"p\")\n# Or use square brackets.\nparagraphs = page[\"p\"]\n

The object returned from a query, or used as a reference to an element's children is iterable:

from pyscript.web import page\n# Get all the paragraphs in the DOM.\nparagraphs = page[\"p\"]\n# Print the inner html of each paragraph.\nfor p in paragraphs:\nprint(p.html)\n

Alternatively, it is also indexable / sliceable:

from pyscript.web import page\n# Get an ElementCollection of all the paragraphs in the DOM\nparagraphs = page[\"p\"]\n# Only the final two paragraphs.\nfor p in paragraphs[-2:]:\nprint(p.html)\n

You have access to all the standard attributes related to HTML elements (for example, the innerHTML or value), along with a couple of convenient ways to interact with classes and CSS styles:

  • classes - the list of classes associated with the elements.
  • style - a dictionary like object for interacting with CSS style rules.

For example, to continue the example above, paragraphs.innerHTML will return a list of all the values of the innerHTML attribute on each contained element. Alternatively, set an attribute for all elements contained in the collection like this: paragraphs.style[\"background-color\"] = \"blue\".

It's possible to create new elements to add to the page:

from pyscript.web import page, div, select, option, button, span, br \npage.append(\ndiv(\ndiv(\"Hello!\", classes=\"a-css-class\", id=\"hello\"),\nselect(\noption(\"apple\", value=1),\noption(\"pear\", value=2),\noption(\"orange\", value=3),\n),\ndiv(\nbutton(span(\"Hello! \"), span(\"World!\"), id=\"my-button\"),\nbr(),\nbutton(\"Click me!\"),\nclasses=[\"css-class1\", \"css-class2\"],\nstyle={\"background-color\": \"red\"}\n),\ndiv(\nchildren=[\nbutton(\nchildren=[\nspan(\"Hello! \"),\nspan(\"Again!\")\n],\nid=\"another-button\"\n),\nbr(),\nbutton(\"b\"),\n],\nclasses=[\"css-class1\", \"css-class2\"]\n)\n)\n)\n

This example demonstrates a declaritive way to add elements to the body of the page. Notice how the first (unnamed) arguments to an element are its children. The named arguments (such as id, classes and style) refer to attributes of the underlying HTML element. If you'd rather be explicit about the children of an element, you can always pass in a list of such elements as the named children argument (you see this in the final div in the example above).

Of course, you can achieve similar results in an imperative style of programming:

from pyscript.web import page, div, p \nmy_div = div()\nmy_div.style[\"background-color\"] = \"red\"\nmy_div.classes.add(\"a-css-class\")\nmy_p = p()\nmy_p.content = \"This is a paragraph.\"\nmy_div.append(my_p)\n# etc...\n

It's also important to note that the pyscript.when decorator understands element references from pyscript.web:

from pyscript import when\nfrom pyscript.web import page \nbtn = page[\"#my-button\"]\n@when(\"click\", btn)\ndef my_button_click_handler(event):\nprint(\"The button has been clicked!\")\n

Should you wish direct access to the proxy object representing the underlying HTML element, each Python element has a _dom_element property for this purpose.

Once again, the technical details of these classes are described in the built-in API documentation.

"},{"location":"user-guide/dom/#working-with-javascript","title":"Working with JavaScript","text":"

There are three ways in which JavaScript can get into a web page.

  1. As a global reference attached to the window object in the web page because the code was referenced as the source of a script tag in your HTML (the very old school way to do this).
  2. Using the Universal Module Definition (UMD), an out-of-date and non-standard way to create JavaScript modules.
  3. As a standard JavaScript Module which is the modern, standards compliant way to define and use a JavaScript module. If possible, this is the way you should do things.

Sadly, this being the messy world of the web, methods 1 and 2 are still quite common, and so you need to know about them so you're able to discern and work around them. There's nothing WE can do about this situation, but we can suggest \"best practice\" ways to work around each situation.

Remember, as mentioned elsewhere in our documentation, the standard way to get JavaScript modules into your PyScript Python context is to link a source standard JavaScript module to a destination name:

Reference a JavaScript module in the configuration.
[js_modules.main]\n\"https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet-src.esm.js\" = \"leaflet\"\n

Then, reference the module via the destination name in your Python code, by importing it from the pyscript.js_modules namespace:

Import the JavaScript module into Python
from pyscript.js_modules import leaflet as L\nmap = L.map(\"map\")\n# etc....\n

We'll deal with each of the potential JavaScript related situations in turn:

"},{"location":"user-guide/dom/#javascript-as-a-global-reference","title":"JavaScript as a global reference","text":"

In this situation, you have some JavaScript code that just globally defines \"stuff\" in the context of your web page via a script tag. Your HTML will contain something like this:

JavaScript as a global reference
<!doctype html>\n<!--\nThis JS utility escapes and unescapes HTML chars. It adds an \"html\" object to\nthe global context.\n-->\n<script src=\"https://cdn.jsdelivr.net/npm/html-escaper@3.0.3/index.js\"></script>\n<!--\nVanilla JS just to check the expected object is in the global context of the\nweb page.\n-->\n<script>\nconsole.log(html);\n</script>\n

When you find yourself in this situation, simply use the window object in your Python code (found in the pyscript namespace) to interact with the resulting JavaScript objects:

Python interaction with the JavaScript global reference
from pyscript import window, document\n# The window object is the global context of your web page.\nhtml = window.html\n# Just use the object \"as usual\"...\n# e.g. show escaped HTML in the body: &lt;&gt;\ndocument.body.append(html.escape(\"<>\"))\n

You can find an example of this technique here:

https://pyscript.com/@agiammarchi/floral-glade/v1

"},{"location":"user-guide/dom/#javascript-as-a-non-standard-umd-module","title":"JavaScript as a non-standard UMD module","text":"

Sadly, these sorts of non-standard JavaScript modules are still quite prevalent. But the good news is there are strategies you can use to help you get them to work properly.

The non-standard UMD approach tries to check for export and module fields in the JavaScript module and, if it doesn\u2019t find them, falls back to treating the module in the same way as a global reference described above.

If you find you have a UMD JavaScript module, there are services online to automagically convert it to the modern and standards compliant way to d o JavaScript modules. A common (and usually reliable) service is provided by https://esm.run/your-module-name, a service that provides an out of the box way to consume the module in the correct and standard manner:

Use esm.run to automatically convert a non-standard UMD module
<!doctype html>\n<script type=\"module\">\n// this utility escapes and unescape HTML chars\nimport { escape, unescape } from \"https://esm.run/html-escaper\";\n// esm.run returns a module       ^^^^^^^^^^^^^^^^^^^^^^^^^^^^\nconsole.log(escape(\"<>\"));\n// log: \"&lt;&gt;\"\n</script>\n

If a similar test works for the module you want to use, use the esm.run CDN service within the py or mpy configuration file as explained at the start of this section on JavaScript (i.e. you'll use it via the pyscript.js_modules namespace).

If this doesn't work, assume the module is not updated nor migrated to a state that can be automatically translated by services like esm.run. You could try an alternative (more modern) JavaScript module to achieve you ends or (if it really must be this module), you can wrap it in a new JavaScript module that conforms to the modern standards.

The following four files demonstrate this approach:

index.html - still grab the script so it appears as a global reference.
<!doctype html>\n...\n<!-- land the utility still globally as generic script -->\n<script src=\"https://cdn.jsdelivr.net/npm/html-escaper@3.0.3/index.js\"></script>\n...\n
wrapper.js - this grabs the JavaScript functionality from the global context and wraps it (exports it) in the modern standards compliant manner.
// get all utilities needed from the global.\nconst { escape, unescape } = globalThis.html;\n// export utilities like a standards compliant module would do.\nexport { escape, unescape };\n
pyscript.toml - configure your JS modules as before, but use your wrapper instead of the original module.
[js_modules.main]\n# will simulate a standard JS module\n\"./wrapper.js\" = \"html_escaper\"\n
main.py - just import the module as usual and make use of it.
from pyscript import document\n# import the module either via\nfrom pyscript.js_modules import html_escaper\n# or via\nfrom pyscript.js_modules.html_escaper import escape, unescape\n# show on body: &lt;&gt;\ndocument.body.append(html.escape(\"<>\"))\n

You can see this approach in action here:

https://pyscript.com/@agiammarchi/floral-glade/v2

"},{"location":"user-guide/dom/#a-standard-javascript-module","title":"A standard JavaScript module","text":"

This is both the easiest and best way to import any standard JS module into Python.

You don't need to reference the script in your HTML, just define how the source JavaScript module maps into the pyscript.js_modules namespace in your configuration file, as explained above.

That's it!

Here is an example project that uses this approach:

https://pyscript.com/@agiammarchi/floral-glade/v3

"},{"location":"user-guide/dom/#my-own-javascript-code","title":"My own JavaScript code","text":"

If you have your own JavaScript work, just remember to write it as a standard JavaScript module. Put simply, ensure you export the things you need to. For instance, in the following fragment of JavaScript, the two functions are exported from the module:

code.js - containing two functions exported as capabilities of the module.
/*\nSome simple JavaScript functions for example purposes.\n*/\nexport function hello(name) {\nreturn \"Hello \" + name;\n}\nexport function fibonacci(n) {\nif (n == 1) return 0;\nif (n == 2) return 1;\nreturn fibonacci(n - 1) + fibonacci(n - 2);\n}\n

Next, just reference this module in the usual way in your TOML or JSON configuration file:

pyscript.toml - references the code.js module so it will appear as the code module in the pyscript.js_modules namespace.
[js_modules.main]\n\"code.js\" = \"code\"\n

In your HTML, reference your Python script with this configuration file:

Reference the expected configuration file.
<script type=\"py\" src=\"./main.py\" config=\"./pyscript.toml\" terminal></script>\n

Finally, just use your JavaScript module\u2019s exported functions inside PyScript:

Just call your bespoke JavaScript code from Python.
from pyscript.js_modules import code\n# Just use the JS code from Python \"as usual\".\ngreeting = code.hello(\"Chris\")\nprint(greeting)\nresult = code.fibonacci(12)\nprint(result)\n

You can see this in action in the following example project:

https://pyscript.com/@ntoll/howto-javascript/latest

"},{"location":"user-guide/editor/","title":"Python editor","text":"

The PyEditor is a core plugin.

Warning

Work on the Python editor is in its early stages. We have made it available in this version of PyScript to give the community an opportunity to play, experiment and provide feedback.

Future versions of PyScript will include a more refined, robust and perhaps differently behaving version of the Python editor.

If you specify the type of a <script> tag as either py-editor (for Pyodide) or mpy-editor (for MicroPython), the plugin creates a visual code editor, with code highlighting and a \"run\" button to execute the editable code contained therein in a non-blocking worker.

Info

Once clicked, the \"run\" button will show a spinner until the code is executed. This may not be visible if the code evaluation completed quickly.

The interpreter is not loaded onto the page until the run button is clicked. By default each editor has its own independent instance of the specified interpreter:

Two editors, one with Pyodide, the other with MicroPython.
<script type=\"py-editor\">\nimport sys\nprint(sys.version)\n</script>\n<script type=\"mpy-editor\">\nimport sys\nprint(sys.version)\na = 42\nprint(a)\n</script>\n

However, different editors can share the same interpreter if they share the same env attribute value.

Two editors sharing the same MicroPython environment.
<script type=\"mpy-editor\" env=\"shared\">\nif not 'a' in globals():\na = 1\nelse:\na += 1\nprint(a)\n</script>\n<script type=\"mpy-editor\" env=\"shared\">\n# doubled a\nprint(a * 2)\n</script>\n

The outcome of these code fragments should look something like this:

Info

Notice that the interpreter type, and optional environment name is shown at the top right above the Python editor.

Hovering over the Python editor reveals the \"run\" button.

"},{"location":"user-guide/editor/#setup","title":"Setup","text":"

Sometimes you need to create a pre-baked Pythonic context for a shared environment used by an editor. This need is especially helpful in educational situations where boilerplate code can be run, with just the important salient code available in the editor.

To achieve this end use the setup attribute within a script tag. The content of this editor will not be shown, but will bootstrap the referenced environment automatically before any following editor within the same environment is evaluated.

Bootstrapping an environment with `setup`
<script type=\"mpy-editor\" env=\"test_env\" setup>\n# This code will not be visible, but will run before the next editor's code is\n# evaluated.\na = 1\n</script>\n<script type=\"mpy-editor\" env=\"test_env\">\n# Without the \"setup\" attribute, this editor is visible. Because it is using\n# the same env as the previous \"setup\" editor, the previous editor's code is\n# always evaluated first.\nprint(a)\n</script>\n

Finally, the target attribute allows you to specify a node into which the editor will be rendered:

Specify a target for the Python editor.
<script type=\"mpy-editor\" target=\"editor\">\nimport sys\nprint(sys.version)\n</script>\n<div id=\"editor\"></div> <!-- will eventually contain the Python editor -->\n
"},{"location":"user-guide/editor/#editor-vs-terminal","title":"Editor VS Terminal","text":"

The editor and terminal are commonly used to embed interactive Python code into a website. However, there are differences between the two plugins, of which you should be aware.

The main difference is that a py-editor or mpy-editor is an isolated environment (from the rest of PyScript that may be running on the page) and its code always runs in a web worker. We do this to prevent accidental blocking of the main thread that would freeze your browser's user interface.

Because an editor is isolated from regular py or mpy scripts, one should not expect the same behavior regular PyScript elements follow, most notably:

  • The editor's user interface is based on CodeMirror and not on XTerm.js as it is for the terminal.
  • Code is evaluated all at once and asynchronously when the Run button is pressed (not each line at a time, as in the terminal).
  • The editor has listeners for Ctrl-Enter or Cmd-Enter, and Shift-Enter to shortcut the execution of all the code. These shortcuts make no sense in the terminal as each line is evaluated separately.
  • There is a clear separation between the code and any resulting output.
  • You may not use blocking calls (like input) with the editor, whereas these will work if running the terminal via a worker.
  • It's an editor! So simple or complex programs can be fully written without running the code until ready. In the terminal, code is evaluated one line at a time as it is typed in.
  • There is no special reference to the underlying editor instance, while there is both script.terminal or __terminal__ in the terminal.
"},{"location":"user-guide/editor/#read-write-execute","title":"Read / Write / Execute","text":"

Sometimes you need to programatically read, write or execute code in an editor. Once PyScript has started, every py-editor/mpy-editor script tag gets a code accessor attached to it.

from pyscript import document\n# Grab the editor script reference.\neditor = document.querySelector('#editor')\n# Output the live content of the editor.\nprint(editor.code)\n# Update the live content of the editor.\neditor.code = \"\"\"\na = 1\nb = 2\nprint(a + b)\n\"\"\"\n# Evaluate the live code in the editor.\n# This could be any arbitrary code to evaluate in the editor's Python context.\neditor.process(editor.code)\n
"},{"location":"user-guide/editor/#configuration","title":"Configuration","text":"

Unlike <script type=\"py\"> or <py-script> (and the mpy equivalents), a PyEditor is not influenced by the presence of <py-config> elements in the page: it requires an explicit config=\"...\" attribute.

If a setup editor is present, that's the only PyEditor that needs a config. Any subsequent related editor will reuse the config parsed and bootstrapped for the setup editor.

"},{"location":"user-guide/editor/#run-via-keyboard","title":"Run via keyboard","text":"

Depending on your operating system, a combination of either Ctrl-Enter, Cmd-Enter or Shift-Enter will execute the code in the editor (no need to move the mouse to click the run button).

"},{"location":"user-guide/editor/#override-run","title":"Override run","text":"

Sometimes you just need to override the way the editor runs code.

The editor's handleEvent can be overridden to achieve this:

Overriding execution via handleEvent.
<script type=\"mpy-editor\" id=\"foreign\">\nprint(6 * 7)\n</script>\n<script type=\"mpy\">\nfrom pyscript import document\ndef handle_event(event):\n# will log `print(6 * 7)`\nprint(event.code)\n# prevent default execution\nreturn False\n# Grab reference to the editor\nforeign = document.getElementById(\"foreign\")\n# Override handleEvent with your own customisation.\nforeign.handleEvent = handle_event\n</script>\n

This live example shows how the editor can be used to execute code via a USB serial connection to a connected MicroPython microcontroller.

"},{"location":"user-guide/editor/#tab-behavior","title":"Tab behavior","text":"

We currently trap the tab key in a way that reflects what a regular code editor would do: the code is simply indented, rather than focus moving to another element.

We are fully aware of the implications this might have around accessibility so we followed this detailed advice from Codemirror's documentation We have an escape hatch to move focus outside the editor. Press esc before tab to move focus to the next focusable element. Otherwise tab indents code.

"},{"location":"user-guide/editor/#still-missing","title":"Still missing","text":"

The PyEditor is currently under active development and refinement, so features may change (depending on user feedback). For instance, there is currently no way to stop or kill a web worker that has got into difficulty from the editor (hint: refreshing the page will reset things).

"},{"location":"user-guide/features/","title":"Features","text":"All the web

Pyscript gives you full access to the DOM and all the web APIs implemented by your browser.

Thanks to the foreign function interface (FFI), Python just works with all the browser has to offer, including any third party JavaScript libraries that may be included in the page.

The FFI is bi-directional ~ it also enables JavaScript to access the power of Python.

All of Python

PyScript brings you two Python interpreters:

  1. Pyodide - the original standard CPython interpreter you know and love, but compiled to WebAssembly.
  2. MicroPython - a lean and efficient reimplementation of Python3 that includes a comprehensive subset of the standard library, compiled to WebAssembly.

Because it is just regular CPython, Pyodide puts Python's deep and diverse ecosystem of libraries, frameworks and modules at your disposal. No matter the area of computing endeavour, there's probably a Python library to help. Got a favourite library in Python? Now you can use it in the browser and share your work with just a URL.

MicroPython, because of its small size (170k) and speed, is especially suited to running on more constrained browsers, such as those on mobile or tablet devices. It includes a powerful sub-set of the Python standard library and efficiently exposes the expressiveness of Python to the browser.

Both Python interpreters supported by PyScript implement the same FFI to bridge the gap between the worlds of Python and the browser.

AI and Data science built in Python is famous for its extraordinary usefulness in artificial intelligence and data science. The Pyodide interpreter comes with many of the libraries you need for this sort of work already baked in. Mobile friendly MicroPython

Thanks to MicroPython in PyScript, there is a compelling story for Python on mobile.

MicroPython is small and fast enough that your app will start quickly on first load, and almost instantly (due to the cache) on subsequent runs.

Parallel execution Thanks to a browser technology called web workers expensive and blocking computation can run somewhere other than the main application thread controlling the user interface. When such work is done on the main thread, the browser appears frozen; web workers ensure expensive blocking computation happens elsewhere. Think of workers as independent subprocesses in your web page. Rich and powerful plugins

PyScript has a small, efficient yet powerful core called PolyScript. Most of the functionality of PyScript is actually implemented through PolyScript's plugin system.

This approach ensures a clear separation of concerns: PolyScript can focus on being small, efficient and powerful, whereas the PyScript related plugins allow us to Pythonically build upon the solid foundations of PolyScript.

Because there is a plugin system, folks independent of the PyScript core team have a way to create and contribute to a rich ecosystem of plugins whose functionality reflects the unique and diverse needs of PyScript's users.

"},{"location":"user-guide/ffi/","title":"PyScript FFI","text":"

The foreign function interface (FFI) gives Python access to JavaScript, and JavaScript access to Python. As a result PyScript is able to access all the standard APIs and capabilities provided by the browser.

We provide a unified pyscript.ffi because Pyodide's FFI is only partially implemented in MicroPython and there are some fundamental differences. The pyscript.ffi namespace smooths out such differences into a uniform and consistent API.

Our pyscript.ffi offers the following utilities:

  • ffi.to_js(reference) converts a Python object into its JavaScript counterpart.
  • ffi.create_proxy(def_or_lambda) proxies a generic Python function into a JavaScript one, without destroying its reference right away.

Should you require access to Pyodide or MicroPython's specific version of the FFI you'll find them under the pyodide.ffi and micropython.ffi namespaces. Please refer to the documentation for those projects for further information.

"},{"location":"user-guide/ffi/#to_js","title":"to_js","text":"

In the Pyodide project, this utility converts Python dictionaries into JavaScript Map objects. Such Map objects reflect the obj.get(field) semantics native to Python's way of retrieving a value from a dictionary.

Unfortunately, this default conversion breaks the vast majority of native and third party JavaScript APIs. This is because the convention in idiomatic JavaScript is to use an object for such key/value data structures (not a Map instance).

A common complaint has been the repeated need to call to_js with the long winded argument dict_converter=js.Object.fromEntries. It turns out, most people most of the time simply want to map a Python dict to a JavaScript object (not a Map).

Furthermore, in MicroPython the default Python dict conversion is to the idiomatic and sensible JavaScript object, making the need to specify a dictionary converter pointless.

Therefore, if there is no reason to hold a Python reference in a JavaScript context (which is 99% of the time, for common usage of PyScript) then use the pyscript.ffi.to_js function, on both Pyodide and MicroPython, to always convert a Python dict to a JavaScript object.

to_js: pyodide.ffi VS pyscript.ffi
<!-- works on Pyodide (type py) only -->\n<script type=\"py\">\nfrom pyodide.ffi import to_js\n# default into JS new Map([[\"a\", 1], [\"b\", 2]])\nto_js({\"a\": 1, \"b\": 2})\n</script>\n<!-- works on both Pyodide and MicroPython -->\n<script type=\"py\">\nfrom pyscript.ffi import to_js\n# always default into JS {\"a\": 1, \"b\": 2}\nto_js({\"a\": 1, \"b\": 2})\n</script>\n

Note

It is still possible to specify a different dict_converter or use Pyodide specific features while converting Python references by simply overriding the explicit field for dict_converter.

However, we cannot guarantee all fields and features provided by Pyodide will work in the same way on MicroPython.

"},{"location":"user-guide/ffi/#create_proxy","title":"create_proxy","text":"

In the Pyodide project, this function ensures that a Python callable associated with an event listener, won't be garbage collected immediately after the function is assigned to the event. Therefore, in Pyodide, if you do not wrap your Python function, it is immediately garbage collected after being associated with an event listener.

This is so common a gotcha (see the FAQ for more on this) that the Pyodide project have already created many work-arounds to address this situation. For example, the create_once_callable, pyodide.ffi.wrappers.add_event_listener and pyodide.ffi.set_timeout are all methods whose goal is to automatically manage the lifetime of the passed in Python callback.

Add to this situation methods connected to the JavaScript Promise object (.then and .catch callbacks that are implicitly handled to guarantee no leaks once executed) and things start to get confusing and overwhelming with many ways to achieve a common end result.

Ultimately, user feedback suggests folks simply want to do something like this, as they write their Python code:

Define a callback without create_proxy.
import js\nfrom pyscript import window\ndef callback(msg):\n\"\"\"\n    A Python callable that logs a message.\n    \"\"\"\nwindow.console.log(msg)\n# Use the callback without having to explicitly create_proxy.\njs.setTimeout(callback, 1000, 'success')\n

Therefore, PyScript provides an experimental configuration flag called experimental_create_proxy = \"auto\". When set, you should never have to care about these technical details nor use the create_proxy method and all the JavaScript callback APIs should just work.

Under the hood, the flag is strictly coupled with the JavaScript garbage collector that will eventually destroy all proxy objects created via the FinalizationRegistry built into the browser.

This flag also won't affect MicroPython because it rarely needs a create_proxy at all when Python functions are passed to JavaScript event handlers. MicroPython automatically handles this situation. However, there might still be rare and niche cases in MicroPython where such a conversion might be needed.

Hence, PyScript retains the create_proxy method, even though it does not change much in the MicroPython world, although it might be still needed with the Pyodide runtime is you don't use the experimental_create_proxy = \"auto\" flag.

At a more fundamental level, MicroPython doesn't provide (yet) a way to explicitly destroy a proxy reference, whereas Pyodide still expects to explicitly invoke proxy.destroy() when the function is not needed.

Warning

In MicroPython proxies might leak due to the lack of a destroy() method.

Happily, proxies are usually created explicitly for event listeners or other utilities that won't need to be destroyed in the future. So the lack of a destroy() method in MicroPython is not a problem in this specific, and most common, situation.

Until we have a destroy() in MicroPython, we suggest testing the experimental_create_proxy flag with Pyodide so both runtimes handle possible leaks automatically.

For completeness, the following examples illustrate the differences in behaviour between Pyodide and MicroPython:

A classic Pyodide gotcha VS MicroPython
<!-- Throws:\nUncaught Error: This borrowed proxy was automatically destroyed\nat the end of a function call. Try using create_proxy or create_once_callable.\n-->\n<script type=\"py\">\nimport js\njs.setTimeout(lambda x: print(x), 1000, \"fail\");\n</script>\n<!-- logs \"success\" after a second -->\n<script type=\"mpy\">\nimport js\njs.setTimeout(lambda x: print(x), 1000, \"success\");\n</script>\n

To address the difference in Pyodide's behaviour, we can use the experimental flag:

experimental create_proxy
<py-config>\n    experimental_create_proxy = \"auto\"\n</py-config>\n<!-- logs \"success\" after a second in both Pyodide and MicroPython -->\n<script type=\"py\">\nimport js\njs.setTimeout(lambda x: print(x), 1000, \"success\");\n</script>\n

Alternatively, create_proxy via the pyscript.ffi in both interpreters, but only in Pyodide can we then destroy such proxy:

pyscript.ffi.create_proxy
<!-- success in both Pyodide and MicroPython -->\n<script type=\"py\">\nfrom pyscript.ffi import create_proxy\nimport js\ndef log(x):\ntry:\nproxy.destroy()\nexcept:\npass  # MicroPython\nprint(x)\nproxy = create_proxy(log)\njs.setTimeout(proxy, 1000, \"success\");\n</script>\n
"},{"location":"user-guide/first-steps/","title":"First steps","text":"

It's simple:

  • tell your browser to use PyScript, then,
  • tell PyScript how to run your Python code.

That's it!

For the browser to use PyScript, simply add a <script> tag, whose src attribute references a CDN url for pyscript.core, to your HTML document's <head>. We encourage you to add a reference to optional PyScript related CSS:

Reference PyScript in your HTML
<!doctype html>\n<html>\n<head>\n<!-- Recommended meta tags -->\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width,initial-scale=1.0\">\n<!-- PyScript CSS -->\n<link rel=\"stylesheet\" href=\"https://pyscript.net/releases/2024.9.2/core.css\">\n<!-- This script tag bootstraps PyScript -->\n<script type=\"module\" src=\"https://pyscript.net/releases/2024.9.2/core.js\"></script>\n</head>\n<body>\n<!-- your code goes here... -->\n</body>\n</html>\n

There are two ways to tell PyScript how to find your code.

  • With a standard HTML <script> tag whose type attribute is either py (for Pyodide) or mpy (for MicroPython). This is the recommended way.
  • Via the bespoke <py-script> (Pyodide) and <mpy-script> (MicroPython) tags. Historically, <py-script> used to be the only way to reference your code.

These should be inserted into the <body> of your HTML document.

In both cases either use the src attribute to reference a Python file containing your code, or inline your code between the opening and closing tags. We recommend you use the src attribute method, but retain the ability to include code between tags for convenience.

Here's a <script> tag with a src attribute containing a URL pointing to a main.py Python file.

A <script> tag with a source file
<script type=\"mpy\" src=\"main.py\"></script>\n

...and here's a <py-script> tag with inline Python code.

A <py-script> tag with inline code
<py-script>\nimport sys\nfrom pyscript import display\n\ndisplay(sys.version)\n</py-script>\n

The <script> and <py-script> / <mpy-script> tags may have the following attributes:

  • src - the content of the tag is ignored and the Python code in the referenced file is evaluated instead. This is the recommended way to reference your Python code.
  • config - your code will only be evaluated after the referenced configuration has been parsed. Since configuration can be JSON or a TOML file, config='{\"packages\":[\"numpy\"]}' and config=\"./config.json\" or config=\"./config.toml\" are all valid.
  • async - set this flag to \"false\" so your code won't run within a top level await (the default behaviour).

Warning

This behaviour changed in version 2024.8.2.

PyScript now uses a top level await by default.

You used to have to include the async flag to enable this. Now, instead, use async=\"false\" to revert the behaviour back to the old default behaviour of synchronous evaluation.

We made this change because many folks were await-ing functions and missing or not realising the need for the (old) async attribute. Hence the flip in behaviour.

  • worker - a flag to indicate your Python code is to be run on a web worker instead of the \"main thread\" that looks after the user interface.
  • target - the id or selector of the element where calls to display() should write their values.
  • terminal - a traditional terminal is shown on the page. As with conventional Python, print statements output here. If the worker flag is set the terminal becomes interactive (e.g. use the input statement to gather characters typed into the terminal by the user).
  • service-worker - an optional attribute that allows you to slot in a custom service worker (such as mini-coi.js) to fix header related problems that limit the use of web workers. This rather technical requirement is fully explained in the section on web workers.

Warning

The packages setting used in the example configuration shown above is for Pyodide using PyPI.

When using MicroPython, and because MicroPython doesn't support code packaged on PyPI, you should use a valid URL to a MicroPython friendly package.

For more information please refer to the packages section of this user guide.

Question

Why do we recommend use of the <script> tag with a src attribute?

Within the HTML standard, the <script> tag is used to embed executable code. Its use case completely aligns with our own, as does its default behaviour.

By referencing a separate Python source file via the src attribute, your code is just a regular Python file your code editor will understand. Python code embedded within a <script> tag in an HTML file won't benefit from the advantages code editors bring: syntax highlighting, code analysis, language-based contextual awareness and perhaps even an AI co-pilot.

Both the <py-script> and <mpy-script> tags with inline code are web components that are not built into the browser. While they are convenient, there is a performance cost to their use.

Info

The browser's tab displaying the website running PyScript is an isolated computing sandbox. Define the Python environment in which your code will run with configuration options (discussed later in this user guide).

Tip

If you want to run code on both the main thread and in a worker, be explicit and use separate tags.

<script type=\"mpy\" src=\"main.py\"></script>  <!-- on the main thread -->\n<script type=\"py\" src=\"worker.py\" worker config=\"pyconfig.toml\"></script> <!-- on the worker -->\n

Notice how different interpreters can be used with different configurations.

"},{"location":"user-guide/offline/","title":"Use PyScript Offline","text":"

Sometimes you want to run PyScript applications offline.

Both PyScript core and the interpreter used to run code need to be served with the application itself. The two requirements needed to create an offline version of PyScript are:

  1. Download and include PyScript core.
  2. Download and include the Python interpreters used in your application.
"},{"location":"user-guide/offline/#get-pyscript-core","title":"Get PyScript core","text":"

You have two choices:

  1. Build from source. Clone the repository, install dependencies, then build and use the content found in the ./dist/ folder.
  2. Grab the npm package. For simplicity this is the method we currently recommend as the easiest to get started.

In the following instructions, we assume the existence of a folder called pyscript-offline. All the necessary files needed to use PyScript offline will eventually find their way in there.

In your computer's command line shell, create the pyscript-offline folder like this:

mkdir -p pyscript-offline\n

Now change into the newly created directory:

cd pyscript-offline\n
"},{"location":"user-guide/offline/#pyscipt-core-from-source","title":"PyScipt core from source","text":"

Build PyScript core by cloning the project repository and follow the instructions in our developer guide

Once completed, copy the dist folder, that has been created by the build step, into your pyscript-offline folder.

"},{"location":"user-guide/offline/#pyscript-core-from-npm","title":"PyScript core from npm","text":"

Ensure you are in the pyscript-offline folder created earlier.

Create a package.json file. Even an empty one with just {} as content will suffice. This is needed to make sure our folder will include the local npm_modules folder instead of placing assets elsewhere. Our aim is to ensure everything is in the same place locally.

# only if there is no package.json, create one\necho '{}' > ./package.json\n

Assuming you have npm installed on your computer, issue the following command in the pyscript-offline folder to install the PyScript core package.

# install @pyscript/core\nnpm i @pyscript/core\n

Now the folder should contain a node_module folder in it, and we can copy the dist folder found within the @pyscript/core package wherever we like.

# create a public folder to serve locally\nmkdir -p public\n\n# move @pyscript/core dist into such folder\ncp -R ./node_modules/@pyscript/core/dist ./public/pyscript\n

That's almost it!

"},{"location":"user-guide/offline/#set-up-your-application","title":"Set up your application","text":"

Simply create a ./public/index.html file that loads the local PyScript:

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<title>PyScript Offline</title>\n<script type=\"module\" src=\"/pyscript/core.js\"></script>\n<link rel=\"stylesheet\" href=\"/pyscript/core.css\">\n</head>\n<body>\n<script type=\"mpy\">\nfrom pyscript import document\ndocument.body.append(\"Hello from PyScript\")\n</script>\n</body>\n</html>\n

Run this project directly (after being sure that index.html file is saved into the public folder):

python3 -m http.server -d ./public/\n

If you would like to test worker features, try instead:

npx mini-coi ./public/\n
"},{"location":"user-guide/offline/#download-a-local-interpreter","title":"Download a local interpreter","text":"

PyScript officially supports MicroPython and Pyodide interpreters, so let's see how to get a local copy for each one of them.

"},{"location":"user-guide/offline/#local-micropython","title":"Local MicroPython","text":"

Similar to @pyscript/core, we can also install MicroPython from npm:

npm i @micropython/micropython-webassembly-pyscript\n

Our node_modules folder should contain a @micropython one and from there we can move relevant files into our public folder.

Let's be sure we have a target for that:

# create a folder in our public space\nmkdir -p ./public/micropython\n\n# copy related files into such folder\ncp ./node_modules/@micropython/micropython-webassembly-pyscript/micropython.* ./public/micropython/\n

The folder should contain at least both micropython.mjs and micropython.wasm files. These are the files to use locally via a dedicated config.

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<title>PyScript Offline</title>\n<script type=\"module\" src=\"/pyscript/core.js\"></script>\n<link rel=\"stylesheet\" href=\"/pyscript/core.css\">\n</head>\n<body>\n<mpy-config>\n    interpreter = \"/micropython/micropython.mjs\"\n  </mpy-config>\n<script type=\"mpy\">\nfrom pyscript import document\ndocument.body.append(\"Hello from PyScript\")\n</script>\n</body>\n</html>\n
"},{"location":"user-guide/offline/#local-pyodide","title":"Local Pyodide","text":"

Remember, Pyodide uses micropip to install third party packages. While the procedure for offline Pyodide is very similar to the one for MicroPython, if we want to use 3rd party packages we also need to have these available locally. We'll start simple and cover such packaging issues at the end.

# locally install the pyodide module\nnpm i pyodide\n\n# create a folder in our public space\nmkdir -p ./public/pyodide\n\n# move all necessary files into that folder\ncp ./node_modules/pyodide/pyodide* ./public/pyodide/\ncp ./node_modules/pyodide/python_stdlib.zip ./public/pyodide/\n

Please note that the pyodide-lock.json file is needed, so please don't change that cp operation as all pyodide* files need to be moved.

At this point, all we need to do is to change the configuration on our HTML page to use pyodide instead:

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<title>PyScript Offline</title>\n<script type=\"module\" src=\"/pyscript/core.js\"></script>\n<link rel=\"stylesheet\" href=\"/pyscript/core.css\">\n</head>\n<body>\n<py-config>\n    interpreter = \"/pyodide/pyodide.mjs\"\n  </py-config>\n<script type=\"py\">\nfrom pyscript import document\ndocument.body.append(\"Hello from PyScript\")\n</script>\n</body>\n</html>\n
"},{"location":"user-guide/offline/#wrap-up","title":"Wrap up","text":"

That's basically it!

Disconnect from the internet, run the local server, and the page will still show that very same Hello from PyScript message.

"},{"location":"user-guide/offline/#local-pyodide-packages","title":"Local Pyodide packages","text":"

Finally, we need the ability to install Python packages from a local source when using Pyodide.

Put simply, we use the packages bundle from pyodide releases.

Warning

This bundle is more than 200MB!

It contains each package that is required by Pyodide, and Pyodide will only load packages when needed.

Once downloaded and extracted (we're using version 0.26.2 in this example), we can simply copy the files and folders inside the pyodide-0.26.2/pyodide/* directory into our ./public/pyodide/* folder.

Feel free to either skip or replace the content, or even directly move the pyodide folder inside our ./public/ one.

Now use any package available in via the Pyodide bundle.

For example:

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<title>PyScript Offline</title>\n<script type=\"module\" src=\"/pyscript/core.js\"></script>\n<link rel=\"stylesheet\" href=\"/pyscript/core.css\">\n</head>\n<body>\n<py-config>\n    interpreter = \"/pyodide/pyodide.mjs\"\n    packages = [\"pandas\"]\n  </py-config>\n<script type=\"py\">\nimport pandas as pd\nx = pd.Series([1,2,3,4,5,6,7,8,9,10])\nfrom pyscript import document\ndocument.body.append(str([i**2 for i in x]))\n</script>\n</body>\n</html>\n

We should now be able to read [1, 4, 9, 16, 25, 36, 49, 64, 81, 100] on the page even if we disconnect from the Internet.

That's it!

"},{"location":"user-guide/plugins/","title":"Plugins","text":"

PyScript offers a plugin API so anyone can extend its functionality and share their modifications.

PyScript only supports plugins written in Javascript (although causing the evaluation of bespoke Python code can be a part of such plugins). The plugin's JavaScript code should be included on the web page via a <script type=\"module\"> tag before PyScript is included in the web page.

The PyScript plugin API defines hooks that intercept named events in the lifecycle of a PyScript application, so you can modify how the platform behaves. The example at the bottom of this page demonstrates how this is done in code.

"},{"location":"user-guide/plugins/#lifecycle-events","title":"Lifecycle Events","text":"

PyScript emits events that capture the beginning or the end of specific stages in the application's life. No matter if code is running in the main thread or on a web worker, the exact same sequence of steps takes place:

  • ready - the browser recognizes the PyScript script or tag, and the associated Python interpreter is ready to work. A JavaScript callback can be used to instrument the interpreter before anything else happens.
  • before run - some Python code is about to be evaluated. A JavaScript callback could setup a bespoke browser context, be that in the main thread or a web worker. This is similar to a generic setup callback found in test frameworks.
  • code before run - sometimes a plugin needs Python code to be evaluated before the code given to PyScript, in order to set up a Python context for the referenced code. Such code is simply a string of Python evaluated immediately before the code given to PyScript.
  • At this point in the lifecycle the code referenced in the script or other PyScript related tags is evaluated.
  • code after run - sometimes a plugin needs Python code to be evaluated after the code given to PyScript, in order to clean up or react to the final state created by the referenced code. Such code is simply a string of Python code evaluated immediately after the code given to PyScript.
  • after run - all the Python code has been evaluated. A JavaScript callback could clean up or react to the resulting browser context, be that on the main thread or a web worker. This is similar to a generic teardown callback found in test frameworks.

PyScript's interpreters can run their code either synchronously or asynchronously (note, the default is asynchronously). No matter, the very same sequence is guaranteed to run in order in both cases, the only difference being the naming convention used to reference synchronous or asynchronous lifecycle hooks.

"},{"location":"user-guide/plugins/#hooks","title":"Hooks","text":"

Hooks are used to tell PyScript that your code wants to subscribe to specific lifecycle events. When such events happen, your code will be called by PyScript.

The available hooks depend upon where your code is running: on the browser's (blocking) main thread or on a (non-blocking) web worker. These are defined via the hooks.main and hooks.worker namespaces in JavaScript.

"},{"location":"user-guide/plugins/#main-hooks","title":"Main Hooks","text":"

Callbacks registered via hooks on the main thread will usually receive a wrapper of the interpreter with its unique-to-that-interpreter utilities, along with a reference to the element on the page from where the code was derived.

Please refer to the documentation for the interpreter you're using (Pyodide or MicroPython) to learn about its implementation details and the potential capabilities made available via the wrapper.

Callbacks whose purpose is simply to run raw contextual Python code, don't receive interpreter or element arguments.

This table lists all possible, yet optional, hooks a plugin can register on the main thread:

name example behavior onReady onReady(wrap:Wrap, el:Element) {} If defined, this hook is invoked before any other to signal that the interpreter is ready and code is going to be evaluated. This hook is in charge of eventually running Pythonic content in any way it is defined to do so. onBeforeRun onBeforeRun(wrap:Wrap, el:Element) {} If defined, it is invoked before to signal that an element's code is going to be evaluated. onBeforeRunAsync onBeforeRunAsync(wrap:Wrap, el:Element) {} Same as onBeforeRun, except for scripts that require async behaviour. codeBeforeRun codeBeforeRun: () => 'print(\"before\")' If defined, evaluate some Python code immediately before the element's code is evaluated. codeBeforeRunAsync codeBeforeRunAsync: () => 'print(\"before\")' Same as codeBeforeRun, except for scripts that require async behaviour. codeAfterRun codeAfterRun: () => 'print(\"after\")' If defined, evaluate come Python code immediately after the element's code has finished executing. codeAfterRunAsync codeAfterRunAsync: () => 'print(\"after\")' Same as codeAfterRun, except for scripts that require async behaviour. onAfterRun onAfterRun(wrap:Wrap, el:Element) {} If defined, invoked immediately after the element's code has been executed. onAfterRunAsync onAfterRunAsync(wrap:Wrap, el:Element) {} Same as onAfterRun, except for scripts that require async behaviour. onWorker onWorker(wrap = null, xworker) {} If defined, whenever a script or tag with a worker attribute is processed, this hook is triggered on the main thread. This allows possible xworker features to be exposed before the code is evaluated on the web worker. The wrap reference is usually null unless an explicit XWorker call has been initialized manually and there is an interpreter on the main thread (very advanced use case). Please note, this is the only hook that doesn't exist in the worker counter list of hooks."},{"location":"user-guide/plugins/#worker-hooks","title":"Worker Hooks","text":"

When it comes to hooks on a web worker, callbacks cannot use any JavaScript outer scope references and must be completely self contained. This is because callbacks must be serializable in order to work on web workers since they are actually communicated as strings via a postMessage to the worker's isolated environment.

For example, this will work because all references are contained within the registered function:

import { hooks } from \"https://pyscript.net/releases/2024.9.2/core.js\";\nhooks.worker.onReady.add(() => {\n// NOT suggested, just an example!\n// This code simply defines a global `i` reference if it doesn't exist.\nif (!('i' in globalThis))\nglobalThis.i = 0;\nconsole.log(++i);\n});\n

However, due to the outer reference to the variable i, this will fail:

import { hooks } from \"https://pyscript.net/releases/2024.9.2/core.js\";\n// NO NO NO NO NO! \u2620\ufe0f\nlet i = 0;\nhooks.worker.onReady.add(() => {\n// The `i` in the outer-scope will cause an error if\n// this code executes in the worker because only the\n// body of this function gets stringified and re-evaluated\nconsole.log(++i);\n});\n

As the worker won't have an element related to it, since workers can be created procedurally, the second argument won't be a reference to an element but a reference to the related xworker object that is driving and coordinating things.

The list of possible yet optional hooks a custom plugin can use with a web worker is exactly the same as for the main thread except for the absence of onWorker and the replacement of the second element argument with that of an xworker.

"},{"location":"user-guide/plugins/#example-plugin","title":"Example plugin","text":"

Here's a contrived example, written in JavaScript, that should be added to the web page via a <script type=\"module\"> tag before PyScript is included in the page.

log.js - a plugin that simply logs to the console.
// import the hooks from PyScript first...\nimport { hooks } from \"https://pyscript.net/releases/2024.9.2/core.js\";\n// The `hooks.main` attribute defines plugins that run on the main thread.\nhooks.main.onReady.add((wrap, element) => {\nconsole.log(\"main\", \"onReady\");\nif (location.search === '?debug') {\nconsole.debug(\"main\", \"wrap\", wrap);\nconsole.debug(\"main\", \"element\", element);\n}\n});\nhooks.main.onBeforeRun.add(() => {\nconsole.log(\"main\", \"onBeforeRun\");\n});\nhooks.main.codeBeforeRun.add('print(\"main\", \"codeBeforeRun\")');\nhooks.main.codeAfterRun.add('print(\"main\", \"codeAfterRun\")');\nhooks.main.onAfterRun.add(() => {\nconsole.log(\"main\", \"onAfterRun\");\n});\n// The `hooks.worker` attribute defines plugins that run on workers.\nhooks.worker.onReady.add((wrap, xworker) => {\nconsole.log(\"worker\", \"onReady\");\nif (location.search === '?debug') {\nconsole.debug(\"worker\", \"wrap\", wrap);\nconsole.debug(\"worker\", \"xworker\", xworker);\n}\n});\nhooks.worker.onBeforeRun.add(() => {\nconsole.log(\"worker\", \"onBeforeRun\");\n});\nhooks.worker.codeBeforeRun.add('print(\"worker\", \"codeBeforeRun\")');\nhooks.worker.codeAfterRun.add('print(\"worker\", \"codeAfterRun\")');\nhooks.worker.onAfterRun.add(() => {\nconsole.log(\"worker\", \"onAfterRun\");\n});\n
Include the plugin in the web page before including PyScript.
<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<!-- JS plugins should be available before PyScript bootstraps -->\n<script type=\"module\" src=\"./log.js\"></script>\n<!-- PyScript -->\n<link rel=\"stylesheet\" href=\"https://pyscript.net/releases/2024.9.2/core.css\">\n<script type=\"module\" src=\"https://pyscript.net/releases/2024.9.2/core.js\"></script>\n</head>\n<body>\n<script type=\"mpy\">\nprint(\"ACTUAL CODE\")\n</script>\n</body>\n</html>\n
"},{"location":"user-guide/running-offline/","title":"Running PyScript Offline","text":"

Although users will want to create and share PyScript apps on the internet, there are cases when user want to run PyScript applications offline, in an airgapped fashion. This means that both PyScript core and the interpreter used to run code need to be served with the application itself. In short, the 2 main explicit tasks needed to create an offline PyScript application are:

  • download and include PyScript core (core.js)
  • download and include the [Python] interpreters you want to use in your Application
"},{"location":"user-guide/running-offline/#downloading-and-including-pyscripts-corejs","title":"Downloading and Including PyScript's core.js","text":"

There are at least 2 ways to use PyScript offline:

  • by cloning the repository, then building and installing dependencies and then run and then reach the ./dist/ folder
  • by grabbing the npm package which for simplicity sake will be the method used here at least until we find a better place to pin our dist folder via our CDN and make the procedure even easier than it is now

In the examples below, we'll assume we are creating a PyScript Application folder called pyscript-offline and we'll add all the necessary files to the folder.

First of all, we are going to create a pyscript-offline folder as reference.

mkdir -p pyscript-offline\ncd pyscript-offline\n
"},{"location":"user-guide/running-offline/#adding-core-by-cloning-the-repository","title":"Adding core by Cloning the Repository","text":"

You can build all the PyScript Core files by cloning the project repository and building them yourself. To do so, build the files by following the instructions in our developer guide

Once you've run the build command, copy the build folder that has been created into your pyscript-offline folder.

"},{"location":"user-guide/running-offline/#adding-core-by-installing-pyscriptcore-locally","title":"Adding core by Installing @pyscript/core Locally","text":"

First of all, ensure you are in the folder you would like to test PyScirpt locally. In this case, the pyscript-offline folder we created earlier.

Once within the folder, be sure there is a package.json file. Even an empty one with just {} as content would work. This is needed to be sure the folder will include locally the npm_modules folder instead of placing the package in the parent folder, if any.

# only if there is no package.json, create one\necho '{}' > ./package.json\n\n# install @pyscript/core\nnpm i @pyscript/core\n

At this point the folder should contain a node_module in it and we can actually copy its dist folder wherever we like.

# create a public folder to serve locally\nmkdir -p public\n\n# move @pyscript/core dist into such folder\ncp -R ./node_modules/@pyscript/core/dist ./public/pyscript\n
"},{"location":"user-guide/running-offline/#setting-up-your-application","title":"Setting up your application","text":"

Once you've added PyScript code following one of the methods above, that's almost it! We are half way through our goal but we can already create a ./public/index.html file that loads the project:

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<title>PyScript Offline</title>\n<script type=\"module\" src=\"/pyscript/core.js\"></script>\n<link rel=\"stylesheet\" href=\"/pyscript/core.css\">\n</head>\n<body>\n<script type=\"mpy\">\nfrom pyscript import document\ndocument.body.append(\"Hello from PyScript\")\n</script>\n</body>\n</html>\n

To run this project directly, after being sure that index.html file is saved into the public folder, you can try:

python3 -m http.server -d ./public/\n

Alternatively, if you would like to test also worker features, you can try instead:

npx static-handler --coi ./public/\n
"},{"location":"user-guide/running-offline/#downloading-and-setting-up-a-local-interpreter","title":"Downloading and Setting up a Local Interpreter","text":"

Good news! We are almost there. Now that we've:

  • downloaded PyScript locally
  • created the skeleton of an initial PyScript App

we need to download and setup up an interpreter. PyScript officially supports MicroPython and Pyodide interpreters, so let's see how to do that for each one of them.

"},{"location":"user-guide/running-offline/#download-micropython-locally","title":"Download MicroPython locally","text":"

Similarly to what we did for @pyscript/core, we can also install MicroPython from npm:

npm i @micropython/micropython-webassembly-pyscript\n

Our node_modules folder now should contain a @micropython one and from there we can move relevant files into our public folder, but let's be sure we have a target for that:

# create a folder in our public space\nmkdir -p ./public/micropython\n\n# copy related files into such folder\ncp ./node_modules/@micropython/micropython-webassembly-pyscript/micropython.* ./public/micropython/\n

That folder should contain at least both micropython.mjs and micropython.wasm files and these are the files we are going to use locally via our dedicated config.

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<title>PyScript Offline</title>\n<script type=\"module\" src=\"/pyscript/core.js\"></script>\n<link rel=\"stylesheet\" href=\"/pyscript/core.css\">\n</head>\n<body>\n<mpy-config>\n    interpreter = \"/micropython/micropython.mjs\"\n  </mpy-config>\n<script type=\"mpy\">\nfrom pyscript import document\ndocument.body.append(\"Hello from PyScript\")\n</script>\n</body>\n</html>\n
"},{"location":"user-guide/running-offline/#install-pyodide-locally","title":"Install Pyodide locally","text":"

Currently there is a difference between MicroPython and Pyodide: the former does not have (yet) a package manager while the latest does, it's called micropip.

This is important to remember because while the procedure to have pyodide offline is very similar to the one we've just seen, if we want to use also 3rd party packages we also need to have these running locally ... but let's start simple:

# install locally the pyodide module\nnpm i pyodide\n\n# create a folder in our public space\nmkdir -p ./public/pyodide\n\n# move all necessary files into that folder\ncp ./node_modules/pyodide/pyodide* ./public/pyodide/\ncp ./node_modules/pyodide/python_stdlib.zip ./public/pyodide/\n

Please note that also pyodide-lock.json file is needed so please don't change that cp operation as all pyodide* files need to be moved.

At this point, all we need to do is to change our HTML page to use pyodide instead:

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<title>PyScript Offline</title>\n<script type=\"module\" src=\"/pyscript/core.js\"></script>\n<link rel=\"stylesheet\" href=\"/pyscript/core.css\">\n</head>\n<body>\n<py-config>\n    interpreter = \"/pyodide/pyodide.mjs\"\n  </py-config>\n<script type=\"py\">\nfrom pyscript import document\ndocument.body.append(\"Hello from PyScript\")\n</script>\n</body>\n</html>\n
"},{"location":"user-guide/running-offline/#wrapping-it-up","title":"Wrapping it up","text":"

We are basically done! If we try to disconnect from the internet but we still run our local server, the page will still show that very same Hello from PyScript message :partying_face:

We can now drop internet, still keeping the local server running, and everything should be fine :partying_face:

"},{"location":"user-guide/running-offline/#local-pyodide-packages","title":"Local Pyodide Packages","text":"

There's one last thing that users are probably going to need: the ability to install Python packages when using Pyodide.

In order to have also 3rd party packages available, we can use the bundle from pyodide releases that contains also packages.

Please note this bundle is more than 200MB: it not downloaded all at once, it contains each package that is required and it loads only related packages when needed.

Once downloaded and extracted, where in this case I am using 0.24.1 as reference bundle, we can literally copy and paste, or even move, all those files and folders inside the pyodide-0.24.1/pyodide/* directory into our ./public/pyodide/* folder.

As the bundle contains files already present, feel free to either skip or replace the content, or even directly move that pyodide folder inside our ./public/ one.

Once it's done, we can now use any package we like that is available in pyodide. Let's see an example:

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"UTF-8\">\n<meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n<title>PyScript Offline</title>\n<script type=\"module\" src=\"/pyscript/core.js\"></script>\n<link rel=\"stylesheet\" href=\"/pyscript/core.css\">\n</head>\n<body>\n<py-config>\n    interpreter = \"/pyodide/pyodide.mjs\"\n    packages = [\"pandas\"]\n  </py-config>\n<script type=\"py\">\nimport pandas as pd\nx = pd.Series([1,2,3,4,5,6,7,8,9,10])\nfrom pyscript import document\ndocument.body.append(str([i**2 for i in x]))\n</script>\n</body>\n</html>\n

If everything went fine, we should now be able to read [1, 4, 9, 16, 25, 36, 49, 64, 81, 100] on the page even if we disconnect from the Internet.

And that's all folks :wave:

"},{"location":"user-guide/terminal/","title":"Terminal","text":"

In conventional (non-browser based) Python, it is common to run scripts from the terminal, or to interact directly with the Python interpreter via the REPL. It's to the terminal that print writes characters (via stdout), and it's from the terminal that the input reads characters (via stdin).

It usually looks something like this:

Because of the historic importance of the use of a terminal, PyScript makes one available in the browser (based upon XTerm.js). As mentioned earlier, PyScript's built-in terminal is activated with the terminal flag when using the <script>, <py-script> or <mpy-script> tags.

Success

As of the 2024.4.1 release, MicroPython works with the terminal.

This is, perhaps, the simplest use case that allows data to be emitted to a read-only terminal:

<script type=\"py\" terminal>print(\"hello world\")</script>\n

The end result will look like this (the rectangular box indicates the current position of the cursor):

Should you need an interactive terminal, for example because you use the input statement that requires the user to type things into the terminal, you must ensure your code is run on a worker:

<script type=\"py\" terminal worker>\nname = input(\"What is your name? \")\nprint(f\"Hello, {name}\")\n</script>\n

To use the interactive Python REPL in the terminal, use Python's code module like this:

import code\ncode.interact()\n

The end result should look something like this:

Finally, it is possible to dynamically pass Python code into the terminal. The trick is to get a reference to the terminal created by PyScript. Thankfully, this is very easy.

Consider this fragment:

<script id=\"my_script\" type=\"mpy\" terminal worker></script>\n

Get a reference to the element, and just call the process method on that object:

const myterm = document.querySelector(\"#my_script\");\nawait myterm.process('print(\"Hello world!\")');\n
"},{"location":"user-guide/terminal/#xterm-reference","title":"XTerm reference","text":"

Each terminal has a reference to the Terminal instance used to bootstrap the current terminal.

On the JavaScript side, it's a script.terminal property while on the Python side, it's a __terminal__ special reference that guarantees to provide the very same script.terminal:

How to reach the XTerm Terminal
<script id=\"py-terminal\" type=\"py\" terminal worker>\nfrom pyscript import document, ffi\n# example: change default font-family\n__terminal__.options = ffi.to_js({\"fontFamily\": \"cursive\"})\nscript = document.getElementById(\"py-terminal\")\nprint(script.terminal == __terminal__)\n# prints True with the defined font\n</script>\n
"},{"location":"user-guide/terminal/#clear-the-terminal","title":"Clear the terminal","text":"

It's very simple to clear a PyTerminal:

Clearing the terminal
<script type=\"mpy\" terminal worker>\nprint(\"before\")\n__terminal__.clear()\nprint(\"after\")\n# only \"after\" is on the terminal\n</script>\n
"},{"location":"user-guide/terminal/#terminal-colors","title":"Terminal colors","text":"

Colors and most special characters work so you can make the text bold or turn it green. You could even use a control character to print('\\033[2J') and clear the terminal, instead of using the exposed clear() method:

Terminal colors
<script type=\"mpy\" terminal worker>\nprint(\"This is \\033[1mbold\\033[0m\")\nprint(\"This is \\033[32mgreen\\033[0m\")\nprint(\"This is \\033[1m\\033[35mbold and purple\\033[0m\")\n</script>\n
"},{"location":"user-guide/terminal/#terminal-addons","title":"Terminal addons","text":"

It's possible use XTerm.js addons:

Terminal addons
<py-config>\n    [js_modules.main]\n    \"https://cdn.jsdelivr.net/npm/@xterm/addon-web-links/+esm\" = \"weblinks\"\n</py-config>\n<script type=\"py\" terminal>\nfrom pyscript import js_modules\naddon = js_modules.weblinks.WebLinksAddon.new()\n__terminal__.loadAddon(addon)\nprint(\"Check out https://pyscript.net/\")\n</script>\n

By default we enable the WebLinksAddon addon (so URLs displayed in the terminal automatically become links). Behind the scenes is the example code shown above, and this approach will work for any other addon you may wish to use.

"},{"location":"user-guide/terminal/#micropython","title":"MicroPython","text":"

MicroPython has a very complete REPL already built into it.

  • All Ctrl+X strokes are handled, including paste mode and kill switches.
  • History works out of the box. Access this via the up and down arrows to view your command history.
  • Tab completion works like a charm. Use the tab key to see available variables or objects in globals.
  • Copy and paste is much improved. This is true for a single terminal entry, or a paste mode enabled variant.

As a bonus, the MicroPython terminal works on both the main thread and in web workers, with the following caveats:

  • Main thread:
    • Calls to the blocking input function are delegated to the native browser based prompt utility.
    • There are no guards against blocking code (e.g. while True: loops). Such blocking code could freeze your page.
  • Web worker:
    • Conventional support for the input function, without blocking the main thread.
    • Blocking code (e.g. while True: loops) does not block the main thread and your page will remain responsive.

We encourage the usage of worker attribute to bootstrap a MicroPython terminal. But now you have an option to run the terminal in the main thread. Just remember not to block!

"},{"location":"user-guide/what/","title":"What is PyScript?","text":"

PyScript is an open source platform for Python in the browser.

PyScript brings together two of the most vibrant technical ecosystems on the planet. If the web and Python had a baby, you'd get PyScript.

PyScript works because modern browsers support WebAssembly (abbreviated to WASM) - an instruction set for a virtual machine with an open specification and near native performance. PyScript takes versions of the Python interpreter compiled to WASM, and makes them easy to use inside the browser.

At the core of PyScript is a philosophy of digital empowerment. The web is the world's most ubiquitous computing platform, mature and familiar to billions of people. Python is one of the world's most popular programming languages: it is easy to teach and learn, used in a plethora of existing domains (such as data science, games, embedded systems, artificial intelligence, finance, physics and film production - to name but a few), and the Python ecosystem contains a huge number of popular and powerful libraries to address its many uses.

PyScript brings together the ubiquity, familiarity and accessibility of the web with the power, depth and expressiveness of Python. It means PyScript isn't just for programming experts but, as we like to say, for the 99% of the rest of the planet who use computers.

"},{"location":"user-guide/workers/","title":"Workers","text":"

Workers run code that won't block the \"main thread\" controlling the user interface. If you block the main thread, your web page becomes annoyingly unresponsive. You should never block the main thread.

Happily, PyScript makes it very easy to use workers and uses a feature recently added to web standards called Atomics. You don't need to know about Atomics to use web workers, but it's useful to know that the underlying coincident library uses it under the hood.

Info

Sometimes you only need to await in the main thread on a method in a worker when neither window nor document are referenced in the code running on the worker.

In these cases, you don't need any special header or service worker as long as the method exposed from the worker returns a serializable result.

"},{"location":"user-guide/workers/#http-headers","title":"HTTP headers","text":"

To use the window and document objects from within a worker (i.e. use synchronous Atomics) you must ensure your web server enables the following headers (this is the default behavior for pyscript.com):

Access-Control-Allow-Origin: *\nCross-Origin-Opener-Policy: same-origin\nCross-Origin-Embedder-Policy: require-corp\nCross-Origin-Resource-Policy: cross-origin\n

If you're unable to configure your server's headers, you have two options:

  1. Use the mini-coi project to enforce headers.
  2. Use the service-worker attribute with the script element.
"},{"location":"user-guide/workers/#option-1-mini-coi","title":"Option 1: mini-coi","text":"

For performance reasons, this is the preferred option so Atomics works at native speed.

The simplest way to use mini-coi is to copy the mini-coi.js file content and save it in the root of your website (i.e. /), and reference it as the first child tag in the <head> of your HTML documents:

<html>\n<head>\n<script src=\"/mini-coi.js\"></script>\n<!-- etc -->\n</head>\n<!-- etc -->\n</html>\n
"},{"location":"user-guide/workers/#option-2-service-worker-attribute","title":"Option 2: service-worker attribute","text":"

This allows you to slot in a custom service worker to handle requirements for synchronous operations.

Each <script type=\"m/py\"> or <m/py-script> may optionally have a service-worker attribute pointing to a locally served file (the same way mini-coi.js needs to be served).

  • You can chose mini-coi.js itself or any other custom service worker, as long as it provides either the right headers to enable synchronous operations via Atomics, or it enables sabayon polyfill events.
  • Alternatively, you can copy and paste the sabayon Service Worker into your local project and point at that in the attribute. This will not change the original behavior of your project, it will not interfere with all default or pre-defined headers your application uses already but it will fallback to a (slower but working) synchronous operation that allows both window and document access in your worker logic.
<html>\n<head>\n<!-- PyScript link and script -->\n</head>\n<body>\n<script type=\"py\" service-worker=\"./sw.js\" worker>\nfrom pyscript import window, document\ndocument.body.append(\"Hello PyScript!\")\n</script>\n</body>\n</html>\n

Warning

Using sabayon as the fallback for synchronous operations via Atomics should be the last solution to consider. It is inevitably slower than using native Atomics.

If you must use sabayon, always reduce the amount of synchronous operations by caching references from the main thread.

# \u274c THIS IS UNNECESSARILY SLOWER\nfrom pyscript import document\n# add a data-test=\"not ideal attribute\"\ndocument.body.dataset.test = \"not ideal\"\n# read a data-test attribute\nprint(document.body.dataset.test)\n# - - - - - - - - - - - - - - - - - - - - -\n# \u2714\ufe0f THIS IS FINE\nfrom pyscript import document\n# if needed elsewhere, reach it once\nbody = document.body\ndataset = body.dataset\n# add a data-test=\"not ideal attribute\"\ndataset.test = \"not ideal\"\n# read a data-test attribute\nprint(dataset.test)\n

In latter example the number of operations has been reduced from six to just four. The rule of thumb is: if you ever need a DOM reference more than once, cache it. \ud83d\udc4d

"},{"location":"user-guide/workers/#start-working","title":"Start working","text":"

To start your code in a worker, simply ensure the <script>, <py-script> or <mpy-script> tag pointing to the code you want to run has a worker attribute flag:

Evaluating code in a worker
<script type=\"py\" src=\"./my-worker-code.py\" worker></script>\n

You may also want to add a name attribute to the tag, so you can use pyscript.workers in the main thread to retrieve a reference to the worker:

<script type=\"py\" src=\"./my-worker-code.py\" worker name=\"my-worker\"></script>\n
from pyscript import workers\nmy_worker = await workers[\"my-worker\"]\n

Alternatively, to launch a worker from within Python running on the main thread use the pyscript.PyWorker class and you must reference both the target Python script and interpreter type:

Launch a worker from within Python
from pyscript import PyWorker\n# The type MUST be given and can be either `micropython` or `pyodide`\nmy_worker = PyWorker(\"my-worker-code.py\", type=\"micropython\")\n
"},{"location":"user-guide/workers/#worker-interactions","title":"Worker interactions","text":"

Code running in the worker needs to be able to interact with code running in the main thread and perhaps have access to the web page. This is achieved via some helpful builtin APIs.

Note

For ease of use, the worker related functionality in PyScript is a simpler presentation of more sophisticated and powerful behaviour available via PolyScript.

If you are a confident advanced user, please consult the XWorker related documentation from the PolyScript project for how to make use of these features.

To synchronise serializable data between the worker and the main thread use the sync function in the worker to reference a function registered on the main thread:

Python code running on the main thread.
from pyscript import PyWorker\ndef hello(name=\"world\"):\nreturn(f\"Hello, {name}\")\n# Create the worker.\nworker = PyWorker(\"./worker.py\", type=\"micropython\")\n# Register the hello function as callable from the worker.\nworker.sync.hello = hello\n
Python code in the resulting worker.
from pyscript import sync, window\ngreeting = sync.hello(\"PyScript\")\nwindow.console.log(greeting)\n

Alternatively, for the main thread to call functions in a worker, specify the functions in a __export__ list:

Python code on the worker.
import sys\ndef version():\nreturn sys.version\n# Define what to export to the main thread.\n__export__ = [\"version\", ]\n

Then ensure you have a reference to the worker in the main thread (for instance, by using the pyscript.workers):

Creating a named worker in the web page.
<script type=\"py\" src=\"./my-worker-code.py\" worker name=\"my-worker\"></script>\n
Referencing and using the worker from the main thread.
from pyscript import workers\nmy_worker = await workers[\"my-worker\"]\nprint(await my_worker.version())\n

The values passed between the main thread and the worker must be serializable. Try the example given above via this project on PyScript.com.

No matter if your code is running on the main thread or in a web worker, both the pyscript.window (representing the main thread's global window context) and pyscript.document (representing the web page's document object) will be available and work in the same way. As a result, a worker can reach into the DOM and access some window based APIs.

Warning

Access to the window and document objects is a powerful feature. Please remember that:

  • Arguments to and the results from such calls, when used in a worker, must be serializable, otherwise they won't work.
  • If you manipulate the DOM via the document object, and other workers or code on the main thread does so too, they may interfere with each other and produce unforeseen problematic results. Remember, with great power comes great responsibility... and we've given you a bazooka (so please remember not to shoot yourself in the foot with it).
"},{"location":"user-guide/workers/#common-use-case","title":"Common Use Case","text":"

While it is possible to start a MicroPython or Pyodide worker from either MicroPython or Pyodide running on the main thread, the most common use case we have encountered is MicroPython on the main thread starting a Pyodide worker.

Here's how:

index.html Evaluate main.py via MicroPython on the main thread

<!DOCTYPE html>\n<html lang=\"en\">\n<head>\n<meta charset=\"utf-8\">\n<meta name=\"viewport\" content=\"width=device-width,initial-scale=1\">\n<!-- PyScript CSS -->\n<link rel=\"stylesheet\" href=\"https://pyscript.net/releases/2024.9.2/core.css\">\n<!-- This script tag bootstraps PyScript -->\n<script type=\"module\" src=\"https://pyscript.net/releases/2024.9.2/core.js\"></script>\n<title>PyWorker - mpy bootstrapping pyodide example</title>\n<script type=\"mpy\" src=\"main.py\"></script>\n</head>\n</html>\n

main.py MicroPython's main.py: bootstrapping a Pyodide worker.

from pyscript import PyWorker, document\n# Bootstrap the Pyodide worker, with optional config too.\n# The worker is:\n#   * Owned by this script, no JS or Pyodide code in the same page can access\n#     it.\n#   * It allows pre-sync methods to be exposed.\n#   * It has a ready Promise to await for when Pyodide is ready in the worker. \n#   * It allows the use of post-sync (methods exposed by Pyodide in the\n#     worker).\nworker = PyWorker(\"worker.py\", type=\"pyodide\")\n# Expose a utility that can be immediately invoked in the worker. \nworker.sync.greetings = lambda: print(\"Pyodide bootstrapped\")\nprint(\"before ready\")\n# Await until Pyodide has completed its bootstrap, and is ready.\nawait worker.ready\nprint(\"after ready\")\n# Await any exposed methods exposed via Pyodide in the worker.\nresult = await worker.sync.heavy_computation()\nprint(result)\n# Show the result at the end of the body.\ndocument.body.append(result)\n# Free memory and get rid of everything in the worker.\nworker.terminate()\n

worker.py The worker.py script runs in the Pyodide worker.

from pyscript import sync\n# Use any methods from main.py on the main thread.\nsync.greetings()\n# Expose any methods meant to be used from main.\nsync.heavy_computation = lambda: 6 * 7\n

Save these files in a tmp folder, ensure your headers (just use npx mini-coi ./tmp to serve via localhost) then see the following outcome in the browser's devtools.

before ready\nPyodide bootstrapped\nafter ready\n42\n
"}]} \ No newline at end of file diff --git a/2024.9.2/sitemap.xml b/2024.9.2/sitemap.xml new file mode 100644 index 0000000..0f8724e --- /dev/null +++ b/2024.9.2/sitemap.xml @@ -0,0 +1,3 @@ + + + \ No newline at end of file diff --git a/2024.9.2/sitemap.xml.gz b/2024.9.2/sitemap.xml.gz new file mode 100644 index 0000000..294996b Binary files /dev/null and b/2024.9.2/sitemap.xml.gz differ diff --git a/2024.9.2/user-guide/architecture/index.html b/2024.9.2/user-guide/architecture/index.html new file mode 100644 index 0000000..22ddfc2 --- /dev/null +++ b/2024.9.2/user-guide/architecture/index.html @@ -0,0 +1,1243 @@ + + + + + + + + + + + + + + + + + + + + + + + Architecture - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Architecture, Lifecycle & Interpreters

+

Core concepts

+

PyScript's architecture has three core concepts:

+
    +
  1. A small, efficient and powerful kernel called + PolyScript is the foundation + upon which PyScript and plugins are built.
  2. +
  3. A library called coincident + that simplifies and coordinates interactions with web workers.
  4. +
  5. The PyScript stack inside + the browser is simple and clearly defined.
  6. +
+

PolyScript

+

PolyScript is the core of PyScript.

+
+

Danger

+

Unless you are an advanced user, you only need to know that PolyScript +exists, and it can be safely ignored.

+
+

PolyScript's purpose is to bootstrap the platform and provide all the necessary +core capabilities. Setting aside PyScript for a moment, to use +just PolyScript requires a <script> reference to it, along with a further +<script> tag defining how to run your code.

+
Bootstrapping with just PolyScript
<!doctype html>
+<html>
+    <head>
+        <!-- this is a way to automatically bootstrap polyscript -->
+        <script type="module" src="https://cdn.jsdelivr.net/npm/polyscript"></script>
+    </head>
+    <body>
+        <!--
+            Run some Python code with the MicroPython interpreter, but without
+            the extra benefits provided by PyScript.
+        -->
+        <script type="micropython">
+            from js import document
+            document.body.textContent = 'polyscript'
+        </script>
+    </body>
+</html>
+
+
+

Warning

+

PolyScript is not PyScript.

+

PyScript enhances the available Python interpreters with convenient +features, helper functions and easy-to-use yet powerful capabilities.

+

These enhancements are missing from PolyScript.

+
+

PolyScript's capabilities, upon which PyScript is built, can be summarised as:

+
    +
  • Evaluation of code via <script> tags.
  • +
  • Handling + browser events + via code evaluated with an interpreter supported by PolyScript.
  • +
  • A clear way to use workers + via the XWorker class and its related reference, xworker.
  • +
  • Custom scripts to + enrich PolyScript's capabilities.
  • +
  • A ready event + dispatched when an interpreter is ready and about to run code, and a + done event when an + interpreter has finished evaluating code.
  • +
  • Hooks, called at clearly + defined moments in the page lifecycle, provide a means of calling user + defined functions to modify and enhance PolyScript's default behaviour.
  • +
  • Multiple interpreters + (in addition to Pyodide and MicroPython, PolyScript works with R, Lua and + Ruby - although these are beyond the scope of this project).
  • +
+

PolyScript may become important if you encounter problems with PyScript. You +should investigate PolyScript if any of the following is true about your +problem:

+
    +
  • The interpreter fails to load.
  • +
  • There are errors about the interpreter starting.
  • +
  • HTML events (e.g. py-* or mpy-*) are not triggered.
  • +
  • An explicit feature of PolyScript is not reflected in PyScript.
  • +
+

We encourage you to engage and ask questions about PolyScript on our +discord server. But in summary, as a user of +PyScript you should probably never encounter PolyScript. However, please be +aware that specific features of bug fixes my happen in the PolyScript layer in +order to then land in PyScript.

+

Coincident

+
+

Danger

+

Unless you are an advanced user, you only need to know that coincident +exists, and it can be safely ignored. As with PolyScript, we include these +details only for those interested in the more fundamental aspects of +PyScript.

+
+

PolyScript uses the +coincident library to +seamlessly interact with web workers and coordinate interactions between the +browser's main thread and such workers.

+

Any SharedArrayBuffer issues are the responsibility of coincident and, to +some extent, anything related to memory leaks.

+

In a nutshell, this project is likely responsible for the following modes of +failure:

+
    +
  • Failing to invoke something from a worker that refers to the main thread.
  • +
  • A reproducible and cross platform (browser based) memory leak.
  • +
  • Invoking a function with a specific argument from a worker that doesn't + produce the expected result.
  • +
+

We hope all these scenarios are unlikely to happen within a PyScript project. +They are all battle tested and covered with general purpose cross-environment +testing before landing in PyScript. But, if you feel something is odd, +leaking, or badly broken, please feel free to file an issue in +the coincident project. +As usual, there is never a silly question, so long as you provide a minimal +reproducible example in your bug reports or query.

+

The stack

+

The stack describes how the different building blocks inside a PyScript +application relate to each other:

+

+
    +
  • Everything happens inside the context of the browser (represented by the + black border). The browser tab for your PyScript app is your + sandboxed computing environment.
  • +
+
+

Failure

+

PyScript is simply Python running in the browser. Please remember:

+
    +
  • PyScript isn't running on a server hosted in the cloud.
  • +
  • PyScript doesn't use the version of Python running natively on the user's + operating system.
  • +
  • PyScript only runs IN THE BROWSER (and nowhere else).
  • +
+
+
    +
  • At the bottom of the stack are the Python interpreters compiled to WASM. They + evaluate your code and interact with the browser via the FFI.
  • +
  • The PyScript layer makes it easy to use and configure the Python + interpreters. There are two parts to this:
      +
    1. The PolyScript kernel (see above), that bootstraps everything and + provides the core capabilities.
    2. +
    3. PyScript and related plugins that sit atop PolyScript to give us an + easy-to-use Python platform in the browser.
    4. +
    +
  • +
  • Above the PyScript layer are either:
      +
    1. Application frameworks, modules and libraries written in Python that you + use to create useful applications.
    2. +
    3. Your code (that's your responsibility).
    4. +
    +
  • +
+

Lifecycle

+

If the architecture explains how components relate to each other, the lifecycle +explains how things unfold. It's important to understand both: it will +help you think about your own code and how it sits within PyScript.

+

Here's how PyScript unfolds through time:

+
    +
  • The browser is directed to a URL. The response is HTML.
  • +
  • When parsing the HTML response the browser encounters the <script> + tag that references PyScript. PyScript is loaded and evaluated as a + JavaScript module, + meaning it doesn't hold up the loading of the page and is only evaluated when + the HTML is fully parsed.
  • +
  • The PyScript module does broadly six things:
      +
    1. Discover Python code referenced in the page.
    2. +
    3. Evaluate any configuration on the page (either via + single <py-config> or <mpy-config> tags or the config + attribute of a <script>, <py-script> or <mpy-script> tag).
    4. +
    5. Given the detected configuration, download the required interpreter.
    6. +
    7. Setup the interpreter's environment. This includes any + plugins, packages, files or JavaScript modules + that need to be loaded.
    8. +
    9. Make available various + builtin helper objects and functions to the + interpreter's environment (accessed via the pyscript module).
    10. +
    11. Only then use the interpreter in the correctly configured environment to + evaluate the detected Python code.
    12. +
    +
  • +
  • When an interpreter is ready the py:ready or mpy:ready events are + dispatched, depending which interpreter you've specified (Pyodide or + MicroPython respectively).
  • +
  • Finally, a py:done event is dispatched after every single script + referenced from the page has finished.
  • +
+

In addition, various "hooks" are called at different moments in the lifecycle +of PyScript. These can be used by plugin authors to modify or enhance the +behaviour of PyScript. The hooks, and how to use them, are explored further in +the section on plugins.

+
+

Warning

+

A web page's workers have completely separate environments to the main +thread.

+

It means configuration in the main thread can be different to that for +an interpreter running on a worker. In fact, you can use different +interpreters and configuration in each context (for instance, MicroPython +on the main thread, and Pyodide on a worker).

+

Think of workers as completely separate sub-processes inside your browser +tab.

+
+

Interpreters

+

Python is an interpreted language, and thus needs an interpreter to work.

+

PyScript currently supports two versions of the Python interpreter that have +been compiled to WASM: Pyodide and MicroPython. You should select which one to +use depending on your use case and acceptable trade-offs.

+
+

Info

+

In future, and subject to progress, we hope to make available a third +Pythonic option: SPy, a staticially typed +version of Python compiled directly to WASM.

+
+

Both interpreters make use of emscripten, a compiler +toolchain (using LLVM), for emitting WASM assets for the +browser. Emscripten also provides APIs so operating-system level features such +as a sandboxed file system +(not the user's local machine's filesystem), IO +(stdin, stdout, stderr etc,) and networking are +available within the context of a browser.

+

Both Pyodide and MicroPython implement the same robust +Python +⟺ JavaScript +foreign function interface (FFI). This +bridges the gap between the browser and Python worlds.

+

Pyodide

+

+

Pyodide is a version of the standard +CPython interpreter, patched to compile to WASM and +work in the browser.

+

It includes many useful features:

+
    +
  • The installation of pure Python packages from PyPI via + the micropip package + installer.
  • +
  • An active, friendly and technically outstanding team of volunteer + contributors (some of whom have been supported by the PyScript project).
  • +
  • Extensive official + documentation, and many + tutorials found online.
  • +
  • Builds of Pyodide that include popular packages for data science like + Numpy, Scipy and + Pandas.
  • +
+
+

Warning

+

You may encounter an error message from micropip that explains it can't +find a "pure Python wheel" for a package. Pyodide's documentation +explains what to do in this situation.

+

Briefly, some +packages with C extensions +have versions compiled for WASM and these can be installed with micropip. +Packages containing C extensions that are not compiled for WASM cause the +"pure Python wheel" error.

+

There are plans afoot to make WASM a target in PyPI so packages with C +extensions are automatically compiled to WASM.

+
+

MicroPython

+

+

MicroPython is a lean and efficient implementation +of the Python 3 programming language that includes a small subset of the Python +standard library and is optimised to run on microcontrollers and in constrained +environments (like the browser).

+

Everything needed to view a web page in a browser needs to be delivered +over the network. The smaller the asset to be delivered can be, the better. +MicroPython, when compressed for delivery to the browser, is only around +170k in size - smaller than many images found on the web.

+

This makes MicroPython particularly suited to browsers running in a more +constrained environment such as on a mobile or tablet based device. Browsing +with these devices often uses (slower) mobile internet connections. +Furthermore, because MicroPython is lean and efficient it still performs +exceptionally well on these relatively underpowered devices.

+

Thanks to collaboration between the MicroPython, Pyodide and PyScript projects, +there is a foreign function interface for MicroPython. The MicroPython FFI +deliberately copies the API of the FFI originally written for Pyodide - meaning +it is relatively easy to migrate between the two supported interpreters via the +pyscript.ffi namespace.

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/configuration/index.html b/2024.9.2/user-guide/configuration/index.html new file mode 100644 index 0000000..7d40efa --- /dev/null +++ b/2024.9.2/user-guide/configuration/index.html @@ -0,0 +1,1365 @@ + + + + + + + + + + + + + + + + + + + + + + + Configure PyScript - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Configuration

+

The browser tab in which your PyScript based web page is displayed is a very +secure sandboxed computing environment for running your Python code.

+

This is also the case for web workers running Python. Despite being associated +with a single web page, workers are completely separate from each other +(except for some very limited and clearly defined means of interacting, which +PyScript looks after for you).

+

We need to tell PyScript how we want such Python environments to be configured. +This works in the same way for both the main thread and for web workers. Such +configuration ensures we get the expected resources ready before our Python +code is evaluated (resources such as arbitrary data files and third party +Python packages).

+

TOML or JSON

+

Configuration can be expressed in two formats:

+
    +
  • TOML is the configuration file format preferred by + folks in the Python community.
  • +
  • JSON is a data format most often used + by folks in the web community.
  • +
+

Since PyScript is the marriage of Python and the web, and we respect the +traditions of both technical cultures, we support both formats.

+

However, because JSON is built into all browsers by default and TOML requires +an additional download of a specialist parser before PyScript can work, the +use of JSON is more efficient from a performance point of view.

+

The following two configurations are equivalent, and simply tell PyScript to +ensure the packages arrr and +numberwang are installed from +PyPI (the Python Packaging Index):

+
Configuration via TOML.
packages = ["arrr", "numberwang" ]
+
+
Configuration via JSON.
{
+    "packages": ["arrr", "numberwang"]
+}
+
+

File or inline

+

The recommended way to write configuration is via a separate file and then +reference it from the tag used to specify the Python code:

+
Reference a configuration file
<script type="py" src="main.py" config="pyscript.toml"></script>
+
+

If you use JSON, you can make it the value of the config attribute:

+
JSON as the value of the config attribute.
<script type="mpy" src="main.py" config='{"packages":["arrr", "numberwang"]}'></script>
+
+

For historical and convenience reasons we still support the inline +specification of configuration information via a single <py-config> or +<mpy-config> tag in your HTML document:

+
Inline configuration via the <py-config> tag.
<py-config>
+{
+    "packages": ["arrr", "numberwang" ]
+}
+</py-config>
+
+
+

Warning

+

Should you use <py-config> or <mpy-config>, there must be only one of +these tags on the page per interpreter.

+
+

Options

+

There are five core options (interpreter, files, +packages, js_modules and +sync_main_only) and an experimental flag +(experimental_create_proxy) that can be used in +the configuration of PyScript. The user is also free to define +arbitrary additional configuration options that plugins or an app may require +for their own reasons.

+

Interpreter

+

The interpreter option pins the Python interpreter to the version of the +specified value. This is useful for testing (does my code work on a specific +version of Pyodide?), or to ensure the precise combination of PyScript version +and interpreter version are pinned to known values.

+

The value of the interpreter option should be a valid version number +for the Python interpreter you are configuring, or a fully qualified URL to +a custom version of the interpreter.

+

The following two examples are equivalent:

+
Specify the interpreter version in TOML.
interpreter = "0.23.4"
+
+
Specify the interpreter version in JSON.
{
+    "interpreter": "0.23.4"
+}
+
+

The following JSON fragment uses a fully qualified URL to point to the same +version of Pyodide as specified in the previous examples:

+
Specify the interpreter via a fully qualified URL.
{
+    "interpreter": "https://cdn.jsdelivr.net/pyodide/v0.23.4/full/pyodide.mjs"
+}
+
+

Files

+

The files option fetches arbitrary content from URLs onto the filesystem +available to Python, and emulated by the browser. Just map a valid URL to a +destination filesystem path.

+

The following JSON and TOML are equivalent:

+
Fetch files onto the filesystem with JSON.
{
+  "files": {
+    "https://example.com/data.csv": "./data.csv",
+    "/code.py": "./subdir/code.py"
+  }
+}
+
+
Fetch files onto the filesystem with TOML.
[files]
+"https://example.com/data.csv" = "./data.csv"
+"/code.py" = "./subdir/code.py"
+
+

If you make the target an empty string, the final "filename" part of the source +URL becomes the destination filename, in the root of the filesystem, to which +the content is copied. As a result, the data.csv entry from the previous +examples could be equivalently re-written as:

+
JSON implied filename in the root directory.
{
+  "files": {
+    "https://example.com/data.csv": "",
+    ... etc ...
+  }
+}
+
+
TOML implied filename in the root directory.
[files]
+"https://example.com/data.csv" = ""
+... etc ...
+
+

If the source part of the configuration is either a .zip or .tar.gz file +and its destination is a folder path followed by a star (e.g. /* or +./dest/*), then PyScript will extract the referenced archive automatically +into the target directory in the browser's built in file system.

+
+

Warning

+

PyScript expects all file destinations to be unique.

+

If there is a duplication PyScript will raise an exception to help you find +the problem.

+
+
+

Tip

+

For most people, most of the time, the simple URL to filename mapping, +described above, will be sufficient.

+

Yet certain situations may require more flexibility. In which case, read +on.

+
+

Sometimes many resources are needed to be fetched from a single location and +copied into the same directory on the file system. To aid readability and +reduce repetition, the files option comes with a mini +templating language +that allows reusable placeholders to be defined between curly brackets ({ +and }). When these placeholders are encountered in the files configuration, +their name is replaced with their associated value.

+
+

Attention

+

Valid placeholder names are always enclosed between curly brackets +({ and }), like this: {FROM}, {TO} and {DATA SOURCE} +(capitalized names help identify placeholders +when reading code ~ although this isn't strictly necessary).

+

Any number of placeholders can be defined and used anywhere within URLs and +paths that map source to destination.

+
+

The following JSON and TOML are equivalent:

+
Using the template language in JSON.
{
+  "files": {
+    "{DOMAIN}": "https://my-server.com",
+    "{PATH}": "a/path",
+    "{VERSION}": "1.2.3",
+    "{FROM}": "{DOMAIN}/{PATH}/{VERSION}",
+    "{TO}": "./my_module",
+    "{FROM}/__init__.py": "{TO}/__init__.py",
+    "{FROM}/foo.py": "{TO}/foo.py",
+    "{FROM}/bar.py": "{TO}/bar.py",
+    "{FROM}/baz.py": "{TO}/baz.py",
+  }
+}
+
+
Using the template language in TOML.
[files]
+"{DOMAIN}" = "https://my-server.com"
+"{PATH}" = "a/path"
+"{VERSION}" = "1.2.3"
+"{FROM}" = "{DOMAIN}/{PATH}/{VERSION}"
+"{TO}" = "./my_module"
+"{FROM}/__init__.py" = "{TO}/__init__.py"
+"{FROM}/foo.py" = "{TO}/foo.py"
+"{FROM}/bar.py" = "{TO}/bar.py"
+"{FROM}/baz.py" = "{TO}/baz.py"
+
+

The {DOMAIN}, {PATH}, and {VERSION} placeholders are +used to create a further {FROM} placeholder. The {TO} placeholder is also +defined to point to a common sub-directory on the file system. The final four +entries use {FROM} and {TO} to copy over four files (__init__.py, +foo.py, bar.py and baz.py) from the same source to a common destination +directory.

+

For convenience, if the destination is just a directory (it ends with /) +then PyScript automatically uses the filename part of the source URL as the +filename in the destination directory.

+

For example, the end of the previous config file could be:

+
"{TO}" = "./my_module/"
+"{FROM}/__init__.py" = "{TO}"
+"{FROM}/foo.py" = "{TO}"
+"{FROM}/bar.py" = "{TO}"
+"{FROM}/baz.py" = "{TO}"
+
+

Packages

+

The packages option lists +Python packages +to be installed onto the Python path.

+
+

Info

+

Pyodide uses a +utility called micropip +to install packages from PyPI.

+

Because micropip is a Pyodide-only feature, and MicroPython doesn't +support code packaged on PyPI, the packages option only works with +packages hosted on PyPI when using Pyodide.

+

MicroPython's equivalent utility, +mip, +uses a separate repository of available packages called +micropython-lib. +When you use the packages option with MicroPython, it is this repository +(not PyPI) that is used to find available packages. Many of the packages +in micropython-lib are for microcontroller based activities and +may not work with the web assembly port of MicroPython.

+

If you need pure Python modules for MicroPython, you have two further +options:

+
    +
  1. Use the files option to manually copy the source code for a + package onto the file system.
  2. +
  3. Use a URL referencing a MicroPython friendly package instead of PyPI + package name.
  4. +
+
+

The following two examples are equivalent:

+
A packages list in TOML.
packages = ["arrr", "numberwang", "snowballstemmer>=2.2.0" ]
+
+
A packages list in JSON.
{
+    "packages": ["arrr", "numberwang", "snowballstemmer>=2.2.0" ]
+}
+
+

When using Pyodide, the names in the list of packages can be any of the +following valid forms:

+
    +
  • A name of a package on PyPI: "snowballstemmer"
  • +
  • A name for a package on PyPI with additional constraints: + "snowballstemmer>=2.2.0"
  • +
  • An arbitrary URL to a Python package: "https://.../package.whl"
  • +
  • A file copied onto the browser based file system: "emfs://.../package.whl"
  • +
+

JavaScript modules

+

It's easy to import and use JavaScript modules in your Python code. This +section of the docs examines the configuration needed to make this work. How +to make use of JavaScript is dealt with +elsewhere.

+

We need to tell PyScript about the JavaScript modules you want to +use. This is the purpose of the js_modules related configuration fields.

+

There are two fields:

+
    +
  • js_modules.main defines JavaScript modules loaded in the context of the + main thread of the browser. Helpfully, it is also possible to interact with + such modules from the context of workers. Sometimes such modules also + need CSS files to work, and these can also be specified.
  • +
  • js_modules.worker defines JavaScript modules loaded into the context of + the web worker. Such modules must not expect document or window + references (if this is the case, you must load them via js_modules.main and + use them from the worker). However, if the JavaScript module could work + without such references, then performance is better if defined on a worker. + Because CSS is meaningless in the context of a worker, it is not possible to + specify such files in a worker context.
  • +
+

Once specified, your JavaScript modules will be available under the +pyscript.js_modules.* namespace.

+

To specify such modules, simply provide a list of source/module name pairs.

+

For example, to use the excellent Leaflet JavaScript +module for creating interactive maps you'd add the following lines:

+
JavaScript main thread modules defined in TOML.
[js_modules.main]
+"https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet-src.esm.js" = "leaflet"
+"https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet.css" = "leaflet" # CSS
+
+
JavaScript main thread modules defined in JSON.
{
+    "js_modules": {
+        "main": {
+            "https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet-src.esm.js": "leaflet",
+            "https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet.css": "leaflet"
+        }
+    }
+}
+
+
+

Info

+

Notice how the second line references the required CSS needed for the +JavaScript module to work correctly.

+

The CSS file MUST target the very same name as the JavaScript module to +which it is related.

+
+
+

Warning

+

Since the Leaflet module expects to manipulate the DOM and have access to +document and window references, it must only be added via the +js_modules.main setting (as shown) and cannot be added in a worker +context.

+
+

At this point Python code running on either the main thread or in a +worker will have access to the JavaScript module like this:

+
Making use of a JavaScript module from within Python.
from pyscript.js_modules import leaflet as L
+
+map = L.map("map")
+
+# etc....
+
+

Some JavaScript modules (such as +html-escaper) don't require +access to the DOM and, for efficiency reasons, can be included in the worker +context:

+
A JavaScript worker module defined in TOML.
[js_modules.worker]
+"https://cdn.jsdelivr.net/npm/html-escaper" = "html_escaper"
+
+
A JavaScript worker module defined in JSON.
{
+    "js_modules": {
+        "worker": {
+            "https://cdn.jsdelivr.net/npm/html-escaper": "html_escaper"
+        }
+    }
+}
+
+

However, from pyscript.js_modules import html_escaper would then only work +within the context of Python code running on a worker.

+

sync_main_only

+

Sometimes you just want to start an expensive computation on a web worker +without the need for the worker to interact with the main thread. You're simply +awaiting the result of a method exposed from a worker.

+

This has the advantage of not requiring the use of SharedArrayBuffer and +associated CORS related header configuration.

+

If the sync_main_only flag is set, then interactions between the main thread +and workers are limited to one way calls from the main thread to methods +exposed by the workers.

+
Setting the sync_main_only flag in TOML.
sync_main_only = true
+
+
Setting the sync_main_only flag in JSON.
{
+    "sync_main_only": true
+}
+
+

If sync_main_only is set, the following caveats apply:

+
    +
  • It is not possible to manipulate the DOM or do anything meaningful on the + main thread from a worker. This is because Atomics cannot guarantee + sync-like locks between a worker and the main thread.
  • +
  • Only a worker's pyscript.sync methods are exposed, and they can only be + awaited from the main thread.
  • +
  • The worker can only await main thread references one after the other, so + developer experience is degraded when one needs to interact with the + main thread.
  • +
+

experimental_create_proxy

+

Knowing when to use the pyscript.ffi.create_proxy method when using Pyodide +can be confusing at the best of times and full of +technical "magic".

+

This experimental flag, when set to "auto" will cause PyScript to try to +automatically handle such situations, and should "just work".

+
Using the experimental_create_proxy flag in TOML.
experimental_create_proxy = "auto"
+
+
Using the experimental_create_proxy flag in JSON.
{
+    "experimental_create_proxy": "auto"
+}
+
+
+

Warning

+

This feature is experimental and only needs to be used with Pyodide.

+

Should you encounter problems (such as problematic memory leaks) when using +this flag with Pyodide, please don't hesitate to +raise an issue with a +reproducable example, and we'll investigate.

+
+

Custom

+

Sometimes plugins or apps need bespoke configuration options.

+

So long as you don't cause a name collision with the built-in option names then +you are free to use any valid data structure that works with both TOML and JSON +to express your configuration needs.

+

Access the current configuration via pyscript.config, a Python dict +representing the configuration:

+
Reading the current configuration.
from pyscript import config
+
+
+# It's just a dict.
+print(config.get("files"))
+
+
+

Note

+

Changing the config dictionary at runtime doesn't change the actual +configuration.

+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/dom/index.html b/2024.9.2/user-guide/dom/index.html new file mode 100644 index 0000000..721d618 --- /dev/null +++ b/2024.9.2/user-guide/dom/index.html @@ -0,0 +1,1336 @@ + + + + + + + + + + + + + + + + + + + + + + + The DOM & JavaScript - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+ +
+
+ + + +
+
+ + + + +

The DOM

+

The DOM +(document object model) +is a tree like data structure representing the web page displayed by the +browser. PyScript interacts with the DOM to change the user interface and react +to things happening in the browser.

+

There are currently two ways to interact with the DOM:

+
    +
  1. Through the foreign function interface (FFI) to interact with objects found + in the browser's globalThis or document objects.
  2. +
  3. Through the pydom module that acts as a Pythonic wrapper around + the FFI and comes as standard with PyScript.
  4. +
+

FFI

+

The foreign function interface (FFI) gives Python access to all the +standard web capabilities and features, +such as the browser's built-in +web APIs.

+

This is available via the pyscript.window module which is a proxy for +the main thread's globalThis object, or pyscript.document which is a proxy +for the website's document object in JavaScript:

+
Accessing the window and document objects in Python
from pyscript import window, document
+
+
+my_element = document.querySelector("#my-id")
+my_element.innerText = window.location.hostname
+
+

The FFI creates proxy objects in Python linked to actual objects in +JavaScript.

+

The proxy objects in your Python code look and behave like Python +objects but have related JavaScript objects associated with them. It means the +API defined in JavaScript remains the same in Python, so any +browser based JavaScript APIs +or third party JavaScript libraries that expose objects in the web page's +globalThis, will have exactly the same API in Python as in JavaScript.

+

The FFI automatically transforms Python and JavaScript objects into the +equivalent in the other language. For example, Python's boolean True and +False will become JavaScript's true and false, while a JavaScript array +of strings and integers, ["hello", 1, 2, 3] becomes a Python list of the +equivalent values: ["hello", 1, 2, 3].

+
+

Info

+

Instantiating classes into objects is an interesting special case that the +FFI expects you to handle.

+

If you wish to instantiate a JavaScript class in your Python +code, you need to call the class's new method:

+
from pyscript import window
+
+
+my_obj = window.MyJavaScriptClass.new("some value")
+
+

The underlying reason for this is simply JavaScript and Python do +instantiation very differently. By explicitly calling the JavaScript +class's new method PyScript both signals and honours this difference.

+

More technical information about instantiating JavaScript classes can be +found in the FAQ

+
+

Should you require lower level API access to FFI features, you can find such +builtin functions under the pyscript.ffi namespace in both Pyodide and +MicroPython. The available functions are described in our section on the +builtin API.

+

Advanced users may wish to explore the +technical details of the FFI.

+

pyscript.web

+
+

Warning

+

The pyscript.web module is currently a work in progress.

+

We welcome feedback and suggestions.

+
+

The pyscript.web module is an idiomatically Pythonic API for interacting with +the DOM. It wraps the FFI in a way that is more familiar to Python developers +and works natively with the Python language. Technical documentation for this +module can be found in the API section.

+

There are three core concepts to remember:

+
    +
  • Find elements on the page via + CSS selectors. + The find API uses exactly the same queries + as those used by native browser methods like qurerySelector or + querySelectorAll.
  • +
  • Use classes in the pyscript.web namespace to create and organise + new elements on the web page.
  • +
  • Collections of elements allow you to access and change attributes en-mass. + Such collections are returned from find queries and are also used for the + children + of an element.
  • +
+

You have several options for accessing the content of the page, and these are +all found in the pyscript.web.page object. The html, head and body +attributes reference the page's top-level html, head and body. As a convenience +the page's title attribute can be used to get and set the web page's title +(usually shown in the browser's tab). The append method is a shortcut for +adding content to the page's body. Whereas, the find method is used to +return collections of elements matching a CSS query. You may also shortcut +find via a CSS query in square brackets. Finally, all elements have a find +method that searches within their children for elements matching your CSS +query.

+
from pyscript.web import page
+
+
+# Print all the child elements of the document's head.
+print(page.head.children)
+# Find all the paragraphs in the DOM.
+paragraphs = page.find("p")
+# Or use square brackets.
+paragraphs = page["p"]
+
+

The object returned from a query, or used as a reference to an element's +children is iterable:

+
from pyscript.web import page
+
+
+# Get all the paragraphs in the DOM.
+paragraphs = page["p"]
+
+# Print the inner html of each paragraph.
+for p in paragraphs:
+    print(p.html)
+
+

Alternatively, it is also indexable / sliceable:

+
from pyscript.web import page
+
+
+# Get an ElementCollection of all the paragraphs in the DOM
+paragraphs = page["p"]
+
+# Only the final two paragraphs.
+for p in paragraphs[-2:]:
+    print(p.html)
+
+

You have access to all the standard attributes related to HTML elements (for +example, the innerHTML or value), along with a couple of convenient ways +to interact with classes and CSS styles:

+
    +
  • classes - the list of classes associated with the elements.
  • +
  • style - a dictionary like object for interacting with CSS style rules.
  • +
+

For example, to continue the example above, paragraphs.innerHTML will return +a list of all the values of the innerHTML attribute on each contained +element. Alternatively, set an attribute for all elements contained in the +collection like this: paragraphs.style["background-color"] = "blue".

+

It's possible to create new elements to add to the page:

+
from pyscript.web import page, div, select, option, button, span, br 
+
+
+page.append(
+    div(
+        div("Hello!", classes="a-css-class", id="hello"),
+        select(
+            option("apple", value=1),
+            option("pear", value=2),
+            option("orange", value=3),
+        ),
+        div(
+            button(span("Hello! "), span("World!"), id="my-button"),
+            br(),
+            button("Click me!"),
+            classes=["css-class1", "css-class2"],
+            style={"background-color": "red"}
+        ),
+        div(
+            children=[
+                button(
+                    children=[
+                        span("Hello! "),
+                        span("Again!")
+                    ],
+                    id="another-button"
+                ),
+                br(),
+                button("b"),
+            ],
+            classes=["css-class1", "css-class2"]
+        )
+    )
+)
+
+

This example demonstrates a declaritive way to add elements to the body of the +page. Notice how the first (unnamed) arguments to an element are its children. +The named arguments (such as id, classes and style) refer to attributes +of the underlying HTML element. If you'd rather be explicit about the children +of an element, you can always pass in a list of such elements as the named +children argument (you see this in the final div in the example above).

+

Of course, you can achieve similar results in an imperative style of +programming:

+
from pyscript.web import page, div, p 
+
+
+my_div = div()
+my_div.style["background-color"] = "red"
+my_div.classes.add("a-css-class")
+
+my_p = p()
+my_p.content = "This is a paragraph."
+
+my_div.append(my_p)
+
+# etc...
+
+

It's also important to note that the pyscript.when decorator understands +element references from pyscript.web:

+
from pyscript import when
+from pyscript.web import page 
+
+
+btn = page["#my-button"]
+
+
+@when("click", btn)
+def my_button_click_handler(event):
+    print("The button has been clicked!")
+
+

Should you wish direct access to the proxy object representing the underlying +HTML element, each Python element has a _dom_element property for this +purpose.

+

Once again, the technical details of these classes are described in the +built-in API documentation.

+

Working with JavaScript

+

There are three ways in which JavaScript can get into a web page.

+
    +
  1. As a global reference attached to the window object in the web page + because the code was referenced as the source of a script tag in your HTML + (the very old school way to do this).
  2. +
  3. Using the Universal Module Definition (UMD), + an out-of-date and non-standard way to create JavaScript modules.
  4. +
  5. As a standard + JavaScript Module + which is the modern, standards compliant way to define and use a JavaScript + module. If possible, this is the way you should do things.
  6. +
+

Sadly, this being the messy world of the web, methods 1 and 2 are still quite +common, and so you need to know about them so you're able to discern and work +around them. There's nothing WE can do about this situation, but we can +suggest "best practice" ways to work around each situation.

+

Remember, as mentioned +elsewhere in our documentation, +the standard way to get JavaScript modules into your PyScript Python context is +to link a source standard JavaScript module to a destination name:

+
Reference a JavaScript module in the configuration.
[js_modules.main]
+"https://cdn.jsdelivr.net/npm/leaflet@1.9.4/dist/leaflet-src.esm.js" = "leaflet"
+
+

Then, reference the module via the destination name in your Python code, by +importing it from the pyscript.js_modules namespace:

+
Import the JavaScript module into Python
from pyscript.js_modules import leaflet as L
+
+map = L.map("map")
+
+# etc....
+
+

We'll deal with each of the potential JavaScript related situations in turn:

+

JavaScript as a global reference

+

In this situation, you have some JavaScript code that just globally defines +"stuff" in the context of your web page via a script tag. Your HTML will +contain something like this:

+
JavaScript as a global reference
<!doctype html>
+<!--
+This JS utility escapes and unescapes HTML chars. It adds an "html" object to
+the global context.
+-->
+<script src="https://cdn.jsdelivr.net/npm/html-escaper@3.0.3/index.js"></script>
+
+<!--
+Vanilla JS just to check the expected object is in the global context of the
+web page.
+-->
+<script>
+    console.log(html);
+</script>
+
+

When you find yourself in this situation, simply use the window object in +your Python code (found in the pyscript namespace) to interact with the +resulting JavaScript objects:

+
Python interaction with the JavaScript global reference
from pyscript import window, document
+
+
+# The window object is the global context of your web page.
+html = window.html
+
+# Just use the object "as usual"...
+# e.g. show escaped HTML in the body: &lt;&gt;
+document.body.append(html.escape("<>"))
+
+

You can find an example of this technique here:

+

https://pyscript.com/@agiammarchi/floral-glade/v1

+

JavaScript as a non-standard UMD module

+

Sadly, these sorts of non-standard JavaScript modules are still quite +prevalent. But the good news is there are strategies you can use to help you +get them to work properly.

+

The non-standard UMD approach tries to check for export and module fields +in the JavaScript module and, if it doesn’t find them, falls back to treating +the module in the same way as a global reference described above.

+

If you find you have a UMD JavaScript module, there are services online to +automagically convert it to the modern and standards compliant way to d +o JavaScript modules. A common (and usually reliable) service is provided by +https://esm.run/your-module-name, a +service that provides an out of the box way to consume the module in the +correct and standard manner:

+
Use esm.run to automatically convert a non-standard UMD module
<!doctype html>
+<script type="module">
+    // this utility escapes and unescape HTML chars
+    import { escape, unescape } from "https://esm.run/html-escaper";
+    // esm.run returns a module       ^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+    console.log(escape("<>"));
+    // log: "&lt;&gt;"
+</script>
+
+

If a similar test works for the module you want to use, use the esm.run CDN +service within the py or mpy configuration file as explained at the start +of this section on JavaScript (i.e. you'll use it via the pyscript.js_modules +namespace).

+

If this doesn't work, assume the module is not updated nor migrated to a state +that can be automatically translated by services like esm.run. You could try an +alternative (more modern) JavaScript module to achieve you ends or (if it +really must be this module), you can wrap it in a new JavaScript module that +conforms to the modern standards.

+

The following four files demonstrate this approach:

+
index.html - still grab the script so it appears as a global reference.
<!doctype html>
+...
+<!-- land the utility still globally as generic script -->
+<script src="https://cdn.jsdelivr.net/npm/html-escaper@3.0.3/index.js"></script>
+...
+
+
wrapper.js - this grabs the JavaScript functionality from the global context and wraps it (exports it) in the modern standards compliant manner.
// get all utilities needed from the global.
+const { escape, unescape } = globalThis.html;
+
+// export utilities like a standards compliant module would do.
+export { escape, unescape };
+
+
pyscript.toml - configure your JS modules as before, but use your wrapper instead of the original module.
[js_modules.main]
+# will simulate a standard JS module
+"./wrapper.js" = "html_escaper"
+
+
main.py - just import the module as usual and make use of it.
from pyscript import document
+
+# import the module either via
+from pyscript.js_modules import html_escaper
+# or via
+from pyscript.js_modules.html_escaper import escape, unescape
+
+# show on body: &lt;&gt;
+document.body.append(html.escape("<>"))
+
+

You can see this approach in action here:

+

https://pyscript.com/@agiammarchi/floral-glade/v2

+

A standard JavaScript module

+

This is both the easiest and best way to import any standard JS module into +Python.

+

You don't need to reference the script in your HTML, just define how the source +JavaScript module maps into the pyscript.js_modules namespace in your +configuration file, as explained above.

+

That's it!

+

Here is an example project that uses this approach:

+

https://pyscript.com/@agiammarchi/floral-glade/v3

+

My own JavaScript code

+

If you have your own JavaScript work, just remember to write it as a standard +JavaScript module. Put simply, ensure you export the things you need to. For +instance, in the following fragment of JavaScript, the two functions are +exported from the module:

+
code.js - containing two functions exported as capabilities of the module.
/*
+Some simple JavaScript functions for example purposes.
+*/
+
+export function hello(name) {
+    return "Hello " + name;
+}
+
+export function fibonacci(n) {
+    if (n == 1) return 0;
+    if (n == 2) return 1;
+    return fibonacci(n - 1) + fibonacci(n - 2);
+}
+
+

Next, just reference this module in the usual way in your TOML or JSON +configuration file:

+
pyscript.toml - references the code.js module so it will appear as the code module in the pyscript.js_modules namespace.
[js_modules.main]
+"code.js" = "code"
+
+

In your HTML, reference your Python script with this configuration file:

+
Reference the expected configuration file.
<script type="py" src="./main.py" config="./pyscript.toml" terminal></script>
+
+

Finally, just use your JavaScript module’s exported functions inside PyScript:

+
Just call your bespoke JavaScript code from Python.
from pyscript.js_modules import code
+
+
+# Just use the JS code from Python "as usual".
+greeting = code.hello("Chris")
+print(greeting)
+result = code.fibonacci(12)
+print(result)
+
+

You can see this in action in the following example project:

+

https://pyscript.com/@ntoll/howto-javascript/latest

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/editor/index.html b/2024.9.2/user-guide/editor/index.html new file mode 100644 index 0000000..e54e6fa --- /dev/null +++ b/2024.9.2/user-guide/editor/index.html @@ -0,0 +1,1134 @@ + + + + + + + + + + + + + + + + + + + + + + + Python editor - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Python editor

+

The PyEditor is a core plugin.

+
+

Warning

+

Work on the Python editor is in its early stages. We have made it available +in this version of PyScript to give the community an opportunity to play, +experiment and provide feedback.

+

Future versions of PyScript will include a more refined, robust and perhaps +differently behaving version of the Python editor.

+
+

If you specify the type of a <script> tag as either py-editor (for Pyodide) +or mpy-editor (for MicroPython), the plugin creates a visual code editor, +with code highlighting and a "run" button to execute the editable code +contained therein in a non-blocking worker.

+
+

Info

+

Once clicked, the "run" button will show a spinner until the code is +executed. This may not be visible if the code evaluation completed quickly.

+
+

The interpreter is not loaded onto the page until the run button is clicked. By +default each editor has its own independent instance of the specified +interpreter:

+
Two editors, one with Pyodide, the other with MicroPython.
<script type="py-editor">
+  import sys
+  print(sys.version)
+</script>
+<script type="mpy-editor">
+  import sys
+  print(sys.version)
+  a = 42
+  print(a)
+</script>
+
+

However, different editors can share the same interpreter if they share the +same env attribute value.

+
Two editors sharing the same MicroPython environment.
<script type="mpy-editor" env="shared">
+  if not 'a' in globals():
+    a = 1
+  else:
+    a += 1
+  print(a)
+</script>
+<script type="mpy-editor" env="shared">
+  # doubled a
+  print(a * 2)
+</script>
+
+

The outcome of these code fragments should look something like this:

+

+
+

Info

+

Notice that the interpreter type, and optional environment name is shown +at the top right above the Python editor.

+

Hovering over the Python editor reveals the "run" button.

+
+

Setup

+

Sometimes you need to create a pre-baked Pythonic context for a shared +environment used by an editor. This need is especially helpful in educational +situations where boilerplate code can be run, with just the important salient +code available in the editor.

+

To achieve this end use the setup attribute within a script tag. The +content of this editor will not be shown, but will bootstrap the referenced +environment automatically before any following editor within the same +environment is evaluated.

+
Bootstrapping an environment with `setup`
<script type="mpy-editor" env="test_env" setup>
+# This code will not be visible, but will run before the next editor's code is
+# evaluated.
+a = 1
+</script>
+
+<script type="mpy-editor" env="test_env">
+# Without the "setup" attribute, this editor is visible. Because it is using
+# the same env as the previous "setup" editor, the previous editor's code is
+# always evaluated first.
+print(a)
+</script>
+
+

Finally, the target attribute allows you to specify a node into which the +editor will be rendered:

+
Specify a target for the Python editor.
<script type="mpy-editor" target="editor">
+  import sys
+  print(sys.version)
+</script>
+<div id="editor"></div> <!-- will eventually contain the Python editor -->
+
+

Editor VS Terminal

+

The editor and terminal are commonly used to embed interactive Python code into +a website. However, there are differences between the two plugins, of which you +should be aware.

+

The main difference is that a py-editor or mpy-editor is an isolated +environment (from the rest of PyScript that may be running on the page) and +its code always runs in a web worker. We do this to prevent accidental blocking +of the main thread that would freeze your browser's user interface.

+

Because an editor is isolated from regular py or mpy scripts, one should +not expect the same behavior regular PyScript elements follow, most notably:

+
    +
  • The editor's user interface is based on + CodeMirror and not on XTerm.js + as it is for the terminal.
  • +
  • Code is evaluated all at once and asynchronously when the Run button is + pressed (not each line at a time, as in the terminal).
  • +
  • The editor has listeners for Ctrl-Enter or Cmd-Enter, and + Shift-Enter to shortcut the execution of all the code. These shortcuts + make no sense in the terminal as each line is evaluated separately.
  • +
  • There is a clear separation between the code and any resulting output.
  • +
  • You may not use blocking calls (like input) with the editor, whereas + these will work if running the terminal via a worker.
  • +
  • It's an editor! So simple or complex programs can be fully written without + running the code until ready. In the terminal, code is evaluated one line + at a time as it is typed in.
  • +
  • There is no special reference to the underlying editor instance, while + there is both script.terminal or __terminal__ in the terminal.
  • +
+

Read / Write / Execute

+

Sometimes you need to programatically read, write or execute code in an +editor. Once PyScript has started, every py-editor/mpy-editor script tag gets +a code accessor attached to it.

+
from pyscript import document
+
+# Grab the editor script reference.
+editor = document.querySelector('#editor')
+
+# Output the live content of the editor.
+print(editor.code)
+
+# Update the live content of the editor.
+editor.code = """
+a = 1
+b = 2
+print(a + b)
+"""
+
+# Evaluate the live code in the editor.
+# This could be any arbitrary code to evaluate in the editor's Python context.
+editor.process(editor.code)
+
+

Configuration

+

Unlike <script type="py"> or <py-script> (and the mpy equivalents), a +PyEditor is not influenced by the presence of <py-config> elements in the +page: it requires an explicit config="..." attribute.

+

If a setup editor is present, that's the only PyEditor that needs a config. +Any subsequent related editor will reuse the config parsed and bootstrapped for +the setup editor.

+

Run via keyboard

+

Depending on your operating system, a combination of either Ctrl-Enter, +Cmd-Enter or Shift-Enter will execute the code in the editor (no need to +move the mouse to click the run button).

+

Override run

+

Sometimes you just need to override the way the editor runs code.

+

The editor's handleEvent can be overridden to achieve this:

+
Overriding execution via handleEvent.
<script type="mpy-editor" id="foreign">
+print(6 * 7)
+</script>
+
+<script type="mpy">
+from pyscript import document
+
+def handle_event(event):
+    # will log `print(6 * 7)`
+    print(event.code)
+    # prevent default execution
+    return False
+
+# Grab reference to the editor
+foreign = document.getElementById("foreign")
+# Override handleEvent with your own customisation.
+foreign.handleEvent = handle_event
+</script>
+
+

This +live example +shows how the editor can be used to execute code via a USB serial connection to +a connected MicroPython microcontroller.

+

Tab behavior

+

We currently trap the tab key in a way that reflects what a regular code +editor would do: the code is simply indented, rather than focus moving to +another element.

+

We are fully aware of the implications this might have around accessibility so +we followed +this detailed advice from Codemirror's documentation +We have an escape hatch to move focus outside the editor. Press esc before +tab to move focus to the next focusable element. Otherwise tab indents +code.

+

Still missing

+

The PyEditor is currently under active development and refinement, so features +may change (depending on user feedback). For instance, there is currently no +way to stop or kill a web worker that has got into difficulty from the editor +(hint: refreshing the page will reset things).

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/features/index.html b/2024.9.2/user-guide/features/index.html new file mode 100644 index 0000000..d58e610 --- /dev/null +++ b/2024.9.2/user-guide/features/index.html @@ -0,0 +1,880 @@ + + + + + + + + + + + + + + + + + + + + + + + Features - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Features

+
+
All the web
+
+

Pyscript gives you full access to the DOM and all + the web + APIs implemented by your browser.

+ +

Thanks to the foreign + function interface (FFI), Python just works with all the browser has to + offer, including any third party JavaScript libraries that may be included + in the page.

+ +

The FFI is bi-directional ~ it also enables JavaScript to access the + power of Python.

+ +
All of Python
+
+

PyScript brings you two Python interpreters:

+
    +
  1. Pyodide - the original standard + CPython interpreter you know and love, but compiled to WebAssembly. +
  2. +
  3. MicroPython - a lean and + efficient reimplementation of Python3 that includes a comprehensive + subset of the standard library, compiled to WebAssembly.
  4. +
+

Because it is just regular CPython, Pyodide puts Python's deep and + diverse ecosystem of libraries, frameworks + and modules at your disposal. No matter the area of computing endeavour, + there's probably a Python library to help. Got a favourite library in + Python? Now you can use it in the browser and share your work with just + a URL.

+

MicroPython, because of its small size (170k) and speed, is especially + suited to running on more constrained browsers, such as those on mobile + or tablet devices. It includes a powerful sub-set of the Python standard + library and efficiently exposes the expressiveness of Python to the + browser.

+

Both Python interpreters supported by PyScript implement the + same FFI to bridge the gap between the worlds of Python + and the browser.

+
+ +
AI and Data science built in
+
Python is famous for its extraordinary usefulness in artificial + intelligence and data science. The Pyodide interpreter comes with many of + the libraries you need for this sort of work already baked in.
+ +
Mobile friendly MicroPython
+
+

Thanks to MicroPython in PyScript, there is a compelling story for + Python on mobile.

+ +

MicroPython is small and fast enough that your app will start quickly + on first load, and almost instantly (due to the cache) on subsequent + runs.

+ +
Parallel execution
+
Thanks to a browser technology called + web workers + expensive and blocking computation can run somewhere other than the main + application thread controlling the user interface. When such work is done + on the main thread, the browser appears frozen; web workers ensure + expensive blocking computation happens elsewhere. + Think of workers as independent subprocesses in your web page.
+ +
Rich and powerful plugins
+
+

PyScript has a small, efficient yet powerful core called + PolyScript. Most of + the functionality of PyScript is actually implemented through PolyScript's + plugin system.

+ +

This approach ensures a clear separation of concerns: PolyScript + can focus on being small, efficient and powerful, whereas the PyScript + related plugins allow us to Pythonically build upon the solid foundations + of PolyScript.

+ +

Because there is a plugin system, folks + independent of the PyScript core team have a way to create and + contribute to a rich ecosystem of plugins whose functionality reflects the + unique and diverse needs of PyScript's users.

+
+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/ffi/index.html b/2024.9.2/user-guide/ffi/index.html new file mode 100644 index 0000000..7c04034 --- /dev/null +++ b/2024.9.2/user-guide/ffi/index.html @@ -0,0 +1,1038 @@ + + + + + + + + + + + + + + + + + + + + + + + The FFI in detail - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

PyScript FFI

+

The foreign function interface (FFI) gives Python access to JavaScript, and +JavaScript access to Python. As a result PyScript is able to access all the +standard APIs and capabilities provided by the browser.

+

We provide a unified pyscript.ffi because +Pyodide's FFI +is only partially implemented in MicroPython and there are some fundamental +differences. The pyscript.ffi namespace smooths out such differences into +a uniform and consistent API.

+

Our pyscript.ffi offers the following utilities:

+
    +
  • ffi.to_js(reference) converts a Python object into its JavaScript + counterpart.
  • +
  • ffi.create_proxy(def_or_lambda) proxies a generic Python function into a + JavaScript one, without destroying its reference right away.
  • +
+

Should you require access to Pyodide or MicroPython's specific version of the +FFI you'll find them under the pyodide.ffi and micropython.ffi namespaces. +Please refer to the documentation for those projects for further information.

+

to_js

+

In the +Pyodide project, +this utility converts Python dictionaries into +JavaScript Map objects. +Such Map objects reflect the obj.get(field) semantics native to Python's +way of retrieving a value from a dictionary.

+

Unfortunately, this default conversion breaks the vast majority of native and +third party JavaScript APIs. This is because the convention in idiomatic +JavaScript is to use an object +for such key/value data structures (not a Map instance).

+

A common complaint has been the repeated need to call to_js with the long +winded argument dict_converter=js.Object.fromEntries. It turns out, most +people most of the time simply want to map a Python dict to a JavaScript +object (not a Map).

+

Furthermore, in MicroPython the default Python dict conversion is to the +idiomatic and sensible JavaScript object, making the need to specify a +dictionary converter pointless.

+

Therefore, if there is no reason to hold a Python reference in a JavaScript +context (which is 99% of the time, for common usage of PyScript) then use the +pyscript.ffi.to_js function, on both Pyodide and MicroPython, to always +convert a Python dict to a JavaScript object.

+
to_js: pyodide.ffi VS pyscript.ffi
<!-- works on Pyodide (type py) only -->
+<script type="py">
+  from pyodide.ffi import to_js
+
+  # default into JS new Map([["a", 1], ["b", 2]])
+  to_js({"a": 1, "b": 2})
+</script>
+
+<!-- works on both Pyodide and MicroPython -->
+<script type="py">
+  from pyscript.ffi import to_js
+
+  # always default into JS {"a": 1, "b": 2}
+  to_js({"a": 1, "b": 2})
+</script>
+
+
+

Note

+

It is still possible to specify a different dict_converter or use Pyodide +specific features while converting Python references by simply overriding +the explicit field for dict_converter.

+

However, we cannot guarantee all fields and features provided by Pyodide +will work in the same way on MicroPython.

+
+

create_proxy

+

In the +Pyodide project, +this function ensures that a Python callable associated with an event listener, +won't be garbage collected immediately after the function is assigned to the +event. Therefore, in Pyodide, if you do not wrap your Python function, it is +immediately garbage collected after being associated with an event listener.

+

This is so common a gotcha (see the FAQ for +more on this) that the Pyodide project have already +created many work-arounds to address this situation. For example, the +create_once_callable, pyodide.ffi.wrappers.add_event_listener and +pyodide.ffi.set_timeout are all methods whose goal is to automatically manage +the lifetime of the passed in Python callback.

+

Add to this situation methods connected to the JavaScript Promise object +(.then and .catch callbacks that are implicitly handled to guarantee no +leaks once executed) and things start to get confusing and overwhelming with +many ways to achieve a common end result.

+

Ultimately, user feedback suggests folks simply want to do something like this, +as they write their Python code:

+
Define a callback without create_proxy.
import js
+from pyscript import window
+
+
+def callback(msg):
+    """
+    A Python callable that logs a message.
+    """
+    window.console.log(msg)
+
+
+# Use the callback without having to explicitly create_proxy.
+js.setTimeout(callback, 1000, 'success')
+
+

Therefore, PyScript provides an experimental configuration flag called +experimental_create_proxy = "auto". When set, you should never have to care +about these technical details nor use the create_proxy method and all the +JavaScript callback APIs should just work.

+

Under the hood, the flag is strictly coupled with the JavaScript garbage +collector that will eventually destroy all proxy objects created via the +FinalizationRegistry +built into the browser.

+

This flag also won't affect MicroPython because it rarely needs a +create_proxy at all when Python functions are passed to JavaScript event +handlers. MicroPython automatically handles this situation. However, +there might still be rare and niche cases in MicroPython where such a +conversion might be needed.

+

Hence, PyScript retains the create_proxy method, even though it does not +change much in the MicroPython world, although it might be still needed with +the Pyodide runtime is you don't use the experimental_create_proxy = "auto" +flag.

+

At a more fundamental level, MicroPython doesn't provide (yet) a way to +explicitly destroy a proxy reference, whereas Pyodide still expects to +explicitly invoke proxy.destroy() when the function is not needed.

+
+

Warning

+

In MicroPython proxies might leak due to the lack of a destroy() method.

+

Happily, proxies are usually created explicitly for event listeners or +other utilities that won't need to be destroyed in the future. So the lack +of a destroy() method in MicroPython is not a problem in this specific, +and most common, situation.

+

Until we have a destroy() in MicroPython, we suggest testing the +experimental_create_proxy flag with Pyodide so both runtimes handle +possible leaks automatically.

+
+

For completeness, the following examples illustrate the differences in +behaviour between Pyodide and MicroPython:

+
A classic Pyodide gotcha VS MicroPython
<!-- Throws:
+Uncaught Error: This borrowed proxy was automatically destroyed
+at the end of a function call. Try using create_proxy or create_once_callable.
+-->
+<script type="py">
+    import js
+    js.setTimeout(lambda x: print(x), 1000, "fail");
+</script>
+
+<!-- logs "success" after a second -->
+<script type="mpy">
+    import js
+    js.setTimeout(lambda x: print(x), 1000, "success");
+</script>
+
+

To address the difference in Pyodide's behaviour, we can use the experimental +flag:

+
experimental create_proxy
<py-config>
+    experimental_create_proxy = "auto"
+</py-config>
+
+<!-- logs "success" after a second in both Pyodide and MicroPython -->
+<script type="py">
+    import js
+    js.setTimeout(lambda x: print(x), 1000, "success");
+</script>
+
+

Alternatively, create_proxy via the pyscript.ffi in both interpreters, but +only in Pyodide can we then destroy such proxy:

+
pyscript.ffi.create_proxy
<!-- success in both Pyodide and MicroPython -->
+<script type="py">
+    from pyscript.ffi import create_proxy
+    import js
+
+    def log(x):
+        try:
+            proxy.destroy()
+        except:
+            pass  # MicroPython
+        print(x)
+
+    proxy = create_proxy(log)
+    js.setTimeout(proxy, 1000, "success");
+</script>
+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/first-steps/index.html b/2024.9.2/user-guide/first-steps/index.html new file mode 100644 index 0000000..15f81e7 --- /dev/null +++ b/2024.9.2/user-guide/first-steps/index.html @@ -0,0 +1,937 @@ + + + + + + + + + + + + + + + + + + + + + + + First steps - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

First steps

+

It's simple:

+
    +
  • tell your browser to use PyScript, then,
  • +
  • tell PyScript how to run your Python code.
  • +
+

That's it!

+

For the browser to use PyScript, simply add a <script> tag, whose src +attribute references a CDN url for pyscript.core, to your HTML document's +<head>. We encourage you to add a reference to optional PyScript related +CSS:

+
Reference PyScript in your HTML
<!doctype html>
+<html>
+    <head>
+        <!-- Recommended meta tags -->
+        <meta charset="UTF-8">
+        <meta name="viewport" content="width=device-width,initial-scale=1.0">
+        <!-- PyScript CSS -->
+        <link rel="stylesheet" href="https://pyscript.net/releases/2024.9.2/core.css">
+        <!-- This script tag bootstraps PyScript -->
+        <script type="module" src="https://pyscript.net/releases/2024.9.2/core.js"></script>
+    </head>
+    <body>
+        <!-- your code goes here... -->
+    </body>
+</html>
+
+

There are two ways to tell PyScript how to find your code.

+
    +
  • With a standard HTML <script> tag whose type attribute is either py + (for Pyodide) or mpy (for MicroPython). This is the recommended way.
  • +
  • Via the bespoke <py-script> (Pyodide) and <mpy-script> (MicroPython) + tags. Historically, <py-script> used to be the only way to reference your + code.
  • +
+

These should be inserted into the <body> of your HTML document.

+

In both cases either use the src attribute to reference a Python +file containing your code, or inline your code between the opening and closing +tags. We recommend you use the src attribute method, but retain the +ability to include code between tags for convenience.

+

Here's a <script> tag with a src attribute containing a URL +pointing to a main.py Python file.

+
A <script> tag with a source file
<script type="mpy" src="main.py"></script>
+
+

...and here's a <py-script> tag with inline Python code.

+
A <py-script> tag with inline code
<py-script>
+import sys
+from pyscript import display
+
+
+display(sys.version)
+</py-script>
+
+

The <script> and <py-script> / <mpy-script> tags may have the following +attributes:

+
    +
  • src - the content of the tag is ignored and the Python code in the + referenced file is evaluated instead. This is the recommended way to + reference your Python code.
  • +
  • config - your code will only be evaluated after the referenced + configuration has been parsed. Since configuration can be + JSON or a TOML file, + config='{"packages":["numpy"]}' and config="./config.json" or + config="./config.toml" are all valid.
  • +
  • async - set this flag to "false" so your code won't run within a + top level await + (the default behaviour).
  • +
+
+

Warning

+

This behaviour changed in version 2024.8.2.

+

PyScript now uses a +top level await +by default.

+

You used to have to include the async flag to enable this. Now, instead, +use async="false" to revert the behaviour back to the old default +behaviour of synchronous evaluation.

+

We made this change because many folks were await-ing functions and +missing or not realising the need for the (old) async attribute. Hence +the flip in behaviour.

+
+
    +
  • worker - a flag to indicate your Python code is to be run on a + web worker instead of the "main thread" that looks after the user + interface.
  • +
  • target - the id or selector of the element where calls to + display() should write their values.
  • +
  • terminal - a traditional terminal is shown on the page. + As with conventional Python, print statements output here. If the + worker flag is set the terminal becomes interactive (e.g. use + the input statement to gather characters typed into the terminal by the + user).
  • +
  • service-worker - an optional attribute that allows you to slot in a custom + service worker + (such as mini-coi.js) to fix header related problems that limit the use + of web workers. This rather technical requirement is fully explained in + the section on web workers.
  • +
+
+

Warning

+

The packages setting used in the example configuration shown above is +for Pyodide using PyPI.

+

When using MicroPython, and because MicroPython doesn't support code +packaged on PyPI, you should use a valid URL to a MicroPython friendly +package.

+

For more information please refer to the packages section of +this user guide.

+
+
+

Question

+

Why do we recommend use of the <script> tag with a src attribute?

+

Within the HTML standard, +the <script> tag is used to embed executable code. Its use case +completely aligns with our own, as does its default behaviour.

+

By referencing a separate Python source file via the src attribute, your +code is just a regular Python file your code editor will understand. Python +code embedded within a <script> tag in an HTML file won't benefit from +the advantages code editors bring: syntax highlighting, code analysis, +language-based contextual awareness and perhaps even an AI co-pilot.

+

Both the <py-script> and <mpy-script> tags with inline code are +web components +that are not built into the browser. While they are convenient, there is +a performance cost to their use.

+
+
+

Info

+

The browser's tab displaying the website running PyScript is an isolated +computing sandbox. Define the Python environment in which your code will +run with configuration options (discussed later in this +user guide).

+
+
+

Tip

+

If you want to run code on both the main thread and in a worker, be +explicit and use separate tags.

+
<script type="mpy" src="main.py"></script>  <!-- on the main thread -->
+<script type="py" src="worker.py" worker config="pyconfig.toml"></script> <!-- on the worker -->
+
+

Notice how different interpreters can be used with different +configurations.

+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/index.html b/2024.9.2/user-guide/index.html new file mode 100644 index 0000000..1b25a4e --- /dev/null +++ b/2024.9.2/user-guide/index.html @@ -0,0 +1,832 @@ + + + + + + + + + + + + + + + + + + + + + + + Introduction - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

The PyScript User Guide

+
+

Info

+

This guide provides technical guidance and exploration of the PyScript +platform.

+

While we endeavour to write clearly, some of the content in this user guide +will not be suitable for beginners. We assume you already have Python +or web development experience. If you're a beginner start with our +beginner's guide.

+

We welcome constructive feedback.

+
+

Our docs have three aims:

+
    +
  1. A clear overview of all things PyScript.
  2. +
  3. Exploration of PyScript in substantial technical detail.
  4. +
  5. Demonstration of the features of PyScript working together in + real-world example applications.
  6. +
+

Read this user guide in full: it is a short but comprehensive overview of the +PyScript platform.

+

Get involved! Join in the PyScript conversation on our +discord server. There you'll find core +developers, community contributors and a flourishing forum for those creating +projects with PyScript. Should you wish to engage with the development of +PyScript, you are welcome to contribute via +the project's GitHub organisation.

+

Finally, the example projects referenced in our docs are all freely available +and copiously commented on pyscript.com.

+
+

Note

+

Many of these examples come from contributors in our wonderful +community. We love to recognise, share and celebrate the incredible work +of folks in the PyScript community. If you believe you have a project that +would make a good demonstration, please don't hesitate to +get in touch.

+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/offline/index.html b/2024.9.2/user-guide/offline/index.html new file mode 100644 index 0000000..c1ca673 --- /dev/null +++ b/2024.9.2/user-guide/offline/index.html @@ -0,0 +1,1197 @@ + + + + + + + + + + + + + + + + + + + + + + + Use Offline - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Use PyScript Offline

+

Sometimes you want to run PyScript applications offline.

+

Both PyScript core and the interpreter used to run code need to be served with +the application itself. The two requirements needed to create an offline +version of PyScript are:

+
    +
  1. Download and include PyScript core.
  2. +
  3. Download and include the Python interpreters used in your application.
  4. +
+

Get PyScript core

+

You have two choices:

+
    +
  1. Build from source. Clone the repository, install dependencies, then + build and use the content found in the ./dist/ folder.
  2. +
  3. Grab the npm package. For simplicity this is the method we currently + recommend as the easiest to get started.
  4. +
+

In the following instructions, we assume the existence of a folder called +pyscript-offline. All the necessary files needed to use PyScript offline will +eventually find their way in there.

+

In your computer's command line shell, create the pyscript-offline folder +like this:

+
mkdir -p pyscript-offline
+
+

Now change into the newly created directory:

+
cd pyscript-offline
+
+

PyScipt core from source

+

Build PyScript core by cloning the project repository and follow the +instructions in our developer guide

+

Once completed, copy the dist folder, that has been created by the build +step, into your pyscript-offline folder.

+

PyScript core from npm

+

Ensure you are in the pyscript-offline folder created earlier.

+

Create a package.json file. Even an empty one with just {} as content will +suffice. This is needed to make sure our folder will include the local +npm_modules folder instead of placing assets elsewhere. Our aim is to ensure +everything is in the same place locally.

+
# only if there is no package.json, create one
+echo '{}' > ./package.json
+
+

Assuming you have +npm installed on your computer, +issue the following command in the pyscript-offline folder to install the +PyScript core package.

+
# install @pyscript/core
+npm i @pyscript/core
+
+

Now the folder should contain a node_module folder in it, and we can copy the +dist folder found within the @pyscript/core package wherever we like.

+
# create a public folder to serve locally
+mkdir -p public
+
+# move @pyscript/core dist into such folder
+cp -R ./node_modules/@pyscript/core/dist ./public/pyscript
+
+

That's almost it!

+

Set up your application

+

Simply create a ./public/index.html file that loads the local PyScript:

+
<!DOCTYPE html>
+<html lang="en">
+<head>
+  <meta charset="UTF-8">
+  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+  <title>PyScript Offline</title>
+  <script type="module" src="/pyscript/core.js"></script>
+  <link rel="stylesheet" href="/pyscript/core.css">
+</head>
+<body>
+  <script type="mpy">
+    from pyscript import document
+
+    document.body.append("Hello from PyScript")
+  </script>
+</body>
+</html>
+
+

Run this project directly (after being sure that index.html file is saved +into the public folder):

+
python3 -m http.server -d ./public/
+
+

If you would like to test worker features, try instead:

+
npx mini-coi ./public/
+
+

Download a local interpreter

+

PyScript officially supports MicroPython and Pyodide interpreters, so let's +see how to get a local copy for each one of them.

+

Local MicroPython

+

Similar to @pyscript/core, we can also install MicroPython from npm:

+
npm i @micropython/micropython-webassembly-pyscript
+
+

Our node_modules folder should contain a @micropython one and from there we +can move relevant files into our public folder.

+

Let's be sure we have a target for that:

+
# create a folder in our public space
+mkdir -p ./public/micropython
+
+# copy related files into such folder
+cp ./node_modules/@micropython/micropython-webassembly-pyscript/micropython.* ./public/micropython/
+
+

The folder should contain at least both micropython.mjs and +micropython.wasm files. These are the files to use locally via a dedicated +config.

+
<!DOCTYPE html>
+<html lang="en">
+<head>
+  <meta charset="UTF-8">
+  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+  <title>PyScript Offline</title>
+  <script type="module" src="/pyscript/core.js"></script>
+  <link rel="stylesheet" href="/pyscript/core.css">
+</head>
+<body>
+  <mpy-config>
+    interpreter = "/micropython/micropython.mjs"
+  </mpy-config>
+  <script type="mpy">
+    from pyscript import document
+
+    document.body.append("Hello from PyScript")
+  </script>
+</body>
+</html>
+
+

Local Pyodide

+

Remember, Pyodide uses micropip to install third party packages. While the +procedure for offline Pyodide is very similar to the one for MicroPython, +if we want to use 3rd party packages we also need to have these available +locally. We'll start simple and cover such packaging issues at the end.

+
# locally install the pyodide module
+npm i pyodide
+
+# create a folder in our public space
+mkdir -p ./public/pyodide
+
+# move all necessary files into that folder
+cp ./node_modules/pyodide/pyodide* ./public/pyodide/
+cp ./node_modules/pyodide/python_stdlib.zip ./public/pyodide/
+
+

Please note that the pyodide-lock.json file is needed, so please don't +change that cp operation as all pyodide* files need to be moved.

+

At this point, all we need to do is to change the configuration on our HTML +page to use pyodide instead:

+
<!DOCTYPE html>
+<html lang="en">
+<head>
+  <meta charset="UTF-8">
+  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+  <title>PyScript Offline</title>
+  <script type="module" src="/pyscript/core.js"></script>
+  <link rel="stylesheet" href="/pyscript/core.css">
+</head>
+<body>
+  <py-config>
+    interpreter = "/pyodide/pyodide.mjs"
+  </py-config>
+  <script type="py">
+    from pyscript import document
+
+    document.body.append("Hello from PyScript")
+  </script>
+</body>
+</html>
+
+

Wrap up

+

That's basically it!

+

Disconnect from the internet, run the local server, and the page will still +show that very same Hello from PyScript message.

+

Local Pyodide packages

+

Finally, we need the ability to install Python packages from a local source +when using Pyodide.

+

Put simply, we use the packages bundle from +pyodide releases.

+
+

Warning

+

This bundle is more than 200MB!

+

It contains each package that is required by Pyodide, and Pyodide will only +load packages when needed.

+
+

Once downloaded and extracted (we're using version 0.26.2 in this example), +we can simply copy the files and folders inside the pyodide-0.26.2/pyodide/* +directory into our ./public/pyodide/* folder.

+

Feel free to either skip or replace the content, or even directly move the +pyodide folder inside our ./public/ one.

+

Now use any package available in via the Pyodide bundle.

+

For example:

+
<!DOCTYPE html>
+<html lang="en">
+<head>
+  <meta charset="UTF-8">
+  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+  <title>PyScript Offline</title>
+  <script type="module" src="/pyscript/core.js"></script>
+  <link rel="stylesheet" href="/pyscript/core.css">
+</head>
+<body>
+  <py-config>
+    interpreter = "/pyodide/pyodide.mjs"
+    packages = ["pandas"]
+  </py-config>
+  <script type="py">
+    import pandas as pd
+    x = pd.Series([1,2,3,4,5,6,7,8,9,10])
+
+    from pyscript import document
+    document.body.append(str([i**2 for i in x]))
+  </script>
+</body>
+</html>
+
+

We should now be able to read [1, 4, 9, 16, 25, 36, 49, 64, 81, 100] on the +page even if we disconnect from the Internet.

+

That's it!

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/plugins/index.html b/2024.9.2/user-guide/plugins/index.html new file mode 100644 index 0000000..85cd7d8 --- /dev/null +++ b/2024.9.2/user-guide/plugins/index.html @@ -0,0 +1,1143 @@ + + + + + + + + + + + + + + + + + + + + + + + Plugins - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Plugins

+

PyScript offers a plugin API so anyone can extend its functionality and +share their modifications.

+

PyScript only supports plugins written in Javascript (although causing the +evaluation of bespoke Python code can be a part of such plugins). The plugin's +JavaScript code should be included on the web page via a +<script type="module"> tag before PyScript is included in the web page.

+

The PyScript plugin API defines hooks that intercept named events in the +lifecycle of a PyScript application, so you can modify how the platform +behaves. The example at the bottom of this page demonstrates +how this is done in code.

+

Lifecycle Events

+

PyScript emits events that capture the beginning or the end of specific stages +in the application's life. No matter if code is running in the main thread or +on a web worker, the exact same sequence of steps takes place:

+
    +
  • ready - the browser recognizes the PyScript script or tag, and the + associated Python interpreter is ready to work. A JavaScript callback can + be used to instrument the interpreter before anything else happens.
  • +
  • before run - some Python code is about to be evaluated. A JavaScript + callback could setup a bespoke browser context, be that in the main thread + or a web worker. This is similar to a generic setup callback found in + test frameworks.
  • +
  • code before run - sometimes a plugin needs Python code to be evaluated + before the code given to PyScript, in order to set up a Python context + for the referenced code. Such code is simply a string of Python evaluated + immediately before the code given to PyScript.
  • +
  • At this point in the lifecycle the code referenced in the script or + other PyScript related tags is evaluated.
  • +
  • code after run - sometimes a plugin needs Python code to be evaluated + after the code given to PyScript, in order to clean up or react to the + final state created by the referenced code. Such code is simply a string of + Python code evaluated immediately after the code given to PyScript.
  • +
  • after run - all the Python code has been evaluated. A JavaScript + callback could clean up or react to the resulting browser context, be that + on the main thread or a web worker. This is similar to a generic teardown + callback found in test frameworks.
  • +
+

PyScript's interpreters can run their code either synchronously or +asynchronously (note, the default is asynchronously). No matter, the very +same sequence is guaranteed to run in order in both cases, the only difference +being the naming convention used to reference synchronous or asynchronous +lifecycle hooks.

+

Hooks

+

Hooks are used to tell PyScript that your code wants to subscribe to specific +lifecycle events. When such events happen, your code will be called by +PyScript.

+

The available hooks depend upon where your code is running: on the browser's +(blocking) main thread or on a (non-blocking) web worker. These are defined via +the hooks.main and hooks.worker namespaces in JavaScript.

+

Main Hooks

+

Callbacks registered via hooks on the main thread will usually receive a +wrapper of the interpreter with its unique-to-that-interpreter utilities, along +with a reference to the element on the page from where the code was derived.

+

Please refer to the documentation for the interpreter you're using (Pyodide or +MicroPython) to learn about its implementation details and the potential +capabilities made available via the wrapper.

+

Callbacks whose purpose is simply to run raw contextual Python code, don't +receive interpreter or element arguments.

+

This table lists all possible, yet optional, hooks a plugin can register on +the main thread:

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
nameexamplebehavior
onReadyonReady(wrap:Wrap, el:Element) {}If defined, this hook is invoked before any other to signal that the interpreter is ready and code is going to be evaluated. This hook is in charge of eventually running Pythonic content in any way it is defined to do so.
onBeforeRunonBeforeRun(wrap:Wrap, el:Element) {}If defined, it is invoked before to signal that an element's code is going to be evaluated.
onBeforeRunAsynconBeforeRunAsync(wrap:Wrap, el:Element) {}Same as onBeforeRun, except for scripts that require async behaviour.
codeBeforeRuncodeBeforeRun: () => 'print("before")'If defined, evaluate some Python code immediately before the element's code is evaluated.
codeBeforeRunAsynccodeBeforeRunAsync: () => 'print("before")'Same as codeBeforeRun, except for scripts that require async behaviour.
codeAfterRuncodeAfterRun: () => 'print("after")'If defined, evaluate come Python code immediately after the element's code has finished executing.
codeAfterRunAsynccodeAfterRunAsync: () => 'print("after")'Same as codeAfterRun, except for scripts that require async behaviour.
onAfterRunonAfterRun(wrap:Wrap, el:Element) {}If defined, invoked immediately after the element's code has been executed.
onAfterRunAsynconAfterRunAsync(wrap:Wrap, el:Element) {}Same as onAfterRun, except for scripts that require async behaviour.
onWorkeronWorker(wrap = null, xworker) {}If defined, whenever a script or tag with a worker attribute is processed, this hook is triggered on the main thread. This allows possible xworker features to be exposed before the code is evaluated on the web worker. The wrap reference is usually null unless an explicit XWorker call has been initialized manually and there is an interpreter on the main thread (very advanced use case). Please note, this is the only hook that doesn't exist in the worker counter list of hooks.
+

Worker Hooks

+

When it comes to hooks on a web worker, callbacks cannot use any JavaScript +outer scope references and must be completely self contained. This is because +callbacks must be serializable in order to work on web workers since they +are actually communicated as strings +via a postMessage +to the worker's isolated environment.

+

For example, this will work because all references are contained within the +registered function:

+
import { hooks } from "https://pyscript.net/releases/2024.9.2/core.js";
+
+hooks.worker.onReady.add(() => {
+    // NOT suggested, just an example!
+    // This code simply defines a global `i` reference if it doesn't exist.
+    if (!('i' in globalThis))
+        globalThis.i = 0;
+    console.log(++i);
+});
+
+

However, due to the outer reference to the variable i, this will fail:

+
import { hooks } from "https://pyscript.net/releases/2024.9.2/core.js";
+
+// NO NO NO NO NO! ☠️
+let i = 0;
+
+hooks.worker.onReady.add(() => {
+    // The `i` in the outer-scope will cause an error if
+    // this code executes in the worker because only the
+    // body of this function gets stringified and re-evaluated
+    console.log(++i);
+});
+
+

As the worker won't have an element related to it, since workers can be +created procedurally, the second argument won't be a reference to an element +but a reference to the +related xworker object +that is driving and coordinating things.

+

The list of possible yet optional hooks a custom plugin can use with a +web worker is exactly +the same as for the main thread +except for the absence of onWorker and the replacement of the second +element argument with that of an xworker.

+

Example plugin

+

Here's a contrived example, written in JavaScript, that should be added to the +web page via a <script type="module"> tag before PyScript is included in +the page.

+
log.js - a plugin that simply logs to the console.
// import the hooks from PyScript first...
+import { hooks } from "https://pyscript.net/releases/2024.9.2/core.js";
+
+// The `hooks.main` attribute defines plugins that run on the main thread.
+hooks.main.onReady.add((wrap, element) => {
+    console.log("main", "onReady");
+    if (location.search === '?debug') {
+        console.debug("main", "wrap", wrap);
+        console.debug("main", "element", element);
+    }
+});
+
+hooks.main.onBeforeRun.add(() => {
+    console.log("main", "onBeforeRun");
+});
+
+hooks.main.codeBeforeRun.add('print("main", "codeBeforeRun")');
+hooks.main.codeAfterRun.add('print("main", "codeAfterRun")');
+hooks.main.onAfterRun.add(() => {
+    console.log("main", "onAfterRun");
+});
+
+// The `hooks.worker` attribute defines plugins that run on workers.
+hooks.worker.onReady.add((wrap, xworker) => {
+    console.log("worker", "onReady");
+    if (location.search === '?debug') {
+        console.debug("worker", "wrap", wrap);
+        console.debug("worker", "xworker", xworker);
+    }
+});
+
+hooks.worker.onBeforeRun.add(() => {
+    console.log("worker", "onBeforeRun");
+});
+
+hooks.worker.codeBeforeRun.add('print("worker", "codeBeforeRun")');
+hooks.worker.codeAfterRun.add('print("worker", "codeAfterRun")');
+hooks.worker.onAfterRun.add(() => {
+    console.log("worker", "onAfterRun");
+});
+
+
Include the plugin in the web page before including PyScript.
<!DOCTYPE html>
+<html lang="en">
+    <head>
+        <meta charset="UTF-8">
+        <meta name="viewport" content="width=device-width, initial-scale=1.0">
+        <!-- JS plugins should be available before PyScript bootstraps -->
+        <script type="module" src="./log.js"></script>
+        <!-- PyScript -->
+        <link rel="stylesheet" href="https://pyscript.net/releases/2024.9.2/core.css">
+        <script type="module" src="https://pyscript.net/releases/2024.9.2/core.js"></script>
+    </head>
+    <body>
+        <script type="mpy">
+            print("ACTUAL CODE")
+        </script>
+    </body>
+</html>
+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/running-offline/index.html b/2024.9.2/user-guide/running-offline/index.html new file mode 100644 index 0000000..fa7e3de --- /dev/null +++ b/2024.9.2/user-guide/running-offline/index.html @@ -0,0 +1,1038 @@ + + + + + + + + + + + + + + + + + + + Running PyScript Offline - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + + + + + +
+
+ + + + +

Running PyScript Offline

+

Although users will want to create and share PyScript apps on the internet, there are cases when user want to run PyScript applications offline, in an airgapped fashion. This means that both PyScript core and the interpreter used to run code need to be served with the application itself. In short, the 2 main explicit tasks needed to create an offline PyScript application are:

+
    +
  • download and include PyScript core (core.js)
  • +
  • download and include the [Python] interpreters you want to use in your Application
  • +
+

Downloading and Including PyScript's core.js

+

There are at least 2 ways to use PyScript offline:

+
    +
  • by cloning the repository, then building and installing dependencies and then run and then reach the ./dist/ folder
  • +
  • by grabbing the npm package which for simplicity sake will be the method used here at least until we find a better place to pin our dist folder via our CDN and make the procedure even easier than it is now
  • +
+

In the examples below, we'll assume we are creating a PyScript Application folder called pyscript-offline and we'll add all the necessary files to the folder.

+

First of all, we are going to create a pyscript-offline folder as reference.

+
mkdir -p pyscript-offline
+cd pyscript-offline
+
+

Adding core by Cloning the Repository

+

You can build all the PyScript Core files by cloning the project repository and building them yourself. To do so, build the files by following the instructions in our developer guide

+

Once you've run the build command, copy the build folder that has been created into your pyscript-offline folder.

+

Adding core by Installing @pyscript/core Locally

+

First of all, ensure you are in the folder you would like to test PyScirpt locally. In this case, the pyscript-offline folder we created earlier.

+

Once within the folder, be sure there is a package.json file. Even an empty one with just {} as content would work. +This is needed to be sure the folder will include locally the npm_modules folder instead of placing the package in the parent folder, if any.

+
# only if there is no package.json, create one
+echo '{}' > ./package.json
+
+# install @pyscript/core
+npm i @pyscript/core
+
+

At this point the folder should contain a node_module in it and we can actually copy its dist folder wherever we like.

+
# create a public folder to serve locally
+mkdir -p public
+
+# move @pyscript/core dist into such folder
+cp -R ./node_modules/@pyscript/core/dist ./public/pyscript
+
+

Setting up your application

+

Once you've added PyScript code following one of the methods above, that's almost it! We are half way through our goal but we can already create a ./public/index.html file that loads the project:

+
<!DOCTYPE html>
+<html lang="en">
+<head>
+  <meta charset="UTF-8">
+  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+  <title>PyScript Offline</title>
+  <script type="module" src="/pyscript/core.js"></script>
+  <link rel="stylesheet" href="/pyscript/core.css">
+</head>
+<body>
+  <script type="mpy">
+    from pyscript import document
+
+    document.body.append("Hello from PyScript")
+  </script>
+</body>
+</html>
+
+

To run this project directly, after being sure that index.html file is saved into the public folder, you can try:

+
python3 -m http.server -d ./public/
+
+

Alternatively, if you would like to test also worker features, you can try instead:

+
npx static-handler --coi ./public/
+
+

Downloading and Setting up a Local Interpreter

+

Good news! We are almost there. Now that we've:

+
    +
  • downloaded PyScript locally
  • +
  • created the skeleton of an initial PyScript App
  • +
+

we need to download and setup up an interpreter. PyScript officially supports MicroPython and Pyodide interpreters, so let's see how to do that for each one of them.

+

Download MicroPython locally

+

Similarly to what we did for @pyscript/core, we can also install MicroPython from npm:

+
npm i @micropython/micropython-webassembly-pyscript
+
+

Our node_modules folder now should contain a @micropython one and from there we can move relevant files into our public folder, but let's be sure we have a target for that:

+
# create a folder in our public space
+mkdir -p ./public/micropython
+
+# copy related files into such folder
+cp ./node_modules/@micropython/micropython-webassembly-pyscript/micropython.* ./public/micropython/
+
+

That folder should contain at least both micropython.mjs and micropython.wasm files and these are the files we are going to use locally via our dedicated config.

+
<!DOCTYPE html>
+<html lang="en">
+<head>
+  <meta charset="UTF-8">
+  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+  <title>PyScript Offline</title>
+  <script type="module" src="/pyscript/core.js"></script>
+  <link rel="stylesheet" href="/pyscript/core.css">
+</head>
+<body>
+  <mpy-config>
+    interpreter = "/micropython/micropython.mjs"
+  </mpy-config>
+  <script type="mpy">
+    from pyscript import document
+
+    document.body.append("Hello from PyScript")
+  </script>
+</body>
+</html>
+
+

Install Pyodide locally

+

Currently there is a difference between MicroPython and Pyodide: the former does not have (yet) a package manager while the latest does, it's called micropip.

+

This is important to remember because while the procedure to have pyodide offline is very similar to the one we've just seen, if we want to use also 3rd party packages we also need to have these running locally ... but let's start simple:

+
# install locally the pyodide module
+npm i pyodide
+
+# create a folder in our public space
+mkdir -p ./public/pyodide
+
+# move all necessary files into that folder
+cp ./node_modules/pyodide/pyodide* ./public/pyodide/
+cp ./node_modules/pyodide/python_stdlib.zip ./public/pyodide/
+
+

Please note that also pyodide-lock.json file is needed so please don't change that cp operation as all pyodide* files need to be moved.

+

At this point, all we need to do is to change our HTML page to use pyodide instead:

+
<!DOCTYPE html>
+<html lang="en">
+<head>
+  <meta charset="UTF-8">
+  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+  <title>PyScript Offline</title>
+  <script type="module" src="/pyscript/core.js"></script>
+  <link rel="stylesheet" href="/pyscript/core.css">
+</head>
+<body>
+  <py-config>
+    interpreter = "/pyodide/pyodide.mjs"
+  </py-config>
+  <script type="py">
+    from pyscript import document
+
+    document.body.append("Hello from PyScript")
+  </script>
+</body>
+</html>
+
+

Wrapping it up

+

We are basically done! If we try to disconnect from the internet but we still run our local server, the page will still show that very same Hello from PyScript message :partying_face:

+

We can now drop internet, still keeping the local server running, and everything should be fine :partying_face:

+

Local Pyodide Packages

+

There's one last thing that users are probably going to need: the ability to install Python packages when using Pyodide.

+

In order to have also 3rd party packages available, we can use the bundle from pyodide releases that contains also packages.

+

Please note this bundle is more than 200MB: it not downloaded all at once, it contains each package that is required and it loads only related packages when needed.

+

Once downloaded and extracted, where in this case I am using 0.24.1 as reference bundle, we can literally copy and paste, or even move, all those files and folders inside the pyodide-0.24.1/pyodide/* directory into our ./public/pyodide/* folder.

+

As the bundle contains files already present, feel free to either skip or replace the content, or even directly move that pyodide folder inside our ./public/ one.

+

Once it's done, we can now use any package we like that is available in pyodide. Let's see an example:

+
<!DOCTYPE html>
+<html lang="en">
+<head>
+  <meta charset="UTF-8">
+  <meta name="viewport" content="width=device-width, initial-scale=1.0">
+  <title>PyScript Offline</title>
+  <script type="module" src="/pyscript/core.js"></script>
+  <link rel="stylesheet" href="/pyscript/core.css">
+</head>
+<body>
+  <py-config>
+    interpreter = "/pyodide/pyodide.mjs"
+    packages = ["pandas"]
+  </py-config>
+  <script type="py">
+    import pandas as pd
+    x = pd.Series([1,2,3,4,5,6,7,8,9,10])
+
+    from pyscript import document
+    document.body.append(str([i**2 for i in x]))
+  </script>
+</body>
+</html>
+
+

If everything went fine, we should now be able to read [1, 4, 9, 16, 25, 36, 49, 64, 81, 100] on the page even if we disconnect from the Internet.

+

And that's all folks :wave:

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/terminal/index.html b/2024.9.2/user-guide/terminal/index.html new file mode 100644 index 0000000..356829e --- /dev/null +++ b/2024.9.2/user-guide/terminal/index.html @@ -0,0 +1,1064 @@ + + + + + + + + + + + + + + + + + + + + + + + Python terminal - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Terminal

+

In conventional (non-browser based) Python, it is common to run scripts from +the terminal, or to interact directly with the Python interpreter via the +REPL. +It's to the terminal that print writes characters (via stdout), and it's +from the terminal that the input reads characters (via stdin).

+

It usually looks something like this:

+

+

Because of the historic importance of the use of a terminal, PyScript makes one +available in the browser (based upon XTerm.js). +As mentioned earlier, PyScript's built-in terminal is +activated with the terminal flag when using the <script>, <py-script> or +<mpy-script> tags.

+
+

Success

+

As of the 2024.4.1 release, MicroPython works with the terminal.

+
+

This is, perhaps, the simplest use case that allows data to be emitted to a +read-only terminal:

+
<script type="py" terminal>print("hello world")</script>
+
+

The end result will look like this (the rectangular box indicates the current +position of the cursor):

+

+

Should you need an interactive terminal, for example because you use the +input statement that requires the user to type things into the terminal, you +must ensure your code is run on a worker:

+

<script type="py" terminal worker>
+name = input("What is your name? ")
+print(f"Hello, {name}")
+</script>
+
+

+

To use the interactive Python REPL in the terminal, use Python's +code module like this:

+
import code
+
+code.interact()
+
+

The end result should look something like this:

+

+

Finally, it is possible to dynamically pass Python code into the terminal. The +trick is to get a reference to the terminal created by PyScript. Thankfully, +this is very easy.

+

Consider this fragment:

+
<script id="my_script" type="mpy" terminal worker></script>
+
+

Get a reference to the element, and just call the process method on +that object:

+
const myterm = document.querySelector("#my_script");
+await myterm.process('print("Hello world!")');
+
+

XTerm reference

+

Each terminal has a reference to the +Terminal +instance used to bootstrap the current terminal.

+

On the JavaScript side, it's a script.terminal property while on the Python +side, it's a __terminal__ special reference that guarantees to provide the +very same script.terminal:

+
How to reach the XTerm Terminal
<script id="py-terminal" type="py" terminal worker>
+    from pyscript import document, ffi
+
+    # example: change default font-family
+    __terminal__.options = ffi.to_js({"fontFamily": "cursive"})
+
+    script = document.getElementById("py-terminal")
+    print(script.terminal == __terminal__)
+    # prints True with the defined font
+</script>
+
+

Clear the terminal

+

It's very simple to clear a PyTerminal:

+
Clearing the terminal
<script type="mpy" terminal worker>
+    print("before")
+    __terminal__.clear()
+    print("after")
+    # only "after" is on the terminal
+</script>
+
+

Terminal colors

+

Colors and most special characters work so you can make the text bold or +turn it green. You could even use a control +character to print('\033[2J') and clear the terminal, instead of using the +exposed clear() method:

+
Terminal colors
<script type="mpy" terminal worker>
+    print("This is \033[1mbold\033[0m")
+    print("This is \033[32mgreen\033[0m")
+    print("This is \033[1m\033[35mbold and purple\033[0m")
+</script>
+
+

Terminal addons

+

It's possible use XTerm.js addons:

+
Terminal addons
<py-config>
+    [js_modules.main]
+    "https://cdn.jsdelivr.net/npm/@xterm/addon-web-links/+esm" = "weblinks"
+</py-config>
+<script type="py" terminal>
+    from pyscript import js_modules
+
+    addon = js_modules.weblinks.WebLinksAddon.new()
+    __terminal__.loadAddon(addon)
+
+    print("Check out https://pyscript.net/")
+</script>
+
+

By default we enable the WebLinksAddon addon (so URLs displayed in the +terminal automatically become links). Behind the scenes is the example code +shown above, and this approach will work for +any other addon you +may wish to use.

+

MicroPython

+

MicroPython has a +very complete REPL +already built into it.

+
    +
  • All Ctrl+X strokes are handled, including paste mode and kill switches.
  • +
  • History works out of the box. Access this via the up and down arrows to + view your command history.
  • +
  • Tab completion works like a charm. Use the tab key to see available + variables or objects in globals.
  • +
  • Copy and paste is much improved. This is true for a single terminal entry, + or a + paste mode + enabled variant.
  • +
+

As a bonus, the MicroPython terminal works on both the main thread and in +web workers, with the following caveats:

+
    +
  • Main thread:
      +
    • Calls to the blocking input function are delegated to the native browser + based + prompt + utility.
    • +
    • There are no guards against blocking code (e.g. while True: loops). + Such blocking code could freeze your page.
    • +
    +
  • +
  • Web worker:
      +
    • Conventional support for the input function, without blocking the main + thread.
    • +
    • Blocking code (e.g. while True: loops) does not block the main thread + and your page will remain responsive.
    • +
    +
  • +
+

We encourage the usage of worker attribute to bootstrap a MicroPython +terminal. But now you have an option to run the terminal in the main thread. +Just remember not to block!

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/what/index.html b/2024.9.2/user-guide/what/index.html new file mode 100644 index 0000000..b0e288b --- /dev/null +++ b/2024.9.2/user-guide/what/index.html @@ -0,0 +1,824 @@ + + + + + + + + + + + + + + + + + + + + + + + What is PyScript? - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

What is PyScript?

+

PyScript is an +open source platform for +Python in the +browser.

+

PyScript brings together two of the most vibrant technical ecosystems on the +planet. If the web and Python +had a baby, you'd get PyScript.

+

PyScript works because modern browsers support +WebAssembly (abbreviated to WASM) - an +instruction set +for a virtual machine with +an open specification and near native performance. PyScript takes +versions of the Python interpreter compiled to WASM, and makes them easy to use +inside the browser.

+

At the core of PyScript is a philosophy of digital empowerment. The web is +the world's most ubiquitous computing platform, mature and familiar to billions +of people. Python is one of the +world's most popular programming languages: +it is easy to teach and learn, used in a plethora of existing domains +(such as data science, games, embedded systems, artificial intelligence, +finance, physics and film production - to name but a few), and the Python +ecosystem contains a huge number of popular and powerful libraries to address +its many uses.

+

PyScript brings together the ubiquity, familiarity and accessibility of the web +with the power, depth and expressiveness of Python. It means PyScript isn't +just for programming experts but, as we like to say, for the 99% of the rest of +the planet who use computers.

+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/2024.9.2/user-guide/workers/index.html b/2024.9.2/user-guide/workers/index.html new file mode 100644 index 0000000..a29fe73 --- /dev/null +++ b/2024.9.2/user-guide/workers/index.html @@ -0,0 +1,1215 @@ + + + + + + + + + + + + + + + + + + + + + + + Web Workers - PyScript + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ + + + + + + + +
+ + +
+ +
+ + + + + + +
+
+ + + +
+
+
+ + + + + +
+
+
+ + + +
+
+
+ + + +
+
+
+ + + +
+
+ + + + +

Workers

+

Workers run code that won't block the "main thread" controlling the user +interface. If you block the main thread, your web page becomes annoyingly +unresponsive. You should never block the main thread.

+

Happily, PyScript makes it very easy to use workers and uses a feature recently +added to web standards called +Atomics. +You don't need to know about Atomics to use web workers, but it's useful to +know that the underlying coincident library +uses it under the hood.

+
+

Info

+

Sometimes you only need to await in the main thread on a method in a +worker when neither window nor document are referenced in the code +running on the worker.

+

In these cases, you don't need any special header or service worker +as long as the method exposed from the worker returns a serializable +result.

+
+

HTTP headers

+

To use the window and document objects from within a worker (i.e. use +synchronous Atomics) you must ensure your web server enables the following +headers (this is the default behavior for +pyscript.com):

+
Access-Control-Allow-Origin: *
+Cross-Origin-Opener-Policy: same-origin
+Cross-Origin-Embedder-Policy: require-corp
+Cross-Origin-Resource-Policy: cross-origin
+
+

If you're unable to configure your server's headers, you have two options:

+
    +
  1. Use the mini-coi project + to enforce headers.
  2. +
  3. Use the service-worker attribute with the script element.
  4. +
+

Option 1: mini-coi

+

For performance reasons, this is the preferred option so Atomics works at +native speed.

+

The simplest way to use mini-coi is to copy the +mini-coi.js +file content and save it in the root of your website (i.e. /), and reference +it as the first child tag in the <head> of your HTML documents:

+
<html>
+  <head>
+    <script src="/mini-coi.js"></script>
+    <!-- etc -->
+  </head>
+  <!-- etc -->
+</html>
+
+

Option 2: service-worker attribute

+

This allows you to slot in a custom +service worker +to handle requirements for synchronous operations.

+

Each <script type="m/py"> or <m/py-script> may optionally have +a service-worker attribute pointing to a locally served file (the +same way mini-coi.js needs to be served).

+
    +
  • You can chose mini-coi.js itself or any other custom service worker, + as long as it provides either the right headers to enable synchronous + operations via Atomics, or it enables + sabayon polyfill events.
  • +
  • Alternatively, you can copy and paste the + sabayon Service Worker + into your local project and point at that in the attribute. This will + not change the original behavior of your project, it will not interfere with + all default or pre-defined headers your application uses already but it will + fallback to a (slower but working) synchronous operation that allows + both window and document access in your worker logic.
  • +
+
<html>
+  <head>
+    <!-- PyScript link and script -->
+  </head>
+  <body>
+    <script type="py" service-worker="./sw.js" worker>
+      from pyscript import window, document
+
+      document.body.append("Hello PyScript!")
+    </script>
+  </body>
+</html>
+
+
+

Warning

+

Using sabayon as the fallback for synchronous operations via Atomics +should be the last solution to consider. It is inevitably +slower than using native Atomics.

+

If you must use sabayon, always reduce the amount of synchronous +operations by caching references from the main thread.

+
# ❌ THIS IS UNNECESSARILY SLOWER
+from pyscript import document
+
+# add a data-test="not ideal attribute"
+document.body.dataset.test = "not ideal"
+# read a data-test attribute
+print(document.body.dataset.test)
+
+# - - - - - - - - - - - - - - - - - - - - -
+
+# ✔️ THIS IS FINE
+from pyscript import document
+
+# if needed elsewhere, reach it once
+body = document.body
+dataset = body.dataset
+
+# add a data-test="not ideal attribute"
+dataset.test = "not ideal"
+# read a data-test attribute
+print(dataset.test)
+
+
+

In latter example the number of operations has been reduced from six to just +four. The rule of thumb is: if you ever need a DOM reference more than once, +cache it. 👍

+

Start working

+

To start your code in a worker, simply ensure the <script>, <py-script> or +<mpy-script> tag pointing to the code you want to run has a worker +attribute flag:

+
Evaluating code in a worker
<script type="py" src="./my-worker-code.py" worker></script>
+
+

You may also want to add a name attribute to the tag, so you can use +pyscript.workers in the main thread to retrieve a reference to the worker:

+
<script type="py" src="./my-worker-code.py" worker name="my-worker"></script>
+
+
from pyscript import workers
+
+my_worker = await workers["my-worker"]
+
+

Alternatively, to launch a worker from within Python running on the main thread +use the pyscript.PyWorker class and you must +reference both the target Python script and interpreter type:

+
Launch a worker from within Python
from pyscript import PyWorker
+
+# The type MUST be given and can be either `micropython` or `pyodide`
+my_worker = PyWorker("my-worker-code.py", type="micropython")
+
+

Worker interactions

+

Code running in the worker needs to be able to interact with code running in +the main thread and perhaps have access to the web page. This is achieved via +some helpful builtin APIs.

+
+

Note

+

For ease of use, the worker related functionality in PyScript is +a simpler presentation of more sophisticated and powerful behaviour +available via PolyScript.

+

If you are a confident advanced user, please +consult the XWorker +related documentation from the PolyScript project for how to make use of +these features.

+
+

To synchronise serializable data between the worker and the main thread use +the sync function in the worker to reference a +function registered on the main thread:

+
Python code running on the main thread.
from pyscript import PyWorker
+
+def hello(name="world"):
+    return(f"Hello, {name}")
+
+# Create the worker.
+worker = PyWorker("./worker.py", type="micropython")
+
+# Register the hello function as callable from the worker.
+worker.sync.hello = hello
+
+
Python code in the resulting worker.
from pyscript import sync, window
+
+greeting = sync.hello("PyScript")
+window.console.log(greeting)
+
+

Alternatively, for the main thread to call functions in a worker, specify the +functions in a __export__ list:

+
Python code on the worker.
import sys
+
+def version():
+    return sys.version
+
+# Define what to export to the main thread.
+__export__ = ["version", ]
+
+

Then ensure you have a reference to the worker in the main thread (for +instance, by using the pyscript.workers):

+
Creating a named worker in the web page.
<script type="py" src="./my-worker-code.py" worker name="my-worker"></script>
+
+
Referencing and using the worker from the main thread.
from pyscript import workers
+
+my_worker = await workers["my-worker"]
+
+print(await my_worker.version())
+
+

The values passed between the main thread and the worker must be +serializable. Try the example given above via +this project on PyScript.com.

+

No matter if your code is running on the main thread or in a web worker, +both the pyscript.window (representing the main +thread's global window context) and +pyscript.document (representing the web +page's +document object) +will be available and work in the same way. As a result, a worker can reach +into the DOM and access some window based APIs.

+
+

Warning

+

Access to the window and document objects is a powerful feature. Please +remember that:

+
    +
  • Arguments to and the results from such calls, when used in a worker, + must be serializable, otherwise they won't work.
  • +
  • If you manipulate the DOM via the document object, and other workers or + code on the main thread does so too, they may interfere with each other + and produce unforeseen problematic results. Remember, with great power + comes great responsibility... and we've given you a bazooka (so please + remember not to shoot yourself in the foot with it).
  • +
+
+

Common Use Case

+

While it is possible to start a MicroPython or Pyodide worker from either +MicroPython or Pyodide running on the main thread, the most common use case +we have encountered is MicroPython on the main thread starting a Pyodide +worker.

+

Here's how:

+

index.html +

Evaluate main.py via MicroPython on the main thread
<!DOCTYPE html>
+<html lang="en">
+  <head>
+    <meta charset="utf-8">
+    <meta name="viewport" content="width=device-width,initial-scale=1">
+    <!-- PyScript CSS -->
+    <link rel="stylesheet" href="https://pyscript.net/releases/2024.9.2/core.css">
+    <!-- This script tag bootstraps PyScript -->
+    <script type="module" src="https://pyscript.net/releases/2024.9.2/core.js"></script>
+    <title>PyWorker - mpy bootstrapping pyodide example</title>
+    <script type="mpy" src="main.py"></script>
+  </head>
+</html>
+

+

main.py +

MicroPython's main.py: bootstrapping a Pyodide worker.
from pyscript import PyWorker, document
+
+# Bootstrap the Pyodide worker, with optional config too.
+# The worker is:
+#   * Owned by this script, no JS or Pyodide code in the same page can access
+#     it.
+#   * It allows pre-sync methods to be exposed.
+#   * It has a ready Promise to await for when Pyodide is ready in the worker. 
+#   * It allows the use of post-sync (methods exposed by Pyodide in the
+#     worker).
+worker = PyWorker("worker.py", type="pyodide")
+
+# Expose a utility that can be immediately invoked in the worker. 
+worker.sync.greetings = lambda: print("Pyodide bootstrapped")
+
+print("before ready")
+# Await until Pyodide has completed its bootstrap, and is ready.
+await worker.ready
+print("after ready")
+
+# Await any exposed methods exposed via Pyodide in the worker.
+result = await worker.sync.heavy_computation()
+print(result)
+
+# Show the result at the end of the body.
+document.body.append(result)
+
+# Free memory and get rid of everything in the worker.
+worker.terminate()
+

+

worker.py +

The worker.py script runs in the Pyodide worker.
from pyscript import sync
+
+# Use any methods from main.py on the main thread.
+sync.greetings()
+
+# Expose any methods meant to be used from main.
+sync.heavy_computation = lambda: 6 * 7
+

+

Save these files in a tmp folder, ensure your headers (just +use npx mini-coi ./tmp to serve via localhost) then see the following +outcome in the browser's devtools.

+
before ready
+Pyodide bootstrapped
+after ready
+42
+
+ + + + + + +
+
+ + +
+ +
+ + + +
+
+
+
+ + + + + + + + + \ No newline at end of file diff --git a/latest/404.html b/latest/404.html index 1a70c8a..5bb848c 100644 --- a/latest/404.html +++ b/latest/404.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../2024.9.1/404.html... + Redirecting to ../2024.9.2/404.html... \ No newline at end of file diff --git a/latest/api/index.html b/latest/api/index.html index d8ce32e..6fdf6a4 100644 --- a/latest/api/index.html +++ b/latest/api/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/api/... + Redirecting to ../../2024.9.2/api/... \ No newline at end of file diff --git a/latest/beginning-pyscript/index.html b/latest/beginning-pyscript/index.html index 39d547c..efcee30 100644 --- a/latest/beginning-pyscript/index.html +++ b/latest/beginning-pyscript/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/beginning-pyscript/... + Redirecting to ../../2024.9.2/beginning-pyscript/... \ No newline at end of file diff --git a/latest/conduct/index.html b/latest/conduct/index.html index af7ec0c..54151cb 100644 --- a/latest/conduct/index.html +++ b/latest/conduct/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/conduct/... + Redirecting to ../../2024.9.2/conduct/... \ No newline at end of file diff --git a/latest/contributing/index.html b/latest/contributing/index.html index fbaf1a9..0f2762b 100644 --- a/latest/contributing/index.html +++ b/latest/contributing/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/contributing/... + Redirecting to ../../2024.9.2/contributing/... \ No newline at end of file diff --git a/latest/developers/index.html b/latest/developers/index.html index 27bf233..d072a9b 100644 --- a/latest/developers/index.html +++ b/latest/developers/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/developers/... + Redirecting to ../../2024.9.2/developers/... \ No newline at end of file diff --git a/latest/examples/index.html b/latest/examples/index.html index 2f74dbb..8143a48 100644 --- a/latest/examples/index.html +++ b/latest/examples/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/examples/... + Redirecting to ../../2024.9.2/examples/... \ No newline at end of file diff --git a/latest/faq/index.html b/latest/faq/index.html index db29eef..4532e93 100644 --- a/latest/faq/index.html +++ b/latest/faq/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/faq/... + Redirecting to ../../2024.9.2/faq/... \ No newline at end of file diff --git a/latest/index.html b/latest/index.html index adba546..54afc17 100644 --- a/latest/index.html +++ b/latest/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../2024.9.1/... + Redirecting to ../2024.9.2/... \ No newline at end of file diff --git a/latest/license/index.html b/latest/license/index.html index 86c9df3..f01bb26 100644 --- a/latest/license/index.html +++ b/latest/license/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/license/... + Redirecting to ../../2024.9.2/license/... \ No newline at end of file diff --git a/latest/user-guide/architecture/index.html b/latest/user-guide/architecture/index.html index 90344fa..afadcc0 100644 --- a/latest/user-guide/architecture/index.html +++ b/latest/user-guide/architecture/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/architecture/... + Redirecting to ../../../2024.9.2/user-guide/architecture/... \ No newline at end of file diff --git a/latest/user-guide/configuration/index.html b/latest/user-guide/configuration/index.html index 43d2bac..792165e 100644 --- a/latest/user-guide/configuration/index.html +++ b/latest/user-guide/configuration/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/configuration/... + Redirecting to ../../../2024.9.2/user-guide/configuration/... \ No newline at end of file diff --git a/latest/user-guide/dom/index.html b/latest/user-guide/dom/index.html index 23f03ff..01bb259 100644 --- a/latest/user-guide/dom/index.html +++ b/latest/user-guide/dom/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/dom/... + Redirecting to ../../../2024.9.2/user-guide/dom/... \ No newline at end of file diff --git a/latest/user-guide/editor/index.html b/latest/user-guide/editor/index.html index d67c9ad..8279519 100644 --- a/latest/user-guide/editor/index.html +++ b/latest/user-guide/editor/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/editor/... + Redirecting to ../../../2024.9.2/user-guide/editor/... \ No newline at end of file diff --git a/latest/user-guide/features/index.html b/latest/user-guide/features/index.html index a206d9d..dae6fbe 100644 --- a/latest/user-guide/features/index.html +++ b/latest/user-guide/features/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/features/... + Redirecting to ../../../2024.9.2/user-guide/features/... \ No newline at end of file diff --git a/latest/user-guide/ffi/index.html b/latest/user-guide/ffi/index.html index bc5d7ae..c553912 100644 --- a/latest/user-guide/ffi/index.html +++ b/latest/user-guide/ffi/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/ffi/... + Redirecting to ../../../2024.9.2/user-guide/ffi/... \ No newline at end of file diff --git a/latest/user-guide/first-steps/index.html b/latest/user-guide/first-steps/index.html index 20f1eab..36f6511 100644 --- a/latest/user-guide/first-steps/index.html +++ b/latest/user-guide/first-steps/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/first-steps/... + Redirecting to ../../../2024.9.2/user-guide/first-steps/... \ No newline at end of file diff --git a/latest/user-guide/index.html b/latest/user-guide/index.html index 952134a..fadd5f6 100644 --- a/latest/user-guide/index.html +++ b/latest/user-guide/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../2024.9.1/user-guide/... + Redirecting to ../../2024.9.2/user-guide/... \ No newline at end of file diff --git a/latest/user-guide/offline/index.html b/latest/user-guide/offline/index.html index f9f591b..e375c9c 100644 --- a/latest/user-guide/offline/index.html +++ b/latest/user-guide/offline/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/offline/... + Redirecting to ../../../2024.9.2/user-guide/offline/... \ No newline at end of file diff --git a/latest/user-guide/plugins/index.html b/latest/user-guide/plugins/index.html index c339930..f189213 100644 --- a/latest/user-guide/plugins/index.html +++ b/latest/user-guide/plugins/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/plugins/... + Redirecting to ../../../2024.9.2/user-guide/plugins/... \ No newline at end of file diff --git a/latest/user-guide/running-offline/index.html b/latest/user-guide/running-offline/index.html index cd16a21..1daa1f3 100644 --- a/latest/user-guide/running-offline/index.html +++ b/latest/user-guide/running-offline/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/running-offline/... + Redirecting to ../../../2024.9.2/user-guide/running-offline/... \ No newline at end of file diff --git a/latest/user-guide/terminal/index.html b/latest/user-guide/terminal/index.html index 5b7f574..968bc47 100644 --- a/latest/user-guide/terminal/index.html +++ b/latest/user-guide/terminal/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/terminal/... + Redirecting to ../../../2024.9.2/user-guide/terminal/... \ No newline at end of file diff --git a/latest/user-guide/what/index.html b/latest/user-guide/what/index.html index f28d8e8..616f5a8 100644 --- a/latest/user-guide/what/index.html +++ b/latest/user-guide/what/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/what/... + Redirecting to ../../../2024.9.2/user-guide/what/... \ No newline at end of file diff --git a/latest/user-guide/workers/index.html b/latest/user-guide/workers/index.html index b1aa7b4..ce31e6a 100644 --- a/latest/user-guide/workers/index.html +++ b/latest/user-guide/workers/index.html @@ -4,13 +4,13 @@ Redirecting - Redirecting to ../../../2024.9.1/user-guide/workers/... + Redirecting to ../../../2024.9.2/user-guide/workers/... \ No newline at end of file diff --git a/versions.json b/versions.json index 1673e94..41a2594 100644 --- a/versions.json +++ b/versions.json @@ -1 +1 @@ -[{"version": "2024.9.1", "title": "2024.9.1", "aliases": ["latest"]}, {"version": "2024.8.2", "title": "2024.8.2", "aliases": []}, {"version": "2024.8.1", "title": "2024.8.1", "aliases": []}, {"version": "2024.7.1", "title": "2024.7.1", "aliases": []}, {"version": "2024.6.2", "title": "2024.6.2", "aliases": []}, {"version": "2024.6.1", "title": "2024.6.1", "aliases": []}, {"version": "2024.5.2", "title": "2024.5.2", "aliases": []}, {"version": "2024.5.1", "title": "2024.5.1", "aliases": []}, {"version": "2024.4.1", "title": "2024.4.1", "aliases": []}, {"version": "2024.3.2", "title": "2024.3.2", "aliases": []}, {"version": "2024.3.1", "title": "2024.3.1", "aliases": []}, {"version": "2024.2.1", "title": "2024.2.1", "aliases": []}, {"version": "2024.1.3", "title": "2024.1.3", "aliases": []}, {"version": "2024.1.1", "title": "2024.1.1", "aliases": []}, {"version": "2023.12.1", "title": "2023.12.1", "aliases": []}, {"version": "2023.11.2", "title": "2023.11.2", "aliases": []}, {"version": "2023.11.1", "title": "2023.11.1", "aliases": []}, {"version": "2023.11.1.RC3", "title": "2023.11.1.RC3", "aliases": []}, {"version": "2023.09.1.RC2", "title": "2023.09.1.RC2", "aliases": []}, {"version": "2023.09.1.RC1", "title": "2023.09.1.RC1", "aliases": []}] \ No newline at end of file +[{"version": "2024.9.2", "title": "2024.9.2", "aliases": ["latest"]}, {"version": "2024.9.1", "title": "2024.9.1", "aliases": []}, {"version": "2024.8.2", "title": "2024.8.2", "aliases": []}, {"version": "2024.8.1", "title": "2024.8.1", "aliases": []}, {"version": "2024.7.1", "title": "2024.7.1", "aliases": []}, {"version": "2024.6.2", "title": "2024.6.2", "aliases": []}, {"version": "2024.6.1", "title": "2024.6.1", "aliases": []}, {"version": "2024.5.2", "title": "2024.5.2", "aliases": []}, {"version": "2024.5.1", "title": "2024.5.1", "aliases": []}, {"version": "2024.4.1", "title": "2024.4.1", "aliases": []}, {"version": "2024.3.2", "title": "2024.3.2", "aliases": []}, {"version": "2024.3.1", "title": "2024.3.1", "aliases": []}, {"version": "2024.2.1", "title": "2024.2.1", "aliases": []}, {"version": "2024.1.3", "title": "2024.1.3", "aliases": []}, {"version": "2024.1.1", "title": "2024.1.1", "aliases": []}, {"version": "2023.12.1", "title": "2023.12.1", "aliases": []}, {"version": "2023.11.2", "title": "2023.11.2", "aliases": []}, {"version": "2023.11.1", "title": "2023.11.1", "aliases": []}, {"version": "2023.11.1.RC3", "title": "2023.11.1.RC3", "aliases": []}, {"version": "2023.09.1.RC2", "title": "2023.09.1.RC2", "aliases": []}, {"version": "2023.09.1.RC1", "title": "2023.09.1.RC1", "aliases": []}] \ No newline at end of file

This file tells PyScript and your browser about various +configurable aspects +of your application. Put simply, it tells PyScript what it needs in order to run +your application. The only thing we need to show is that we require the third +party arrr module to do the +actual translation.