diff --git a/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/INSTALLER b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/INSTALLER new file mode 100644 index 0000000000000000000000000000000000000000..a1b589e38a32041e49332e5e81c2d363dc418d68 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/INSTALLER @@ -0,0 +1 @@ +pip diff --git a/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/METADATA b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/METADATA new file mode 100644 index 0000000000000000000000000000000000000000..3fcbbf1007174408bcc353052c2e3c9e10502338 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/METADATA @@ -0,0 +1,256 @@ +Metadata-Version: 2.3 +Name: gradio +Version: 5.1.0 +Summary: Python library for easily interacting with trained machine learning models +Project-URL: Homepage, https://github.com/gradio-app/gradio +Author-email: Abubakar Abid , Ali Abid , Ali Abdalla , Dawood Khan , Ahsen Khaliq , Pete Allen , Ömer Faruk Özdemir , Freddy A Boulton , Hannah Blair +License-Expression: Apache-2.0 +License-File: LICENSE +Keywords: machine learning,reproducibility,visualization +Classifier: Development Status :: 5 - Production/Stable +Classifier: License :: OSI Approved :: Apache Software License +Classifier: Operating System :: OS Independent +Classifier: Programming Language :: Python :: 3 +Classifier: Programming Language :: Python :: 3 :: Only +Classifier: Programming Language :: Python :: 3.8 +Classifier: Programming Language :: Python :: 3.9 +Classifier: Programming Language :: Python :: 3.10 +Classifier: Programming Language :: Python :: 3.11 +Classifier: Topic :: Scientific/Engineering +Classifier: Topic :: Scientific/Engineering :: Artificial Intelligence +Classifier: Topic :: Scientific/Engineering :: Visualization +Requires-Python: >=3.10 +Requires-Dist: aiofiles<24.0,>=22.0 +Requires-Dist: anyio<5.0,>=3.0 +Requires-Dist: fastapi<1.0 +Requires-Dist: ffmpy +Requires-Dist: gradio-client==1.4.0 +Requires-Dist: httpx>=0.24.1 +Requires-Dist: huggingface-hub>=0.25.1 +Requires-Dist: jinja2<4.0 +Requires-Dist: markupsafe~=2.0 +Requires-Dist: numpy<3.0,>=1.0 +Requires-Dist: orjson~=3.0 +Requires-Dist: packaging +Requires-Dist: pandas<3.0,>=1.0 +Requires-Dist: pillow<11.0,>=8.0 +Requires-Dist: pydantic>=2.0 +Requires-Dist: pydub +Requires-Dist: python-multipart>=0.0.9 +Requires-Dist: pyyaml<7.0,>=5.0 +Requires-Dist: ruff>=0.2.2; sys_platform != 'emscripten' +Requires-Dist: semantic-version~=2.0 +Requires-Dist: tomlkit==0.12.0 +Requires-Dist: typer<1.0,>=0.12; sys_platform != 'emscripten' +Requires-Dist: typing-extensions~=4.0 +Requires-Dist: urllib3~=2.0; sys_platform == 'emscripten' +Requires-Dist: uvicorn>=0.14.0; sys_platform != 'emscripten' +Provides-Extra: oauth +Requires-Dist: authlib; extra == 'oauth' +Requires-Dist: itsdangerous; extra == 'oauth' +Description-Content-Type: text/markdown + + + +
+ +[gradio](https://gradio.app)
+ +[![gradio-backend](https://github.com/gradio-app/gradio/actions/workflows/test-python.yml/badge.svg)](https://github.com/gradio-app/gradio/actions/workflows/test-python.yml) +[![gradio-ui](https://github.com/gradio-app/gradio/actions/workflows/tests-js.yml/badge.svg)](https://github.com/gradio-app/gradio/actions/workflows/tests-js.yml) + [![PyPI](https://img.shields.io/pypi/v/gradio)](https://pypi.org/project/gradio/) +[![PyPI downloads](https://img.shields.io/pypi/dm/gradio)](https://pypi.org/project/gradio/) +![Python version](https://img.shields.io/badge/python-3.10+-important) +[![Twitter follow](https://img.shields.io/twitter/follow/gradio?style=social&label=follow)](https://twitter.com/gradio) + +[Website](https://gradio.app) +| [Documentation](https://gradio.app/docs/) +| [Guides](https://gradio.app/guides/) +| [Getting Started](https://gradio.app/getting_started/) +| [Examples](demo/) + +
+ +
+ +English | [中文](https://raw.githubusercontent.com/gradio-app/gradio/main/readme_files/zh-cn#readme) + +
+ +# Gradio: Build Machine Learning Web Apps — in Python + + + +Gradio is an open-source Python package that allows you to quickly **build** a demo or web application for your machine learning model, API, or any arbitrary Python function. You can then **share** a link to your demo or web application in just a few seconds using Gradio's built-in sharing features. *No JavaScript, CSS, or web hosting experience needed!* + + + +It just takes a few lines of Python to create your own demo, so let's get started 💫 + +### Installation + +**Prerequisite**: Gradio 5 requires [Python 3.10 or higher](https://www.python.org/downloads/) + + +We recommend installing Gradio using `pip`, which is included by default in Python. Run this in your terminal or command prompt: + +``` +pip install --upgrade gradio +``` + + +> [!TIP] + > It is best to install Gradio in a virtual environment. Detailed installation instructions for all common operating systems are provided here. + +### Building Your First Demo + +You can run Gradio in your favorite code editor, Jupyter notebook, Google Colab, or anywhere else you write Python. Let's write your first Gradio app: + + +```python +import gradio as gr + +def greet(name, intensity): + return "Hello " * intensity + name + "!" + +demo = gr.Interface( + fn=greet, + inputs=["text", "slider"], + outputs=["text"], +) + +demo.launch() +``` + + + +> [!TIP] + > We shorten the imported name from gradio to gr for better readability of code. This is a widely adopted convention that you should follow so that anyone working with your code can easily understand it. + +Now, run your code. If you've written the Python code in a file named, for example, `app.py`, then you would run `python app.py` from the terminal. + +The demo below will open in a browser on [http://localhost:7860](http://localhost:7860) if running from a file. If you are running within a notebook, the demo will appear embedded within the notebook. + +![`hello_world_4` demo](https://raw.githubusercontent.com/gradio-app/gradio/main/demo/hello_world_4/screenshot.gif) + +Type your name in the textbox on the left, drag the slider, and then press the Submit button. You should see a friendly greeting on the right. + +> [!TIP] + > When developing locally, you can run your Gradio app in hot reload mode, which automatically reloads the Gradio app whenever you make changes to the file. To do this, simply type in gradio before the name of the file instead of python. In the example above, you would type: `gradio app.py` in your terminal. Learn more about hot reloading in the Hot Reloading Guide. + + +**Understanding the `Interface` Class** + +You'll notice that in order to make your first demo, you created an instance of the `gr.Interface` class. The `Interface` class is designed to create demos for machine learning models which accept one or more inputs, and return one or more outputs. + +The `Interface` class has three core arguments: + +- `fn`: the function to wrap a user interface (UI) around +- `inputs`: the Gradio component(s) to use for the input. The number of components should match the number of arguments in your function. +- `outputs`: the Gradio component(s) to use for the output. The number of components should match the number of return values from your function. + +The `fn` argument is very flexible -- you can pass *any* Python function that you want to wrap with a UI. In the example above, we saw a relatively simple function, but the function could be anything from a music generator to a tax calculator to the prediction function of a pretrained machine learning model. + +The `input` and `output` arguments take one or more Gradio components. As we'll see, Gradio includes more than [30 built-in components](https://www.gradio.app/docs/gradio/introduction) (such as the `gr.Textbox()`, `gr.Image()`, and `gr.HTML()` components) that are designed for machine learning applications. + +> [!TIP] + > For the `inputs` and `outputs` arguments, you can pass in the name of these components as a string (`"textbox"`) or an instance of the class (`gr.Textbox()`). + +If your function accepts more than one argument, as is the case above, pass a list of input components to `inputs`, with each input component corresponding to one of the arguments of the function, in order. The same holds true if your function returns more than one value: simply pass in a list of components to `outputs`. This flexibility makes the `Interface` class a very powerful way to create demos. + +We'll dive deeper into the `gr.Interface` on our series on [building Interfaces](https://www.gradio.app/main/guides/the-interface-class). + +### Sharing Your Demo + +What good is a beautiful demo if you can't share it? Gradio lets you easily share a machine learning demo without having to worry about the hassle of hosting on a web server. Simply set `share=True` in `launch()`, and a publicly accessible URL will be created for your demo. Let's revisit our example demo, but change the last line as follows: + +```python +import gradio as gr + +def greet(name): + return "Hello " + name + "!" + +demo = gr.Interface(fn=greet, inputs="textbox", outputs="textbox") + +demo.launch(share=True) # Share your demo with just 1 extra parameter 🚀 +``` + +When you run this code, a public URL will be generated for your demo in a matter of seconds, something like: + +👉   `https://a23dsf231adb.gradio.live` + +Now, anyone around the world can try your Gradio demo from their browser, while the machine learning model and all computation continues to run locally on your computer. + +To learn more about sharing your demo, read our dedicated guide on [sharing your Gradio application](https://www.gradio.app/guides/sharing-your-app). + + +### An Overview of Gradio + +So far, we've been discussing the `Interface` class, which is a high-level class that lets to build demos quickly with Gradio. But what else does Gradio do? + +#### Chatbots with `gr.ChatInterface` + +Gradio includes another high-level class, `gr.ChatInterface`, which is specifically designed to create Chatbot UIs. Similar to `Interface`, you supply a function and Gradio creates a fully working Chatbot UI. If you're interested in creating a chatbot, you can jump straight [our dedicated guide on `gr.ChatInterface`](https://www.gradio.app/guides/creating-a-chatbot-fast). + +#### Custom Demos with `gr.Blocks` + +Gradio also offers a low-level approach for designing web apps with more flexible layouts and data flows with the `gr.Blocks` class. Blocks allows you to do things like control where components appear on the page, handle complex data flows (e.g. outputs can serve as inputs to other functions), and update properties/visibility of components based on user interaction — still all in Python. + +You can build very custom and complex applications using `gr.Blocks()`. For example, the popular image generation [Automatic1111 Web UI](https://github.com/AUTOMATIC1111/stable-diffusion-webui) is built using Gradio Blocks. We dive deeper into the `gr.Blocks` on our series on [building with Blocks](https://www.gradio.app/guides/blocks-and-event-listeners). + + +#### The Gradio Python & JavaScript Ecosystem + +That's the gist of the core `gradio` Python library, but Gradio is actually so much more! It's an entire ecosystem of Python and JavaScript libraries that let you build machine learning applications, or query them programmatically, in Python or JavaScript. Here are other related parts of the Gradio ecosystem: + +* [Gradio Python Client](https://www.gradio.app/guides/getting-started-with-the-python-client) (`gradio_client`): query any Gradio app programmatically in Python. +* [Gradio JavaScript Client](https://www.gradio.app/guides/getting-started-with-the-js-client) (`@gradio/client`): query any Gradio app programmatically in JavaScript. +* [Gradio-Lite](https://www.gradio.app/guides/gradio-lite) (`@gradio/lite`): write Gradio apps in Python that run entirely in the browser (no server needed!), thanks to Pyodide. +* [Hugging Face Spaces](https://huggingface.co/spaces): the most popular place to host Gradio applications — for free! + +### What's Next? + +Keep learning about Gradio sequentially using the Gradio Guides, which include explanations as well as example code and embedded interactive demos. Next up: [key features about Gradio demos](https://www.gradio.app/guides/key-features). + +Or, if you already know the basics and are looking for something specific, you can search the more [technical API documentation](https://www.gradio.app/docs/). + + + + +## Questions? + +If you'd like to report a bug or have a feature request, please create an [issue on GitHub](https://github.com/gradio-app/gradio/issues/new/choose). For general questions about usage, we are available on [our Discord server](https://discord.com/invite/feTf9x3ZSB) and happy to help. + +If you like Gradio, please leave us a ⭐ on GitHub! + +## Open Source Stack + +Gradio is built on top of many wonderful open-source libraries! + +[huggingface](https://huggingface.co) +[python](https://www.python.org) +[fastapi](https://fastapi.tiangolo.com) +[encode](https://www.encode.io) +[svelte](https://svelte.dev) +[vite](https://vitejs.dev) +[pnpm](https://pnpm.io) +[tailwind](https://tailwindcss.com) +[storybook](https://storybook.js.org/) +[chromatic](https://www.chromatic.com/) + +## License + +Gradio is licensed under the Apache License 2.0 found in the [LICENSE](LICENSE) file in the root directory of this repository. + +## Citation + +Also check out the paper _[Gradio: Hassle-Free Sharing and Testing of ML Models in the Wild](https://arxiv.org/abs/1906.02569), ICML HILL 2019_, and please cite it if you use Gradio in your work. + +``` +@article{abid2019gradio, + title = {Gradio: Hassle-Free Sharing and Testing of ML Models in the Wild}, + author = {Abid, Abubakar and Abdalla, Ali and Abid, Ali and Khan, Dawood and Alfozan, Abdulrahman and Zou, James}, + journal = {arXiv preprint arXiv:1906.02569}, + year = {2019}, +} +``` diff --git a/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/RECORD b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/RECORD new file mode 100644 index 0000000000000000000000000000000000000000..b54aaf05baa60340ab763dd1d17ebbac69dc1479 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/RECORD @@ -0,0 +1,2312 @@ +../../../bin/gradio,sha256=lDqlzgMkyHx40oSKo7yOhiqY33d01oI-Or8C6Cp2yHc,226 +../../../bin/upload_theme,sha256=cgKF9SfFOzZ8tLf-xJp524ZLLUsBPR0aKWmk3fl8HVg,244 +gradio-5.1.0.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4 +gradio-5.1.0.dist-info/METADATA,sha256=X0Zc-d9TM5qghSGMFZn-K23lUEKeV2D9uArVqVAEJ7M,15181 +gradio-5.1.0.dist-info/RECORD,, +gradio-5.1.0.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +gradio-5.1.0.dist-info/WHEEL,sha256=1yFddiXMmvYK7QYTqtRNtX66WJ0Mz8PYEiEUoOUUxRY,87 +gradio-5.1.0.dist-info/entry_points.txt,sha256=1XW1nK_lUq93N9mkj5E6Z_YXfouT_l7v-25wf6HzkFE,89 +gradio-5.1.0.dist-info/licenses/LICENSE,sha256=xx0jnfkXJvxRnG63LTGOxlggYnIysveWIZ6H3PNdCrQ,11357 +gradio/.dockerignore,sha256=yqqbJvPhtVNTTvla3dhpqUgRO5OFeneITtoSg70NFdY,43 +gradio/CHANGELOG.md,sha256=7w1JF8BAXp2TCY7EnnXLFs2JaVxoDKmhgumM0b_dAt8,557339 +gradio/__init__.py,sha256=hhX1dhuKjG0XgiG6LKAUKn7loQFyRZZklzDba5Lmi8c,2418 +gradio/__pycache__/__init__.cpython-310.pyc,, +gradio/__pycache__/analytics.cpython-310.pyc,, +gradio/__pycache__/blocks.cpython-310.pyc,, +gradio/__pycache__/blocks_events.cpython-310.pyc,, +gradio/__pycache__/chat_interface.cpython-310.pyc,, +gradio/__pycache__/component_meta.cpython-310.pyc,, +gradio/__pycache__/context.cpython-310.pyc,, +gradio/__pycache__/data_classes.cpython-310.pyc,, +gradio/__pycache__/events.cpython-310.pyc,, +gradio/__pycache__/exceptions.cpython-310.pyc,, +gradio/__pycache__/external.cpython-310.pyc,, +gradio/__pycache__/external_utils.cpython-310.pyc,, +gradio/__pycache__/flagging.cpython-310.pyc,, +gradio/__pycache__/helpers.cpython-310.pyc,, +gradio/__pycache__/http_server.cpython-310.pyc,, +gradio/__pycache__/image_utils.cpython-310.pyc,, +gradio/__pycache__/interface.cpython-310.pyc,, +gradio/__pycache__/ipython_ext.cpython-310.pyc,, +gradio/__pycache__/monitoring_dashboard.cpython-310.pyc,, +gradio/__pycache__/networking.cpython-310.pyc,, +gradio/__pycache__/node_server.cpython-310.pyc,, +gradio/__pycache__/oauth.cpython-310.pyc,, +gradio/__pycache__/pipelines.cpython-310.pyc,, +gradio/__pycache__/pipelines_utils.cpython-310.pyc,, +gradio/__pycache__/processing_utils.cpython-310.pyc,, +gradio/__pycache__/queueing.cpython-310.pyc,, +gradio/__pycache__/ranged_response.cpython-310.pyc,, +gradio/__pycache__/renderable.cpython-310.pyc,, +gradio/__pycache__/route_utils.cpython-310.pyc,, +gradio/__pycache__/routes.cpython-310.pyc,, +gradio/__pycache__/server_messages.cpython-310.pyc,, +gradio/__pycache__/state_holder.cpython-310.pyc,, +gradio/__pycache__/strings.cpython-310.pyc,, +gradio/__pycache__/templates.cpython-310.pyc,, +gradio/__pycache__/tunneling.cpython-310.pyc,, +gradio/__pycache__/utils.cpython-310.pyc,, +gradio/__pycache__/wasm_utils.cpython-310.pyc,, +gradio/_frontend_code/accordion/Index.svelte,sha256=oE2rgQuulYIrkkJB5lo10efSes9uEYzBPOSiaNezZbs,770 +gradio/_frontend_code/accordion/package.json,sha256=XPHyfBxMLJb_Mbpu6wOUjomNILJ_7krp4pgD0bPyQzE,746 +gradio/_frontend_code/accordion/shared/Accordion.svelte,sha256=xHHxknzn7PBa04Yv-e_V2ZhrnSGlWErktp4HAIRhhd8,703 +gradio/_frontend_code/annotatedimage/Index.svelte,sha256=hjZ6kstfN8IAVSQ0R2FpEaslAxPgomdNO0BRD6xWGLo,7454 +gradio/_frontend_code/annotatedimage/package.json,sha256=DvdaYZEoxY69shEvOuGYqGt7KElfB9lhnY3edrMo7IE,877 +gradio/_frontend_code/atoms/package.json,sha256=NQ_4sqge7gIdgoerRgSauZ3aUnxXpN4YsXqdZTG4gzU,700 +gradio/_frontend_code/atoms/src/Block.svelte,sha256=cSsPBmd9eWbFOPnC0YWGb52lmLJnshpD0vIRTXBWOUA,2851 +gradio/_frontend_code/atoms/src/BlockLabel.svelte,sha256=IzgKPOgfwDCCIioA56h-EcFk63C8E-CJDXsYnjJJnpQ,1544 +gradio/_frontend_code/atoms/src/BlockTitle.svelte,sha256=FpuJ9OxjQ0KU5qfK3h_qM5r8Nic0R5CN5_sHqNrHHxk,1004 +gradio/_frontend_code/atoms/src/Empty.svelte,sha256=XCjs7Ym8_pbSsCFsO2MUim7LZxRKKZR5QWOnh2XXD7U,1171 +gradio/_frontend_code/atoms/src/IconButton.svelte,sha256=FHtfFaUix0bgS1e2-f2f31IbZKQ55PDpCr_NR4nzz8A,2267 +gradio/_frontend_code/atoms/src/IconButtonWrapper.svelte,sha256=xE60_H0a-UZ5gUvmN0jUMJySUf6L0KHV2w9ibY1Yl-4,1406 +gradio/_frontend_code/atoms/src/Info.svelte,sha256=1Vqoonr6ya4h5TsAF_-kR8CrlrIO9Olrc6uSs3Nqn0Y,436 +gradio/_frontend_code/atoms/src/SelectSource.svelte,sha256=aCcTzVMhBYSKzsO6EaWJtmUJ--NsabBlR8_Bn80andU,2247 +gradio/_frontend_code/atoms/src/ShareButton.svelte,sha256=E66qjmVVM4h5a4tD-GblbQS2fZzXmO30mbMMtyH8ams,949 +gradio/_frontend_code/atoms/src/Toolbar.svelte,sha256=Cwmp3m31iWB3IQDeBzcrLcf8emMXR7g-dwiPDeM75hE,520 +gradio/_frontend_code/atoms/src/UploadText.svelte,sha256=8TuE97yEqQm4ZtvT3iRWguNrGr3KjgPV7eCPKGBVYt8,2027 +gradio/_frontend_code/atoms/src/icons/clear.svg,sha256=vwpFiqfMn3jDAFS1a72C1q4BEHLTaJZKurG0RIpX9j4,1920 +gradio/_frontend_code/atoms/src/icons/edit.svg,sha256=gvIbS-99UVGmYE5a38K1AcsPD_KmwwBe3hKdYzrzbHc,1427 +gradio/_frontend_code/atoms/src/icons/file.svg,sha256=Q8iW_49fybLNZLVxX77wSLPqTs-lq-eaJgKro0CvYJ4,339 +gradio/_frontend_code/atoms/src/index.ts,sha256=pMlllBgChKUYgHoQ1Sd_WswXbMcjY4jJlgTzgmqs-w0,683 +gradio/_frontend_code/atoms/src/utils/parse_placeholder.ts,sha256=hRMFwas7SebebcTRw35Cwkdyml3v8eD8-DnSuB27NC0,707 +gradio/_frontend_code/audio/Example.svelte,sha256=wjQJfKYjolyV2oOdtVyYPm5jbdMif-6K33dsBtVZn0Q,326 +gradio/_frontend_code/audio/Index.svelte,sha256=U6XJEe5PXvsYRDV34Kbjp9pEDIU-_k3Fqlxz18M8BCI,7165 +gradio/_frontend_code/audio/index.ts,sha256=4eH1xCy-j7M033ZSChp-k9zBXdPx1tVcNobj_iQlECs,419 +gradio/_frontend_code/audio/interactive/InteractiveAudio.svelte,sha256=CNziy5KR-CaZhehb84wTXn7hfj-x2EKDvbs_imxXU_Y,8836 +gradio/_frontend_code/audio/package.json,sha256=ETwQCyDFWIWRyP1ak0Gh4-xlr75EsAdxw-99cV6gb9c,1596 +gradio/_frontend_code/audio/player/AudioPlayer.svelte,sha256=g75BdUkwFUt9VHTvcZ09Zayonz9fEhaFwj0DFJJ-iqk,7256 +gradio/_frontend_code/audio/recorder/AudioRecorder.svelte,sha256=dZ0R0Su5Q6B5AuEg7sqnqVoIQXH6bfCmKhkXwyyYxvk,7116 +gradio/_frontend_code/audio/shared/Audio.svelte,sha256=LQGK6xe7a36XC3Ehh3GXU9D01tzB908GadadIgAJhOM,1435 +gradio/_frontend_code/audio/shared/DeviceSelect.svelte,sha256=5mkC8K6j9y1zXGfnDaf_po6JAjKcevHqgxNagF8rlJ8,1629 +gradio/_frontend_code/audio/shared/VolumeControl.svelte,sha256=haG-SVacPiVxqO5ppXWx6OvLXR9LC5hM__-q3oYyNvc,1628 +gradio/_frontend_code/audio/shared/VolumeLevels.svelte,sha256=1BVyw_q_ujotzkkamos2_USUiZTheS065qUL7zxBAXk,276 +gradio/_frontend_code/audio/shared/WaveformControls.svelte,sha256=ABlPCN3uiJwoJPbzfsPVe4UAEseeOr1js6ds69DzOIE,9339 +gradio/_frontend_code/audio/shared/WaveformRecordControls.svelte,sha256=MNNZo74hzqDFY8whtMu_5YR-0vcQCnEw5wY15C-vghU,6409 +gradio/_frontend_code/audio/shared/audioBufferToWav.ts,sha256=vWXsNsrc_fH26tA_sFCihbgLJyy8RS48-d8805fWqgU,1631 +gradio/_frontend_code/audio/shared/index.ts,sha256=9t7vDzgssG1r4FxA36PHPDI5V-xScjIwj8o7haWw3ZQ,51 +gradio/_frontend_code/audio/shared/types.ts,sha256=WG3bQifwnSCOz5raghjtb-y-zbXHJZ4qyGgJ1gTHeq0,233 +gradio/_frontend_code/audio/shared/utils.ts,sha256=kxJRvsQwhkDW7x5UQ8aV7ZwxoUWp3wpS7PPQphVIB3o,2033 +gradio/_frontend_code/audio/static/StaticAudio.svelte,sha256=iIaE_NvTPvzueRaLT59ZcTqfh7TQoM0BHhAreJo6wS8,2101 +gradio/_frontend_code/audio/streaming/StreamAudio.svelte,sha256=otkgkQVnrCMIYc881u9HCSdaOhpVsWGSrq_44-0ONCk,4611 +gradio/_frontend_code/box/Index.svelte,sha256=7u37tHQTbUbaNJvDYkPTwcDqi11zEAfJMXaulNMo6i0,239 +gradio/_frontend_code/box/package.json,sha256=I8Mu2dBTTGxvov0g-6M3GLO3IZ7HrYa0F16twmnqENg,581 +gradio/_frontend_code/build/out/component_loader.js,sha256=Oapgpy7g84fZ6M85nQxRzARc8u0DghUl3dZ3MhFiJPo,2497 +gradio/_frontend_code/build/out/index.js,sha256=yVE3AYvURi5Nj9bz1Vm9fDKlF7tYWxq2sKDTgt3DWFE,9949 +gradio/_frontend_code/build/package.json,sha256=nnF3Y2GeRmQ2zqVuNSouFoMUANeZyhPHVkF9PvUw2R4,668 +gradio/_frontend_code/build/src/component_loader.js,sha256=Oapgpy7g84fZ6M85nQxRzARc8u0DghUl3dZ3MhFiJPo,2497 +gradio/_frontend_code/build/src/index.ts,sha256=0ktiq5FcnFmGliPp5IrOa0c7muhuZhHY_FKvHFpq-XU,9942 +gradio/_frontend_code/button/Index.svelte,sha256=a7TpveB3mw85xnY-IJT2PGp4f0XLD9eF3D164DUpEoQ,1010 +gradio/_frontend_code/button/main.ts,sha256=IjoRmj_pOECIz_MIUcevZkEQEBHoNu_-KWRWIx8HCRA,117 +gradio/_frontend_code/button/package.json,sha256=fJxB73tXwOZcXMz2DDGZ5Eu2kKwz8LiM5ffFEPi5fWY,745 +gradio/_frontend_code/button/shared/Button.svelte,sha256=OAf4bTrG_55N9GJe5H8OE5thzj_Ob-C6mIGzPZhb4Sc,4712 +gradio/_frontend_code/chatbot/Index.svelte,sha256=O7QVl3fhSQ6afMqXMD1cAYRDWwW5UqdNvs4ito4fPqU,4772 +gradio/_frontend_code/chatbot/package.json,sha256=425RXD978wZtAo2hdEcBH4j-FImUVciQXxjz6PVTYeI,1246 +gradio/_frontend_code/chatbot/shared/ButtonPanel.svelte,sha256=cHGPe1Mj89k1LmG-hE9KR9kix26MO0NIaNYZwecfHq0,3107 +gradio/_frontend_code/chatbot/shared/ChatBot.svelte,sha256=EJ5xd5huk1iGt0GuA82jyHxYKhOHYxjjKAMuZW7waLU,14513 +gradio/_frontend_code/chatbot/shared/Component.svelte,sha256=40nPAa-1mG39GzdsJ3e97bQMchspvMpgQb26fsyxmk8,1628 +gradio/_frontend_code/chatbot/shared/Copy.svelte,sha256=fBU6sV8edXDQ2CNmvdRciuY3lbbIJ99HtY77LtboKLQ,1108 +gradio/_frontend_code/chatbot/shared/CopyAll.svelte,sha256=A2byGkEudUll2fua4nbd6Q_YTk5vFGIIoQtHddyOAD0,1234 +gradio/_frontend_code/chatbot/shared/Download.svelte,sha256=fLsrxH7NJEvVzFVrD5KobWsfANTHDRoCKT7zjcghS4E,2127 +gradio/_frontend_code/chatbot/shared/LikeDislike.svelte,sha256=dgl_RCp-jbwqJJthfHFc6utUcsTFlmJUW9BydpXTGD0,1021 +gradio/_frontend_code/chatbot/shared/Message.svelte,sha256=wOPSfpu3LKMm6DUR_-ssGOI9B2fu579QOvjCjLiJi54,13410 +gradio/_frontend_code/chatbot/shared/MessageBox.svelte,sha256=EYKYNTUMKU6nXgwDZAcGNvNdsC93fnI5zUK-zVUI2x8,983 +gradio/_frontend_code/chatbot/shared/Pending.svelte,sha256=sCGfPCAw8gSBB3aNsKPktyhMnBbvN6UzWh54YSL2eck,1082 +gradio/_frontend_code/chatbot/shared/Remove.svelte,sha256=iTwlhWW5oFKANBZCaRzidcDcIyUuWuy7KwxDTB70lio,386 +gradio/_frontend_code/chatbot/shared/ThumbDownActive.svelte,sha256=KZIeQwS0L7P5yLkKPvjq6fQN7E53owrg1UQdItCEsqQ,661 +gradio/_frontend_code/chatbot/shared/ThumbDownDefault.svelte,sha256=ErjaT7boEAZRH5H2AwPld_qq7HYh2ILkJQrhuBcQgZM,1013 +gradio/_frontend_code/chatbot/shared/ThumbUpActive.svelte,sha256=D5LhDmu4jUjVH_A1ebBUNkRKLGyzoi3poZK5HTnC4Rs,655 +gradio/_frontend_code/chatbot/shared/ThumbUpDefault.svelte,sha256=QWO9UKaxjkYVPQ6GjtEGbAb0LYZtKFKWsVWWDqv00QE,1009 +gradio/_frontend_code/chatbot/shared/autorender.d.ts,sha256=U7gulwhgaWHTTyRQgyF07_7Z2KGEBz_DAYZFlvOfXiA,52 +gradio/_frontend_code/chatbot/shared/utils.ts,sha256=txCRRVB7hhF3AK6o-_3ACqnMkzAM3nH_j2LNni58eAc,7200 +gradio/_frontend_code/chatbot/types.ts,sha256=t_fPb6E3TX0VwqnR7ha9l5TPMgMJpXPAYo0g0JH6gC0,1053 +gradio/_frontend_code/checkbox/Example.svelte,sha256=7Gk1X9iLLI7FCVkxZPIuF_asc-S7ycxRagRuHqxizPc,353 +gradio/_frontend_code/checkbox/Index.svelte,sha256=GwCs1EcrVOjHlZ8Hi-fQg-mny-W_RY-0SlU_9eGKqTo,1906 +gradio/_frontend_code/checkbox/package.json,sha256=_qTYJ8-peZF1AYfqLgn15G7fCUePMjFpk8IV64KsOtE,889 +gradio/_frontend_code/checkbox/shared/Checkbox.svelte,sha256=3Hohh3r34FLMKMNSZTZcrSTQcSmx_YdEwol3izf_4E8,2782 +gradio/_frontend_code/checkboxgroup/Example.svelte,sha256=tfQqc1qPapXrj0Fw8H_CR6rtwfKtd_xshkLeMw6prTU,605 +gradio/_frontend_code/checkboxgroup/Index.svelte,sha256=X3PCu00b6p4HOWl2w72CG6ZluMByhFQPB_iN5YOGJgk,4713 +gradio/_frontend_code/checkboxgroup/package.json,sha256=i1cV0JtDuoTRH9zIqb_6f3ecD7cpgspSd_aEbPMAJ70,899 +gradio/_frontend_code/client/CHANGELOG.md,sha256=j8_DHb14jfUljRkDw8nQChBJMiWg9KHX5d8m2b95P1M,44072 +gradio/_frontend_code/client/README.md,sha256=0NpBLwbpDKmi99gVPMcWtz_hcrbNKBtfmTknPsT7uDs,14249 +gradio/_frontend_code/client/gradio-client-1.4.0.tgz,sha256=XT6cOqzoV0Pi1aP2mXQVreDLQUB-5Tj8Ig9oRxRIhQY,104374 +gradio/_frontend_code/client/index.html,sha256=-6msucAUmgJhIkge9hb0eIxVSrraOCLmMUtyrEk5ZCY,809 +gradio/_frontend_code/client/package.json,sha256=vu9H7Ba2GdS9plzSBPMjionPbnyPxP0Jtwjr0EyhT2Q,1166 +gradio/_frontend_code/client/src/client.ts,sha256=Y1HzElHjQdCPL4Tr4pfTGg6oWwA-9y9pp-Q8lS-Ew5c,13392 +gradio/_frontend_code/client/src/constants.ts,sha256=QTJZz-3hMHfizgH-1C7WYnTtZUx3QZZ9V6tmdlyZ08U,1834 +gradio/_frontend_code/client/src/globals.d.ts,sha256=9Dn3f0y6VKMHqpQeLrUY-a5iIcpO7quRG1DJdZ1ZGYE,283 +gradio/_frontend_code/client/src/helpers/api_info.ts,sha256=uzn8DqjPRL_OITxYefhwk5Ot-efmv3QOk4Ft2d5wyLg,11954 +gradio/_frontend_code/client/src/helpers/data.ts,sha256=rz7apvSx0MHP9c-zwRUGQ4PnYZNjnD4MubkwtMvpSdo,5797 +gradio/_frontend_code/client/src/helpers/init_helpers.ts,sha256=y-nyu2U0H0gX5N-PI9ZCpf1xe-G1pp9qYY-Y93hQXaU,6512 +gradio/_frontend_code/client/src/helpers/spaces.ts,sha256=SxudP6az9NzWdoRDnvpEzmygDL4eLapOCZqyGNZQH8M,5578 +gradio/_frontend_code/client/src/index.ts,sha256=cHagASGb8fychyLx3rLOxyjExt0PwI5_Fl8kGTJOZ18,563 +gradio/_frontend_code/client/src/types.ts,sha256=Ux3T7hsIccNXS7F9FduYoOfGzjCKmH8mAq0feJijy6w,8162 +gradio/_frontend_code/client/src/upload.ts,sha256=m9ogxoGMDL7s2kKbnnAUvzhXSJ5En-dZLE5twZJHaXY,2141 +gradio/_frontend_code/client/src/utils/duplicate.ts,sha256=I8T8DgODTAQ7f9JcQvxrwDACQXaySJ9DcFGfp9hTpGI,2869 +gradio/_frontend_code/client/src/utils/handle_blob.ts,sha256=V_ga-_PvvKHF14ekIljbZcqRrx1tehQUI2VJLbOYfB4,3216 +gradio/_frontend_code/client/src/utils/post_data.ts,sha256=LIQ3G-DSz79oq2_62Quts4_iL2d3RgZ_nhu0HzGbv4o,983 +gradio/_frontend_code/client/src/utils/predict.ts,sha256=1Ru5VeYdA8Uw0PkAKB6IXOXeVQ9uhml_9ArCNnfKuEw,1340 +gradio/_frontend_code/client/src/utils/stream.ts,sha256=IBnCDIhXypsqvQ1WGjwIKQ5XHin5XcQzrcdlLdU3ygQ,5567 +gradio/_frontend_code/client/src/utils/submit.ts,sha256=VPW2eAUYjgUsbRl-e2Rb3_40TrvEZVRFGXaudlgl1H0,21624 +gradio/_frontend_code/client/src/utils/upload_files.ts,sha256=rpQ1CvDnJr3faUmIXzG84XCkvJMkiG7ZeJIY3WLHosY,1410 +gradio/_frontend_code/client/src/utils/view_api.ts,sha256=L1sUtIBkA94cff7vqsJWkEtNs0SQ0gmtCixSbUz5q5o,1843 +gradio/_frontend_code/client/src/vite-env.d.ts,sha256=ZZlpNvuwQpFfe3SiAPzd5-QQ8ypmmxq5WXz6pLD63bU,38 +gradio/_frontend_code/client/tsconfig.json,sha256=ShkBbv1wl_5yav-BTflJltFlzk_cB8kZbLcQo0zLI6k,616 +gradio/_frontend_code/client/vite.config.js,sha256=EKmjHd7gDqhs9ARq0Oz1Wn9nGSpoQmKCifyfhm30jUc,804 +gradio/_frontend_code/code/Example.svelte,sha256=ZoqeZyTjcKtvMIX3iw6vztoaox7ojr496Lq_cDq0KH4,352 +gradio/_frontend_code/code/Index.svelte,sha256=tt5JTP6OXeSoz5iBSMPfeKBCkv-rHdtqVvBm-80s78I,2513 +gradio/_frontend_code/code/package.json,sha256=lk_jWBOg9ZYDTQfTXlhAjvlpjPwAMFGoOCxqmeWxLrc,1691 +gradio/_frontend_code/code/shared/Code.svelte,sha256=wXsVnH7T449jdouwle53dLcHBbV11PeI1LdsDJ7U_tU,6103 +gradio/_frontend_code/code/shared/Copy.svelte,sha256=0ObHe4neYmHoZyzvi0YJuRJl4ERGhRb6gWBMFcnt4hQ,666 +gradio/_frontend_code/code/shared/Download.svelte,sha256=7PetscVI_hcI5-RU2sKAeOY44nVvxSID0eb7a3qyqeU,1222 +gradio/_frontend_code/code/shared/Widgets.svelte,sha256=oET-vAx1UwOURzBi4Y8tg3cypd6-A5qMdZJqvt6jcxk,310 +gradio/_frontend_code/code/shared/extensions.ts,sha256=C7KGKtDsLGs14jvRGoKJ5NvNZIUNRt68C9_uJF1OiRs,1137 +gradio/_frontend_code/code/shared/frontmatter.ts,sha256=LHLBVc_jbZsJdIi5vXgADiuYWlfNO9zOcL2dpHlHw9A,1626 +gradio/_frontend_code/code/shared/language.ts,sha256=RqtVK15SWVm3UopnOZfzGQagp5BBjtHLphsbUqCSXDc,2789 +gradio/_frontend_code/colorpicker/Example.svelte,sha256=-PaUBG-x07K6b6zJ6ffXhrIaKq2cE37Ylkbaeavoquo,388 +gradio/_frontend_code/colorpicker/Index.svelte,sha256=KomgYoGaILhRhYo4UkU0pRYJfOwJBqb19F4HSulQJSs,1803 +gradio/_frontend_code/colorpicker/package.json,sha256=goTV_wXG-I5-oEJV-F3ht5o2RYyTUInztdWCkpE6_44,988 +gradio/_frontend_code/colorpicker/shared/Colorpicker.svelte,sha256=YQA942oUWPwrb9bpJnlk2LrGocZMk9hQBrzuOmPV0Vk,9477 +gradio/_frontend_code/colorpicker/shared/events.ts,sha256=-cbo-YglrhUnEm0JaUyiS1JCm-Im8lYqrfdu11TIAHU,699 +gradio/_frontend_code/colorpicker/shared/utils.ts,sha256=606zayBGlEk44m4xngp4dmMs5vS4F08zbIABk75AbwI,908 +gradio/_frontend_code/column/Index.svelte,sha256=ACb23ubg93rgP5gyxrtYzGlwQnY--RnmQs4fhVfGYN0,1671 +gradio/_frontend_code/column/package.json,sha256=XqHuND5rnzSN8BbPgGi20m_pTvwMB-tijbD1zSwEuaI,695 +gradio/_frontend_code/dataframe/Example.svelte,sha256=jHj9DbQZW_WdT0d0wxalA-2WaZSJ3mmHnl5eZRa-Fbc,1991 +gradio/_frontend_code/dataframe/Index.svelte,sha256=rCg89m_v2T7N2-f60d7N4vq5OkaoED8l45UVAnLMAFc,3936 +gradio/_frontend_code/dataframe/package.json,sha256=86sCdafQWDcg1ivo_toywFe34RAyiSP8HgsjewyYRNY,1238 +gradio/_frontend_code/dataframe/shared/Arrow.svelte,sha256=Pfowf-xtkkRLW7SnzDTEiJkh4319cfg925PzhLZLHrM,206 +gradio/_frontend_code/dataframe/shared/CellMenu.svelte,sha256=83QbTpGUXd43Lg5noVrxhMp37JPQS9rWSzkXE2JCCrE,2663 +gradio/_frontend_code/dataframe/shared/EditableCell.svelte,sha256=VXP849VBHav5ApQmyFToHaKy6OrpDoXvZdWuzualjUY,2191 +gradio/_frontend_code/dataframe/shared/Example.svelte,sha256=mzHr-TWR3yT0ENVcJXlyCqUFPg-DMKZuDv7PcIyRrWo,516 +gradio/_frontend_code/dataframe/shared/Table.svelte,sha256=7va26cIRJnu6oqNUflvACWeL_Ql1uDLKSagvNPpMNSY,28690 +gradio/_frontend_code/dataframe/shared/VirtualTable.svelte,sha256=pPi0VloL_GUfN0_SeBvRSV7cy1IMX0YpjrGMp78oGRo,8621 +gradio/_frontend_code/dataframe/shared/utils.ts,sha256=3FChtktO1_dEyCVN_XP7dRnTa3ueUGTUnkM_7XYAVF4,287 +gradio/_frontend_code/dataset/Index.svelte,sha256=L0oa7tlWe1HfAhT-_vrj7FYuCRCVqwNPhwRxudjWfr8,8533 +gradio/_frontend_code/dataset/package.json,sha256=sbXcI2QYDXcc4KF5W7ETVK9PGUF38_vC9MktG9Dg3ms,790 +gradio/_frontend_code/datetime/Example.svelte,sha256=SO7MGqaOaq-_-HzCSZzwLn8rFavTV2kpunPF56LpAm4,78 +gradio/_frontend_code/datetime/Index.svelte,sha256=Q6qwbTae5MUUYq_8_XO4i2kr213J4DhUShzpezpF_sU,5268 +gradio/_frontend_code/datetime/package.json,sha256=FVuz4OIaQ_gfsCsQssKKwGwFJ3tlbf5UZ6Rt0wwJ4VM,921 +gradio/_frontend_code/downloadbutton/Index.svelte,sha256=rv8ODKcqhCbM4yZH6D-KZM7f_q1xKV3HbuBiIJEzLso,1045 +gradio/_frontend_code/downloadbutton/package.json,sha256=BBM1M6l1LTx1bKdIBI9N1KCloaK1bTnAQal3ImPmHI4,761 +gradio/_frontend_code/downloadbutton/shared/DownloadButton.svelte,sha256=VFXZojcmt4XXbjIWvapuw8jLIC5WSSxbYfNS-0lvZPI,1488 +gradio/_frontend_code/dropdown/Example.svelte,sha256=l97rvppejvS2CIsb-D6cP4H1gKGLsU-G8naeXgMyNsc,701 +gradio/_frontend_code/dropdown/Index.svelte,sha256=8UQCPlIu3F8dxrOYF4b3HrjfpzwKmQ1mMzR94boVk98,2908 +gradio/_frontend_code/dropdown/package.json,sha256=F3YMVu_J9treOnIwLcX_0y8AIE5ELUa1bSufYHopOvU,896 +gradio/_frontend_code/dropdown/shared/Dropdown.svelte,sha256=APa7JQdE68sFpaa4AGp6mLrdq98tmwvTkKd_KkwpHkA,8068 +gradio/_frontend_code/dropdown/shared/DropdownOptions.svelte,sha256=LMp7nt94MCe9F2lGW4G-pffHKgOFGQ-Ougxqh6i7n0Y,3787 +gradio/_frontend_code/dropdown/shared/Multiselect.svelte,sha256=_X9C9ZzMbr37PovXk3OOo06eN3udLgf6z1to9SVb2zA,10382 +gradio/_frontend_code/dropdown/shared/utils.ts,sha256=6cGfC6LhqftcRcFFgQklW15WaGhrBr1i1NSenI34ITg,1405 +gradio/_frontend_code/fallback/Example.svelte,sha256=Mjl0zFOVTmgdFkDshYl6E-OhXekoiPVVbef3aTnxinc,306 +gradio/_frontend_code/fallback/Index.svelte,sha256=ceJwsmcI_39JuZzJCXslNL9OCj14EFSjoWMc4B7fLhg,1075 +gradio/_frontend_code/fallback/package.json,sha256=WuNgFpuhCM7YubkR04XHN0HLnl27EpOAATc1_aoHFIU,904 +gradio/_frontend_code/file/Example.svelte,sha256=_2lmWwrAt0aP_oiyQku3bkVr7m75XljDCIw1Vtkgc8g,581 +gradio/_frontend_code/file/Index.svelte,sha256=1c435hWCvI6uE3r_qqiLtnRB-d6JgHJ4buqMGol1Ack,3415 +gradio/_frontend_code/file/package.json,sha256=l-yjbx4tS1a9Hs63JMYoVX3e29sQvr4gmDfhHoekTS0,1019 +gradio/_frontend_code/file/shared/File.svelte,sha256=CVSVJiqEL2_29O_DqQwGRc83YDEcqrHuAxHqPdRFt9w,796 +gradio/_frontend_code/file/shared/FilePreview.svelte,sha256=vB-vRrTynznRKTrickummKLHEzjYinZkoPcV_7oo2ZQ,4509 +gradio/_frontend_code/file/shared/FileUpload.svelte,sha256=ZR0cnSDZQPyz8EGh3ie9ameQ2n03G83WVD9r1nA2QxA,1988 +gradio/_frontend_code/file/shared/utils.ts,sha256=BlSispgFtq_cFdBb54p4vOoqd6n4nNA6Kl8PF2ycMNs,281 +gradio/_frontend_code/fileexplorer/Example.svelte,sha256=TT6IbqkrWeZ2ompstGgdqqOmmJ14BLKEdJ0Foo5K_gc,732 +gradio/_frontend_code/fileexplorer/Index.svelte,sha256=QcXSfDFkwqPoVUd1vO-aamPKWglOmkZbWJjHsiM1psM,2185 +gradio/_frontend_code/fileexplorer/icons/light-file.svg,sha256=DnLB4W7QsTL43t0xzNEWa2DiR5dtd34ADZukbgAtg0g,211 +gradio/_frontend_code/fileexplorer/icons/light-folder.svg,sha256=TpdWxAhFCE515yCcjz-6a9BNPiGqC5R7EcgoK0B-cEI,3787 +gradio/_frontend_code/fileexplorer/package.json,sha256=rI00g4AjVgfhdysKcxsS0PO23jiESrM3pbe-_Qwe4l0,1047 +gradio/_frontend_code/fileexplorer/shared/ArrowIcon.svelte,sha256=qRXNXURfgfkdXAYFXsozrin87Y2WWLFKRu2TMudQ438,580 +gradio/_frontend_code/fileexplorer/shared/Checkbox.svelte,sha256=Kb_LiYyWc3n0tuKfZDq0A1rfVTmkxIuPG62EXx-WZMo,1239 +gradio/_frontend_code/fileexplorer/shared/DirectoryExplorer.svelte,sha256=g_D4eIwB2Un6n_Cb2dyeQXyivaOcEM4uX8tcovKl05w,1847 +gradio/_frontend_code/fileexplorer/shared/FileTree.svelte,sha256=xVRRXmzssXVmHrwDv11qySilY6KN95NC3B7ZP6n5Twk,4603 +gradio/_frontend_code/fileexplorer/shared/types.ts,sha256=rHqZoaKf9nufjrO8P_d6Ruf6F_nZ1Bnv_6yDjKUJD0Q,89 +gradio/_frontend_code/form/Index.svelte,sha256=AIBZUIJRxoRyVlSTqovyfveYxAo6elH4mctE82BVT98,750 +gradio/_frontend_code/form/package.json,sha256=oOgCwmcmI2959beMWcc05tvse8Q-vQ3sMB4dFJJLogs,739 +gradio/_frontend_code/gallery/Index.svelte,sha256=9i5QhKFRIg7vR0MtmDyWihKngOx95O-WqDie0FQZJYM,3770 +gradio/_frontend_code/gallery/package.json,sha256=nEqa9FEe9UQ_IZUgsw4TDuy9F6UElqd2PGpYIgV4e40,1133 +gradio/_frontend_code/gallery/shared/Gallery.svelte,sha256=zVhOcOJUAivUUDyMGi1NsmBKFGAaoMF7k-YCcn34JxU,16557 +gradio/_frontend_code/gallery/shared/utils.ts,sha256=K8W_f-C4REsxmQzq5hY-r-iXDuV8WUNfGFRQIfZ7tn4,576 +gradio/_frontend_code/gallery/types.ts,sha256=wyH6i5Fg0NnvOjKyUPUjF0yEwg4s9NHSmb67VxnRFzQ,204 +gradio/_frontend_code/group/Index.svelte,sha256=Z1foEy18w9UdK6EJ54qEQgQvkJyO-z03zh6FxJgL8Ac,868 +gradio/_frontend_code/group/package.json,sha256=aNVfS_lyc7HV0bDXBrdn1op8oeSdtAycjwSnmxBhFIs,590 +gradio/_frontend_code/highlightedtext/Index.svelte,sha256=ExN8I0rmFS18oKAPlxdCFfLAD8u6HjB1_U_UHel3Amw,3370 +gradio/_frontend_code/highlightedtext/package.json,sha256=P7kpXrFBzbjqh-4bHAZSEFkFJH8C223WaUZ9rVhWpWI,837 +gradio/_frontend_code/highlightedtext/shared/InteractiveHighlightedtext.svelte,sha256=zAP_uYCQCIgiwkx73mv49EkyFshU06Si9IcY8QqkBBg,13240 +gradio/_frontend_code/highlightedtext/shared/LabelInput.svelte,sha256=WioQIMFbL8Fka2agLYQhku_dV6o1pltc8S_gdPE0WDY,2908 +gradio/_frontend_code/highlightedtext/shared/StaticHighlightedtext.svelte,sha256=NgUfMreVVkqYDyMc9nv6FHsnK3IvrSr2bTwMprvUHes,6583 +gradio/_frontend_code/highlightedtext/shared/utils.ts,sha256=aMm_o9bZFOvayoo1gXnYzPmCw0zW-W0UyFXGPcHrP4A,1870 +gradio/_frontend_code/html/Example.svelte,sha256=yjmZLkkliYyAaZbx3PsmHksGrmWuk5PM38dRq-YJaKI,313 +gradio/_frontend_code/html/Index.svelte,sha256=N2PBAQrbhhwGLHni5goS5kJ7Dp4qULxaudK-zzt4sj0,2037 +gradio/_frontend_code/html/package.json,sha256=ICWhBPMBUy6CBmKfiIYyYqrmxOfUYHiQH8-MjivT_kQ,1013 +gradio/_frontend_code/html/shared/HTML.svelte,sha256=uZ5J07x-wW3O7IopdLjLtnO0Dl4CgBgFWLATKHP-v6E,411 +gradio/_frontend_code/icons/package.json,sha256=yJMEU_SdRlyXerQu4iFIjRqvpOvt8TlSXMNN52or8KE,551 +gradio/_frontend_code/icons/src/Back.svelte,sha256=9eAzciUHH2ML7niHWf0AUTB7-occFWLxu3uUln4ubRE,281 +gradio/_frontend_code/icons/src/Backward.svelte,sha256=GTK5efz8L1oLI9I_UW7Y7R8GmJc-ux0UGVVqiD_n7Ws,483 +gradio/_frontend_code/icons/src/Brush.svelte,sha256=V-xgKN6R-YAl0qxUb_H0I8Z6l8lx4vA8FGbDNsQE7qs,842 +gradio/_frontend_code/icons/src/BrushSize.svelte,sha256=vCp9xx2ukH9UYh7hJCLZuAr-s7ZShpcDT5mX1QgkDvc,1567 +gradio/_frontend_code/icons/src/Calendar.svelte,sha256=csjQmo4VNHZ2uFXrveUqIrlj-A4xENTvKWbx87a0R6s,730 +gradio/_frontend_code/icons/src/Camera.svelte,sha256=_gfhQWsQXPe-h7s_0FUz6OF4kQBRMYm4VvICUewANSk,370 +gradio/_frontend_code/icons/src/Chart.svelte,sha256=TQEqjqAATJa0zbmZ5YrAqYbGHxYFtBwxArpa1EpsHp0,815 +gradio/_frontend_code/icons/src/Chat.svelte,sha256=_KHLvJAmhpxZ7hoQ6FE0m0YOrV33bHiQ1GJ8lVCi1gc,507 +gradio/_frontend_code/icons/src/Check.svelte,sha256=tH3fUTAg7LwrDXzyr6xSBkIeJjry0RRx03x9MVoj7Zc,231 +gradio/_frontend_code/icons/src/Circle.svelte,sha256=J4viOiEcesOP7z4xCscjHu-dmDrDhhQA9LgPnoFQPQc,236 +gradio/_frontend_code/icons/src/Clear.svelte,sha256=6wC5jacKstmSJ_ur40tVRanLY2i8BLgCO2Ssqbx3sg8,581 +gradio/_frontend_code/icons/src/Code.svelte,sha256=eNHHR0k6azlL8a5jjrKWdCyegu0ZKR8eNqJsw2cn7fg,241 +gradio/_frontend_code/icons/src/Color.svelte,sha256=i543j2nWhHRQXiK8YBO-Z92rf7e25owj9THA7OuHsis,712 +gradio/_frontend_code/icons/src/Community.svelte,sha256=NC2fHIJeed6EujDIZeHBjEF_JIs9nT2x5Kiz4l6Qw1c,408 +gradio/_frontend_code/icons/src/Copy.svelte,sha256=m8q6KCa0Zkakn0oTVrvLgKJH7akUNrleRBtAi7uUaJI,307 +gradio/_frontend_code/icons/src/Crop.svelte,sha256=DLw8u4u6ZlcCcQSkVUwhEjsl8dOZwIp7oicL5PKdQ-U,243 +gradio/_frontend_code/icons/src/Download.svelte,sha256=P8ik8snlrchAp_XVqE-TqzG3aANxuGw_Pi7VGxRcaeg,256 +gradio/_frontend_code/icons/src/DropdownArrow.svelte,sha256=q6J3lnSEhrVze5QBvRtDKDPnyhPpF3kI4AunJAvymvo,281 +gradio/_frontend_code/icons/src/Edit.svelte,sha256=JTTDlnflEVTJGec9Xen5FPCxQusx6H-lNRa7cpr-y-M,307 +gradio/_frontend_code/icons/src/Erase.svelte,sha256=nbl7F5i8f5DJIXFZ1IteRhI3U4WKXSeTYX48UVZKd58,1776 +gradio/_frontend_code/icons/src/Error.svelte,sha256=_YMH3x5zOJRr7XKWj0JjmGoFLaIP23F-zeiI0GxTuEI,364 +gradio/_frontend_code/icons/src/Eyedropper.svelte,sha256=UEKY5i8Ig--iWMhG4j08Q2TLsWnRlE_m3ra_xGCeZYo,771 +gradio/_frontend_code/icons/src/File.svelte,sha256=7gg0qUJ5XVNQfzlisedgg7FYjaNFur3usB8a_UGX4uU,346 +gradio/_frontend_code/icons/src/Forward.svelte,sha256=MiYQ35EVDUf6MzsvejVqnIZjpL-xeZEOt81IkNDhdwU,480 +gradio/_frontend_code/icons/src/Image.svelte,sha256=ZnW4KHlXwJTwwg-tDeqSCEJfEM_7FqUsSTrIouj0ZaY,373 +gradio/_frontend_code/icons/src/ImagePaste.svelte,sha256=YRb9W1hCjVLN3bSzaYkzKJ9lUsI28Wjvh98pgUAzYpA,793 +gradio/_frontend_code/icons/src/Info.svelte,sha256=en09dED0sPo6-pqb7KUeGjLn0L43yhV9TRhMeHj1lqs,438 +gradio/_frontend_code/icons/src/JSON.svelte,sha256=97R2-cZthwEhQtaW4yLVk4S6NYCZRLMSnj0fDk_MR6Y,708 +gradio/_frontend_code/icons/src/Layers.svelte,sha256=zeZWCKlIUwvP1qjmdEsBq1Cp4WONyTAT5dFCxvWsMwI,1148 +gradio/_frontend_code/icons/src/LineChart.svelte,sha256=j7yHex_G_LDNvVsNR53ys7K1XKaaFMz8i8PzYtnyHcU,365 +gradio/_frontend_code/icons/src/Maximise.svelte,sha256=YmY98qd53h7xMEYLqbnQtyxW_lzEmHIHxqLVp1rkydI,316 +gradio/_frontend_code/icons/src/Maximize.svelte,sha256=V7U9YisxeYndBvsmU-xo_862ZsHhehXDt4D0xrDPzpU,327 +gradio/_frontend_code/icons/src/Microphone.svelte,sha256=Mf8zDxfmT1ZZHPiQrfBOyEJKMtzIZNxTLfmSU_1j1T4,428 +gradio/_frontend_code/icons/src/Minimize.svelte,sha256=c-oEn5vHYWdwAm5zFD89Pp3evwBIBnCVFuq8cm1f0Eo,324 +gradio/_frontend_code/icons/src/Music.svelte,sha256=DYXCRT6v6wxsFMJOcK-0ZRwraycZnrR1N0SKUu4RN64,333 +gradio/_frontend_code/icons/src/Palette.svelte,sha256=FYOFPmAMSgbP34nQOmnj7KW0MRZOXmtJ55J5CA-iCpk,584 +gradio/_frontend_code/icons/src/Paperclip.svelte,sha256=pKRDFLU-L2ub8_auW27kx2vUCsxYD1l76kUX1QvcrD4,977 +gradio/_frontend_code/icons/src/Pause.svelte,sha256=Ulz7d3ZJMjAzX5t53ccvD6d5Bjc6pnXFz3VoAOz_Wac,302 +gradio/_frontend_code/icons/src/Play.svelte,sha256=ClBhdzgbe6k2WnIgkWAP2FSnW4bbSOvIOOlVkP-mGv4,254 +gradio/_frontend_code/icons/src/Plot.svelte,sha256=WTLO3CPko35wZLXHpCGUZY7KJi-7ZHn16iVH_yHO1PA,614 +gradio/_frontend_code/icons/src/Redo.svelte,sha256=Bam1xz8c4hPbn1CyDBUMbJD0NYDzj7U0kIbUmskoqz0,361 +gradio/_frontend_code/icons/src/Remove.svelte,sha256=i7ftK_jTz9QynHQQSiHI5Cs2sPdy8bFdVMCX46iJlkw,187 +gradio/_frontend_code/icons/src/Retry.svelte,sha256=fYJ_k5gKpePhE4KhOVWW9EFPgMbLqOc5HV708QA04RM,887 +gradio/_frontend_code/icons/src/Rotate.svelte,sha256=69ym46KjFuNHnfwGGsBH49YVWMKCF5ZqYzU3yyg5vC4,661 +gradio/_frontend_code/icons/src/ScrollDownArrow.svelte,sha256=v_g6VVHlGaa0fdeD-gyC6GbYYXl2-N60QMETD4dI9mg,259 +gradio/_frontend_code/icons/src/Send.svelte,sha256=gt7YrxuKxLkFYOGvLLX08ND_wZ7DJpWDqnA7yfu-7qk,2461 +gradio/_frontend_code/icons/src/Settings.svelte,sha256=mjFM_h_WqdmgcP6pEgbY3Hs-10mXEBfxH0Fzhc23yks,523 +gradio/_frontend_code/icons/src/Sketch.svelte,sha256=JTTDlnflEVTJGec9Xen5FPCxQusx6H-lNRa7cpr-y-M,307 +gradio/_frontend_code/icons/src/Spinner.svelte,sha256=lU6ycntw1x14zbWAO1m8x9cqOrnnK7s2Nbm-Y7cTBGo,599 +gradio/_frontend_code/icons/src/Square.svelte,sha256=cRvzqKYAW4I2u1aYn1eRt-pqL2PL7k8ICUGlGkrXGE0,392 +gradio/_frontend_code/icons/src/Table.svelte,sha256=y2hZwERoTw8Edtcnpcs2JnAkIFNGBTg4WoaYt3CB-J8,359 +gradio/_frontend_code/icons/src/TextHighlight.svelte,sha256=SLwCPSwJ5Nl-b7FWJgUF1Gfnn5844BLTLbds9n0mUWE,580 +gradio/_frontend_code/icons/src/Trash.svelte,sha256=uLgetmjpwOYNdPZo0RzOTemFbVUEMzR1NP1-gx4y15M,517 +gradio/_frontend_code/icons/src/Tree.svelte,sha256=DMs6hUHJn27ionaxWojntYVWEJxsq2bDMgM7XLyt2Eo,669 +gradio/_frontend_code/icons/src/Trim.svelte,sha256=LBmHMIbFJ2ILkVi8w7WJbCXCRJE0Qc_ft8JPUW92yXU,451 +gradio/_frontend_code/icons/src/Undo.svelte,sha256=RlTtkRqtkPTg2Wjn3M3TaF4UXLIvFZioGxM2Scy7Ig8,345 +gradio/_frontend_code/icons/src/Upload.svelte,sha256=LWTY0kf_EsjIcUjqY1gvN0wKPh403o65QP6TuUa5LS4,365 +gradio/_frontend_code/icons/src/Video.svelte,sha256=RLBzSyIztHlW4_7pf_SnVGjNKIu8oLQE_9NCzwUIOmo,339 +gradio/_frontend_code/icons/src/VolumeHigh.svelte,sha256=Na5bdlfvzKJd0d4PUr2i5HEYz95ZcpXCPvrjhAOlE-A,844 +gradio/_frontend_code/icons/src/VolumeLow.svelte,sha256=vI9T-UsN29Wjjlzv_YDXaxWYAmCS4hNCIkxtbL0A8Qo,698 +gradio/_frontend_code/icons/src/VolumeMuted.svelte,sha256=-NofGV-yiWpEjKm6TtBgM88-L8RVw6Y6sIHS0L9d5fg,878 +gradio/_frontend_code/icons/src/Warning.svelte,sha256=v80YMskig6ccDSX1liJSqkWdI_Sq9ZxI3leVS7W0QEU,468 +gradio/_frontend_code/icons/src/Webcam.svelte,sha256=wMsrVxNZe49hzwXjojcgzavShVhqbiwTlPH07K4hNK4,552 +gradio/_frontend_code/icons/src/index.ts,sha256=cI30poqk_dpRony8l8KraX-Apgu9VeLAL5nZfRsvErs,3401 +gradio/_frontend_code/image/Example.svelte,sha256=NZblDzR4CS8ZG3w1QZRkFhXlJo32WPCwVWxG_uzbewM,912 +gradio/_frontend_code/image/Index.svelte,sha256=eEHyFQ_WOtw9WGqElhrgvwgpG10eC2myfRY0xGPgicc,6516 +gradio/_frontend_code/image/package.json,sha256=zo6S_3lwF6OBfYD-EdfF2Bltt_Pc2GDjNVol4xh1K40,1413 +gradio/_frontend_code/image/shared/ClearImage.svelte,sha256=Qv_wGNH6x5QqcWnIx3nyt1kGsNYdcaVTE4OG_IM3_0s,410 +gradio/_frontend_code/image/shared/Image.svelte,sha256=OOVzV011JOqMNaorqC-O5N3Ze9I7MQMhHkKeZBlO7Ik,1313 +gradio/_frontend_code/image/shared/ImagePreview.svelte,sha256=9FgCj8wOb9XETlQh-nCRE38gLHopHnUZtt-irEqxJ5E,3983 +gradio/_frontend_code/image/shared/ImageUploader.svelte,sha256=7sDxnQT-vqLqils3K0qpSh5yw4uD0C2CKEyFrT5-hKs,5599 +gradio/_frontend_code/image/shared/Webcam.svelte,sha256=dNinq1kWwFJ1CiSB3RSUNMEyejZNQULRf47yp2SI8Zk,11900 +gradio/_frontend_code/image/shared/WebcamPermissions.svelte,sha256=eAf9fzN_YircqysiGQ1S5hHdTjYUnbheCeGSXUvXhy4,812 +gradio/_frontend_code/image/shared/index.ts,sha256=gsSGgzhfF-l468itWDucsShFUa83J3R-q8lsXKc5J_E,115 +gradio/_frontend_code/image/shared/stream_utils.ts,sha256=pOuSUT8kCr5-EH_sS-aepPUsNAijmMfDJT4CZxyMGVU,1129 +gradio/_frontend_code/image/shared/types.ts,sha256=cJ4UxcqRqUl-n2pXCw58JnrJ74v6jVspkgabfHlwIco,65 +gradio/_frontend_code/image/shared/utils.ts,sha256=xNGqGs8jtH21911m1POAnTNMbva4MSFZE608oR_11YU,1079 +gradio/_frontend_code/imageeditor/Example.svelte,sha256=izSihntcwxZyWeTMEIruUD1FL9Fg2iod2KzEAGI_3aw,946 +gradio/_frontend_code/imageeditor/Index.svelte,sha256=5ToHxwR2q97fTI6yPl0WmlXUt5aWhsRTtTdT-DesUe8,5752 +gradio/_frontend_code/imageeditor/package.json,sha256=b_4mbLOV9uQTXE7c4KcwADLVDXR-hd-br7hcPmyACkA,1149 +gradio/_frontend_code/imageeditor/shared/Controls.svelte,sha256=S0Y4AlAl5lUFAG1LoHc1vtyf8NB8nL9T8wHeZSZ6G2A,1425 +gradio/_frontend_code/imageeditor/shared/ImageEditor.svelte,sha256=oY75XMoq3-vVf4RoEQYblfa0Rll03j68A1ITuTFOHbo,10620 +gradio/_frontend_code/imageeditor/shared/InteractiveImageEditor.svelte,sha256=TAwWxH9LoVWAME5oubUn-lDo35RjelWlZs9Zlku0ENU,7461 +gradio/_frontend_code/imageeditor/shared/layers/Layers.svelte,sha256=vjUz7HmKIS6OTBBdkI5SPcam1cGG7VVquF2kh1q8daI,5035 +gradio/_frontend_code/imageeditor/shared/layers/utils.ts,sha256=r1RpAguhtR2tLxXLPsl0tlWGvj6lVDp6itUSrWr3gPw,5967 +gradio/_frontend_code/imageeditor/shared/tools/Brush.svelte,sha256=8BIrDV2ugJNtRTnRQuKXpRgFOmn7ONgdKpm0-tdt0Co,6464 +gradio/_frontend_code/imageeditor/shared/tools/BrushOptions.svelte,sha256=c6Pj5tQocE9zxCRrDVACaP2o5uOHfTQiEsLsE5DypZ4,4270 +gradio/_frontend_code/imageeditor/shared/tools/BrushSize.svelte,sha256=GXA5hYzOCMjZ_1S_7i4famnwM96ScAB6YJ_xt7zg-wg,1395 +gradio/_frontend_code/imageeditor/shared/tools/ColorField.svelte,sha256=gKSr1H47badVgc4mfTXT0VOd6ozGTDzYYnIJwZT-3nA,3671 +gradio/_frontend_code/imageeditor/shared/tools/ColorPicker.svelte,sha256=q6QMlPCfM2lvfmXoWVRGg_MVeAWSq4QE0J6Bto-ooms,4815 +gradio/_frontend_code/imageeditor/shared/tools/ColorSwatch.svelte,sha256=Dg1NIoUyqEUs8C6vnhjb6mL6kKeWw4QMvCcGcbM8F1M,4122 +gradio/_frontend_code/imageeditor/shared/tools/Crop.svelte,sha256=_ym5A_bzoj8ZleGrPiib54jxfTNxGA46Mu9vNvDNWMc,4265 +gradio/_frontend_code/imageeditor/shared/tools/Cropper.svelte,sha256=TKd6EeHQn3jELi0e3wsloq630C_le9CWQ_kWF4xX3dM,7239 +gradio/_frontend_code/imageeditor/shared/tools/Handle.svelte,sha256=SIuI57qkWxNL57fKJlthpp0mX_rrOmt6lkY-bR2Eej4,4947 +gradio/_frontend_code/imageeditor/shared/tools/IconButton.svelte,sha256=mxfKRzdWjrYTs2QM-KScJOfScTtK9NyQHqbJdR741C8,2477 +gradio/_frontend_code/imageeditor/shared/tools/Sources.svelte,sha256=KBt_Yz-JOESfeFgcgMYUBGsGehTok6-AoA-G0tfQZUs,5807 +gradio/_frontend_code/imageeditor/shared/tools/Tools.svelte,sha256=gyjYlLdu0XCmtlcmi8CLvQ44bdRtx1svtSi9ypvrPlw,3555 +gradio/_frontend_code/imageeditor/shared/tools/brush.ts,sha256=ejxK8Tdkq0J8_uxuit9qjDyfLbT1bdg7JlPsqq2sdt8,5545 +gradio/_frontend_code/imageeditor/shared/tools/crop.ts,sha256=9-yNa2_3-yl_vqm4Xmc3E1d-2B8aUfYcul1rcY8zVX4,4994 +gradio/_frontend_code/imageeditor/shared/tools/index.ts,sha256=TPuusGxWV7ZoG6Ktf57wR_WpP4XEsvTrNmiEbBooIF0,231 +gradio/_frontend_code/imageeditor/shared/tools/sources.ts,sha256=LHTadpSGcXeRpNz98sLJqcMhDy_zJaSx55yTze065lI,2828 +gradio/_frontend_code/imageeditor/shared/tools/types.ts,sha256=MX3E_1iHpBGuAk8H1HjI49p-r8oDVRWr5cYhAU1eQ4c,53 +gradio/_frontend_code/imageeditor/shared/utils/commands.ts,sha256=ZdHGdpTmiw0iFgNHgaY5JJHRYKkbqBqiiW2o_SkZY1Q,4022 +gradio/_frontend_code/imageeditor/shared/utils/events.ts,sha256=0j45nAq4ZMvk26uQ77nm_0tOvpZ8nJ29T1ip_59uYXI,731 +gradio/_frontend_code/imageeditor/shared/utils/parse_placeholder.ts,sha256=hRMFwas7SebebcTRw35Cwkdyml3v8eD8-DnSuB27NC0,707 +gradio/_frontend_code/imageeditor/shared/utils/pixi.ts,sha256=ExZGT2-84fm4A4kvSsYS7EhtS30b7PSe5rb5j4hBLoA,6930 +gradio/_frontend_code/json/Index.svelte,sha256=M1ZwNCyVvUl722JRlC6fXwJcBx-QNPcgNXjmXKFxj7c,1930 +gradio/_frontend_code/json/package.json,sha256=DnkGpsgQsrEUX3oABZCfoaOzY6v20uFHRngGPkfKwjY,781 +gradio/_frontend_code/json/shared/JSON.svelte,sha256=GY4Kiz04Spw54x2fqALe5t1PdKi0cVKZObAbf54Ee68,2002 +gradio/_frontend_code/json/shared/JSONNode.svelte,sha256=mBpRng6mdYz5G58675htkZPpFrgvtRizi9KE3DznSGo,6209 +gradio/_frontend_code/label/Index.svelte,sha256=eKztGO778EsyD1oC0Zcz4i-OH4bVYvroLoCzqw8Oo4M,1945 +gradio/_frontend_code/label/package.json,sha256=pvkE-PypHqsVjke0P5GYJSCL_dBmt608AIvQcX40OUE,783 +gradio/_frontend_code/label/shared/Label.svelte,sha256=Yvgnw2pkn7rtE0LUjn8t79NHxzjuchyPS95277XMm4Q,3550 +gradio/_frontend_code/lite/.gitignore,sha256=t3f77MzYjJ5Ns5XjNYiZqWqdgMosowSLCkmXYUH_XY0,15 +gradio/_frontend_code/lite/examples/transformers_basic/requirements.txt,sha256=1iislyk_D06k1iW6PVF2FEtG2zQvnPLcsxPpcLIU0tk,19 +gradio/_frontend_code/lite/examples/transformers_basic/run.py,sha256=8ZSuvZJVHBkFk-3VbUAajnd-NX3nbJEMdRi2_oPnY34,238 +gradio/_frontend_code/lite/for_e2e.html,sha256=N9QbcD3MLf8gzj7kualz4toJkVNIryNko2tjRG7Qq9o,1340 +gradio/_frontend_code/lite/index.html,sha256=G89mcKStz6JdUwfM60BtSdGxvRMaRJQirP3gIPdN0Gs,3422 +gradio/_frontend_code/lite/index2.html,sha256=uZacf7I1O1mfePx6wkWLBTwWYHcbc-hBXDYygepD2Ak,1010 +gradio/_frontend_code/lite/lite.html,sha256=FoD9neZzXy18wlDMXIR6EUSOygeMunp61KC7vZOLvG0,834 +gradio/_frontend_code/lite/package.json,sha256=lt2vqttfzZSr-nSb6RDkagiMfNJ01khddgqrxAz-4T0,1214 +gradio/_frontend_code/lite/src/ErrorDisplay.svelte,sha256=LwLU8035AlKVWXTgkBLqmkNww7rQAuE-ZDV6OAgWnNU,1101 +gradio/_frontend_code/lite/src/LiteIndex.svelte,sha256=ciLImhhwv3sa6c5wRlrrgd-0BD3G6LjrLnbTmckOycU,5824 +gradio/_frontend_code/lite/src/Playground.svelte,sha256=JYWuxN6pK3U1EwrcnvGbn7CZmX3ZiVAp0xuGhxqkNhw,9215 +gradio/_frontend_code/lite/src/css.ts,sha256=Iyw0I_kl97Dxkj7Bn_i6Cf97VmpqYxu_ngC_GwGOpk8,2117 +gradio/_frontend_code/lite/src/custom-element/indent.ts,sha256=p98MbHmxFDxToP0xRPX0Q5ga37PhW3cax0Zw1GWJfpo,574 +gradio/_frontend_code/lite/src/custom-element/index.ts,sha256=a2LyqgRfnYNYNbAs2T2oihwt7SiQlB5aU2O6feU6Y1o,6633 +gradio/_frontend_code/lite/src/dev/App.svelte,sha256=s-cy6kd58TSf3mx810ITxCvHNlU0pT_SAkTFyAbe1-4,4138 +gradio/_frontend_code/lite/src/fetch.ts,sha256=pXY1zAS2L8stdtf_Tw9yGNYuIfkPz2O1cUlc5YTwCZA,1672 +gradio/_frontend_code/lite/src/images/lightning.svg,sha256=oaPf3y_b-VuvWiwSwVUXvMNS6FDB7NqMKjFYqYc9Kpk,545 +gradio/_frontend_code/lite/src/images/logo.svg,sha256=Nwf5Nn-oJF8Yelai4atYuc-Ln22IRs3eaZ-5fkzye8U,1106 +gradio/_frontend_code/lite/src/images/play.svg,sha256=cTEyuM6bsQRedqSE2JfNrG-_fa96EA4eIWmgQXIii-8,483 +gradio/_frontend_code/lite/src/images/spaces.svg,sha256=p5F3rTUtr6VLF4zpugebGHcyQEnb67Mmh1JK57NcmFQ,715 +gradio/_frontend_code/lite/src/index.ts,sha256=VyoYTln3asw9BYDsP5ssjp-v5lTxXXlVGGZw1HUF6lU,4673 +gradio/_frontend_code/lite/src/sse.ts,sha256=D8TxHZLSXHwkD4gJJ7CCcfwc-p5qhaBFwTlNYZfTuKs,575 +gradio/_frontend_code/lite/src/theme.css,sha256=YTRLjjQrT-UNz9wOl8tZHpVAtU6fbNo8X0138qjhTVo,21791 +gradio/_frontend_code/lite/vite.config.ts,sha256=n2N1o34qu7oUX6MOgr5-j9C85sQ6tR74BYiirkoZfuc,5562 +gradio/_frontend_code/markdown/Example.svelte,sha256=pRMvF2itb752uFqR5S5KUDw3NO641jSfZpzEhhrtKno,697 +gradio/_frontend_code/markdown/Index.svelte,sha256=8Giz-eELV6x1nY_gFn25yiuGRiR_p2ml3r344nZkOyk,2034 +gradio/_frontend_code/markdown/package.json,sha256=zIK9MZ4kA-lXqp7KWHzEQx01_KEkjc9E518wUSn4lkQ,1335 +gradio/_frontend_code/markdown/shared/Markdown.svelte,sha256=8prUDt57ie7ZJEi8cX1WnN0Is7Z7gye49s7AGwjCbrM,2423 +gradio/_frontend_code/markdown/shared/MarkdownCode.svelte,sha256=LqKLZO2ewShBYu_sQAAB-WCo6vqrqKQTOrTuJO716lY,5090 +gradio/_frontend_code/markdown/shared/prism-dark.css,sha256=vZrRS7y-q5FBMthHmqVe5IHexRIbWMGemPPOpyk14ZY,1194 +gradio/_frontend_code/markdown/shared/prism.css,sha256=IROZ_kvh0SIgjI_MRKiSWxo0MZTvEpBK1jGl-NFs4x0,3869 +gradio/_frontend_code/markdown/shared/utils.ts,sha256=BD_MNU0VxY17NkPWl6bL6LDlnrD9jcDmUby4FFZ_RVI,7604 +gradio/_frontend_code/model3D/Example.svelte,sha256=wjQJfKYjolyV2oOdtVyYPm5jbdMif-6K33dsBtVZn0Q,326 +gradio/_frontend_code/model3D/Index.svelte,sha256=u6-zs7LcVmNwjAA1V9jdSyb0LtkHc1DtDzmEWGcHhas,3949 +gradio/_frontend_code/model3D/package.json,sha256=4jmGot1Spl9Zg0zytldrK9Y6pvvmMGzJ5g5FioXZZlc,1160 +gradio/_frontend_code/model3D/shared/Canvas3D.svelte,sha256=WWXHK1wK2EevOnymnJQQm0BZlCXLp9Ad_uPhF5bdKy0,6337 +gradio/_frontend_code/model3D/shared/Canvas3DGS.svelte,sha256=NMH4DE3Y6gEYmxkueeGJunveebIrPippIDy49Vo8kjk,3254 +gradio/_frontend_code/model3D/shared/Model3D.svelte,sha256=WhsmFIVNen8RIn6MesFXVUMrmm0ZqhUMvx5k1LT3670,3509 +gradio/_frontend_code/model3D/shared/Model3DUpload.svelte,sha256=D4kbfyb7qBf3xPHxhtzUFg48lJKO4DZX53ZPYvou1Ao,3617 +gradio/_frontend_code/multimodaltextbox/Example.svelte,sha256=3DNYT1mcenednVEg_fw02rC8OzY2-hk9JhIZt5Sfxy8,2120 +gradio/_frontend_code/multimodaltextbox/Index.svelte,sha256=vZjbPbzck2yyCJlilKM5_6AZbuSDMcbNoVZs7gzsa2s,3193 +gradio/_frontend_code/multimodaltextbox/package.json,sha256=3iP0rOliZaTPHyNnRdg31tCu1HnJz9B0O4twArFsVUQ,1077 +gradio/_frontend_code/multimodaltextbox/shared/MultimodalTextbox.svelte,sha256=5Z_W_trVilBIHZVcy-5-knJ9goUfZpiP79W0JqiAsVc,12930 +gradio/_frontend_code/multimodaltextbox/shared/utils.ts,sha256=1TDeOPxvXaexAonQYmA6jKSlOWbt8wLrW_GY3lBt_ss,1502 +gradio/_frontend_code/nativeplot/Example.svelte,sha256=Gu-5sl1zjpuv11iO_JwiTHueoRi-UATPGGtv2auxjdM,156 +gradio/_frontend_code/nativeplot/Index.svelte,sha256=EPcjKMzIqrUgVEMRVNwnMnlzG_QPdd5X52149Hyq-hk,14261 +gradio/_frontend_code/nativeplot/package.json,sha256=O9pvBMgfnw5G8GdOkQzzvlnFU2pKHLR4jeFTeYDCaU8,1008 +gradio/_frontend_code/number/Example.svelte,sha256=lm0bOjYxIGNvM6I4taZoUMxnCdHohd6x8iiFX0XWdzo,335 +gradio/_frontend_code/number/Index.svelte,sha256=yDUrYxI-LScod8qyc5rh8m-M5Hs1m1ePNDwFUoVvvXY,3201 +gradio/_frontend_code/number/package.json,sha256=soLxt8zt5YeW5OlJ3R6tKSCtErJ0Eo5ZJr6M48P1OY8,858 +gradio/_frontend_code/paramviewer/Example.svelte,sha256=-77ewJAsgv82w4GL7xmHgG5LmMeWitZbLUK2ZAQhNE8,342 +gradio/_frontend_code/paramviewer/Index.svelte,sha256=s0Tu-9tHOicsLyCBLeEIOEMXbZTBkE8uWfjiil63H1E,317 +gradio/_frontend_code/paramviewer/ParamViewer.svelte,sha256=Xuw3dU027bn3MPUd9vJfzapPeNZbPcwDyWJkzCZz5ig,5239 +gradio/_frontend_code/paramviewer/package.json,sha256=R8nqJ4sLNUIBAddXnIcUwnzN_GxogtW7J6zz-LkHY50,923 +gradio/_frontend_code/paramviewer/prism.css,sha256=pAe2KsTAaLnB56dgTbAkyz-05f2eMUEffKjtChcuTfo,3794 +gradio/_frontend_code/plot/Index.svelte,sha256=FGxCDpzscgSiwSlPO5C8xtbI5GoeLIFprVzp7f1rzUo,1835 +gradio/_frontend_code/plot/package.json,sha256=MNCd-216XaZaEKzm8tsbhQG3PENLi4LTT6pH7G8fVUI,1102 +gradio/_frontend_code/plot/shared/Plot.svelte,sha256=hhLFmEy27cWN9C4P-YcLk4WRZQ7tx5kdffje4mlT19o,1516 +gradio/_frontend_code/plot/shared/plot_types/AltairPlot.svelte,sha256=gkj7hnse98KSxqE0g6YRjvWGrz7KBrzaA-8k4nN2vaU,3966 +gradio/_frontend_code/plot/shared/plot_types/BokehPlot.svelte,sha256=EuBqy6F3RnnCCiq6ZiOF2O81m7Uss1fcfxo676W0IoQ,2455 +gradio/_frontend_code/plot/shared/plot_types/MatplotlibPlot.svelte,sha256=f3xTCUAQtRIvtfpRAMCMQ4kUFNxxpXSNeFGWULFwhkw,487 +gradio/_frontend_code/plot/shared/plot_types/PlotlyPlot.svelte,sha256=vSpmSOSBo-dEbW3QnEOtf-omWqIqcaHm52hAwtsc4Bw,1318 +gradio/_frontend_code/plot/shared/plot_types/altair_utils.ts,sha256=Mpu8beU9e3MJHgzAqqbimxri2gNstCZ0Ayh1dl47gj4,3426 +gradio/_frontend_code/plot/testplot.js,sha256=vQuBO46edgqcCuC9OenS4ywXpo8h63eKlS4BMFsBaEo,401245 +gradio/_frontend_code/preview/package.json,sha256=IzhY8YcF63Rgiezvs5TMRxTmV89xBV1yqolPAmStXz0,1312 +gradio/_frontend_code/preview/rollup.config.js,sha256=wFZ5qhe6tmi4qaYt74hj87g1dZFp-SstWRqxV3j_6bI,1068 +gradio/_frontend_code/preview/src/__pycache__/examine.cpython-310.pyc,, +gradio/_frontend_code/preview/src/build.ts,sha256=UwOetUqnYelmehsDJIl1-AcO7GvMUKrS9ivjAHXzQLY,2615 +gradio/_frontend_code/preview/src/compiler.ts,sha256=1youKuwUgwjYdGjjIEO9Mp1zBCkzfb7aKKUGpq6sNwc,77 +gradio/_frontend_code/preview/src/dev.ts,sha256=Tp7oNRPaS4K2TDU08jLKQl0TFAShYmupceJVQ98swHk,4982 +gradio/_frontend_code/preview/src/examine.py,sha256=12KT78oknnY_T1T9brsyXPHLPIPf6TUCj9ua0RN_75U,2762 +gradio/_frontend_code/preview/src/hooks.mjs,sha256=qSu36ayhEE5FZuhHtwufI_u6_o24a_zvkjSQ2tDHgY0,619 +gradio/_frontend_code/preview/src/index.ts,sha256=kb6010LqTNYRrB5JrBNH9yAm1H1RIiFynkqmwUwtHm4,4972 +gradio/_frontend_code/preview/src/placeholder.ts,sha256=RQ8K9PTB7MTHGA8uNkyKWb_tad01D7a0e86GQcKjd4Y,19 +gradio/_frontend_code/preview/src/plugins.ts,sha256=knhWTZJNh8UvS3EVcfnzoKg1jsRE0kHwkyktSOi2L8A,3194 +gradio/_frontend_code/preview/src/register.mjs,sha256=KGuBPFzyHGapIVZqUYuOnuWrWO3YS9jhb66jwr-oChc,83 +gradio/_frontend_code/preview/src/svelte-disclose.ts,sha256=4bzMWCf_qvoPa2Z_MLP6hxqH6i30X1yEUFo3S3pya_Q,64 +gradio/_frontend_code/preview/src/svelte-internal.ts,sha256=8kGRPgGcFDBSTQvbWzMXQzy51M0EiJfyW1sO2sdg0qs,46 +gradio/_frontend_code/preview/src/svelte-submodules.ts,sha256=06Tk_rtL9WF1yCcS-NfZLu_Co1psfWdnT_xOLb6hc4w,177 +gradio/_frontend_code/preview/src/svelte.ts,sha256=h0ivehpKJ8RpjiX3aoo8y5u26JtfMoC81s6QAkg_h6w,411 +gradio/_frontend_code/preview/test/test/.gitignore,sha256=lUCqIsnru6MyCYcyVNxrHNgGau-VOdtVPBJj6znCJYA,79 +gradio/_frontend_code/preview/test/test/backend/gradio_test/__init__.py,sha256=NUV_4fFy_iUQdtJRYaJYQc1hbvuLFZIEUs7m3TOfiOU,44 +gradio/_frontend_code/preview/test/test/backend/gradio_test/__pycache__/__init__.cpython-310.pyc,, +gradio/_frontend_code/preview/test/test/backend/gradio_test/__pycache__/test.cpython-310.pyc,, +gradio/_frontend_code/preview/test/test/backend/gradio_test/test.py,sha256=VibvmnbBR7Zh3zkQI-wdDOGdflg11wRMomjtQ0_OLdg,311 +gradio/_frontend_code/preview/test/test/demo/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +gradio/_frontend_code/preview/test/test/demo/__pycache__/__init__.cpython-310.pyc,, +gradio/_frontend_code/preview/test/test/demo/__pycache__/app.cpython-310.pyc,, +gradio/_frontend_code/preview/test/test/demo/app.py,sha256=6pOjUQuHUkwqa0Xf2KhBrKQmIBptb6prYgbwdVzt2n8,214 +gradio/_frontend_code/preview/test/test/frontend/Example.svelte,sha256=Mjl0zFOVTmgdFkDshYl6E-OhXekoiPVVbef3aTnxinc,306 +gradio/_frontend_code/preview/test/test/frontend/Index.svelte,sha256=V2-10-OzGHcgsr3whTN7jF00AOU99wqCejq8ptvGd7Q,3495 +gradio/_frontend_code/preview/test/test/frontend/gradio.config.js,sha256=avwvyTVoGw3KcO-HAH4Vfks25n_HYXlqXnUOPZODHYw,152 +gradio/_frontend_code/preview/test/test/frontend/main.css,sha256=QgcOC0W7IBsrg4pSqqpull-WTgtULZfx_lF_5ZxLdag,23 +gradio/_frontend_code/preview/test/test/frontend/package.json,sha256=vhvVIKqt4OTP0XogEbIWRDcIXDWonuKjmo02zHiQTPU,484 +gradio/_frontend_code/preview/test/test/pyproject.toml,sha256=K2eulO3KEHaQMLIX7uxEgYY3lNHFcRl9CXGXHcM-w6s,1409 +gradio/_frontend_code/preview/vite.config.ts,sha256=hBZPwyiMY5bxXqrVMGKkgrvBCkZBaCnBirptfyDxvBs,994 +gradio/_frontend_code/radio/Example.svelte,sha256=Pk3i8KkqxvA4cE9c4QyJNgrSdGZ32_9WfkQ1qdykDmY,546 +gradio/_frontend_code/radio/Index.svelte,sha256=dwAQ1xW427o7bbzUDdzfTY9Ey9XreIiCJE1i3aqf6z0,2159 +gradio/_frontend_code/radio/package.json,sha256=66mtMFQOw4BtuvmIgMhW0HBhxPl8gk0lZeSg6bMErm0,883 +gradio/_frontend_code/radio/shared/Radio.svelte,sha256=qvQxSYUx3-Qb-favmAl6FTpK2-A0qRfQlSVrnE0W6w8,3094 +gradio/_frontend_code/row/Index.svelte,sha256=09aF2TUVUeadgXmU80auvcy6E-e-O9DcQxC4edvQ3MA,2399 +gradio/_frontend_code/row/package.json,sha256=qRYzCrrBIW1jViOw7gK9NF3KzeqGw9LSBTY4FyQ5WZE,662 +gradio/_frontend_code/simpledropdown/Example.svelte,sha256=wjQJfKYjolyV2oOdtVyYPm5jbdMif-6K33dsBtVZn0Q,326 +gradio/_frontend_code/simpledropdown/Index.svelte,sha256=5tIm7Vkd0LrUSnnExdcmWlgq7O3nEEHP-sVn3unUP0w,2761 +gradio/_frontend_code/simpledropdown/package.json,sha256=3mkCxJgmZCC0SriEDb2_--gQ0b8-iAHF2GwHDx9DVlA,908 +gradio/_frontend_code/simpleimage/Example.svelte,sha256=HlLcnCBkaLx8htqFFZgLvmg5z0l2rBEnTTdyzsxBSpw,873 +gradio/_frontend_code/simpleimage/Index.svelte,sha256=N30m0f0NLVwx1fh2KYv73YWs17Knit-GgbLry1EmjIc,2769 +gradio/_frontend_code/simpleimage/package.json,sha256=XcLqGEKXeApvF6AqD7dn2g3l3nTnCRKrRsRIJ5OvYr0,1291 +gradio/_frontend_code/simpleimage/shared/ClearImage.svelte,sha256=Qv_wGNH6x5QqcWnIx3nyt1kGsNYdcaVTE4OG_IM3_0s,410 +gradio/_frontend_code/simpleimage/shared/ImagePreview.svelte,sha256=iihC4DIf8k1joSuh50WPKRyorl1VZ1BqpVJ0oMtBHdc,1441 +gradio/_frontend_code/simpleimage/shared/ImageUploader.svelte,sha256=8SzVAjT_rbI2hzXi7MfhCpdEkyZSyzP_9hjN2oyx_kk,2020 +gradio/_frontend_code/simpletextbox/Example.svelte,sha256=-P2wYZZIIYforlDkgY0kcdnRd7pJ4fH0pmLepq1vvXU,827 +gradio/_frontend_code/simpletextbox/Index.svelte,sha256=In_58OiiCvb-7jR4EMbRFbeN2k0yd56cctgT1ov9qLw,3085 +gradio/_frontend_code/simpletextbox/package.json,sha256=cK4Pzn8mfUjUrz9Qx8xI3Mh83qhFp6JnNRguxdgvWuQ,906 +gradio/_frontend_code/slider/Example.svelte,sha256=Mjl0zFOVTmgdFkDshYl6E-OhXekoiPVVbef3aTnxinc,306 +gradio/_frontend_code/slider/Index.svelte,sha256=-avy5f-547T2pmTtKluDBJru_iELeyhqJWodiqXFD44,8388 +gradio/_frontend_code/slider/package.json,sha256=uw3MNJrJ45OYg1ocNbfwLMqXwjkyisdx8oTjpqm-M-U,858 +gradio/_frontend_code/state/Index.svelte,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +gradio/_frontend_code/state/package.json,sha256=THPKpvOqzelDRUT5vqPAUOoYiLZ5c8ZoKazrKxgI_40,529 +gradio/_frontend_code/statustracker/index.ts,sha256=Wfy2U5C39-P0SCQgUbLJMLI4Pi5F1NROjFTOiSre08E,342 +gradio/_frontend_code/statustracker/package.json,sha256=bUbsp42DQnoIQ497uTthloSYYycZyXTAOZ9dLuIvCaE,776 +gradio/_frontend_code/statustracker/static/Loader.svelte,sha256=aFtAjnZyjNbBoVuA1d5VK4lALPEODpNGh9xxyx2pvms,2256 +gradio/_frontend_code/statustracker/static/StreamingBar.svelte,sha256=bXyPhnHvDeTrXfAfALOMNgrkvekOEMq5mLmPRO0P5Eg,489 +gradio/_frontend_code/statustracker/static/Toast.svelte,sha256=lq6UXzshHXt_aH3PGkOb79RVKOIy0TAl_L7__WGhuQ8,1018 +gradio/_frontend_code/statustracker/static/ToastContent.svelte,sha256=Tf6U5qu3TT88Z81ctdgWhdj7VK-DWPdeqFOdtGckvaI,7653 +gradio/_frontend_code/statustracker/static/index.svelte,sha256=wrf6wOFoZens-XG97UmmHzX6IgaOGSi63w8Ha1pJenA,10573 +gradio/_frontend_code/statustracker/static/index.ts,sha256=MLKfN6PI9VJz5T7BRa_1iRtXfWspUMbmkf2oPPaSja4,300 +gradio/_frontend_code/statustracker/static/types.ts,sha256=NgaHEBOBu72XFPcMiJz9vrNlij0POpmLME33EoCbbYc,618 +gradio/_frontend_code/statustracker/static/utils.ts,sha256=rTTvXnIG_uZoUoGkiTSmpxAOwY8AUqNc1JGvLbKWqbQ,273 +gradio/_frontend_code/tabitem/Index.svelte,sha256=WrNNMAMiJK2dN1oS74SF07aeAU78FXlHLURU0p1AG-Y,662 +gradio/_frontend_code/tabitem/package.json,sha256=vCC6bCnqwmT_chHx_jeWaS8UNJGDk882OQ_3-L0_4_w,718 +gradio/_frontend_code/tabitem/shared/TabItem.svelte,sha256=k-cC5qe-OQGntIFdMzo0UgtlDb1Q6WnN5pofSoQmVJI,1290 +gradio/_frontend_code/tabs/Index.svelte,sha256=e1iqzTwMGZ0c2CB8mIjL-6ZZm_Uu1cpMc7SziG4RllY,769 +gradio/_frontend_code/tabs/package.json,sha256=8ybvOgFHxst4nPPQrR_roOmTaP7CZtq8koirteWiK2o,669 +gradio/_frontend_code/tabs/shared/OverflowIcon.svelte,sha256=vRKP_ejunMnZ1AVZ_ONSR87I4SghcYHDhOzKaZIdwIA,276 +gradio/_frontend_code/tabs/shared/Tabs.svelte,sha256=h6xTCzQf128FqeHwXa9vA8v_5_Kjyj8IhXjEGcWP4BM,7954 +gradio/_frontend_code/textbox/Example.svelte,sha256=-P2wYZZIIYforlDkgY0kcdnRd7pJ4fH0pmLepq1vvXU,827 +gradio/_frontend_code/textbox/Index.svelte,sha256=jL4h8uljy_Vk4ZOwDsnr6cE_KDoztzYqWZbryjw7qMo,2705 +gradio/_frontend_code/textbox/package.json,sha256=bplldaA2absB7nG1kdUFN2VNv1mT0NDH1lMk4WL4g3Q,919 +gradio/_frontend_code/textbox/shared/Textbox.svelte,sha256=21F4GyGkZp0DOmXbinI9QDF7-Uyzcr5pVqcfBHLO7po,10920 +gradio/_frontend_code/theme/.gitignore,sha256=c0VSOMl92CCoW7YjoHLS_SNrpP3-iGq4BCQlSHOXzn0,24 +gradio/_frontend_code/theme/package.json,sha256=OluqF0AREss2XEjRokqdoIv7TQ9wJQ3HKZ0Cl4Oox6Y,1095 +gradio/_frontend_code/theme/src/colors.ts,sha256=EXcBXwPiNLhluRaadWLt7_BddPkRdFpfFjXzMYm4roM,6016 +gradio/_frontend_code/theme/src/global.css,sha256=y0bqFU4BnOp5qkkE1rmkjIZpA4L0DUc4wqi3PyW7_dU,5138 +gradio/_frontend_code/theme/src/index.ts,sha256=3G5ACUThUJr8kviPrQMDDGG_YSSbGxKOFeWQ6Nen_Jw,245 +gradio/_frontend_code/theme/src/pollen.config.cjs,sha256=GhtCa4wuQSS7vjSDvjy3m-_gj6l9brJ0pIdzWj3Ho_Y,3047 +gradio/_frontend_code/theme/src/reset.css,sha256=B0Giqg3ZMW1h3vgEcGqob3NAzwVpfBuR1aX1xJ7uQAY,4358 +gradio/_frontend_code/theme/src/tokens.css,sha256=wBIdPvUMAjKT74dYCIoB7oD5WXHQpRYCPwkoinJuHpo,234 +gradio/_frontend_code/theme/src/typography.css,sha256=vl4gf42qjJPQbd2Fp50b3ZUtvHkaEdOFGA3wZJODGUs,3345 +gradio/_frontend_code/timer/Index.svelte,sha256=fpkq0PaKnwqAwTunQFqqRROhfFv8kTH8uUo0cp97alE,651 +gradio/_frontend_code/timer/package.json,sha256=GNOY5NAOx52gIkCVsh7cuJFWA47P0SuN8Zumid-0Nn4,646 +gradio/_frontend_code/tooltip/package.json,sha256=ByL-HVjWUFoSQa34niIWvA0TjTrAjhDP3Lc0NAr1REw,536 +gradio/_frontend_code/tooltip/src/Tooltip.svelte,sha256=XyPZX013BQRSi40hAHyywPuOT0fZH0ch0ezypo_NyBI,744 +gradio/_frontend_code/tooltip/src/index.ts,sha256=MeVSTP6c6rQ7Y63xIlhIkuA58HdJLszkJmrUSSC6y0w,37 +gradio/_frontend_code/tooltip/src/tooltip.ts,sha256=91aSYE8be1E6y6dfMwRpqhk1ou5g0nXh-O64ycojj2Y,1001 +gradio/_frontend_code/tootils/package.json,sha256=UF9iEqoo71Ne80Q5G1j7SUef3FCI5SX4vsqxvG44-og,489 +gradio/_frontend_code/tootils/src/index.ts,sha256=owD6hC3szW3CJWNbj9p93_xmnYO3Wz4z7YpoY0yMh4U,6890 +gradio/_frontend_code/tootils/src/render.ts,sha256=ZjQ18HW1OkLlhC702JCBcTQMm-6SH7QGJ2rwuKRN4nA,4575 +gradio/_frontend_code/upload/package.json,sha256=WBQxtgdimW-N0DPMNWnN1Xo-1Aq0bFnID_JXAsKsmF4,689 +gradio/_frontend_code/upload/src/ModifyUpload.svelte,sha256=KLDjS6fAZqFnDHEaHWJXEGngasbLYUFyUfyKr7-zZTs,1146 +gradio/_frontend_code/upload/src/Upload.svelte,sha256=GZ_1WS_fI4Rpdfp2uc7lxmVoj7mArFcp-rKQZghadGM,8481 +gradio/_frontend_code/upload/src/UploadProgress.svelte,sha256=MPTRJqR6g3hzPB3_IN77SukAETb1_J8W06oiDbEzle4,4483 +gradio/_frontend_code/upload/src/index.ts,sha256=pRNPiwK_A5-pLZhPtAYd2a0nO96iOlibbioJ8w_ZsnE,118 +gradio/_frontend_code/uploadbutton/Index.svelte,sha256=nNlfkZhkFPsGrDvYrkr_S6yiXST_apyKSGQaLOwmzYw,1713 +gradio/_frontend_code/uploadbutton/package.json,sha256=jGvASwLfHXTRHOpynJ89KhruHNyipW0DNy4TRgmEB1Y,792 +gradio/_frontend_code/uploadbutton/shared/UploadButton.svelte,sha256=iDj-n6LQKbXrThQNh6QDj__39UuRrB_1ABu-6gZJBOA,2988 +gradio/_frontend_code/utils/package.json,sha256=K-mcVRAq1o9C0gF1cZ9T1gdPxLh3mLXJgG5mgxki0KA,648 +gradio/_frontend_code/utils/src/color.ts,sha256=szs0PWQ_4BkJVpVv_xUFbj1OWehK4D5MrK6hhlefswY,187 +gradio/_frontend_code/utils/src/index.ts,sha256=TemKs2Whqo7i4Ro4ZF3ybGN00Ec_xZfa0yjcGIjelyA,56 +gradio/_frontend_code/utils/src/utils.ts,sha256=CV5jHeSnmo8iy9ec8EsSVTuuL_pQfZkKg1--XD9Fj0E,6738 +gradio/_frontend_code/video/Example.svelte,sha256=lLdOItXcu91QWPIjDS7cU2PRBG_JJzXjble7FfwT75M,1587 +gradio/_frontend_code/video/Index.svelte,sha256=3KeRTrhG6rNhnHFPnjfEw0QDYdTRWJ33iJElS5l4Tpg,5676 +gradio/_frontend_code/video/index.ts,sha256=z8qzgqYKynBOk6Ri4ezpk_kLZ6sgAYA_p948Xl0KEtk,419 +gradio/_frontend_code/video/package.json,sha256=butKwrjEasiA279wbyKXgURurGDUsdbMrK6fGlaLLDY,1439 +gradio/_frontend_code/video/shared/InteractiveVideo.svelte,sha256=E8CxPOPbDPbbH6GRsXOF5iKP56Kl4YoBIgRIhkXTD9I,4005 +gradio/_frontend_code/video/shared/Player.svelte,sha256=U6fBNk-rtddfJ8nl_BcwAP-oiyXGp5ub65VAQjOgXw0,6158 +gradio/_frontend_code/video/shared/Video.svelte,sha256=BToTEX4guiOAOk-_BzVjwcHk2HvJzXcdrFxvLxt9V6k,5587 +gradio/_frontend_code/video/shared/VideoControls.svelte,sha256=Do1vcIHJbDg0B6sUvxXSaG6VW08_zRtnbJ5bceehFU8,4265 +gradio/_frontend_code/video/shared/VideoPreview.svelte,sha256=e94qNkCKx_1Z8taxsxeav5iThZTAiBqDVW-RgN6RNKU,2894 +gradio/_frontend_code/video/shared/VideoTimeline.svelte,sha256=kAZKek_soHplXYrjMu3K50nt2ywnm0iRRbMo7G_Um18,6851 +gradio/_frontend_code/video/shared/index.ts,sha256=y2Ysps8mncaAIp1T4uvUfOasvkoIJtAISBNwpWDF6XQ,51 +gradio/_frontend_code/video/shared/utils.ts,sha256=Q35g-6J56gIqBR0-GEzcN_5aATe_2B9YIB6I0wjLSS8,3732 +gradio/_frontend_code/wasm/network/host.ts,sha256=5QsC82jtPn_UHenuZ0jEXO6x-kTYROmBv7OXQlCnWQ8,558 +gradio/_frontend_code/wasm/network/index.ts,sha256=OhNDlMPlrlkctpiwZD60sf_o7Qpkf-MqxdDZjBW4X5M,24 +gradio/_frontend_code/wasm/package.json,sha256=mTz7GtQMtQQPXcWZRLuYE5W7LvrzwCXNGcmHqPY6I54,1246 +gradio/_frontend_code/wasm/src/asgi-types.ts,sha256=noCwWhk2AR8VRS7wq2vDuuYNws-qxTwBCwnqrb9YQoM,1531 +gradio/_frontend_code/wasm/src/cross-origin-worker.ts,sha256=yl4nC_Q1pQEt4kbCMkFWsiiUJj30v0OPBsYXql098gs,2869 +gradio/_frontend_code/wasm/src/http.ts,sha256=sEZUJr6ywZxxCNKo5XluuCuRyJqWH0CQgNAJaevGGRc,1992 +gradio/_frontend_code/wasm/src/index.ts,sha256=FRKBzHllpQTVARNQ-ltQXNO6TyqYLymTUHcSw2UMEuM,118 +gradio/_frontend_code/wasm/src/message-types.ts,sha256=CNIjXZWDd4sPC9ry-uubIdXAHxt3tgGIjadJ1zfMOvw,2362 +gradio/_frontend_code/wasm/src/promise-delegate.ts,sha256=LVslXtlPIy5JHO4oJ4K9Wuv_ZXqW-O3nJTbZzpSnCLg,602 +gradio/_frontend_code/wasm/src/sse.ts,sha256=ZYWBltyqWwFBaOh1Zrflo2iIaj8188tUqdek8fi4eD4,9620 +gradio/_frontend_code/wasm/src/webworker/asgi.ts,sha256=wmNCbDm1AdV6mh48EOMsXkq8oyT9XCpgDL9isqk4sdA,1196 +gradio/_frontend_code/wasm/src/webworker/awaitable-queue.ts,sha256=BzdZtAp3rCTgfe8XknGz7LJzUv09RzlJTOXRO-bDuA0,2033 +gradio/_frontend_code/wasm/src/webworker/file.ts,sha256=EY34GOxfy8zhkQomdknlrEaJ9XVaWZSDoctKBiTIims,1531 +gradio/_frontend_code/wasm/src/webworker/index.ts,sha256=UqDi2JjPk7-EWYogdNRJ46yzB6SDVREW9as09DWCltM,16479 +gradio/_frontend_code/wasm/src/webworker/py/.editorconfig,sha256=cpXA-vcz_6dtfYuAa2i4ngA4poxtKmy-_RzPSppsCQQ,44 +gradio/_frontend_code/wasm/src/webworker/py/__pycache__/script_runner.cpython-310.pyc,, +gradio/_frontend_code/wasm/src/webworker/py/__pycache__/unload_modules.cpython-310.pyc,, +gradio/_frontend_code/wasm/src/webworker/py/script_runner.py,sha256=H2GO6stb_Z5ohUuy4_XMX3X7eQUNMGx2vwniMma6IrM,6226 +gradio/_frontend_code/wasm/src/webworker/py/unload_modules.py,sha256=gc-QWoEawkR3zcwzASsUs3a7PotvQBa-Yv_-8KPZY7U,5934 +gradio/_frontend_code/wasm/src/webworker/random.ts,sha256=tddiSLHFTbisnWOFP07rgd4GkVTgCm_C8NnJfju1uHg,262 +gradio/_frontend_code/wasm/src/webworker/requirements.ts,sha256=L9u_p6XCCMjJngq1LfJ2dXpJjpcHFmJI6LkFao9xq-A,536 +gradio/_frontend_code/wasm/src/worker-proxy.ts,sha256=F_d9H9c9eRqzJvKco1mcUCah41tVEfgjHPSO9KnvgKM,9430 +gradio/_frontend_code/wasm/svelte/DownloadLink.svelte,sha256=2ThAuStUV8m3qI7NXEHfU3LrISMOmVVQO1xDkKcigyA,2296 +gradio/_frontend_code/wasm/svelte/context.ts,sha256=tEhrV7Qp3SWXacdXWr2OpwjDf59M1HEkogVwCNavGAY,410 +gradio/_frontend_code/wasm/svelte/file-url.ts,sha256=ezhK36pl8xW-HNRvsr5lo0v69OhEXo4x-mly36SVqpo,1810 +gradio/_frontend_code/wasm/svelte/index.ts,sha256=oi4VyL0Yac-k3x7B5p6C6Y_E_7F_Z9vNwWlPCNkTLlo,120 +gradio/_frontend_code/wasm/vite.worker.config.js,sha256=1pRE66jzjHhW6q-xmmDRsFpVHIYYeLoek-dMIUMoKZU,2269 +gradio/_simple_templates/__init__.py,sha256=Gch9wDUHBu3eMMRKYdGrkLTJuqckvLSMT6tbsNs8Z2M,183 +gradio/_simple_templates/__pycache__/__init__.cpython-310.pyc,, +gradio/_simple_templates/__pycache__/simpledropdown.cpython-310.pyc,, +gradio/_simple_templates/__pycache__/simpleimage.cpython-310.pyc,, +gradio/_simple_templates/__pycache__/simpletextbox.cpython-310.pyc,, +gradio/_simple_templates/simpledropdown.py,sha256=Pd9W0Kk9NfG3ea7XuV6KLi1mq8_F9DLfrw-Q25HTaLI,6291 +gradio/_simple_templates/simpledropdown.pyi,sha256=Y74k3GGBpDJA86i_lFdHNzwhRzRiYr9sBmsCEm_zGs0,22913 +gradio/_simple_templates/simpleimage.py,sha256=Yx7tztd9xeoQo_xJgLiLGMKGKiGeAD_GEsBpS5AxcEY,5601 +gradio/_simple_templates/simpleimage.pyi,sha256=WZrFYEUN7l9ZT6HMPiH483jQm2xCc4KzUPfJqIFZhQw,22223 +gradio/_simple_templates/simpletextbox.py,sha256=KaoPtg-wYNo3IH9S3Y6gIIiC-xJwJ_2hlLRZIyopHtE,5125 +gradio/_simple_templates/simpletextbox.pyi,sha256=ST11gjjFAKEI0kHEVZ2l-c39no4V6D8m77gakrDgxmg,21747 +gradio/analytics.py,sha256=TtbKPpvhR0cfzRoUMnsZRtAHuWkH9Bwp_2IZMoeljt4,8140 +gradio/blocks.py,sha256=lOmLKC9zhn5E7ktMk7IyKVhxEK-D1sr-rityU7C1biY,132368 +gradio/blocks_events.py,sha256=JdLlXu2ccAOE9lS1XqiECKf6H0fjrH9Vk4wYPp5zjyw,910 +gradio/blocks_events.pyi,sha256=TcJnyY2DygQPA0OnO3lDSUNKOZfKEPBSA28JnGbOPMw,6589 +gradio/chat_interface.py,sha256=oLFrR_5cN3j9nNudSVcPHNXqNY6ZzqbgIbZLDEReoco,37062 +gradio/cli/__init__.py,sha256=fF7DnP4Ps0e0i5s-eCXPHo37lpQqZgxvoDWGuD3TGak,117 +gradio/cli/__pycache__/__init__.cpython-310.pyc,, +gradio/cli/__pycache__/cli.cpython-310.pyc,, +gradio/cli/cli.py,sha256=h2vxGhsTnYMl6wI0301UtXQfr3qhHsv8Jq9rt-AWeNY,1239 +gradio/cli/commands/__init__.py,sha256=iUT1f4XWdUejax3eBb3r8pkd5Fmi1svMfkPhoeXx0N0,243 +gradio/cli/commands/__pycache__/__init__.cpython-310.pyc,, +gradio/cli/commands/__pycache__/cli_env_info.cpython-310.pyc,, +gradio/cli/commands/__pycache__/deploy_space.cpython-310.pyc,, +gradio/cli/commands/__pycache__/display.cpython-310.pyc,, +gradio/cli/commands/__pycache__/reload.cpython-310.pyc,, +gradio/cli/commands/__pycache__/utils.cpython-310.pyc,, +gradio/cli/commands/cli_env_info.py,sha256=4ukERS2rgMQOlUnyvvsV3sqb3hxLEbeAPL1oOgFajKs,1711 +gradio/cli/commands/components/__init__.py,sha256=jArxVms_ZS6eug_h3jSt4pbNpU0XFAAkZ_qbrA9Xrk8,40 +gradio/cli/commands/components/__pycache__/__init__.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/_create_utils.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/_docs_assets.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/_docs_utils.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/app.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/build.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/create.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/dev.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/docs.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/install_component.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/publish.cpython-310.pyc,, +gradio/cli/commands/components/__pycache__/show.cpython-310.pyc,, +gradio/cli/commands/components/_create_utils.py,sha256=wPW3wzIpRxRdwQEE78WCsE90MY--HioPLufZMUrqY2U,12940 +gradio/cli/commands/components/_docs_assets.py,sha256=Kp3uZ5KPczZAykGilW-KSomI5ltXFWWsfvSOahF-kXY,2556 +gradio/cli/commands/components/_docs_utils.py,sha256=C9gjIe2OmiUvp6InuBL2PlX4H1wnOuPjZDZckBG1gpE,27585 +gradio/cli/commands/components/app.py,sha256=EPduChTv9dnpzi0Ru7K-CdRFME7TnFBjT0T2NhwGWps,910 +gradio/cli/commands/components/build.py,sha256=kVPvjRff6Dv44HgT3pfYG4ZpcWiSBeIcYj1B6mX95sg,6714 +gradio/cli/commands/components/create.py,sha256=hD7BxGP0vNjF1vtP707tOypzTnPWAT3dAlnkIooHYV0,7396 +gradio/cli/commands/components/dev.py,sha256=LoGw3Rj247WNAVeqx_rgNi0Y0csciAjQU6b50hi9Wus,3998 +gradio/cli/commands/components/docs.py,sha256=TgsPZpcFayVCcpCVRkDjvRFlDv2jxxiQPe9icDvyJ5U,6926 +gradio/cli/commands/components/files/README.md,sha256=H2sQSrGi_n65JlmkMsz2KYWJT4Wyn2EwEQOSvyFZzeM,352 +gradio/cli/commands/components/files/gitignore,sha256=PpQhmvGKrGI5Mt5YbNvGKjVW0LD6SoiTDXQ59dOOhI4,124 +gradio/cli/commands/components/files/gradio.config.js,sha256=a2pxGcUNNaW5sWifOFr9tTpVQaY1Ecbdm0_7S7RUiw0,110 +gradio/cli/commands/components/files/pyproject_.toml,sha256=b-ygjFrbbXycPRqJOryfvHofOT_z7aAeOBHxVpxZzns,1727 +gradio/cli/commands/components/install_component.py,sha256=_u2F4iPVEqw0A6HpwYLo7wVqUKJHLfaCj8E5marqtOE,4014 +gradio/cli/commands/components/publish.py,sha256=MVMTRpCvad2aj-7FIxlZtGqWHYLqXXPSk_04wnHmK84,10771 +gradio/cli/commands/components/show.py,sha256=MKx04ZPuwxMzKo8H26ZjvIFy8R2G-dceAwuH0Ms0uCs,2241 +gradio/cli/commands/deploy_space.py,sha256=y8aeDyi977tvCgbKRtrdgHkZ5kDwLPblpWRCAGZ2DEI,5876 +gradio/cli/commands/deploy_space_action.yaml,sha256=H8fTuoaAsRaGwjBgM_q81NgW8NTHCNdXw4nhOVYNifg,541 +gradio/cli/commands/display.py,sha256=J14_pCnrB76J4X6LxBTi_-oBq4a-5tTygvWBCi86DbE,882 +gradio/cli/commands/reload.py,sha256=lT9bm2AP4p17dxtD9N97VQJIIPi9K2PZ3EVtoyhHND4,3919 +gradio/cli/commands/utils.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +gradio/component_meta.py,sha256=U3tY5nnm5srlRfiLRvJzo62CJtZYChSdW0gBW4slrZg,11436 +gradio/components/__init__.py,sha256=DytYd9TJ4nLceB_99rZEhVwpOCdQq0rCTVHILAKcT2w,3467 +gradio/components/__pycache__/__init__.cpython-310.pyc,, +gradio/components/__pycache__/annotated_image.cpython-310.pyc,, +gradio/components/__pycache__/audio.cpython-310.pyc,, +gradio/components/__pycache__/bar_plot.cpython-310.pyc,, +gradio/components/__pycache__/base.cpython-310.pyc,, +gradio/components/__pycache__/button.cpython-310.pyc,, +gradio/components/__pycache__/chatbot.cpython-310.pyc,, +gradio/components/__pycache__/checkbox.cpython-310.pyc,, +gradio/components/__pycache__/checkboxgroup.cpython-310.pyc,, +gradio/components/__pycache__/clear_button.cpython-310.pyc,, +gradio/components/__pycache__/code.cpython-310.pyc,, +gradio/components/__pycache__/color_picker.cpython-310.pyc,, +gradio/components/__pycache__/dataframe.cpython-310.pyc,, +gradio/components/__pycache__/dataset.cpython-310.pyc,, +gradio/components/__pycache__/datetime.cpython-310.pyc,, +gradio/components/__pycache__/download_button.cpython-310.pyc,, +gradio/components/__pycache__/dropdown.cpython-310.pyc,, +gradio/components/__pycache__/duplicate_button.cpython-310.pyc,, +gradio/components/__pycache__/fallback.cpython-310.pyc,, +gradio/components/__pycache__/file.cpython-310.pyc,, +gradio/components/__pycache__/file_explorer.cpython-310.pyc,, +gradio/components/__pycache__/gallery.cpython-310.pyc,, +gradio/components/__pycache__/highlighted_text.cpython-310.pyc,, +gradio/components/__pycache__/html.cpython-310.pyc,, +gradio/components/__pycache__/image.cpython-310.pyc,, +gradio/components/__pycache__/image_editor.cpython-310.pyc,, +gradio/components/__pycache__/json_component.cpython-310.pyc,, +gradio/components/__pycache__/label.cpython-310.pyc,, +gradio/components/__pycache__/line_plot.cpython-310.pyc,, +gradio/components/__pycache__/login_button.cpython-310.pyc,, +gradio/components/__pycache__/logout_button.cpython-310.pyc,, +gradio/components/__pycache__/markdown.cpython-310.pyc,, +gradio/components/__pycache__/model3d.cpython-310.pyc,, +gradio/components/__pycache__/multimodal_textbox.cpython-310.pyc,, +gradio/components/__pycache__/native_plot.cpython-310.pyc,, +gradio/components/__pycache__/number.cpython-310.pyc,, +gradio/components/__pycache__/paramviewer.cpython-310.pyc,, +gradio/components/__pycache__/plot.cpython-310.pyc,, +gradio/components/__pycache__/radio.cpython-310.pyc,, +gradio/components/__pycache__/scatter_plot.cpython-310.pyc,, +gradio/components/__pycache__/slider.cpython-310.pyc,, +gradio/components/__pycache__/state.cpython-310.pyc,, +gradio/components/__pycache__/textbox.cpython-310.pyc,, +gradio/components/__pycache__/timer.cpython-310.pyc,, +gradio/components/__pycache__/upload_button.cpython-310.pyc,, +gradio/components/__pycache__/video.cpython-310.pyc,, +gradio/components/annotated_image.py,sha256=PGujMf4bg3dQW34uex_18sV3ixPXQB6BCSErsBhVlW0,11265 +gradio/components/annotated_image.pyi,sha256=Do-ZYmfsUzekneVPEOi9PP1C-u1FD1E5oBnBM6owNUc,16946 +gradio/components/audio.py,sha256=_F_OoL9gL6prxYYQ8gAR9JZTtpb3RJ4rcfYP-l_mqR8,20577 +gradio/components/audio.pyi,sha256=zbLT4WklftLnnhWQEO01aQD6abYC7R9GCL9VYhdUBWM,86845 +gradio/components/bar_plot.py,sha256=wCYsZ9outGxnT7EFsJpstrNO2omElxph9oI1PzTI_Ow,13821 +gradio/components/base.py,sha256=Xe9SY7uVIdg1JxxWngqPN8VR6eZp0_QC-Dc4pCfMmHc,16662 +gradio/components/base.pyi,sha256=FEyIW8lQI_9Ug2dkul5BDBKWbzhvAEhHQiUM_TpP1oM,17217 +gradio/components/button.py,sha256=SbCaGKw_kALn_jTi5LGeZoKNjcpYImx-AUkg4Pt7S_U,4976 +gradio/components/button.pyi,sha256=Ph8QaLuSo_yHtwlTx0-nP1zxpsGy7uQevQA8EcZg4NQ,10656 +gradio/components/chatbot.py,sha256=KnKGzZR7HUZ4wt6E_bc9vFDfWBuWXEgBs0CSNDiYVxI,28181 +gradio/components/chatbot.pyi,sha256=V6Q3PbOrrQeITH7acQCuxyZIjV3QrEIDrvU7Oy6fMWs,61377 +gradio/components/checkbox.py,sha256=ByguNsVZz5DOhN2r4LR4ScA2CgdNIzACaw-e_1Hjxho,5216 +gradio/components/checkbox.pyi,sha256=YLsjPj8AjPU14sLgH3jzCZKzLO-dMPnT-1Ft34ofAR0,21838 +gradio/components/checkboxgroup.py,sha256=r7OUAe8wz9MgYQAgdEJvumloO8a9AuNROGUqYUiy9Yc,7765 +gradio/components/checkboxgroup.pyi,sha256=pHvcOVmR6_DuLvUyazoVJVuKuk6tdM9LhY0N3aRmYU4,24387 +gradio/components/clear_button.py,sha256=5cgkHea0Xj_ODllBpUBZtELA-vObOHrxBUug_DRiV5A,4851 +gradio/components/clear_button.pyi,sha256=2Q_6yPTnoDSOtL1pBqMYRuYTyJdenKDjM9wXw28RoVE,5060 +gradio/components/code.py,sha256=qy8BKVva96fAKUX9Q5HUnpOPlyLX8kzOaHVAwfrC5ks,7344 +gradio/components/code.pyi,sha256=ntam-eCj1Hr_Roea1ufRJxqyzPtC-qCJ-XOkJnrkRKM,29434 +gradio/components/color_picker.py,sha256=djRXVTzs8VP8oMwPuWHik3Or0ChfZWXAIoBhAlflQiU,5399 +gradio/components/color_picker.pyi,sha256=OFVZ3x9yjDE5yyjjvBmshAcgos4jVwGIAnuIZLKaU0s,32960 +gradio/components/dataframe.py,sha256=X5FMToauWLE-bVTLH212RMxOkCHZwH5H3T3j599riTE,18879 +gradio/components/dataframe.pyi,sha256=gmb550abiH87M3TPPcSzcqIVmGOaBek78gMT2gaRRm0,35501 +gradio/components/dataset.py,sha256=N9UIYN_IUy88T4yahTXVcR5-03Pot_QYp2ANMCVxY7A,9213 +gradio/components/dataset.pyi,sha256=qJM3gemUg4_BFJ281z0bzjuIpuwc31FecbJnJQN6fSE,20364 +gradio/components/datetime.py,sha256=ALVcZRmA8_5xBeJ5-PSyQQ8Q_2G7_x2oVWbAuY4efOc,6789 +gradio/components/datetime.pyi,sha256=zYCEk4V2cO7ESO08ybKd_ZKG6QTB3FwQNWtSW4yutLA,17941 +gradio/components/download_button.py,sha256=dAjsidZJ3GJQcdhvMIp1xr6tG5i-odXdEknqajbhSV8,5440 +gradio/components/download_button.pyi,sha256=pD2cNiChts29um_LlTPYxq4l_Qg3l7C1s8q5UTSGRmo,11120 +gradio/components/dropdown.py,sha256=kw2M5KYyre7K1YYPEMhsCKsx8s4JKoQUwLtncwgZ6K4,10789 +gradio/components/dropdown.pyi,sha256=6B1wZKThJZh1-RZrSzLU2LZ20rafE2jW7aALvAHhoBo,43821 +gradio/components/duplicate_button.py,sha256=HZGR_pVZ8CW_wv_rigLDPs-7Hq1gH0IA5duGgwRgB7M,4591 +gradio/components/duplicate_button.pyi,sha256=JPxdJPMqofYCAfet6fyO30Cy9ubaCj56x8fcLR_-f94,4800 +gradio/components/fallback.py,sha256=V45NWD4dds0na0EJk2dSy1qB14RSBrU4OamGHib8GSI,994 +gradio/components/fallback.pyi,sha256=0yxp_0H7FZaRFrTXY0pVUgjX5W104NixdJfVLmw42NU,1203 +gradio/components/file.py,sha256=WXQj00DkTaSoElZQ9uMfVOTQgDT829zk6UCYsGdRwG8,11719 +gradio/components/file.pyi,sha256=kq9TvzbhT-cEaGKTSW_UJj12oeaLdN8ZrxnNlBp6aIo,39283 +gradio/components/file_explorer.py,sha256=h2CDjQ3Uimr4lZQQRFDXCrBFSFOrewoFII2MemOpYIE,10325 +gradio/components/file_explorer.pyi,sha256=IvHdOgTpewQpNjCu02ydklQoVXiEVo1eWp8stQSpJrk,16006 +gradio/components/gallery.py,sha256=pdbZBYdgcqOhfHdbJ_Rch719ZYIN7fefMfKI91Oqwwc,15352 +gradio/components/gallery.pyi,sha256=rnoVlYFotg7PoZBcboetP4vPleiJz_XeUGwyeBhN-Qs,31975 +gradio/components/highlighted_text.py,sha256=mTdXlY0J4hvOH0ReS-0ON00RIEQdYITb0r1oRTo6OhI,9338 +gradio/components/highlighted_text.pyi,sha256=cKY-GY5mVR1bU9ECxlRZrhfmYK1ue5ooCwbhdypXhDM,20490 +gradio/components/html.py,sha256=LEfK94OBi20zIokrXginIgrvdPgF9ySaSLaSsSSI-Tg,4336 +gradio/components/html.pyi,sha256=yB6U85hXM2tA3htGKpGnRVLgLoXp3JX_CIfQpBOR_80,10017 +gradio/components/image.py,sha256=w03NvVywVpikpI3DmW-O6ewkG_6_dpZWOq9EfqBMCxg,16055 +gradio/components/image.pyi,sha256=bKe2Z2S5R9zFEpVtwuwcAMX57CbPpmt5hmfTQ6OD43U,49477 +gradio/components/image_editor.py,sha256=lrn0m9bZJCU1jdKMLYjN7sllJuyISEDIFOz7Dq-tVJs,21175 +gradio/components/image_editor.pyi,sha256=0VjlB7QQOBlgbYXNO72sAqUoHsnfV1t2lwx97YFswOs,54208 +gradio/components/json_component.py,sha256=efniZaJ4ssAtv35JdboXnzm26aV7xTn6dS729toKMkY,6559 +gradio/components/json_component.pyi,sha256=mGkNdDM2A8UMCsrLK0QdUYUoqzyVVZGvBxw68tkejNc,12240 +gradio/components/label.py,sha256=hJ5hPNiWUUOE8sdDOSSdnqc-nhVVVZACLWhvkgvN93c,7937 +gradio/components/label.pyi,sha256=fPOOs9jzWrjmEA28Rn1dLJCD3aH3ppSgi-xH6xEAQrk,19089 +gradio/components/line_plot.py,sha256=adFfgEb6DAlFJKaj9m9Z_jecejCuRa82d7l174rJiHQ,16018 +gradio/components/login_button.py,sha256=qLIgsBNbmEq8PV_gugjjyVTSLq5-5cHavYmPTV9sRJk,4352 +gradio/components/login_button.pyi,sha256=I35Fy2cQiWdEdKplAQcPKCpweYzECbnHKX-3VvzVOoU,4561 +gradio/components/logout_button.py,sha256=YAKacBYrj_RjOkCLxR5961p_ZwFBjzKcfU24t2NZMbU,2152 +gradio/components/markdown.py,sha256=eGEYLfSLRD7csOFGi1fQImRjA-GD1X2l3hBmbu7VgRQ,7190 +gradio/components/markdown.pyi,sha256=YK9KoxXZU4-PY4vSl9vL8NHS_pcDbgnapFC8X2yGJzE,12871 +gradio/components/model3d.py,sha256=3vRleoplHsna0P_qagu_U4cpb5BjoabQjs4Vk8Yf2FA,7741 +gradio/components/model3d.pyi,sha256=EgV1NACmsgUCMCR1A0IE5r3_CfUbCJ__oqtzwg-jOwU,29832 +gradio/components/multimodal_textbox.py,sha256=GH6cAnzj2qAqP2FgCsrIntpcK8fcuX7jMl8A33_ZXwQ,10962 +gradio/components/multimodal_textbox.pyi,sha256=vSSlHZAs4gyY3Taru_eTdYhJvYQGFYTprGUrcfJTDWM,49463 +gradio/components/native_plot.py,sha256=T95PHb_K7Sa6ynrBMz154VX3rPdGhAAsdace4DKY_V0,11098 +gradio/components/native_plot.pyi,sha256=WLO5mdC1-ahFY-_WxY1HEEZrPzZDTFK-TDDM6JR9kXI,22775 +gradio/components/number.py,sha256=QqonT_kNEDOEC8k4U0IIWX3nQNdI3MVi355rvTtuLkc,7384 +gradio/components/number.pyi,sha256=nFqveHfZ6JK5ER0qf960dEQhUTDaBqHcyPYeYeDqe5w,29476 +gradio/components/paramviewer.py,sha256=LA6qgkKWYgSCjOMSbI_VFyoBpDT5GFlr_jE49syjvc0,4637 +gradio/components/paramviewer.pyi,sha256=9grSohPqyHPWhFA5AAmR_Lso4aIRJF_cIEUFhLVIJg4,15789 +gradio/components/plot.py,sha256=dM6pKWD2BiqC4Hp9Du3LXVXHj-ImtOUHTP8C5uGHKMk,7212 +gradio/components/plot.pyi,sha256=ZVGX_tZ8g2ghZfKOfZFM1JmKW51zBC2Hlzk2v1gFY8Q,18363 +gradio/components/radio.py,sha256=6Dr9Rsl5nTVoE10C_1AOEe4Ry69UWQduAX86TedJkaE,7209 +gradio/components/radio.pyi,sha256=u_ou9lgmDB160QuHQwqGbi6IBKS-IaoLtDIhFXG7xPU,23831 +gradio/components/scatter_plot.py,sha256=z2GjCb4KrniGJnnMwg5AILJ3UJL1OICkyq4nSoRpEc0,16422 +gradio/components/slider.py,sha256=vwCcJV3eeOcGtsbUx5WGIzOTTP2NEWzSbQpA656Bl6Q,6633 +gradio/components/slider.pyi,sha256=nRTq6jin5_lPrOzQVm99HTlkVGaIK_GO5iB_DW1-8Os,23256 +gradio/components/state.py,sha256=tC35OIzbBfO8OiFzsfqvZKNxi9-dNC40Ohu_JPM-nms,3114 +gradio/components/state.pyi,sha256=-j-6GegQe3Svz1odkwWEbC5O1Ov1ZFgRIhbPIZZdH64,8795 +gradio/components/textbox.py,sha256=Yjz0lHA_fQ0zvmFnJoXKSIlXfD1y1QMi0BgUXrfntk8,8257 +gradio/components/textbox.pyi,sha256=DZEIuioGAGk6q5f1bX3Mz0uvSNb9XxQf9dYo86kezMc,46758 +gradio/components/timer.py,sha256=neuREdGGxQqS0E-vTAd_CWsf2MR0VyLaOLbq0YFZL4g,1775 +gradio/components/timer.pyi,sha256=izSCTGm0yaCJzkaoUQkTH97GT7iJ5h6EzaCJxZWMz88,7454 +gradio/components/upload_button.py,sha256=DbXFOZtCuhWKcpWolfAUtzSJ-5xpNSkVk_za51KN_No,10761 +gradio/components/upload_button.pyi,sha256=NLRqGtMEM0nHInTZuTGpF0W_aD_B-nR8MmDRZGB-0zU,21912 +gradio/components/video.py,sha256=rOnh76dORHNwH36eDT_CmAT-BmgB_9DVic7Ugm3Td2c,26385 +gradio/components/video.pyi,sha256=V6pA0MO-Qe15SXXJpi09P5wJgTleNpf7et93m7Bu1O0,75842 +gradio/context.py,sha256=VaPSghIKAlgll4raHDKDmTl2EAELSEHC0dY-VTRA-bY,2113 +gradio/data_classes.py,sha256=I8GeDxh1QNB4Iv--Itl-gx69NK6JX_m8DSkarknhTP0,10233 +gradio/events.py,sha256=QyT8AFMC7V12OyWaHsq1eBBhyk-UVtv20jRx8uSXxNM,42348 +gradio/exceptions.py,sha256=vf4HHKZSL_7pJdd3Oo67s2ehPDolGAoXbRgU5Wk1oSM,2797 +gradio/external.py,sha256=G-qEQiEodKIQpeTFkgk_z0kcQNMo2LRvaJ2vrY5rJyw,22872 +gradio/external_utils.py,sha256=lk0oUM_3GgNi0s3L8C_eFhRPLgriSrJx2jIXU7QOcOc,8931 +gradio/flagging.py,sha256=d78oELavFPcTKB93pBvsn3csF5WE0Zim9w0TtfFb61c,14101 +gradio/helpers.py,sha256=Cb4dJLiZ9WD5ErvVhWwU2R5djWk2jjGV3xdvl0fRVaE,48689 +gradio/http_server.py,sha256=ZNq9Phm6ZaloH-hnE8xdpzxtlSx3sbeuoA0tDIoqAlo,6917 +gradio/image_utils.py,sha256=iQ-gQXviah8WXI78ZZjSk7QB1ZijNzyHvOOmrDgFSJ0,4883 +gradio/interface.py,sha256=2ykqUOWivKYlRB1eDe1M2lQcmOZRY5V7FX7xvQk_TW8,46772 +gradio/ipython_ext.py,sha256=8lO2nFDRMR4lzOXbqSjad4HfYyrhhT8qZEOSHnDl1TU,2525 +gradio/layouts/__init__.py,sha256=xWIR1YS6u0Ip4LHV7HxgWx8wUH6s4U5oICiN_-3sRv0,286 +gradio/layouts/__pycache__/__init__.cpython-310.pyc,, +gradio/layouts/__pycache__/accordion.cpython-310.pyc,, +gradio/layouts/__pycache__/column.cpython-310.pyc,, +gradio/layouts/__pycache__/form.cpython-310.pyc,, +gradio/layouts/__pycache__/group.cpython-310.pyc,, +gradio/layouts/__pycache__/row.cpython-310.pyc,, +gradio/layouts/__pycache__/tabs.cpython-310.pyc,, +gradio/layouts/accordion.py,sha256=mYFsfN7XCN0E3WP0Oe0m8FmMKGiIbqyNcSVbkHv26os,1656 +gradio/layouts/accordion.pyi,sha256=zbLc12GO3UaC4hNNoxObaJ7jPCAknCllFWEEcKX_nx0,1865 +gradio/layouts/column.py,sha256=I2qhvgWJpzZdBBJ7EN3X1zl9yBJBe86gWNQkFIaXVbY,3109 +gradio/layouts/column.pyi,sha256=inhLtDIB15n4yLZiFpUm3q6dOfz6yV3LZGYasl5GeSc,3318 +gradio/layouts/form.py,sha256=doMMaWYgUYhDU3zoS4lt4Il3VTEm_YhavXuN_XmIHws,2020 +gradio/layouts/form.pyi,sha256=MjsY6190i-oWBYbk4YLlKK3RTvMd0lY0h_SbK6sl4rw,2229 +gradio/layouts/group.py,sha256=F-fs8859gzvFMgrhvkTg18Yf_VFXZU-SEWaY8qNHpL4,1495 +gradio/layouts/group.pyi,sha256=ygNJ3WAB1SmmC8oCz55-tqCU8SOaL_EmfYfFDrEBfBE,1704 +gradio/layouts/row.py,sha256=-he8fZpq6juAhMTONjD1h3ZHiGXZExPjnaddXxArxCk,3518 +gradio/layouts/row.pyi,sha256=np8VJ_pr4O0QFaxeGVwVTOxcf4BUnIemYz8iu3b-k3c,3727 +gradio/layouts/tabs.py,sha256=XoHtX_X_kALYCL61Y-Fb4QW2e9QvnUA9QkEqcOvaQpM,3769 +gradio/layouts/tabs.pyi,sha256=epLToVMlMN4fGg0--Hxo_52BRM0IJufQ-stozqcvQTM,20566 +gradio/monitoring_dashboard.py,sha256=coVkcqaNK1NAVYhFZZgaOghbAJPuUCDb0L8rieH5D58,3170 +gradio/networking.py,sha256=BL_jMRApANjcEv7KNa5YhBFAvjVb3I4Q_Rd_4BEF5ZY,2064 +gradio/node_server.py,sha256=emucbN86q41MZuyiWZ00m8lLE1qPxPk11B8rOxaVPoA,6415 +gradio/oauth.py,sha256=r8u2a6DfbKNJXeYaD34nw-aeNtJu-77XVmfY8Z8iUvU,14138 +gradio/package.json,sha256=kQn1u-G2kdmgA1QY7ooz_xvtl8NahCvNm6x_72-BZPk,81 +gradio/pipelines.py,sha256=Z8eoxD-agLj285aXneMydBaA8RlW57D4f34pBdVHbiI,4653 +gradio/pipelines_utils.py,sha256=2rNQ7jPVwMfPXRKFak7tqT67YyIRjhp1aKk_UyowfNY,33005 +gradio/processing_utils.py,sha256=YBhDC_bHpnXwxCd7SsBx4k_JPT-4fr9825euitLH8rg,43769 +gradio/queueing.py,sha256=YJ5dSilr4oPfgnykD_n0XHzPDEBm8cKCCeDsUmRuQr4,31068 +gradio/ranged_response.py,sha256=jct3o6ZgXAcMf3Vc9s6S1BsBN67tKzyF0ZNA6Ccd3og,6336 +gradio/renderable.py,sha256=qN0jcZDy9uFBEiCA8vEXjr8QqpZkg0nDneOFGbcAtes,7086 +gradio/route_utils.py,sha256=pu5kmCEPC6cQG3UbnR4Bjahyl1BaZWAKYpFeiO2TQZM,34723 +gradio/routes.py,sha256=ItkRyiHcsQS23dKByiG1pkVvkC8LBZkQ2wpaI20UT84,68518 +gradio/server_messages.py,sha256=jm-SsoBsrBzLLXmMWZMcMARsLZlQ_U6TOh14yKX9Zhw,2319 +gradio/state_holder.py,sha256=vv0OsB4XmUBd4qR5irrrrnrE6tfsE_ab19kusKgLU5o,4479 +gradio/strings.py,sha256=JU7GGidxNx3J85lwMoi4-GwxfRZcNzKVm8m0aQFuiio,2602 +gradio/stubs/anyio.pyi,sha256=sPjwOen5DlAvbh4E6N7nxge-e0p4NF6PHjlhLonfuCs,2313 +gradio/templates.py,sha256=BQiJPOB2N3D2tx0NM0a5P7K81jJY803Rhfrl3dm6FhM,23466 +gradio/templates.pyi,sha256=xCiLyw0yrwRl61AqPm_FfwYD1ZVJSRNrpjJ-MnBQ-UU,25232 +gradio/templates/frontend/assets/AltairPlot-C82q-ufs.js,sha256=fQUka0hLHzT_V85Ib5VK9fqr8Xnd6djSXkCtm7GHyEM,4739 +gradio/templates/frontend/assets/AltairPlot-C82q-ufs.js.map,sha256=OdSjkehOm0YvRIoDS4TJlvPSsFGDbXZyXdFbDtepPh0,12643 +gradio/templates/frontend/assets/AltairPlot-CSe9xcFj.css,sha256=GstHlQBXaihn5CFTKFkdxUgn4uNaWtSPYIrvFYe0EqY,880 +gradio/templates/frontend/assets/Block-DaFZxmCe.js,sha256=oLKu2BoSGiB2prMV-t2-3fd6Tpcayy5FPbfXL5534wQ,5472 +gradio/templates/frontend/assets/Block-DaFZxmCe.js.map,sha256=0Z1PRKwjGyROptHj1mvJzzF4csx0jq0pV8lOcCkspmY,5978 +gradio/templates/frontend/assets/BlockLabel-BZVM33rA.js,sha256=mxenGsTYzBiHml3nNw3tavg3P932sQxK28w-cp5p7MA,1771 +gradio/templates/frontend/assets/BlockLabel-BZVM33rA.js.map,sha256=xly_IzJrU59yHFJoxBl6GFaltJ3vv17wWbDCQDZaf7c,2369 +gradio/templates/frontend/assets/BlockTitle-DNmK82f-.js,sha256=oIWSpQNFPlDiXVcpXZWtgmRKshEkiKrOiXr-IPHaE8s,2065 +gradio/templates/frontend/assets/BlockTitle-DNmK82f-.js.map,sha256=QqWcS5bWyaidcAkDIiLppZ8CRR0Jmt446WBWsAfw7A0,1689 +gradio/templates/frontend/assets/Blocks-0wj-ewpQ.js,sha256=Ue8YkxUNNyxbjBNvyfYekgTZ2Xyd5jmSe8OXTdCjHbA,98072 +gradio/templates/frontend/assets/Blocks-0wj-ewpQ.js.map,sha256=x9VxKE2pL4M3TlJLrCBMtPi5nreC19qvDKLTSrBsZGk,127472 +gradio/templates/frontend/assets/Blocks-yLdzXwzS.css,sha256=PN5Ke75WGTo7h_kL8zgfTCMeBWqIguxdQsF0TJkkzi8,11014 +gradio/templates/frontend/assets/BokehPlot-CHWxUyLl.js,sha256=n0wCYphLdnR7gwxmPkBOFtUM60T4t5aYsz-5ACtniZ4,2047 +gradio/templates/frontend/assets/BokehPlot-CHWxUyLl.js.map,sha256=JsQa5MpgfSO3e7EHPkabIwpD0oDDKKOFa89vbLSdkHs,4397 +gradio/templates/frontend/assets/BokehPlot-Cd-I2ErV.css,sha256=8PW6X7eeBzZ1_ZxGXEwdzDbUWjWYq_XAa23_UZ7mtwM,66 +gradio/templates/frontend/assets/Button-BpHoOPp9.css,sha256=hnszuxl8l9uWPiX6skNsIHyCcKVlqrZKdVP1YtNI5Yg,3179 +gradio/templates/frontend/assets/Button-CC-flgCC.js,sha256=ES0sEdsFXPoWwj48nwCPiUnt6SW-EUvjsYkr3D0EVLQ,5429 +gradio/templates/frontend/assets/Button-CC-flgCC.js.map,sha256=NPZe9QK7ZRo7N77xMNqXm78zs4t3Urs2LGlw0UmXmIc,8012 +gradio/templates/frontend/assets/Canvas3D-DOa1DZdS.js,sha256=irohNUsmtx8vhdcEGSl89dv61TI9QfxODv3Lxf1-B4E,6135598 +gradio/templates/frontend/assets/Canvas3D-DOa1DZdS.js.map,sha256=l3qriRPXb3QVvj6QUQyCOgVCRemAP-k8wDvco631R3U,12839393 +gradio/templates/frontend/assets/Canvas3DGS-BiYa1Yza.js,sha256=zkLiA-SrJOarWxU7XoPiuDveY8mFh6aJxcU0ga1oGMc,189950 +gradio/templates/frontend/assets/Canvas3DGS-BiYa1Yza.js.map,sha256=Ev9EzcnznjgZLMbNJTo_6DiSn-LpAmIHaJK--pSciJY,301955 +gradio/templates/frontend/assets/Check-DE3hxLbD.js,sha256=0crmTI7wCxgdAWem-wKutR9abmM_CioPhjsACeKsbNg,634 +gradio/templates/frontend/assets/Check-DE3hxLbD.js.map,sha256=PInGGCYVtZeMeedpWpO0_MTHzkPMkJHNo-SXydaonMs,512 +gradio/templates/frontend/assets/Clear-By3xiIwg.js,sha256=6O1apS0djZhAcXfK7iNBas6PKaPQt5oFp9zNbvMbaGE,1067 +gradio/templates/frontend/assets/Clear-By3xiIwg.js.map,sha256=XIg6RYUzJSD-NihUtmSrzkpHUBbJeTJgOVHmocgfgPA,963 +gradio/templates/frontend/assets/Code-DGNrTu_I.js,sha256=ADSzf0igbW_UDLCkC7Mc3Ds2j97eJq9KIhVTNGypE2c,614 +gradio/templates/frontend/assets/Code-DGNrTu_I.js.map,sha256=SMqPhWrqWjIMqZdk22ybUbSCA7bvw-jiAbgMq3ZizCw,500 +gradio/templates/frontend/assets/Community-CC3ywblm.js,sha256=cEIN5YK5i_JtUXtiW105Q5IARogx28RcgM_gQuE9mYU,786 +gradio/templates/frontend/assets/Community-CC3ywblm.js.map,sha256=OAfRn_mXhPCmO4FQKpcWXJ3XlG1_giILH_WPbgrp94w,678 +gradio/templates/frontend/assets/Copy-B6RcHnoK.js,sha256=2ovfblpYTfI4qlY7ehq_w9wgcF7kzaFbErs0HM8eCrY,712 +gradio/templates/frontend/assets/Copy-B6RcHnoK.js.map,sha256=E61iyAPf3IKEZCe6Arqa18RdlkimE-iQ6TfjFDUNxic,614 +gradio/templates/frontend/assets/Download-DVtk-Jv3.js,sha256=49ytGP3-vA4_Xu7EAPCEHYr9uCIi6pH0suZZagov23k,636 +gradio/templates/frontend/assets/Download-DVtk-Jv3.js.map,sha256=lP0qem2gCjZwtieRc03ul-lbmKIWldTSBv1tIAoAXvs,533 +gradio/templates/frontend/assets/DownloadLink-CoHnReV-.js,sha256=gFqZzZxyJ-9a9Q2380QcRdaEmpavml8tLPeHamqGSbg,4130 +gradio/templates/frontend/assets/DownloadLink-CoHnReV-.js.map,sha256=r4NjkrsMVkK8jRD0I8CfBmV3O6XxlU_1LOSD7rFkW5s,4208 +gradio/templates/frontend/assets/DownloadLink-CqD3Uu0l.css,sha256=Uc9iiQHTs9o7upV-tfTfolr6qpa_Bfu-yRWa4U1klLU,56 +gradio/templates/frontend/assets/DropdownArrow-BZ9GbBqs.js,sha256=Y0mvmJwEgSD49juoPAXTnC68KaJ7becx89yyZbuBkVE,626 +gradio/templates/frontend/assets/DropdownArrow-BZ9GbBqs.js.map,sha256=M3eR9BqmEQezS4JDeDI1zcEu6dsu7TtBwMVJPTn_CXw,580 +gradio/templates/frontend/assets/Embed-CRG3vM33.js,sha256=gpnZCqthN9bKVAqZ0p3Xzu0Q-XSnXKe66EwPpNNtPXI,5038 +gradio/templates/frontend/assets/Embed-CRG3vM33.js.map,sha256=te-lPzJe1ZKM97UVpM2b6Q8X-RSCSPVDa_hJsr9rXA4,6927 +gradio/templates/frontend/assets/Empty-BNDtRLIn.js,sha256=kB181lvLueAYbrfr6yWzCcGULSfp4btj-XLNWWRRA2U,1804 +gradio/templates/frontend/assets/Empty-BNDtRLIn.js.map,sha256=6-hTQv83a8UgN28w-SdFugXhwHBaHG8z3wOhNBAHNqY,2166 +gradio/templates/frontend/assets/Example-6rv12T44.css,sha256=j14fOWIu8-l1EzzGdtTB6XztpF6XrM6snh8XGg7-yW8,451 +gradio/templates/frontend/assets/Example-B5CSTz0f.css,sha256=lCmly42A6cBMsZedc_U9JlAUqyE6L0U522Sj5VQxmx0,552 +gradio/templates/frontend/assets/Example-BBLMS951.js,sha256=oZBn_LC7U3NNNQ6I-8bpvO3moiJggorRlU_5KirElV0,567 +gradio/templates/frontend/assets/Example-BBLMS951.js.map,sha256=kUZ31pLBDWzV_I5Moi3GkvBaEPghFkGgkInJ7JLsUbc,400 +gradio/templates/frontend/assets/Example-BQyGztrG.js,sha256=e27LQro2r0w0ZKCpyaJIKksl_KDm0oSogeIbFOgAJ60,1106 +gradio/templates/frontend/assets/Example-BQyGztrG.js.map,sha256=mgOTaFjnx8c2Tf0s6UA0IaEJQnPp21FmVpAuiYqlrdg,975 +gradio/templates/frontend/assets/Example-BT2jlY4j.js,sha256=xe2qw5jxp90CICfubBT0If0_5BTxylel_CKBBGX6BTc,3619 +gradio/templates/frontend/assets/Example-BT2jlY4j.js.map,sha256=6I-B3MCvoj3JHc4xSz9cMTI5byWbFBkv8bQf8GjjwpE,4230 +gradio/templates/frontend/assets/Example-BaLyJYAe.js,sha256=6vhzucxBYHfwSCI0Yc0xcj3QtdYCB9PM5HJOG4zuvdI,1104 +gradio/templates/frontend/assets/Example-BaLyJYAe.js.map,sha256=Aynd-y6NyVulnKrMtr-1puZZAH_OfKCUU2T6d03He4Q,1008 +gradio/templates/frontend/assets/Example-BoMLuz1A.js,sha256=iSZFirJotxKfR-f3g6PcC79U0rNuI4ZHLBAkGbxBqpQ,1266 +gradio/templates/frontend/assets/Example-BoMLuz1A.js.map,sha256=E07rUxugbZMnsjsx006w5hvcgusQFl1AVdFC2FxdV8k,1310 +gradio/templates/frontend/assets/Example-BrBPiMza.css,sha256=4RPVFoIrYX7ysy-DqvLw5yN5nhJucdTwYNFDldlpmts,42308 +gradio/templates/frontend/assets/Example-BrizabXh.js,sha256=qpg3XP-6rtg_WlaW6sJ8VTvNbwYU86jduuk08n_h8nU,1065 +gradio/templates/frontend/assets/Example-BrizabXh.js.map,sha256=pLv_QITxPYcNmHDTlbnGpDUapbFbujrWUNEtHW9KMNA,864 +gradio/templates/frontend/assets/Example-Bw8Q_3wB.css,sha256=7pNbDDioQpVq4Nh24s0dCGLMWTgb3WzdVwWUU9jdIIA,97 +gradio/templates/frontend/assets/Example-C2a4WxRl.js,sha256=Gx6HXZGQRwIWwzNGGDbQSijjTdXxA3h4FmH5RT0MIYw,1050 +gradio/templates/frontend/assets/Example-C2a4WxRl.js.map,sha256=F4aCYw2tMUyMzf5e0bQpRu7Dx6VT_39BoiGoSiy-DSI,860 +gradio/templates/frontend/assets/Example-C7XUkkid.js,sha256=HPSOEsHeO1RnWlMTIERwxO9AF-NIeiEQM4HBsMAaIng,1590 +gradio/templates/frontend/assets/Example-C7XUkkid.js.map,sha256=eN94_vVq6uUJeiHQKBnZCNX_fof1IR2m4MuXqsE55DI,1887 +gradio/templates/frontend/assets/Example-C9__vDgN.js,sha256=liJkxaQ6WXztqhFnc25434uvEpcuzTJz_PuJALyHyys,1152 +gradio/templates/frontend/assets/Example-C9__vDgN.js.map,sha256=lbM1e5vbNSIIsvy9RqR4Fp1w4gy6919i4TvYCLqEBnA,1080 +gradio/templates/frontend/assets/Example-CCTTJ5R1.css,sha256=O4i35uwKBSekWp-_qNvjDMEJMcuHrm83nszbiAwO9dw,746 +gradio/templates/frontend/assets/Example-CIFMxn5c.js,sha256=TsWppz7BcUcLeNjOcue87oVCSn_76LZs4R6HSAm5A5c,2234 +gradio/templates/frontend/assets/Example-CIFMxn5c.js.map,sha256=0PlDNnW0Nrd1sDk68n_RULvLUifM-Vh67DX8jU6lirM,1922 +gradio/templates/frontend/assets/Example-CRm1Pmw_.js,sha256=FhrM5gpSJvYPWYX7kPibKiaIhosbwHbP-laAH4b4l0M,1237 +gradio/templates/frontend/assets/Example-CRm1Pmw_.js.map,sha256=EQXK-Z5uyrFgIFgyVOFLtM-fLOFxTx9PgQzrUv-tA-A,1396 +gradio/templates/frontend/assets/Example-CSw4pLi5.css,sha256=nO_TtzchGr2yRJh7skxXU6VN08V1Oczg5wXeqXRxV7k,46 +gradio/templates/frontend/assets/Example-CUwox43B.js,sha256=Ubc8eYvBdjBb7YfxhB1qSYamz3i8H7_TkbrdN5UpnaA,1265 +gradio/templates/frontend/assets/Example-CUwox43B.js.map,sha256=u492FOscdCU_UbqCol3W9AqsUBL593xfL0fd8JC1oKQ,1540 +gradio/templates/frontend/assets/Example-CX34aPix.css,sha256=2hpyZGN4asWRk-F6fTFM3ubcMK7RCdxiajRIr7Sb9uw,1096 +gradio/templates/frontend/assets/Example-CZ-iEz1g.js,sha256=5po5_8Xcj6HsWPQUCc5ykVskUv3tjNY08TTFhZDTCAI,1154 +gradio/templates/frontend/assets/Example-CZ-iEz1g.js.map,sha256=0vk_Ojw5fFroxxZCukRCLtJMpGmVcrAenDeJMIU-Jy4,1034 +gradio/templates/frontend/assets/Example-Cj3ii62O.css,sha256=be0I2Mmm62hLZXj2mI6lEiSAcjFVaoJwFN3aR8RyQtw,149 +gradio/templates/frontend/assets/Example-CjY9oGky.js,sha256=q7cbqP6rgK4cannScAddjEKGRKSHJjg0i5p8KG_we5k,2454 +gradio/templates/frontend/assets/Example-CjY9oGky.js.map,sha256=4Df9Om3sj7p7DMbh4kis1TczR6zRX_7dbxqjNIvXooU,1499 +gradio/templates/frontend/assets/Example-CqL1e7EB.js,sha256=g5RE8L7mWtmRVcI8S274JviYjky_Qe_xDPql3EbfXvQ,1120 +gradio/templates/frontend/assets/Example-CqL1e7EB.js.map,sha256=oUtrK2juGl3dYRDSV35ZFokq-BOER9ewY9BaTISCzCo,1012 +gradio/templates/frontend/assets/Example-Creifpe8.js,sha256=hIXfWDnvrlmJ5tp-JLicSX0pyFJY892rpDln2F_xo-E,1121 +gradio/templates/frontend/assets/Example-Creifpe8.js.map,sha256=kUTzV5lH02jioR6iiEU8dIgoUGTNhILJX7pF_gEhYUE,598 +gradio/templates/frontend/assets/Example-D7K5RtQ2.css,sha256=mPwrLCP67zJxLaJpIH8hlELYAgSh0qoFQxeeXxfnqKw,61 +gradio/templates/frontend/assets/Example-De28_a4_.js,sha256=JZyKvuk84ymRqP9bP6dv80WcUdwNNhKG7cyto64GLNg,4423 +gradio/templates/frontend/assets/Example-De28_a4_.js.map,sha256=p9FSmIIvdqQEQnAaO5UTirjGj1Phg1meyp0NaC3TOEs,4382 +gradio/templates/frontend/assets/Example-DfhEULNF.css,sha256=pn4qPfiZbAGQPDCNIVuD2kcOJjFJtfhNaaRJ5cHWu1o,234 +gradio/templates/frontend/assets/Example-DikqVAPo.css,sha256=vPvlZ9Le6qqi_YSNzHqTgBqwq47qHTDBgXUAqEaFfb8,448 +gradio/templates/frontend/assets/Example-DlByd_qu.js,sha256=jw_YkoWy9vcO5fQO39d4GcmlKZoxj9o57NOV1rymNfY,2380 +gradio/templates/frontend/assets/Example-DlByd_qu.js.map,sha256=DlSDGfRGGEEthhZ4jKPn2fJPVfqt58Ry4998rgXU8_k,1641 +gradio/templates/frontend/assets/Example-Doqe7cWB.js,sha256=3vZ--O_U1BrTn7FshgeSy0UsYNyFsgnq2kSgHufhno0,3018 +gradio/templates/frontend/assets/Example-Doqe7cWB.js.map,sha256=1VDMrwFmopAJ5s1FrrCBRHy1v1pqUM9LSjLnH65TK6w,3078 +gradio/templates/frontend/assets/Example-DpWs9cEC.css,sha256=HNpkFYu7Ir2Kjx_inXdII02VD6diCu7jjfTA2NRaiso,199 +gradio/templates/frontend/assets/Example-DqJU7ngj.js,sha256=4jPts53ih0RyQMGQiUsjjcbgA9d-c-1XIRPuwkRpiSA,1843 +gradio/templates/frontend/assets/Example-DqJU7ngj.js.map,sha256=DLqBa9QRTJ0TfWYQeNkzaXdnl6F0er7bxvMp9E6bhZM,1718 +gradio/templates/frontend/assets/Example-DrmWnoSo.js,sha256=zlf_iWnYjIjKC1nCY8Gtp4KwsyJukmyKbs6zejK8W64,1237 +gradio/templates/frontend/assets/Example-DrmWnoSo.js.map,sha256=cJK6yw4LBps3Keh6THRKQQpwZKKUWz_hqIfXhmtUSJw,1387 +gradio/templates/frontend/assets/Example-DxdiEFS_.js,sha256=s_eofrmyaOUymPTod3VAhH-46SI5OUEo19hVjuLS1qw,1065 +gradio/templates/frontend/assets/Example-DxdiEFS_.js.map,sha256=qHdlvLUxVwdgdnuKsWTilNnkGuXmshg_l8bbocV4V84,862 +gradio/templates/frontend/assets/Example-Wp-_4AVX.js,sha256=__4qTUZd7VfPlEUxqfVWyS9N7HNcbhL7_SSbCQUPkRQ,1105 +gradio/templates/frontend/assets/Example-Wp-_4AVX.js.map,sha256=-IZH2TVHOxTJ2AFkg-dIh623mCKeS3a5AmjT8ajn_qk,1008 +gradio/templates/frontend/assets/Example-oomIF0ca.css,sha256=91y6EEN27aDOpSwJS62qQSdZg5SrLEGcnsisPD-YYCM,94 +gradio/templates/frontend/assets/Example-uQ8MuYg6.js,sha256=sBomgsyVjTcKrHvF2JDykBgS-BbgukPahF8nJppBdrw,1106 +gradio/templates/frontend/assets/Example-uQ8MuYg6.js.map,sha256=t86xU1EJMeS9Wk7iT0Gzz7VGsjbFd7MSkX7x7RFUX6U,977 +gradio/templates/frontend/assets/Example.svelte_svelte_type_style_lang-Cqm5zhmZ.js,sha256=DBi8mPTYnVBZCgD5kBBGL7IlWUFxinc_XQW26YapBg4,330156 +gradio/templates/frontend/assets/Example.svelte_svelte_type_style_lang-Cqm5zhmZ.js.map,sha256=_BiImJr7BDA5FBe65B98UP2SULMgGmTVlbczdTZ1gIE,1199269 +gradio/templates/frontend/assets/File-BQ_9P3Ye.js,sha256=T0c5RQ7U2gDGH0KMgg9R783ctBzHxzBY-FSnyrzO1P8,775 +gradio/templates/frontend/assets/File-BQ_9P3Ye.js.map,sha256=pAJ4e1g-1Qfg8V1rk2UGi6K7RS57pD2BjuqUiWuUFfU,672 +gradio/templates/frontend/assets/FileUpload-2TE7T7kD.css,sha256=yJgdMPvCO1zQAYALMBK4Nz4icSGqd6XHzLWIjGx5y3U,1531 +gradio/templates/frontend/assets/FileUpload-D-_SlUzL.js,sha256=7xTsJCgqGqVqMtj4uGXoDEtovZxB9fLgRWM6-D7snyg,13960 +gradio/templates/frontend/assets/FileUpload-D-_SlUzL.js.map,sha256=3KGKDnVgN1Bk6IW_44JaLLqWOI8W5aDkfRFRTQy7F_4,13574 +gradio/templates/frontend/assets/Gallery-lBGO3evM.css,sha256=xW0lQDeOZqrCD6AingSASqEDd_tbdGYdFSx1rpTRTls,4280 +gradio/templates/frontend/assets/Gallery-oS1fvmZg.js,sha256=7bE45uBWUvE6Qi38FIITPjbo5eb8UC6gvRYfx_c3EF8,21903 +gradio/templates/frontend/assets/Gallery-oS1fvmZg.js.map,sha256=f9GmxL0xmAJR706c7cvdXIHjYiutGvtuOeNqbjInNTw,33234 +gradio/templates/frontend/assets/IconButton-C1zqq-lG.js,sha256=It1K9c9gQgnen076zU0T85uow1DlJNTHaTz_xgZCwqU,4129 +gradio/templates/frontend/assets/IconButton-C1zqq-lG.js.map,sha256=8SBM4mx9-3EytxRpkRN2HORvUX-VvqJpbK9q8a-Jzzg,4197 +gradio/templates/frontend/assets/IconButtonWrapper-BbEMl9lc.js,sha256=mi2lQNC9o8eOwuugcHUPZGOvJlhDuErzOCAgPdei_K4,1169 +gradio/templates/frontend/assets/IconButtonWrapper-BbEMl9lc.js.map,sha256=I4yBKBrePFxM3jy7iM7JuVfCWduJUctZogVRI-yprYM,1925 +gradio/templates/frontend/assets/IconButtonWrapper-Cj1eODF9.css,sha256=519LaEt91IUhA9umbXl-jAwQG83QHW2ol2eVTtd1Q3A,16609 +gradio/templates/frontend/assets/IconButtonWrapper.svelte_svelte_type_style_lang-DtmdC81T.js,sha256=e5Pd58lyg04Gmoz0DAdBXpnOWNhTfXOjRscbfP0LG7M,24821 +gradio/templates/frontend/assets/IconButtonWrapper.svelte_svelte_type_style_lang-DtmdC81T.js.map,sha256=55hSNIDjMTTbDYkAfAiXSPEApZdQMbmx_JDdAy8CY4I,97387 +gradio/templates/frontend/assets/Image-B8dFOee4.css,sha256=wvliu0UpszhKHZH7tOsAnOAVD6KZ_xCAlY9B6v77Ww4,37 +gradio/templates/frontend/assets/Image-BRVH1yXn.js,sha256=dSUn2AgUZj8yf7q0utFpAP1tbdBh5F2-igL72Ag-2JE,1177 +gradio/templates/frontend/assets/Image-BRVH1yXn.js.map,sha256=Kpmlzz8s311jJRvWCXaMWutCCrd6AfxcaVSx7GhIja0,2042 +gradio/templates/frontend/assets/Image-Bsh8Umrh.js,sha256=xyDQrKvIEswzdFaDp9zx1P1pSFE6c2Z29OzpL746IPw,870 +gradio/templates/frontend/assets/Image-Bsh8Umrh.js.map,sha256=Qgf4XsH1Jixm4P4rsH9okSelpfeFXJ5Ht7bGTjbLbxw,753 +gradio/templates/frontend/assets/ImagePreview-Be53-Kwz.css,sha256=6YAKvPC3wo0wqi7rrZfYH1cPBIvJkCnCnV6cfyRo-9w,785 +gradio/templates/frontend/assets/ImagePreview-ayZdEY_F.js,sha256=xxXwk-TtaiY5EPuGe72_tdWlflrBLzdTOSZ9xgi72PI,7889 +gradio/templates/frontend/assets/ImagePreview-ayZdEY_F.js.map,sha256=gKHvfFahuYcTSmlJPCXuaMN5Q6rWed4gGPYqtx4eEJs,6936 +gradio/templates/frontend/assets/ImageUploader-9pJJYfSx.js,sha256=HlM-f2--Rqd3Ki5W_QMvOinQkSnPnt8xaz1dT718gM8,26302 +gradio/templates/frontend/assets/ImageUploader-9pJJYfSx.js.map,sha256=Sh4ZC8a9eW-mldnIQLa-pMV_qG7Z7ayo-QKY97_vcRA,35612 +gradio/templates/frontend/assets/ImageUploader-C-a3Rtgj.css,sha256=O5ZCKRVM2jjLzvkpQRvr3yRrzZ6h_UArNgpQfVkfA6Q,3306 +gradio/templates/frontend/assets/Index-0Xr0wRLN.css,sha256=wAPiCVCbfVfANst74abS9JiRTBrgcf4RQji-ovghkvA,13941 +gradio/templates/frontend/assets/Index-12OnbRhk.css,sha256=AIbyStgkjNnqhYnnXJnA17AJtuKIxbhrHqXpRKdDFD0,422 +gradio/templates/frontend/assets/Index-1yEBamMo.js,sha256=_7U9btcuvjKXGudN2qOUBRzRmSLlKDCWPJQZ5T2Hu2o,3063 +gradio/templates/frontend/assets/Index-1yEBamMo.js.map,sha256=rtWuCYQssFN9Jwh7HB59FTWXHxJCISPhtNOvAy3b8V8,2001 +gradio/templates/frontend/assets/Index-3vwAQWVz.js,sha256=tWvHWKAcznrQ-GJkxwWDK0pgEnQYc7HvYhew18GRUA4,6257 +gradio/templates/frontend/assets/Index-3vwAQWVz.js.map,sha256=WWSG9l3w1eYdxX9nw3EkRFnxM_fASr8rs8TNrh76Ess,5507 +gradio/templates/frontend/assets/Index-AeAvuTya.js,sha256=Z-84glis1kZzcAazXxennWGJEQTYAjWCWW3petqVQlc,2472 +gradio/templates/frontend/assets/Index-AeAvuTya.js.map,sha256=fwq1qoZVBVDLGhAIt3c7MFvNPyIGwOuRwNqj0kKChro,1370 +gradio/templates/frontend/assets/Index-B4Pniz6j.js,sha256=2EetP594EDp8lFWgNmCCl2MI2Ajzy7ji_sEZS4VKDqI,38255 +gradio/templates/frontend/assets/Index-B4Pniz6j.js.map,sha256=NvSbXCdwNJ1r8OIcoHkqArmmiy_Pou81WITggtSf8OI,51759 +gradio/templates/frontend/assets/Index-B7HnnY9H.js,sha256=LbigKyVf7xbBoBVQqSaMZH8w-J36BRfNUlKT_7XHHBc,19565 +gradio/templates/frontend/assets/Index-B7HnnY9H.js.map,sha256=MHa6Lsqj7VuY1xTFOJRHTBJrvoLC9-GN2excnwd_z1Y,19954 +gradio/templates/frontend/assets/Index-BA6ooMH2.js,sha256=LhVOi-D3rfyCwd7lnzSw6O9Xb3Mxk5Fj_rcCYwFgwEY,9564 +gradio/templates/frontend/assets/Index-BA6ooMH2.js.map,sha256=KtzeKIOLQDQeJdDyQ74TVl1eJcSxI1B51fYETnwxOeI,8939 +gradio/templates/frontend/assets/Index-BGB95BqN.css,sha256=O1JxNZwO9NyUO8zE7Ord04-C9v5_41lS5qwIg3r0OOM,653 +gradio/templates/frontend/assets/Index-BJIZr5Af.js,sha256=HxEh8kJ23AnD_2cB0XBvn9BxUGYxZVlgC5pRtsdZVSY,6917 +gradio/templates/frontend/assets/Index-BJIZr5Af.js.map,sha256=Xjhb6VA61eLcuD2JJGFj_FdST6Pq-LhR0yCxQLuu8Nk,12127 +gradio/templates/frontend/assets/Index-BJ_RfjVB.css,sha256=bgnm4JzL5xaoJb90NyA7ZMqA1u3d5_fuTL8p3PYKHhs,476 +gradio/templates/frontend/assets/Index-BLpFQAwt.js,sha256=79wLUYGbYONs89xF3ih5B9haaS9SUl9Fvh2rCPi7nmw,10377 +gradio/templates/frontend/assets/Index-BLpFQAwt.js.map,sha256=8Ws7MXb_yyiSFLlVmVQJDUP0Kg8dJ94Op2QJjqnzDwE,7081 +gradio/templates/frontend/assets/Index-BM4_tjMk.css,sha256=5wS1FWI0QM1kX1aRdqzVfYrIkJlDluNJnUBjpFzwJew,1689 +gradio/templates/frontend/assets/Index-BMLc4VxK.js,sha256=5JEgQZLJBn3xRDEXTckM8vC65pvM5NSTIs-NxhhmkCM,920 +gradio/templates/frontend/assets/Index-BMLc4VxK.js.map,sha256=6ceSoJgWGVy29cjFo4Cq11gSvEMGF98-Pcx8lrsfLt4,1321 +gradio/templates/frontend/assets/Index-BO-T2yPg.js,sha256=LZpvlT4G40AXuM19htO90ranVODJOXTXNjE3CW_zxG8,5306 +gradio/templates/frontend/assets/Index-BO-T2yPg.js.map,sha256=p6k3_rWunupnX03mj15swpe1wO4x6htsDhpuK3pCF_Q,2764 +gradio/templates/frontend/assets/Index-BO7cEjko.js,sha256=b4NLOI5slpCVXP-ZCecMxIH3ijPPN7trwNAIAJmjJAg,14698 +gradio/templates/frontend/assets/Index-BO7cEjko.js.map,sha256=Q00r4QQM8VDaEUHJNbjeCYn4smY7f0YV8nBTKFaShYI,16025 +gradio/templates/frontend/assets/Index-BQCt3cpV.js,sha256=rf7x0NWjMREGhTO-vhUAVj8I4DRpZdHrKum9gj0VtpI,7500 +gradio/templates/frontend/assets/Index-BQCt3cpV.js.map,sha256=TPx_Xe_H4pEHKwVZ9XovbPqjGSjYR2zbYyTc1fj7_m4,9796 +gradio/templates/frontend/assets/Index-BRjQhy7t.js,sha256=sAC7htKNs8NSPPEZPJSEmraXrAuxHgN_NaSveA42TSU,26960 +gradio/templates/frontend/assets/Index-BRjQhy7t.js.map,sha256=mEGxgSa0OCE7LkJ391cm8NJ4gHLe75Tdxc9bz0dxb_U,22553 +gradio/templates/frontend/assets/Index-BWRZNyp7.css,sha256=IlnDJr3n0x8IsHS0ELZs6xLgNuRlmG2HXx0wfknBRNU,431 +gradio/templates/frontend/assets/Index-BXSaCUJM.css,sha256=mTUZtKcKfi2Z18YpsZ5Ya2CUMXWjCYWUTLcwr7QzLB8,3683 +gradio/templates/frontend/assets/Index-Ba2D168Y.js,sha256=dkrUDjj1fFtyJqmGYPVzdKB_HOgVUKNiziFc4tGlfcY,15535 +gradio/templates/frontend/assets/Index-Ba2D168Y.js.map,sha256=rYHxAgne60aeSHbc6hT_7btOPBQCrIj3fifUZaKa5Os,11924 +gradio/templates/frontend/assets/Index-BaGsKxUY.js,sha256=XA97VES_EP-vdXRVLC_8364BU6TOQWJZ55_1gI3Qpxc,1845 +gradio/templates/frontend/assets/Index-BaGsKxUY.js.map,sha256=HZ-KOy-puznKnFVNB9ZUbZI2WZwFTCpUdDOCj9VdPZE,514 +gradio/templates/frontend/assets/Index-BcNLXLca.css,sha256=letywXerLupTxiabBVKQYhyc6vpe8JpR3TdZgmKTAQI,155 +gradio/templates/frontend/assets/Index-Be3F7oKw.css,sha256=pKkAd8hkQ3IRliuD-GDIRU3G4XDfbcLKbpaMBMBWM0o,579 +gradio/templates/frontend/assets/Index-Bkb-uzIw.js,sha256=2xptJnrFXjMbuSy4pAcy8bbOjwHiazoVuG53K6mlW9Q,13608 +gradio/templates/frontend/assets/Index-Bkb-uzIw.js.map,sha256=j_akbOpUXRmFGVLSsyd_UCsnSlPRugLv5d-GW_qpNh0,21698 +gradio/templates/frontend/assets/Index-BoMScQbo.js,sha256=eWGX7l0cZy1HMU_KlIOX5549nYhrtIohQJt4rmHHoKk,6862 +gradio/templates/frontend/assets/Index-BoMScQbo.js.map,sha256=MpPfsLexzNkDM4jLh2xmQmr43qWiK7kLUoXrzQwCGec,7836 +gradio/templates/frontend/assets/Index-Bqfm9aJk.js,sha256=WJVw2boUxbDbjga3u4Rn833E2zXsCxUW6dlUGFwTXl8,347202 +gradio/templates/frontend/assets/Index-Bqfm9aJk.js.map,sha256=NfoCBGlZyJT0qYQIFqC0n1ww0DhIvBv62xsOtY6BdRA,1460888 +gradio/templates/frontend/assets/Index-BxnHWTdE.js,sha256=_JMaNDYqXUduytfmjU1Q4_HX3M9fpLAyE-RnS7i1icE,575290 +gradio/templates/frontend/assets/Index-BxnHWTdE.js.map,sha256=DW-Q-_n6DVOZb-B6Oo0GZd7i28YvwvKrGDCHus537vo,1998862 +gradio/templates/frontend/assets/Index-C5NYahSl.css,sha256=BYw8aNj37nBAYjxQJFSnuZ7VffSpwuzp4ll-SBXtHZQ,348 +gradio/templates/frontend/assets/Index-C9-Jf9A0.js,sha256=d7ywLBWfGCIwtyfQAQa8GSx6Ym_1xBTsQGW2JahWtMw,8214 +gradio/templates/frontend/assets/Index-C9-Jf9A0.js.map,sha256=bQTQqAnm0OYKmqHJxUnZdVQDWTEOVe8JhrYGLxuD29Y,12693 +gradio/templates/frontend/assets/Index-CAkKBI82.js,sha256=CE1wGS4G5gPv7YFAxCOvz9LGPXflxExtKmBYMTaDvBc,10084 +gradio/templates/frontend/assets/Index-CAkKBI82.js.map,sha256=Uey7IZHhM4CK_0DmSJ5HGRroUsK75codXx5U9sYwhcY,9011 +gradio/templates/frontend/assets/Index-CH-kyqKW.js,sha256=3OA6EI0awr4w3n_hCX1byURo9iHsKvIzusMsYfLkGP0,6573 +gradio/templates/frontend/assets/Index-CH-kyqKW.js.map,sha256=jCUuWoXlOCa9tP-3Rg3vvrMC3PC3fJEwz6Wo-_ve9Uk,4998 +gradio/templates/frontend/assets/Index-CW_YM_NM.css,sha256=cBFtJsUegl88J_xKuXw_MhTDJO3BuVFhL44ZYe7wKnI,12706 +gradio/templates/frontend/assets/Index-CWxB-qJp.css,sha256=t9EkwoJJ_9u6urZPj2GBR82jq7rtysRIRPL-wcdvqiI,5092 +gradio/templates/frontend/assets/Index-CZslYo0E.js,sha256=IlRgSKgOTFC8aJKTazGKQC4z0nEVVBBvfhK3korizD4,9576 +gradio/templates/frontend/assets/Index-CZslYo0E.js.map,sha256=UT2VMKTok9b1Xig37DvOKT3v-ukzgYKL-dzGwb3i2YI,10124 +gradio/templates/frontend/assets/Index-C_inoySS.js,sha256=Jm5M4ctcqKm35kHXeHOtXil80y-gwaaoaCA-rT14yQI,5788 +gradio/templates/frontend/assets/Index-C_inoySS.js.map,sha256=CkZetgiEwvEfMaZG9BK-XvbRQ8n2ZTISp3hnKVIGi2g,4570 +gradio/templates/frontend/assets/Index-CgDrEMlk.css,sha256=pZspzer_pU1TojkwfMWOWJf1S6BPNoAb5ObAOcOVHWU,811 +gradio/templates/frontend/assets/Index-Cgj6KPvj.css,sha256=DMbaY8lCSKTCov7OjbUaB7a1jm1HTXiwuEV9UE_r-Ok,333 +gradio/templates/frontend/assets/Index-ChlNJ18c.css,sha256=91co6Z2E_H4F4KHg-DSI7IzKsADpX-zhjAKL0L6wCok,2483 +gradio/templates/frontend/assets/Index-CiG-QcB1.css,sha256=DFCvT1o2LGbX4bKbgAZD_uFV3EkyjkBiLlbc3y2Qbqg,2573 +gradio/templates/frontend/assets/Index-CigypG2k.js,sha256=X8zanTThE1EfWxUse1OiBUsu1XO96T04Lm-XTaeIH_w,52670 +gradio/templates/frontend/assets/Index-CigypG2k.js.map,sha256=ckdlO4BD9_iqoRwsIKnB98eoPcWv5KSaq2Mj4GU23Ek,87264 +gradio/templates/frontend/assets/Index-Cjdtfr90.css,sha256=3xfvIu-PK4XxTecXrmoZmW5yJ6BqMcwaJ5wVgRjLtFk,4602 +gradio/templates/frontend/assets/Index-Clk1jwFx.js,sha256=fiuq9elLY-amQkvHCqXQNVud0diy82yGsK87SzzWejA,10786 +gradio/templates/frontend/assets/Index-Clk1jwFx.js.map,sha256=e4p_QZu89q6CK7oivaycgYna5DHsgEjflXPxUCgW1vM,7976 +gradio/templates/frontend/assets/Index-CoVDWDRB.css,sha256=8UuvoqOC6hzDV-d9j8N6qYNqlTEl5uRtk978qPPGiE4,7206 +gradio/templates/frontend/assets/Index-CphBsKf0.js,sha256=QFnvTKfej4iUgmCX959IrmzwFavnQjIEs1iz5pO-omc,30709 +gradio/templates/frontend/assets/Index-CphBsKf0.js.map,sha256=-yvvWh1SsemI8MMU1e7eqFWrn1c96b9oBJ_Y2kLzmRw,46966 +gradio/templates/frontend/assets/Index-CptIZeFZ.css,sha256=KFPrMfi1mDJq4cHz6LMYFKVxRDdfMeqpLn8my9Yt1Gw,497 +gradio/templates/frontend/assets/Index-CqoEy_9a.js,sha256=-QZdPhF1cMJyMGZ_k7dP5OBUqsiSP6n8rzg_XBTDoQk,6963 +gradio/templates/frontend/assets/Index-CqoEy_9a.js.map,sha256=GJ-YkkQUD3MnmKPWmu-hKi8-MET6kwS1WOf-TAEILxM,7319 +gradio/templates/frontend/assets/Index-Cv4tzIR3.js,sha256=bcG5O-O2dLa1jqo5GlMAzZMlh-ZR3kSHMfiBC-ZmXUE,13961 +gradio/templates/frontend/assets/Index-Cv4tzIR3.js.map,sha256=9Z0mHoEGTqY4ZnXYOPsAsqUado6fZxFujnk_JpOfPuU,24985 +gradio/templates/frontend/assets/Index-D3f6Hf9S.css,sha256=zjCpyXzLvJTOghtqMv4NmzBALzxVotpu6pImfLOnaAA,2680 +gradio/templates/frontend/assets/Index-D5zB-nY8.js,sha256=MAtR2vNkFgOYyVegdCrbnoT1ExYksZ81klsthhfYYQo,8423 +gradio/templates/frontend/assets/Index-D5zB-nY8.js.map,sha256=EcdMmbcoVU9QJVUcYfUXLQjMSfF2SSCXZfVDxhPGrrI,8269 +gradio/templates/frontend/assets/Index-DBkTB5x3.css,sha256=BWEgugfJKAB-ychZWmIUOFfekm7sZ37jnSwCGKB1MsM,1768 +gradio/templates/frontend/assets/Index-DE1Sah7F.js,sha256=q8xWK0q6FPhCxyM8qvWTmrRlsG6H0eoZlqRMP5r5oL8,1420 +gradio/templates/frontend/assets/Index-DE1Sah7F.js.map,sha256=Xg7Ix081Lme5hI4_4okv8XV5GjdWbEgzcEVreLzw8FQ,1316 +gradio/templates/frontend/assets/Index-DItMwpQq.css,sha256=53DymkTNZs-ATZ8D8AJGkkipL-43I1KO10TN_x9GKpk,2301 +gradio/templates/frontend/assets/Index-DUSn_7KT.js,sha256=1etNwftRPbD7NhIor4_8mVmdYIybacncOTNIBc-nlHM,26617 +gradio/templates/frontend/assets/Index-DUSn_7KT.js.map,sha256=yCo5fNe5cJKC5r6EdbUD0nx9rSaRT5rfChe5BYmDvE8,31208 +gradio/templates/frontend/assets/Index-DYDmCduo.css,sha256=79HrJ2F1fVdICe4oUHMKYre6r9UY2rrHdEveKN75M7s,137 +gradio/templates/frontend/assets/Index-DYrhjLRi.js,sha256=jncPO2hlcxZBnrrGG6Idy272AuV5_XmK2n1mYrmzjX8,5323 +gradio/templates/frontend/assets/Index-DYrhjLRi.js.map,sha256=Jt6VDXWZv1x0RuruTCoucIJeHJ54iPkdgTLsQjdxX0E,3801 +gradio/templates/frontend/assets/Index-Dclo02rM.css,sha256=325veuTx1fht5_cwvIYHMA6TQsvuv9yvGnIAMczY2zk,1059 +gradio/templates/frontend/assets/Index-DloLYeAi.css,sha256=XpQdJaOWWIq1wCytnVsaaJI4Ae3ukmlIfAWeD9R1SGk,278 +gradio/templates/frontend/assets/Index-Dq6dQRZd.js,sha256=S6S56IaxlH_8UJYEW4meccOWbJeVLvwkV0XJzAiWYjY,8627 +gradio/templates/frontend/assets/Index-Dq6dQRZd.js.map,sha256=gIEzhwkXXFOqtsEL8oiB00qgnpuWtkOZ2jQiUKIwgCI,5032 +gradio/templates/frontend/assets/Index-DvmFt2zS.css,sha256=3w5_Le7mmzr_wFBd8QlUffvrZcuyHsV07gatD5Wo9ag,433 +gradio/templates/frontend/assets/Index-DwWu86Nh.css,sha256=oBdSLbYXJC8D-NUJdX1dmSS5SWVsT7UszqKHts8fdaY,3235 +gradio/templates/frontend/assets/Index-Dwy3Ni24.css,sha256=4k_GdSNcjt-z9RlBJR2LIe-xT0c57ue2oLk_JcDqD50,5297 +gradio/templates/frontend/assets/Index-E3yBBMTH.css,sha256=oRXTZzGFFbyS6o3zuZ8WpUZdKmp8Cd5QDIv0j6vGUHg,1094 +gradio/templates/frontend/assets/Index-LSrOMfON.js,sha256=Hk6PNMbhcWZUAk3XQKJvoTdjVEBkens5vYFzleHGDKw,78396 +gradio/templates/frontend/assets/Index-LSrOMfON.js.map,sha256=OgHXyeunbeOTya3uc25SOdXtnpi81euMkBVjbi8oncM,93277 +gradio/templates/frontend/assets/Index-P36LaVAe.js,sha256=B16vQF6_OOu6sII8FhFtiSUKEa94hc3LOnl72yM90Uo,5446 +gradio/templates/frontend/assets/Index-P36LaVAe.js.map,sha256=qX3x4xet6pVrlh__bM2ZxqSsw3SXYvdvjDIgkr9q4Ag,3329 +gradio/templates/frontend/assets/Index-S_Bzh3UY.css,sha256=d1qzREcWaZtbFQfd9ZzBkFS_Vk9OEWocKl2k4IBHChg,6618 +gradio/templates/frontend/assets/Index-T0CZj2KH.js,sha256=ZaXYQ1QMTNPk95B1rXbAQmLCSYbTzSx7ovae7eZGjZM,11672 +gradio/templates/frontend/assets/Index-T0CZj2KH.js.map,sha256=IGC75FRNy45oRUMkT57Ufil6vHEzCmShcO_mCuhU1Io,14013 +gradio/templates/frontend/assets/Index-WEzAIkMk.js,sha256=HEMhxslf-FB1igpIKdSfNHeCF6CmCknfIJXw2peHpDQ,1742 +gradio/templates/frontend/assets/Index-WEzAIkMk.js.map,sha256=SDZosJMvKqU7HGgMjDUtxcbdb-dAHf7y6keiDXuFNaY,1536 +gradio/templates/frontend/assets/Index-WIAKB-_s.css,sha256=4o0tfLp4SZu4tIirakUm_EQAWzzXLYVGfHkv8yYMLZ8,1702 +gradio/templates/frontend/assets/Index-YPTlsVjp.css,sha256=677C6AD3O5GPRcM9a-99xAQ1gCCFbh3M6XLdScwbwQM,2062 +gradio/templates/frontend/assets/Index-f689XNJS.js,sha256=CHfk9YWQSowuluXMQciu_TSclhOkmrIWhCgAKWD54Q0,23892 +gradio/templates/frontend/assets/Index-f689XNJS.js.map,sha256=RucCjjRK7pck-_nTT-RRoTeO76jXTCq7dNnsmUq1MSk,43756 +gradio/templates/frontend/assets/Index-hVZdQhC0.js,sha256=J6Lhg_cvOxj5lBaDIOzOy1m2jQax4nQ0eKQQTHy17ZU,4499 +gradio/templates/frontend/assets/Index-hVZdQhC0.js.map,sha256=I4s9QbxK9F_IVBuUaNNLmLLPMrG2-nQJrEm8tKQvOXk,4706 +gradio/templates/frontend/assets/Index-muT13E7f.js,sha256=UtANshcWJrk8AqY1fFGch3jZ2NMeh1ZhJMpKwwDw64w,20569 +gradio/templates/frontend/assets/Index-muT13E7f.js.map,sha256=V47VSYllYPhIODfOQQFhRjh8zweBLfnUVNXtj8Gy7o4,22721 +gradio/templates/frontend/assets/Index-pQu1a2NX.js,sha256=zBHZeCsCdng8rDCqZqarwFUXT6QMUsiKt0-JtxVJJQ0,8529 +gradio/templates/frontend/assets/Index-pQu1a2NX.js.map,sha256=dNWiAKxnsTnGn6DXYUInNKFZ6WFyylYBmyE1qSZAZLk,6286 +gradio/templates/frontend/assets/Index-tcNSQSor.css,sha256=xAdFpslGVCdsVpMohnFcgOc9JbbDoYz9GDKfh74PYEk,102 +gradio/templates/frontend/assets/Index-uRgjJb4U.js,sha256=V8ssur9VfcLaZcjllUox1HpN37fQDPoUqWG7aCwlEhw,215 +gradio/templates/frontend/assets/Index-uRgjJb4U.js.map,sha256=ocfZXZ-eRfFWEcqI3eUizQQvPyTtQ4jI-skRYYy81zQ,98 +gradio/templates/frontend/assets/Index-xXB9lSH5.js,sha256=8ln9Dcd_f1VTaVVwcuMbPOlNTSjP2rSc7fnl9pXBLjQ,4068 +gradio/templates/frontend/assets/Index-xXB9lSH5.js.map,sha256=bklLmy0MMmLZZxlvFFG0BgSp1L1ygNCCIhbWIl6SQGw,3410 +gradio/templates/frontend/assets/Info-YxSt5RP-.js,sha256=07yVuJnvPPGH55tfJtLzplsR-hhrzpKVVb37zBhWg1E,1130 +gradio/templates/frontend/assets/Info-YxSt5RP-.js.map,sha256=3gmH-YKr7nA7z_ULnE8cqIMRSbxKjAsdvkQkxEIZnms,793 +gradio/templates/frontend/assets/KaTeX_AMS-Regular-BQhdFMY1.woff2,sha256=DN04fJWQoan5eUVgAi27WWVKfYbxh6oMgUla1C06cwg,28076 +gradio/templates/frontend/assets/KaTeX_AMS-Regular-DMm9YOAa.woff,sha256=MNqR6EyJP4deJSaJ-uvcWQsocRReitx_mp1NvYzgslE,33516 +gradio/templates/frontend/assets/KaTeX_AMS-Regular-DRggAlZN.ttf,sha256=aFNIQLz90r_7bw6N60hoTdAefwTqKBMmdXevuQbeHRM,63632 +gradio/templates/frontend/assets/KaTeX_Caligraphic-Bold-ATXxdsX0.ttf,sha256=B9jjA85PwStLtU8QBBcN0ZCh89tF1AD-aAYN8-CJcmg,12368 +gradio/templates/frontend/assets/KaTeX_Caligraphic-Bold-BEiXGLvX.woff,sha256=Gua9dHVZDpfn8UWongnM3jIvemvAuRYHsci47igpD-0,7716 +gradio/templates/frontend/assets/KaTeX_Caligraphic-Bold-Dq_IR9rO.woff2,sha256=3ncB5Czx9M8LdmwD-yeXcgfu4vT9XXb6ghiEBtpD6kw,6912 +gradio/templates/frontend/assets/KaTeX_Caligraphic-Regular-CTRA-rTL.woff,sha256=M5jdAjAlV6eT8oY_iOAtls4Q3yq_-gfI6fqQd1EW5lw,7656 +gradio/templates/frontend/assets/KaTeX_Caligraphic-Regular-Di6jR-x-.woff2,sha256=XVPnCtYHwjUhYt7J4JI_tU7Nr6zL9gTNjc99APrLmJs,6908 +gradio/templates/frontend/assets/KaTeX_Caligraphic-Regular-wX97UBjC.ttf,sha256=7Qt0Ny_u_LucBmay4hDaN7fkn6f7vz7rEdtfaT2s-7c,12344 +gradio/templates/frontend/assets/KaTeX_Fraktur-Bold-BdnERNNW.ttf,sha256=kWPfnHEiQy5klbQin6kHHPmuhqdYrl78SSTsLhptvOE,19584 +gradio/templates/frontend/assets/KaTeX_Fraktur-Bold-BsDP51OF.woff,sha256=m-fOuIAEq4rRJAgiRvv8ykCR42OF1Oxu0d9nN12tUPs,13296 +gradio/templates/frontend/assets/KaTeX_Fraktur-Bold-CL6g_b3V.woff2,sha256=dERO_Vk8AF4_RXO0RSRwTArwqTf-kRzKnpQGjQ0UDT8,11348 +gradio/templates/frontend/assets/KaTeX_Fraktur-Regular-CB_wures.ttf,sha256=Hm-VeekOLKw3-PYKWXxDbgdcEUOFZSt8vrDewEISkbM,19572 +gradio/templates/frontend/assets/KaTeX_Fraktur-Regular-CTYiF6lA.woff2,sha256=UYFNJw0G_wJV26B5mZT6TYyE0R8JlR1HWV9Kux82Atw,11316 +gradio/templates/frontend/assets/KaTeX_Fraktur-Regular-Dxdc4cR9.woff,sha256=Xih1O-cX2sl_VZ9JvBC-nPPBJN3KvaZlnRHLaP68ZGM,13208 +gradio/templates/frontend/assets/KaTeX_Main-Bold-Cx986IdX.woff2,sha256=D2DRuJeTjskYyM4HMJJBG6-UOPZzlGVpP_GLD50gsCE,25324 +gradio/templates/frontend/assets/KaTeX_Main-Bold-Jm3AIy58.woff,sha256=x2xdaWKX1RucsWOcfaQzTw597IG0KxEhO14l72cbuCI,29912 +gradio/templates/frontend/assets/KaTeX_Main-Bold-waoOVXN0.ttf,sha256=E4rCjRZjswN-nF9SNx-lxj2DJPSjjSLNVz5uo6P9DPg,51336 +gradio/templates/frontend/assets/KaTeX_Main-BoldItalic-DxDJ3AOS.woff2,sha256=mc1Co8By2Rjy9EmEqAfPeqFuE1Rf0IdfwHxsZfmecVs,16780 +gradio/templates/frontend/assets/KaTeX_Main-BoldItalic-DzxPMmG6.ttf,sha256=cO4fZKIPIEjCGUDvRtAUT9IVuqlTymmv0eMemFRPcI8,32968 +gradio/templates/frontend/assets/KaTeX_Main-BoldItalic-SpSLRI95.woff,sha256=pvfsDYRqx62XWtuJWcN-1JuUrLxK5DbbnOniAofkpkw,19412 +gradio/templates/frontend/assets/KaTeX_Main-Italic-3WenGoN9.ttf,sha256=DYWufMMPI3kKfxpYxKES_cqKrnaba6EUKa8dmLG2yzo,33580 +gradio/templates/frontend/assets/KaTeX_Main-Italic-BMLOBm91.woff,sha256=8dbvhvOxGlKL1RhRmb0kQ-yysN6tltiGdLWiwSviS98,19676 +gradio/templates/frontend/assets/KaTeX_Main-Italic-NWA7e6Wa.woff2,sha256=l0ecpszpBqvJYeyslvql-couYbjnZw1HWCa83umnwmc,16988 +gradio/templates/frontend/assets/KaTeX_Main-Regular-B22Nviop.woff2,sha256=wjQs2Lhp4BdSqTIdwXIT_EDU0Ex5aIwdQ_LPMWq9eGY,26272 +gradio/templates/frontend/assets/KaTeX_Main-Regular-Dr94JaBh.woff,sha256=xjaNh-iho6XTN2I9g9jcS4aPJCqa1HYjfW-NHg8WjNw,30772 +gradio/templates/frontend/assets/KaTeX_Main-Regular-ypZvNtVU.ttf,sha256=0DMvUoaDcP2Drn-kZHD5DI8uqy_PErxPiAgLNAyVqDA,53580 +gradio/templates/frontend/assets/KaTeX_Math-BoldItalic-B3XSjfu4.ttf,sha256=-Td6sCcc2lmvJLz_vUak0MijVy_6_bs43irV6nsNXuU,31196 +gradio/templates/frontend/assets/KaTeX_Math-BoldItalic-CZnvNsCZ.woff2,sha256=3Ec0TbtstbZVyEYNVh9N9fUBuQyAStPGzsZf4yI1GrE,16400 +gradio/templates/frontend/assets/KaTeX_Math-BoldItalic-iY-2wyZ7.woff,sha256=hQwK9cIjhJf-uvXkYdiAv0WMNB9C9PMw8bGrVpixmY4,18668 +gradio/templates/frontend/assets/KaTeX_Math-Italic-DA0__PXp.woff,sha256=io0kRYE3GRK48_WiPiQ3yypZzZvK67A0bnIsBXN6JXE,18748 +gradio/templates/frontend/assets/KaTeX_Math-Italic-flOr_0UB.ttf,sha256=CM6Y5RsE1YlFowHmOeAraZivKf39Yae4r90Hu_xHnUo,31308 +gradio/templates/frontend/assets/KaTeX_Math-Italic-t53AETM-.woff2,sha256=evWMXsjxMqLd3pAnxteBTezOTTuCKhEZKkKiDi6XMmQ,16440 +gradio/templates/frontend/assets/KaTeX_SansSerif-Bold-CFMepnvq.ttf,sha256=Hs4D95-VJ31X3H9rQ1p04TebDUYQSoUwKGtg_0k2nqA,24504 +gradio/templates/frontend/assets/KaTeX_SansSerif-Bold-D1sUS0GD.woff2,sha256=6ZrlEUS_EjLvzBv-Wt02JixoZrD6qyT6dXQOG5hXemI,12216 +gradio/templates/frontend/assets/KaTeX_SansSerif-Bold-DbIhKOiC.woff,sha256=7OA8_YPiLCEs3vZv64RC0loIO-uYjbPxiD8_lzjXULo,14408 +gradio/templates/frontend/assets/KaTeX_SansSerif-Italic-C3H0VqGB.woff2,sha256=ALJqyCXiCVBWOW4FU7isJtP4rRWMOCbii0xFs4XEcUo,12028 +gradio/templates/frontend/assets/KaTeX_SansSerif-Italic-DN2j7dab.woff,sha256=ke5nUAzAEpqgrOOsXGH_FpIQLw8x0CtpNH-6Ndy3W_I,14112 +gradio/templates/frontend/assets/KaTeX_SansSerif-Italic-YYjJ1zSn.ttf,sha256=OTHdgfrthroCG7K73Db1vtmjjWtPQHespZsmWqGwIIM,22364 +gradio/templates/frontend/assets/KaTeX_SansSerif-Regular-BNo7hRIc.ttf,sha256=826ol-GfSi5XHR6QDk43EOQ43rBahCSGBFugo-YWpK0,19436 +gradio/templates/frontend/assets/KaTeX_SansSerif-Regular-CS6fqUqJ.woff,sha256=EeTcimRx_21u5WHVPRD96PdInnmCV_9EnF03wZdDVgU,12316 +gradio/templates/frontend/assets/KaTeX_SansSerif-Regular-DDBCnlJ7.woff2,sha256=aOjHPvQq_TzOxYvw-6MCzORIk45_wCCl4x-KlS7uE0I,10344 +gradio/templates/frontend/assets/KaTeX_Script-Regular-C5JkGWo-.ttf,sha256=HGfwaP6ouwm_CZwIixz2S9J1Fqbgf0aENEhzVku2amc,16648 +gradio/templates/frontend/assets/KaTeX_Script-Regular-D3wIWfF6.woff2,sha256=A21OlRSbaf-bzAzVV3Hv6yX_o5Ryk-aazXjVrDKMaEs,9644 +gradio/templates/frontend/assets/KaTeX_Script-Regular-D5yQViql.woff,sha256=2WzfKzvdTWSo_V90pMRn8SOopzkxzUNYifCP-vm_lHo,10588 +gradio/templates/frontend/assets/KaTeX_Size1-Regular-C195tn64.woff,sha256=yUPMmGOE9Z6GvqX9fcUKnE3-Vnp8BetA1nkHIN6tl8k,6496 +gradio/templates/frontend/assets/KaTeX_Size1-Regular-Dbsnue_I.ttf,sha256=lbbS8aUBc7_tuMY-HRyZsQQn0KTfQgHLRFE7ImlRois,12228 +gradio/templates/frontend/assets/KaTeX_Size1-Regular-mCD8mA8B.woff2,sha256=a0fEAWa22-IaXfyncYQT8hR_0jmb4bpgXYrTnO3yXf4,5468 +gradio/templates/frontend/assets/KaTeX_Size2-Regular-B7gKUWhC.ttf,sha256=prIJn7VVxg46DbOgiELr8dcyxutOS_RJE2E77U_E45s,11508 +gradio/templates/frontend/assets/KaTeX_Size2-Regular-Dy4dx90m.woff2,sha256=0ExUIZ-ersbU1P1C37KHhZdaR5TWsvxx5Wa5zW24Qt0,5208 +gradio/templates/frontend/assets/KaTeX_Size2-Regular-oD1tc_U0.woff,sha256=IBTFI8MhC8wWZkjE1MxX8Ft0ffB6JCd79xxR5n3Hnj0,6188 +gradio/templates/frontend/assets/KaTeX_Size3-Regular-CTq5MqoE.woff,sha256=ara2Lpti2uLADdkPeRvRCVC-Dsw0kNfWBF9Rwuj-CUk,4420 +gradio/templates/frontend/assets/KaTeX_Size3-Regular-DgpXs0kz.ttf,sha256=UA4E1U8NUWZjMsnSCJqoA74iqoeOylOeWfpTxuUisII,7588 +gradio/templates/frontend/assets/KaTeX_Size4-Regular-BF-4gkZK.woff,sha256=mfnGdQtInJRivwSQC9P5Od-bgpM52qqqme9Ulc3d6lg,5980 +gradio/templates/frontend/assets/KaTeX_Size4-Regular-DWFBv043.ttf,sha256=xkc2fR3U4WJGhxfQIOH8Dx3Fwm6_3_vlUmFxO_iMWHc,10364 +gradio/templates/frontend/assets/KaTeX_Size4-Regular-Dl5lxZxV.woff2,sha256=pK99QURAocF5CCXPtwDPnPQ7DyxLBPDrxSMBGtmFPsA,4928 +gradio/templates/frontend/assets/KaTeX_Typewriter-Regular-C0xS9mPB.woff,sha256=4U_tArGrp86fWv1YRLXQMhsiNR_rxyDg3ouHI1J2Cfc,16028 +gradio/templates/frontend/assets/KaTeX_Typewriter-Regular-CO6r4hn1.woff2,sha256=cdUX1ngneHz6vfGGkUzDNY7aU543kxlB8rL9SiH2jAs,13568 +gradio/templates/frontend/assets/KaTeX_Typewriter-Regular-D3Ib7_Hf.ttf,sha256=8B8-h9nGphwMCBzrV3q9hk6wCmEvesFiDdaRX60u9ao,27556 +gradio/templates/frontend/assets/LineChart-CKh1Fdep.js,sha256=AsDGHNes3EuKl2Wkbix8PzhCw-Sehp1hywA0IXmx0-k,777 +gradio/templates/frontend/assets/LineChart-CKh1Fdep.js.map,sha256=AeprJEfXNwgFMYipW5O3oqUTzH1rzFi_YinEqpbCtLE,666 +gradio/templates/frontend/assets/Login-BCwzjozv.css,sha256=nDzA60TP2DetL139EpQ2X47LdS1H7xyjmJHmxE9ohwk,578 +gradio/templates/frontend/assets/Login-DLYIQiin.js,sha256=brWiqZjBrjh3AT0oabErNVmIgh_hVHNIzBRNJfm2MSY,6071 +gradio/templates/frontend/assets/Login-DLYIQiin.js.map,sha256=eyughV6iIXQ7smlxOYq7sRFFOibq50aj9suGoEeBc24,4803 +gradio/templates/frontend/assets/MarkdownCode-CL2lO7x1.js,sha256=uqK0mjUgmbK1WOPdAPDaLAuzAu_f_xogU4XN9oTkuUk,185937 +gradio/templates/frontend/assets/MarkdownCode-CL2lO7x1.js.map,sha256=MTpUcgHnG-eOh7iNy-idodem6yYAa5bwWcEyeq8nTsI,641864 +gradio/templates/frontend/assets/MatplotlibPlot-AF_QcUtc.css,sha256=FjyW59ACE0ikEFE2_IDo0vIPCcyMEMBbaDlVOae3RSI,253 +gradio/templates/frontend/assets/MatplotlibPlot-CgZqwhB9.js,sha256=J-8xbXEFVd3LXMEvH88-a-iyYb6SxTa83vgC-2BMPC0,1028 +gradio/templates/frontend/assets/MatplotlibPlot-CgZqwhB9.js.map,sha256=0CFcaX-Ht4WFcYdBmjAtk1H0wPzgQ_kbST-aO7VXOgk,1149 +gradio/templates/frontend/assets/Minimize-X5PPawdt.js,sha256=f4MZkTbUFXmb4ONvnq8ZyP0tsN5N0Vh3b4QEfHxp9Qk,1381 +gradio/templates/frontend/assets/Minimize-X5PPawdt.js.map,sha256=-1HlnDcu5b49_29TJ7X5Ow2v7xfTmYdmdvTT-AwZujg,1086 +gradio/templates/frontend/assets/ModifyUpload-CYpte4eB.js,sha256=4RpOqP51AFdhQe0FqMk8g5JDM7zqVLDMSR8PgPp3Ck8,4788 +gradio/templates/frontend/assets/ModifyUpload-CYpte4eB.js.map,sha256=EegO5-wErNYRfndwKUc5nteJxblLEd60YH-LvpOicLo,2944 +gradio/templates/frontend/assets/Music-CDm0RGMk.js,sha256=PdrQIqGFzPPiNoXBeCkc2GJIOiKm6RYNFkhW5EGyX4c,809 +gradio/templates/frontend/assets/Music-CDm0RGMk.js.map,sha256=jcmXSiJRBD7iCFwhQs1_s8UBtqfh1eUtw_IxRlW-qzM,707 +gradio/templates/frontend/assets/Play-B0Q0U1Qz.js,sha256=JZFD3F3zYQxHUt0GCVJI2JsLOioXURZ2s6GMM3qlvw8,659 +gradio/templates/frontend/assets/Play-B0Q0U1Qz.js.map,sha256=VLgykwl_dHvpN6UBDVhGf1TOXwuSJednR4uxwU-vJW8,538 +gradio/templates/frontend/assets/Plot-U5w-5TZ2.js,sha256=xvJkfgH80wZ-wgFOT7xby3Mvk7oAUDb4SWfJGmdLucY,6175 +gradio/templates/frontend/assets/Plot-U5w-5TZ2.js.map,sha256=SOBPrWO96xa6pzhirUokwvGLqtWZw3j1h4Ylj9qBsns,3661 +gradio/templates/frontend/assets/PlotlyPlot-CsFqikXO.js,sha256=RDR-Vd_MyMoUxwJVqGDzgUHx_Q7R_v3pENk3xASymW8,3750850 +gradio/templates/frontend/assets/PlotlyPlot-CsFqikXO.js.map,sha256=OTnCT51PN_l5R_oKytAcDRTeN1r-bo78Ff80jES423w,8681415 +gradio/templates/frontend/assets/SelectSource-Du_vsOTd.js,sha256=l_6gE3TvycFIDCIBVEoO1Ht3LAanzPpPeJM39QVzmkM,7094 +gradio/templates/frontend/assets/SelectSource-Du_vsOTd.js.map,sha256=jVlMgoqBSo7eOvlb3imfdIJZYOi_zZToL_1UJVQ-P-c,6500 +gradio/templates/frontend/assets/Send-DyoOovnk.js,sha256=IGVNSctZCuXbK5P7Unvfi1LjLoOAy8kd6p9AARQ1qoM,2898 +gradio/templates/frontend/assets/Send-DyoOovnk.js.map,sha256=uw_F_7KnhwYX6Dw_OFU-6fycPBzfugI4Pxjv81YRK7M,2853 +gradio/templates/frontend/assets/ShareButton-DZ8WoP2n.js,sha256=UDvSnGTVIyzG5d6hz0DJjYYcml4Lc1C1GLsjIOnwuI8,1533 +gradio/templates/frontend/assets/ShareButton-DZ8WoP2n.js.map,sha256=8q3ruyVb7gk_3oFFR_R3EwAqiEoHfaf6zdBj-An5fzw,1805 +gradio/templates/frontend/assets/Square-oAGqOwsh.js,sha256=_52kT0dM9nuwZhaJrxLYIsYKebpR-IoiFI1lkf21Mhw,1178 +gradio/templates/frontend/assets/Square-oAGqOwsh.js.map,sha256=sLR02_4WvGXOdyJUE_rAoBS6Qtr-mN8VfPLq5BHs-Qs,858 +gradio/templates/frontend/assets/StaticAudio-BAKhejK8.css,sha256=A_xQR-aY92pNT5MUgdb-SMXFwgw3nQHhfrRTQpRCHYA,3780 +gradio/templates/frontend/assets/StaticAudio-Oln9Ojbj.js,sha256=TocwJAy44AfLGDJOS3ec0LO0VZb1xASyxjCSTP5cHcw,68689 +gradio/templates/frontend/assets/StaticAudio-Oln9Ojbj.js.map,sha256=7ao6nIindQ0JH1EZbFp_228O-VgRunFFZ9HGHEZVv34,147942 +gradio/templates/frontend/assets/StreamingBar-DPxJxT2M.js,sha256=w5zT_aSKn6TwaphSrqj_CcIa3jwbdgzw--bsv4wZnSk,972 +gradio/templates/frontend/assets/StreamingBar-DPxJxT2M.js.map,sha256=ZBILLkXmjxMRTny2uXBp7ty7Hut1Awzou1shNPDbtjw,956 +gradio/templates/frontend/assets/Tabs-9SYm0EzE.js,sha256=ZZYpH5IE9uifpv7BNZpzWOxueSBaLqQfLuC4Ul6e3GI,6958 +gradio/templates/frontend/assets/Tabs-9SYm0EzE.js.map,sha256=VYvvtBcfxGZfwks0yCmcKGpDCJfd2RmDAw_MMMrslUc,14392 +gradio/templates/frontend/assets/Tabs-DvBEsnhq.css,sha256=B0J100t1exb6r6eJZI305K7UvQvbc4wLsf4GxPdcZ5w,2662 +gradio/templates/frontend/assets/Textbox-At16yAES.css,sha256=5M3KsOJuBOlLCB4rhrA7UaV8dR8Mh_bW4eYfZ1pT1Ns,3417 +gradio/templates/frontend/assets/Textbox-C3mEsbdt.js,sha256=Hg8LHHod0PV-_PbnLI7tyzUSovpveJ2LbLsyUIaA28Q,14184 +gradio/templates/frontend/assets/Textbox-C3mEsbdt.js.map,sha256=TOMShEX8YQt62MtUztGN4f3De0UIzW9kvfh6V-V4lfs,18324 +gradio/templates/frontend/assets/Toast-3wGnst2p.js,sha256=njgX2LjA-jCKG-cCg7_csqGHVQgkfTdzE4najaD5NmE,9828 +gradio/templates/frontend/assets/Toast-3wGnst2p.js.map,sha256=O56sPmLkyrD4X75vLC4bs92AfrYlZkn-3h5eztd12ZI,16726 +gradio/templates/frontend/assets/Trash-CWfJ0J6A.js,sha256=1h7n7J0ASABPyxpZ-B9VlLXv52tgiaOQuIovJJ-9-Lw,1059 +gradio/templates/frontend/assets/Trash-CWfJ0J6A.js.map,sha256=oDgitnSESMyPV33jwfqSo08KjcvL_tLGAr2YQw7faIM,1078 +gradio/templates/frontend/assets/Trim-JQYgj7Jd.js,sha256=KbYwF50L0Cgfx1GwSuYMcffPwonRTlKuj1jvyR0vWAQ,1722 +gradio/templates/frontend/assets/Trim-JQYgj7Jd.js.map,sha256=WH2f_yVjzqUcu-Dw-3xC-5U0pCKyT2wmKbdjLpN21rA,1433 +gradio/templates/frontend/assets/Undo-DCjBnnSO.js,sha256=hN9csaR24frwip2tlJC8QYjlHHvBlbJ11Iuv2470K68,780 +gradio/templates/frontend/assets/Undo-DCjBnnSO.js.map,sha256=wgJ7gvHAM3q1VKizEXtuMKZXtc4CrVO5ZL-DZKPrLLQ,676 +gradio/templates/frontend/assets/Upload-CFneyO_L.js,sha256=UcOTLVQCibEDWG3WLmNjs823eDPhsQpddH_wFB-xats,12760 +gradio/templates/frontend/assets/Upload-CFneyO_L.js.map,sha256=THhDTMKjCE8PAkWxC7wXptDw92iuOdzSnb7ZoPD_y8c,22875 +gradio/templates/frontend/assets/Upload-Cp8Go_XF.js,sha256=H-UzRfvjS8tVV-IFNMMRjRKjASsHNgymBVghRUCCdlw,1945 +gradio/templates/frontend/assets/Upload-Cp8Go_XF.js.map,sha256=BBe_bfLEprONA1QifwJrFscBb-noi0sWG9AFmw3f7z0,1650 +gradio/templates/frontend/assets/Upload-TqyQQ5YY.css,sha256=WBK_NcriVUIZw1C5uYZXccIfsULECRPpMbSfdw8TcLY,1912 +gradio/templates/frontend/assets/UploadText-CZ1ibcLc.js,sha256=nsIkKfhdrdIcSVFmxdS7G-5KDZ7LtDWyoLjxazJ7nZo,4318 +gradio/templates/frontend/assets/UploadText-CZ1ibcLc.js.map,sha256=3JJn0UmBcaFE9M7IZT2aJqhBx_Jb8dqdZs61t-GPL1s,5424 +gradio/templates/frontend/assets/Video-D3yXKYe7.js,sha256=XpWHSL67vEktR7Fch9U6eOowuJFH9vmGsfbQJrjA9mA,21922 +gradio/templates/frontend/assets/Video-D3yXKYe7.js.map,sha256=XSWJk1jtozO-6JhnW_Y-BSmx3inRUAtc0R1y7BjxUHA,57839 +gradio/templates/frontend/assets/Video-DJw86Ppo.css,sha256=qAw3K4D7yNVXazTJKnrqyWL7dwp-lY_7ekFq7-UWH0k,847 +gradio/templates/frontend/assets/Video-fsmLZWjA.js,sha256=rXRWdsu0g4QFebM5vsHc5mAYLDowUFbZHeGl9viiL4g,802 +gradio/templates/frontend/assets/Video-fsmLZWjA.js.map,sha256=Gv6bIQk7fnrVsJH7SoxmlalPEv4a8bmwDNLXlQIqK1k,676 +gradio/templates/frontend/assets/VideoPreview-Cg1SFgTK.js,sha256=cDex-urLrSNHCCP_geAbmhH91wdhy0ij7jTfQMhoVhE,29044 +gradio/templates/frontend/assets/VideoPreview-Cg1SFgTK.js.map,sha256=E96aJJL6Z7jMZHaC2L6hPPwVD94JsB6_bLFBJyy873U,34701 +gradio/templates/frontend/assets/VideoPreview-wQufNXbv.css,sha256=PjkGWhpaBjwd-8gamQ1ogoa9aVdMSZsVx0yAoWfYD6A,4356 +gradio/templates/frontend/assets/___vite-browser-external_commonjs-proxy-TmT-OeGo.js,sha256=Hr7KPZUMgqZPRjejKsLI0W4dQIyCUQJ-qfsGDdlF_q4,204 +gradio/templates/frontend/assets/___vite-browser-external_commonjs-proxy-TmT-OeGo.js.map,sha256=Dt2sH4k-qM98LElZ6V95p_jy1jqDRViNRHnF3xeKAI8,132 +gradio/templates/frontend/assets/__vite-browser-external-D7Ct-6yo.js,sha256=gLgqz-uHvyy2pHsKpI4HiVG4omFv5QWc7HvEbdZQYh0,191 +gradio/templates/frontend/assets/__vite-browser-external-D7Ct-6yo.js.map,sha256=RzUTYvOSuJHzxj3DlmuLodPaw_efLdZDyf1_nICbw74,222 +gradio/templates/frontend/assets/browser-yBPULMNI.js,sha256=zuha4GLjIl-y30eD5JzktVaWaDyR4iDZ4ek9kc_BKIA,615 +gradio/templates/frontend/assets/browser-yBPULMNI.js.map,sha256=u8Iu14Ss2wlSZydVYwroRkTMBf8IuVt3IfQWhe4dD9o,461 +gradio/templates/frontend/assets/clike-CFERkOWz.js,sha256=mQpCFcp-oiPNu7VSxfln1er5Z5RtGj4q7VGUu_2B7Zo,22117 +gradio/templates/frontend/assets/clike-CFERkOWz.js.map,sha256=XqVkmu58duhYc18n9GivwjdrwKKv6ueKs5GtWF6J30M,59186 +gradio/templates/frontend/assets/color-DsOT_qNo.js,sha256=752B4qCpHIZs59Or__IgkiVUGZf74aQDKQ3WWHpkMjI,161 +gradio/templates/frontend/assets/color-DsOT_qNo.js.map,sha256=w1ETCGyQ99JAKFX6D0Pea-Z-Rp37rHrCknMjm0pX9sQ,418 +gradio/templates/frontend/assets/context-TgWPFwN2.js,sha256=4Kn1x9rcjHy-CQu3iWxfJUh-IHIELfZeIim-9-c-ccw,210 +gradio/templates/frontend/assets/context-TgWPFwN2.js.map,sha256=dD0mGEywf1lDzopaOiLAldcIBEeDoRjl7QujNsk4x4Y,835 +gradio/templates/frontend/assets/dockerfile-C8FRPiPq.js,sha256=x0y2YMk4Z09ZxBapTMWTfLQ2ciKSsHO_ya8JwbonYxQ,4165 +gradio/templates/frontend/assets/dockerfile-C8FRPiPq.js.map,sha256=AHgLBpEyZs9gOkVQffrHzYkHoG2O_gEJsephAlHU-Cs,14863 +gradio/templates/frontend/assets/dsv-DB8NKgIY.js,sha256=EFxoW9KsE0aBRfSu23OVdhlOpxub7HPQzVVLDjS9Rt0,2189 +gradio/templates/frontend/assets/dsv-DB8NKgIY.js.map,sha256=eBC_CeRlH90w4QYAFDJ5cWKa9_n8v8Z0Ua-tfbNWEV0,9563 +gradio/templates/frontend/assets/file-url-DgijyRSD.js,sha256=5cQTVW8jpRjuX0oIfk6Pem_-s3yU4pmu7ml7He25N_4,972 +gradio/templates/frontend/assets/file-url-DgijyRSD.js.map,sha256=qFkOYmj4UWAat0Cpt1BGNlkdAPUNIpdtetay5S5_hbk,6251 +gradio/templates/frontend/assets/frontmatter-BCdwYsQh.js,sha256=1FShYDbTMRmfTIZsKtgghGJbfonMoy-dHtsMVQ7wGGo,1632 +gradio/templates/frontend/assets/frontmatter-BCdwYsQh.js.map,sha256=FStuyYaLEG0P7oVIbWtK7rkPHpuVshlJ5nQ7es4k86M,3067 +gradio/templates/frontend/assets/hls-CnVhpNcu.js,sha256=8QugCIam0HQFjX5ooeraop42Il0iOdPZ5JKUOrmS2Fk,395903 +gradio/templates/frontend/assets/hls-CnVhpNcu.js.map,sha256=8j0DZ_1PRSv_gCeIHoIcGN_gUKdbz1wtKklujwzvweY,1557274 +gradio/templates/frontend/assets/index-12Zo_D0r.js,sha256=U-PNInq4YehaxdzUkSejswGqmoK6vE1gcPUhgpIroQ8,78658 +gradio/templates/frontend/assets/index-12Zo_D0r.js.map,sha256=cehinGqwhqqKf5afjym9DH6S05QV8woUhOV035c6Kb4,107775 +gradio/templates/frontend/assets/index-4lHb9Y67.css,sha256=osw24cXmhcPTFxRcU2134UBdPCbz6uDhZfqi3GU7csU,6013 +gradio/templates/frontend/assets/index-B8gUcALc.js,sha256=o6jS9MNx_1y9NSM4SVmXnaeAgadEi3OnJpjh32eXnas,40424 +gradio/templates/frontend/assets/index-B8gUcALc.js.map,sha256=Y577h-39_UQPbwuK3OU3hghi30zOwvntXbI3krJHtAc,158491 +gradio/templates/frontend/assets/index-BEGwHxkx.js,sha256=bA87vioioH_yJhJvKmbpXWJyJ1b3q9bry-YZ5wyfPzk,26098 +gradio/templates/frontend/assets/index-BEGwHxkx.js.map,sha256=tzZGKJtLrhisQKWCFQg-wNV3gQhDwl-GF5OCxJPs-2Y,110254 +gradio/templates/frontend/assets/index-BJTJ45dr.js,sha256=-KCfN9HHj5xSrn8QnnHg5ylrW9W_e7n7TJBBwf6LLV8,281 +gradio/templates/frontend/assets/index-BJTJ45dr.js.map,sha256=GIiupim3etzVVejPR7TwloyQaQpiYTb6wOpZCGg_oDY,98 +gradio/templates/frontend/assets/index-BNELhsn3.js,sha256=dsT2_unOYGIL2EcMDFqMGMzwI62ELAdptOowjOvAV6k,22118 +gradio/templates/frontend/assets/index-BNELhsn3.js.map,sha256=NJ_rnmPpidlBnNIAACnVG9yPnhM6Wv0VydhhnKu42eU,17575 +gradio/templates/frontend/assets/index-Bdt7WbBM.js,sha256=PkH8ggQLf6MNTPk-ZjhzTVz5XMUwNica3RWZ4J1MAds,637 +gradio/templates/frontend/assets/index-Bdt7WbBM.js.map,sha256=2bh0e0OFVlR41syaxez-DwPSgPYqyp2WA0HZWQ06NRY,18132 +gradio/templates/frontend/assets/index-CFBZQE_H.css,sha256=ju6sTexxG14ZCP0jy02BnRvbcKf2XNDp6NP7_TW-_Gg,346 +gradio/templates/frontend/assets/index-CMJ3qeq1.js,sha256=TNLzwRjFYmN_M8w2I3ztx6ssynX0ygmpmO1LNlMgES4,18966 +gradio/templates/frontend/assets/index-CMJ3qeq1.js.map,sha256=ztKYiTuk76_UPZ50E85Ja1q5iwF6lnlgmWvJ7_jp-MY,34933 +gradio/templates/frontend/assets/index-CnqicUFC.js,sha256=xbt3v51tkQzxJQyXwW3J_8KKfIqdgYXp3FqN13Pdv8Q,522 +gradio/templates/frontend/assets/index-CnqicUFC.js.map,sha256=Hu7mZy6Kr1U_6tDPnYzvBujgEwY6gaLg_JUY_itc0Js,1792 +gradio/templates/frontend/assets/index-CpoxQFZ7.js,sha256=CPrpUfDex_UjF74rvTEmlvOJRAMzlFvBaMkNJsWG-rE,3174 +gradio/templates/frontend/assets/index-CpoxQFZ7.js.map,sha256=GwYIYGqiHs_Aeq9wvc9i711wsfuqeupQw4o5PfxHevs,5935 +gradio/templates/frontend/assets/index-D04rx23c.js,sha256=Lmy5KZ4EXG-yzfv6GvaVMy1Wgp6py0WnGdn2_uQGGdo,52143 +gradio/templates/frontend/assets/index-D04rx23c.js.map,sha256=YQ9gBjzEE9swGjYwvL3LQ1IErzbbRkDxdgtxPKOlUm0,66871 +gradio/templates/frontend/assets/index-DYXpQbSy.js,sha256=Q9XtTuL1SBEXk6NQUyqRxmP41Cd6c5YxUwqkwgKFaaQ,22904 +gradio/templates/frontend/assets/index-DYXpQbSy.js.map,sha256=4GZBonhgJAMW2IV_7LYvLWiz_kx08YmMSe-WcEhl6kc,41902 +gradio/templates/frontend/assets/index-DZWN1xp4.js,sha256=1n6CYxrlMuaegQUxa8sBlplYJt07liXr88GJamQsrQ4,575 +gradio/templates/frontend/assets/index-DZWN1xp4.js.map,sha256=FGfjSwxdZWi6Pon4azg6AEAy2T0sN2Qa01hoHTZvHX0,98 +gradio/templates/frontend/assets/index-DoKTLgvH.js,sha256=a7822k7L586uJeAXO17e-kV45V61NWkp1oSwaLeVtrA,51441 +gradio/templates/frontend/assets/index-DoKTLgvH.js.map,sha256=grcyjicO1od-tWiIlbDXjGxdjd1HKvBIDmu5txS4qJA,67051 +gradio/templates/frontend/assets/index-SurhQufQ.css,sha256=0xM9cgm8eOOHx_H99ufPm6MD0JGEUF7W4-vof4CU5FQ,25727 +gradio/templates/frontend/assets/index-yf1EQ8J3.js,sha256=YQpLnJs6ImJHakSM5FhnArjvQMjFDeswYobMS6r5rpQ,29276 +gradio/templates/frontend/assets/index-yf1EQ8J3.js.map,sha256=BGhK_2CHZh8kGIFfPgcApiM7ZXOn9DyBrV4mrxS9c4U,75789 +gradio/templates/frontend/assets/index-zwPOQhW2.js,sha256=9i3kOJY-Jyz_GrNDsIqaGANtKp7-XOvtMZG6BZ4E6Ck,145417 +gradio/templates/frontend/assets/index-zwPOQhW2.js.map,sha256=yQSIUmLZTvK2n4NIWKEQm8SGab65XnKs3TaaYgRtIcQ,464186 +gradio/templates/frontend/assets/jinja2-C4DGRd-O.js,sha256=24e8PSC26afbvflwftjMJy5TSiZ2lknHo7ORQ0bMRdo,2660 +gradio/templates/frontend/assets/jinja2-C4DGRd-O.js.map,sha256=kMv28Oo9k9V7lfi7m0VSysfcv_QYuI7Y-1q-wtL123g,8357 +gradio/templates/frontend/assets/module-BA06XY8_.js,sha256=ywh49Zc9CwTaSDYZMEDeiKo3RvTFeN3tOqnL29iZozw,10074 +gradio/templates/frontend/assets/module-BA06XY8_.js.map,sha256=d6agubAS65d0vMPwcu6UW5dE5lnofJWaI5TGRYKIHHA,13013 +gradio/templates/frontend/assets/module-BDbJyv1A.js,sha256=Cm3Bv4Mo6D8B75kypVRUysoWbQDIasZlwYMyF6nnbQc,92337 +gradio/templates/frontend/assets/module-BDbJyv1A.js.map,sha256=3nDOKKqsn6L2g_Azkx-Zef5Yr-l8lXoppikAoXiZWOc,573532 +gradio/templates/frontend/assets/module-C-VadMaF.js,sha256=sONT5t6wGMTmS4ARFacVpTtrJatsU000v1BpAO6sdS4,1670 +gradio/templates/frontend/assets/module-C-VadMaF.js.map,sha256=tGpjVWKbiKW2XFDQ21LHxaRCgdL5w03eH_Z_Ejl8FX8,11696 +gradio/templates/frontend/assets/prism-python-ChJf9E4g.js,sha256=XpTnyDDTjvMrq_ONDYyhn7FGNQ-L3JH3qG-39xhtB-0,21342 +gradio/templates/frontend/assets/prism-python-ChJf9E4g.js.map,sha256=haRYrfIe6sLL9PTtVIwWUhZrct-SldmT5Pfivuxz148,89011 +gradio/templates/frontend/assets/r-DUYO_cvP.js,sha256=sCFWKfxIp9PvuZUQjlwtC7zX44Jby5eN7LVE5rPabM8,2974 +gradio/templates/frontend/assets/r-DUYO_cvP.js.map,sha256=WcakkHg_A_U2L-F1GYIAo6w8BQu5mqhcO1BCznjSCG4,10623 +gradio/templates/frontend/assets/shell-bahM2fKw.js,sha256=BMBlZr_z9XDexz8mJN0XL2MMuOnxCOhB8atKVDg7xD4,2595 +gradio/templates/frontend/assets/shell-bahM2fKw.js.map,sha256=2ypKH4GqXZ7GY76IxGX9s1Lv-zcAjp7m2f-mw0wEdCo,8754 +gradio/templates/frontend/assets/sql-C4g8LzGK.js,sha256=m7wdgYfcIBjLAFQOwO4VJwq7es1UkQ3rZEdSQIxZ4Wc,37113 +gradio/templates/frontend/assets/sql-C4g8LzGK.js.map,sha256=aJXTR0xFYm__O2W5rVDsOM4AcES8uI9mnvBDYdPXeyA,56025 +gradio/templates/frontend/assets/svelte/svelte-submodules.js,sha256=8nb36tDYeMxEanun8zJQvLJrwe3VaMEWikxceywgubk,32056 +gradio/templates/frontend/assets/svelte/svelte.js,sha256=At8-u-_sRDWjLhoo1josrw1W6g0w5mRnkalYJEciDEY,104399 +gradio/templates/frontend/assets/tinycolor-DhRrpXkc.js,sha256=dIbiS35EsagBi5-T_FijfjwzSDDiyHC-w7KlRKj4_V8,16415 +gradio/templates/frontend/assets/tinycolor-DhRrpXkc.js.map,sha256=wlVn_3zsEmAn6f3_W81uYhXA6D3jkGwEGHVTsbv1d_4,61005 +gradio/templates/frontend/assets/utils-BiWkKWez.js,sha256=d9a9t0lkMle8RizmtBVRVrMQBstB5h4qj81W65jsia4,2370 +gradio/templates/frontend/assets/utils-BiWkKWez.js.map,sha256=QLerUm9SuyS7_hDMvnNBcgCqxKpq3ow0h2wd2HQeFH8,11081 +gradio/templates/frontend/assets/utils-Gtzs_Zla.js,sha256=zomT-Ay4D7h-es5IW1CAa_re3U7_XlD0CD-kC7_E4H8,575 +gradio/templates/frontend/assets/utils-Gtzs_Zla.js.map,sha256=aCvEcJlcizGaSUxfPcqsbTz9lRZRJ-paj1zWQtYMR8M,2103 +gradio/templates/frontend/assets/vega-embed.module-CLtnQsBL.js,sha256=oFqH6ZH1gcqNWLuUzUWEw1eRS0Ogcxr3k6YG_-2uuTY,868705 +gradio/templates/frontend/assets/vega-embed.module-CLtnQsBL.js.map,sha256=7H-MGM0Bqg74scsZ3gQn3QAEsc2eddngRVD8vNJmG6s,3889843 +gradio/templates/frontend/assets/worker-DJ3jufjD.js,sha256=8etal0e46Ik7GYt93q3Boakxg8_gI06CcDywv_L8AXo,2369 +gradio/templates/frontend/assets/worker-DJ3jufjD.js.map,sha256=mvSVGqURBV22WBcpySJMojRgfFNEs_SyfpHtTZ45A1I,10186 +gradio/templates/frontend/assets/yaml-DsCXHVTH.js,sha256=Eydcz4fWDbevl7y0MlinPMyRGIzzFnWOeODNwQbnYLU,1564 +gradio/templates/frontend/assets/yaml-DsCXHVTH.js.map,sha256=dafysz1s3WXK0r7ZwU3W0rxSi_DSYYg76uc4Yob7e48,5018 +gradio/templates/frontend/favicon.png,sha256=K_x7Y4Jps6jl9lAtcaC4kBCJkQ3YDt6Dlr3FkPEwIBc,3127 +gradio/templates/frontend/gradio.js,sha256=Ise7P6ObGokNrIF_eFJrWTTdmIFZuFNve_6-AJgBZQE,38 +gradio/templates/frontend/index.html,sha256=00-5O00N7ZpMCSTEJQoC2w6cV6q8N_dgKdSG1HHZyyk,2992 +gradio/templates/frontend/share.html,sha256=NVXCHwFmJsCJzYdukPfwwbgkEhaQXHU844uh125ZkFc,2953 +gradio/templates/frontend/static/fonts/IBMPlexMono/IBMPlexMono-Bold.woff2,sha256=8HPeTEWcpj0YH_vr8mW1gHxm2XL2WOuLS3dz3uu1r8A,36904 +gradio/templates/frontend/static/fonts/IBMPlexMono/IBMPlexMono-Regular.woff2,sha256=dWXn22ppgRRZyKQk1vHl2DE0_jgoDLRHHVJIBZhjVco,35536 +gradio/templates/frontend/static/fonts/IBMPlexSans/IBMPlexSans-Bold.woff2,sha256=iJm2LXTQb0gvEytgDUnJpRzxOj2DCsNdFY-MzmUHnCA,56112 +gradio/templates/frontend/static/fonts/IBMPlexSans/IBMPlexSans-Regular.woff2,sha256=3WzVK_FdL1v3UZzT2HauLTcwbnfRqVpj6GfmyVq5xJ4,56184 +gradio/templates/frontend/static/fonts/Inconsolata/Inconsolata-Bold.woff2,sha256=MhfJ7ncBcWJiH0NDky7t3-sVSspadVOkAjNknRM8B8A,39264 +gradio/templates/frontend/static/fonts/Inconsolata/Inconsolata-Regular.woff2,sha256=Ti4Ji6rCDml3DZrNUiCQzf9tqxOCvqHxg1nrygwYE9w,38608 +gradio/templates/frontend/static/fonts/Montserrat/Montserrat-Bold.woff2,sha256=KUZT3BRm3NoCfI_02A97yPsHT8DarKua_eaMH3ZGux0,86804 +gradio/templates/frontend/static/fonts/Montserrat/Montserrat-Regular.woff2,sha256=l27-Q4SCO5u9s0mkG1VhQYPldjh3Je4GhSruLEcebDk,73632 +gradio/templates/frontend/static/fonts/Quicksand/Quicksand-Bold.woff2,sha256=Jp7WidXR175zzpSQrfbRPQ7h3-XKkz2QhA2KrGiXdbg,29460 +gradio/templates/frontend/static/fonts/Quicksand/Quicksand-Regular.woff2,sha256=2DDCphSj6Wo1uWLzuwMqB8tsMJ-ys-no8Jq_-ZJzN5c,30864 +gradio/templates/frontend/static/fonts/Source Sans Pro/SourceSansPro-Bold.woff2,sha256=S3rVTBe1OvHFenqRl84ky7FhpgbbzSk2j8s8RoppKB4,102576 +gradio/templates/frontend/static/fonts/Source Sans Pro/SourceSansPro-Regular.woff2,sha256=QxuP-bUGPl1I5OYkFYNa6u6GmpGcX-cJACeae3sDSpY,103012 +gradio/templates/frontend/static/img/Bunny.obj,sha256=yT5Kb8ZCMZT_iyTeNy0KBjImQpAwKhHTkfgyMToNVe8,198443 +gradio/templates/frontend/static/img/Duck.glb,sha256=Zb-Tj1TWBz5hnnbgB4ILv5gM3D3A2uwNlIMP_ErlSrU,120484 +gradio/templates/frontend/static/img/api-logo.svg,sha256=U0bxk-F8XMEQqDlMPZTzwrFgCmNOj5wBz2nV5CTCMh8,1544 +gradio/templates/frontend/static/img/camera.svg,sha256=SpId6c1K484Wkh_BWPCYM0Y4hQtIWLhPDfV2pW7Sko0,349 +gradio/templates/frontend/static/img/clear.svg,sha256=vwpFiqfMn3jDAFS1a72C1q4BEHLTaJZKurG0RIpX9j4,1920 +gradio/templates/frontend/static/img/edit.svg,sha256=gvIbS-99UVGmYE5a38K1AcsPD_KmwwBe3hKdYzrzbHc,1427 +gradio/templates/frontend/static/img/javascript.svg,sha256=hQz5S4qCD6CWtmPhbRryjIljsJ9kcLBqGxtguImqYh8,742 +gradio/templates/frontend/static/img/logo.svg,sha256=PRMb_z_hW8uz5uZVKovuJTd8NmZyOpy-aM7KlT6mE98,1107 +gradio/templates/frontend/static/img/logo_error.svg,sha256=WkTxoBCQ8Hvcx-sBsZbhDpwInU_WUhqvvdssj0wG8o0,4609 +gradio/templates/frontend/static/img/python.svg,sha256=IOOckruIxuSlu-lfxORc-Gze5YUTCOE1mIQZplzkgLQ,1111 +gradio/templates/frontend/static/img/undo-solid.svg,sha256=6O_Pyjo59fCCynMz5XhWU4wI1egQ3anNpToH9fpmISw,767 +gradio/templates/hooks.mjs,sha256=qSu36ayhEE5FZuhHtwufI_u6_o24a_zvkjSQ2tDHgY0,619 +gradio/templates/node/build/client/_app/immutable/assets/0.SX3MW3UH.css,sha256=xAUp11Sxs5Roylt9-o3H87NcgcxMgjch7NqXhVqprUE,27741 +gradio/templates/node/build/client/_app/immutable/assets/0.SX3MW3UH.css.br,sha256=7wzhKnh-KF8tqIJNpUkvqIkIBMHxtrbkDLa5zCXDFBo,5310 +gradio/templates/node/build/client/_app/immutable/assets/0.SX3MW3UH.css.gz,sha256=4ecbQFHM3HMFGbL4YkT6ySI82aJOcD604B-p6ioqhv0,6192 +gradio/templates/node/build/client/_app/immutable/assets/2.Del_Rknp.css,sha256=gXnOmCkMWpUNry0oPBgIXE-gHMhoJ9ai1a0NDJx9xWo,82416 +gradio/templates/node/build/client/_app/immutable/assets/2.Del_Rknp.css.br,sha256=bHsUMbaQoY4DI9Sdi3Y_fGJmP8KxwSffWOFKRm-oR14,13676 +gradio/templates/node/build/client/_app/immutable/assets/2.Del_Rknp.css.gz,sha256=ev3-Z1d5uKpKAOPwDRuoQSLsK1qML3LJdZubfsrgeYU,16166 +gradio/templates/node/build/client/_app/immutable/assets/AltairPlot.O7q90H0e.css,sha256=0hw5ADez6LVLoAnYxY_2CPvfRUxPmBHM34AyG63idd0,892 +gradio/templates/node/build/client/_app/immutable/assets/AltairPlot.O7q90H0e.css.br,sha256=HpWdzKAKQbpsw6EbDjc6vEpT9bKfwiMwt1c8NYlMN2s,260 +gradio/templates/node/build/client/_app/immutable/assets/AltairPlot.O7q90H0e.css.gz,sha256=bubDrQEQw1aqZZFEjKqG_M7PWYavfIHy9y-_tKAjqZg,343 +gradio/templates/node/build/client/_app/immutable/assets/BokehPlot.DX04T7W4.css,sha256=kwnWpUvtbxpTjehyjrrRm-u_fhnDqbbvi91OhyjjlhY,65 +gradio/templates/node/build/client/_app/immutable/assets/BokehPlot.DX04T7W4.css.br,sha256=SE6cnfTEfmcoQMQdRaBwBFajnNWDa-Z0nY834jhi-uQ,59 +gradio/templates/node/build/client/_app/immutable/assets/BokehPlot.DX04T7W4.css.gz,sha256=BwoTC-flifhy6Stl9KtFqaeLIUSi_Nr08gD4PAauXKE,85 +gradio/templates/node/build/client/_app/immutable/assets/DownloadLink.wTm37iHI.css,sha256=QqroxjKsVj1XkBfFtpRdhm5IYgppZbRvPdghFzOGRyQ,55 +gradio/templates/node/build/client/_app/immutable/assets/DownloadLink.wTm37iHI.css.br,sha256=AzPAYneRZtTSNxmu0ubq2Z4PwqIWElQlD-23QKnZiSg,49 +gradio/templates/node/build/client/_app/immutable/assets/DownloadLink.wTm37iHI.css.gz,sha256=OBDm3XCG-g5G2jwlswWRnU3j35BfCabTqOhvqHr6JW4,75 +gradio/templates/node/build/client/_app/immutable/assets/Example.6livfLEN.css,sha256=wkOjHZo-UZCTCNs8jBVETHy8dMRk3mOEboQozdrNRZc,745 +gradio/templates/node/build/client/_app/immutable/assets/Example.6livfLEN.css.br,sha256=dYef0s2UTAWT7s4lis6DLoZC82Dc49T1lmTPPcTtp4A,250 +gradio/templates/node/build/client/_app/immutable/assets/Example.6livfLEN.css.gz,sha256=zWmMmnKJFuJe8TsKWYY0DgommmQLKwTWhfCOg7VFukI,328 +gradio/templates/node/build/client/_app/immutable/assets/Example.BI_HSbIA.css,sha256=5EHv5vndqUjNfAv3iDgWXTGfq8JDTuinlCtA3yr_zFk,447 +gradio/templates/node/build/client/_app/immutable/assets/Example.BI_HSbIA.css.br,sha256=J60MO3UMuNJZOeWwufHrj3_IbIcRp7PvkgrV44o6tz8,156 +gradio/templates/node/build/client/_app/immutable/assets/Example.BI_HSbIA.css.gz,sha256=S2F7kTiFO-ZCsDOyONcr3AaB-poT1sNY-Ir3a9YjN3U,217 +gradio/templates/node/build/client/_app/immutable/assets/Example.BT9hnQY6.css,sha256=fMRwCZJ3DsGlGGyiSs1qEa9w4y1A-3zl7cvSWrcHsdg,233 +gradio/templates/node/build/client/_app/immutable/assets/Example.BT9hnQY6.css.br,sha256=bS77Oa2aI-gPwxcuncoh0kpacq76ePy_tUwNdVx9nDE,125 +gradio/templates/node/build/client/_app/immutable/assets/Example.BT9hnQY6.css.gz,sha256=Z6Fy6lQ8B5nekNgVUNeKWrhkHw0IQIT6oe5L3ofsY1o,166 +gradio/templates/node/build/client/_app/immutable/assets/Example.COmDoKuI.css,sha256=xW5zMUkHpFORMaKPcMdLmiCxXRAXn2ItjvHP1ACew4E,93 +gradio/templates/node/build/client/_app/immutable/assets/Example.COmDoKuI.css.br,sha256=pGBrM6JqtW6fuYzJeggioK8Q_h3colhbGFzyo6_9j4c,66 +gradio/templates/node/build/client/_app/immutable/assets/Example.COmDoKuI.css.gz,sha256=RCWQ4kpBBJBxB2rztrc1MDQsVwaoNBKVXf1W_PakzuM,91 +gradio/templates/node/build/client/_app/immutable/assets/Example.CniNOwBY.css,sha256=T1bZWsgJgFycSysHycoBrpdST0F5NAn5mYZ3kYHh_Ss,198 +gradio/templates/node/build/client/_app/immutable/assets/Example.CniNOwBY.css.br,sha256=bkPVsTeETNhug-3gEvZ_NKWqcxB1mc_tOTWqRn29QtA,105 +gradio/templates/node/build/client/_app/immutable/assets/Example.CniNOwBY.css.gz,sha256=BhYvEr7q8V1E06i9fUrhzuO3o_myfjq5PKLQCS8Bhc8,153 +gradio/templates/node/build/client/_app/immutable/assets/Example.DYbpMrse.css,sha256=6GKOiGSvWxtFPhhjK-H6XN_BbIckCseh1RZUrEhrMkk,148 +gradio/templates/node/build/client/_app/immutable/assets/Example.DYbpMrse.css.br,sha256=pHaccDcQ48gpLHxZjv6dNAGwMwSrML6r-wvXdICtqb4,86 +gradio/templates/node/build/client/_app/immutable/assets/Example.DYbpMrse.css.gz,sha256=PG6pBGk4EZe5cbBCMMb3CH7ckDIsUxCP1SedIvt6Hjw,126 +gradio/templates/node/build/client/_app/immutable/assets/Example.DhjYx34x.css,sha256=M5DP1RxOoaJ2tbXDTsgMvJKy-_6HaHwFLCS1M7_rC1Y,551 +gradio/templates/node/build/client/_app/immutable/assets/Example.DhjYx34x.css.br,sha256=OvxPEzM_Z0mr24MShVQMLxa-zIV6phnXq4lXHx33KOw,171 +gradio/templates/node/build/client/_app/immutable/assets/Example.DhjYx34x.css.gz,sha256=h_1YHLkOLvQdIYnBttMUXf3oFUr99i6AaaIsAyOX_G8,234 +gradio/templates/node/build/client/_app/immutable/assets/Example.DiaQHWGN.css,sha256=VdlMcbwBbmvssQNILE1zZVMtLuwlyQPmOk6tKRx9nxI,60 +gradio/templates/node/build/client/_app/immutable/assets/Example.DiaQHWGN.css.br,sha256=yTlwrJNH45ZhS4fFrp07_kvHkardN9v_I86ohgWSny8,61 +gradio/templates/node/build/client/_app/immutable/assets/Example.DiaQHWGN.css.gz,sha256=REEluPVTyYs9BCv8fhSr-wo5MHhWpKzrd1tdN9RnSV0,71 +gradio/templates/node/build/client/_app/immutable/assets/Example.PNpjY3LI.css,sha256=6sZV9eyRX0wFFdEabBqkrt2Obo_mfgcQqRBlMTf0Clk,45 +gradio/templates/node/build/client/_app/immutable/assets/Example.PNpjY3LI.css.br,sha256=eG3LPpCQkYYJCiAUMH2E3cjzOW_qesFxp__HEG1pM1k,49 +gradio/templates/node/build/client/_app/immutable/assets/Example.PNpjY3LI.css.gz,sha256=DfMMjkc4VZR6qgxRFApJ9nFtK0Lj-RLVrVn0Qk89C9w,65 +gradio/templates/node/build/client/_app/immutable/assets/Example.UAAEakYs.css,sha256=W-cklhz1T3Cp7-gh-qjgCDaBZtYn9UJFZBlLYSXCLqk,96 +gradio/templates/node/build/client/_app/immutable/assets/Example.UAAEakYs.css.br,sha256=iWBua_Yc4ppi_K-5qjY6XsSHWBacB20UFn56TDrCuus,81 +gradio/templates/node/build/client/_app/immutable/assets/Example.UAAEakYs.css.gz,sha256=RIpTmGLmkl1HmucmVPLhf6YkhKlYRg3vuEVyytbQL9c,90 +gradio/templates/node/build/client/_app/immutable/assets/Example.q-HzhiHp.css,sha256=KxCujO6Oda4cZMY7CGAQq3BH3PPX7tx05UBeFthdPW0,450 +gradio/templates/node/build/client/_app/immutable/assets/Example.q-HzhiHp.css.br,sha256=Yz08YkRgNCVd3g2Z9l7yYhJb7frwHxAm9IYpf0FxtMo,147 +gradio/templates/node/build/client/_app/immutable/assets/Example.q-HzhiHp.css.gz,sha256=dTIofZsghaEpoy_nZbcyNtRFmuE6muc-byZvjjKFISA,204 +gradio/templates/node/build/client/_app/immutable/assets/Example.s-gSAUme.css,sha256=rKFZLuFJf965yaItXlw5kWHNLZHIAZrm8dzhXp0tYwA,1097 +gradio/templates/node/build/client/_app/immutable/assets/Example.s-gSAUme.css.br,sha256=jVaQQx6IFM-G5LI6Xrocomu0O1P0TwfN45bGIp4m100,288 +gradio/templates/node/build/client/_app/immutable/assets/Example.s-gSAUme.css.gz,sha256=YGxLtebgdO1oaaKMl5VGZ46a-rs4QH94Bg-Rg6v2dNs,369 +gradio/templates/node/build/client/_app/immutable/assets/FileUpload.CX39u1_F.css,sha256=KEzf7MNhW9IWgHlHb_TbuDg2rENP_MKmZON0ed-O0Yo,1532 +gradio/templates/node/build/client/_app/immutable/assets/FileUpload.CX39u1_F.css.br,sha256=5xFVfKAlGLUN9lDU18ZCPD5NQcaegoDJUu5AwkI16JA,375 +gradio/templates/node/build/client/_app/immutable/assets/FileUpload.CX39u1_F.css.gz,sha256=KIWCZ00hhSEm0ZEZR_qLOsytBVqcqh99TsP3APPVmnU,468 +gradio/templates/node/build/client/_app/immutable/assets/Gallery.DLSkpWZj.css,sha256=QWPRmIc2YsacMSJ1-JuxXqWbZPhRTkYBo284ke2q4tY,4294 +gradio/templates/node/build/client/_app/immutable/assets/Gallery.DLSkpWZj.css.br,sha256=1gHPg6vpvVBDpzeTXw0pUC56NPRxMILOkynojZET4C4,908 +gradio/templates/node/build/client/_app/immutable/assets/Gallery.DLSkpWZj.css.gz,sha256=JhEbB2OhEP6lhGWVyHoukS3HlT-AHOIL43K9TAnX6aM,1097 +gradio/templates/node/build/client/_app/immutable/assets/Image.CYNaBOxE.css,sha256=e4KbYJIKcpkBSzE9Vuk8oZGYATmGVEIS8madgNTtZEY,36 +gradio/templates/node/build/client/_app/immutable/assets/Image.CYNaBOxE.css.br,sha256=iJUzK8UUnFlnC17aiAMkpZ5tzREtQJ-RYZMDlynsi-A,40 +gradio/templates/node/build/client/_app/immutable/assets/Image.CYNaBOxE.css.gz,sha256=M10yJ2C36JmIwypY7EVP4CY0KOL-aXt_Q6F0qPQQp5w,56 +gradio/templates/node/build/client/_app/immutable/assets/ImagePreview.CBXFidgj.css,sha256=WyNELYu1Gmfh2TJoQm17YKp5xqZv2VxEnKICuVbNh8Y,787 +gradio/templates/node/build/client/_app/immutable/assets/ImagePreview.CBXFidgj.css.br,sha256=pIDHCbRer6Sr2rxfsnm-FMhE2eShJBA0q_485ACtZ4g,228 +gradio/templates/node/build/client/_app/immutable/assets/ImagePreview.CBXFidgj.css.gz,sha256=94XjI3qSQYiJXoawQgAo9eoPQT-R3CVevOZFMs8wG5Y,301 +gradio/templates/node/build/client/_app/immutable/assets/ImageUploader.rBPXgEQK.css,sha256=y-OExiM8X67mBTUnKO9awpPvVKReK4LUGpcb-dgtCPc,3341 +gradio/templates/node/build/client/_app/immutable/assets/ImageUploader.rBPXgEQK.css.br,sha256=rB6QejKknJ8_E6ovCfAdkakHfWH29eakmF5JeHNClMo,764 +gradio/templates/node/build/client/_app/immutable/assets/ImageUploader.rBPXgEQK.css.gz,sha256=njQGmlTwe1QshvCBZ-hgaEdgnfX8fiqwdZMfSGqp5gg,942 +gradio/templates/node/build/client/_app/immutable/assets/Index.A2SdUVuA.css,sha256=pMUMvS5ZJEjpKilayMh2sY3cyI00GD0rssuVlmK8hZg,5424 +gradio/templates/node/build/client/_app/immutable/assets/Index.A2SdUVuA.css.br,sha256=qP9-K6otj2RjIoC_CAavw00A8EYqWUxSNBwLeNfbeg8,827 +gradio/templates/node/build/client/_app/immutable/assets/Index.A2SdUVuA.css.gz,sha256=CFWrzNz405ad2ARHGyzwQe5lP-kTxmVaSKRkzwrsEIQ,976 +gradio/templates/node/build/client/_app/immutable/assets/Index.B1wGGoq8.css,sha256=gAcNdQAhLzFDmUP2XpUC2XmhIyu4P-kk7q2hsXQDjrU,2679 +gradio/templates/node/build/client/_app/immutable/assets/Index.B1wGGoq8.css.br,sha256=pyIQ6yhM2Q_nhC988-zWa6MJOZzfJTmZBUa3EVacEFE,496 +gradio/templates/node/build/client/_app/immutable/assets/Index.B1wGGoq8.css.gz,sha256=tIAmjJ0GHzty5VkeCkedNVzpej1ASvtD-t0fbAlKZBc,622 +gradio/templates/node/build/client/_app/immutable/assets/Index.B4zwzOds.css,sha256=QMP7MSxscC_KvM32Bk2GPWLlIeyQZMS2Iw4Fw94BpLA,2485 +gradio/templates/node/build/client/_app/immutable/assets/Index.B4zwzOds.css.br,sha256=1F3To5RFqOjv7HxGbC8fYk9vqslqUvEJyQ_BL6-AXQA,388 +gradio/templates/node/build/client/_app/immutable/assets/Index.B4zwzOds.css.gz,sha256=rryInhQ_lJCncOeWQ00x3FYVNp_sCjgp-7DNlxjJpew,492 +gradio/templates/node/build/client/_app/immutable/assets/Index.BJRWfaww.css,sha256=BvY30N_pr2KR9dmMXHv8sBUuiMvs9rRGRx3klxesFXc,154 +gradio/templates/node/build/client/_app/immutable/assets/Index.BJRWfaww.css.br,sha256=Q3hfgmsfK472INx5slnU9LsHwj-ARlk-xsJMjg1P6kc,94 +gradio/templates/node/build/client/_app/immutable/assets/Index.BJRWfaww.css.gz,sha256=6Y4ou60Xnfpd9rQT_6jKEkzcW1PtkV58M53L3q96njA,132 +gradio/templates/node/build/client/_app/immutable/assets/Index.BN_qRTWi.css,sha256=Hs12zMnG8aFPGSL7yi3vI2Ib2n4jSD56Uu3LHyEcZ9c,661 +gradio/templates/node/build/client/_app/immutable/assets/Index.BN_qRTWi.css.br,sha256=bPa3GyGKuiRwEB5pCzyLZnXsFQwhxCvfAc1Le4j8UEQ,253 +gradio/templates/node/build/client/_app/immutable/assets/Index.BN_qRTWi.css.gz,sha256=arMmNF3OMCBfxIG-PhA2l6BFmTeIAaO4nxGBytqzgI8,315 +gradio/templates/node/build/client/_app/immutable/assets/Index.BOweQxtr.css,sha256=FKC3meO9zg7JZnb91wzClopK9gehONAv-Lj2KUxIiwE,7222 +gradio/templates/node/build/client/_app/immutable/assets/Index.BOweQxtr.css.br,sha256=BegQQvxs6DVztnCO2erwsYDzloAFEZ7eof8NYzee9zg,1358 +gradio/templates/node/build/client/_app/immutable/assets/Index.BOweQxtr.css.gz,sha256=hfpw8hQxt_ER6X9r7eDR9rmEqIW9Sz7pnhXaYcoHTHY,1581 +gradio/templates/node/build/client/_app/immutable/assets/Index.BT2w1lL2.css,sha256=B6CoCwRmAeiUNQikvINcDUdMWkYOsJxUu_9HfiD2WCE,1767 +gradio/templates/node/build/client/_app/immutable/assets/Index.BT2w1lL2.css.br,sha256=4BPgf4m61olDOoQ6l6z6fIL2TMHpzy2zaY5EuQ1sO0Q,414 +gradio/templates/node/build/client/_app/immutable/assets/Index.BT2w1lL2.css.gz,sha256=RyJJjBtQlLyrWAX-nmLQkGrxVyFjLe5CQjyPJMpdlLM,525 +gradio/templates/node/build/client/_app/immutable/assets/Index.Bc-d5vZp.css,sha256=mJ-10uYCm90NTliu0OCrXgZMyUMTO0P65HrSPXBoDII,14194 +gradio/templates/node/build/client/_app/immutable/assets/Index.Bc-d5vZp.css.br,sha256=dxTNZhQ9xdqLZdnxzYl3tWPpHz5lLnoapIjrRGDnYmw,2611 +gradio/templates/node/build/client/_app/immutable/assets/Index.Bc-d5vZp.css.gz,sha256=K5U9KOu_jbUHCGuRsaQoI87E8QJZqE2cKdotx1Pz5yw,2945 +gradio/templates/node/build/client/_app/immutable/assets/Index.BdjN2L6M.css,sha256=eDTBET75uHfef3bsbyu2OmHyDKN22pWfRvlca7_ZVbk,2678 +gradio/templates/node/build/client/_app/immutable/assets/Index.BdjN2L6M.css.br,sha256=Q0wjOtvTlb2HkkNBZLFKLgGn1su9AIdaYhA6FxcmR90,628 +gradio/templates/node/build/client/_app/immutable/assets/Index.BdjN2L6M.css.gz,sha256=HOIXlFCcBCvQuVMplhRs-d4SvDpS3862lFeOjlVfBfc,787 +gradio/templates/node/build/client/_app/immutable/assets/Index.Bn2wKUfz.css,sha256=Slk1GX97oNpfaU7McrbLRPXX2_WbeMhLZZTo1J1jRV8,578 +gradio/templates/node/build/client/_app/immutable/assets/Index.Bn2wKUfz.css.br,sha256=DNo84BZ9oi8LzK6f_m72xSzkUN-bIllx4iu-GsJsIQw,148 +gradio/templates/node/build/client/_app/immutable/assets/Index.Bn2wKUfz.css.gz,sha256=nzrPGunRBZ-xTsYcHu3N7foRBTVcZirytQMdmIxal6A,208 +gradio/templates/node/build/client/_app/immutable/assets/Index.BoVReqUw.css,sha256=VVTTOzWk1aF4pkU66RdXp42VEBe3A7VpcUnnHNjxjqU,7894 +gradio/templates/node/build/client/_app/immutable/assets/Index.BoVReqUw.css.br,sha256=4L4iqTSbi81Dw2uFKKf2D0g56tiW0Zs2o5K8RJOzBLM,1587 +gradio/templates/node/build/client/_app/immutable/assets/Index.BoVReqUw.css.gz,sha256=ia3u3TIwxhFM6tNHR0UVKfVj8zWOzz_wztWRak20MPo,1871 +gradio/templates/node/build/client/_app/immutable/assets/Index.By21hgQW.css,sha256=KCUkAIYAIUu98iDsSIuG-kXV-nsGjPkb7MKDe0TzDmI,444 +gradio/templates/node/build/client/_app/immutable/assets/Index.By21hgQW.css.br,sha256=DaM3rNTcNxWupUFDlB99fbYtlwwvMugcq8QaB8Wo2Z4,155 +gradio/templates/node/build/client/_app/immutable/assets/Index.By21hgQW.css.gz,sha256=D8Y41Mz7rU3xwy04stA_Jfvs49LK2X1wvvttUCsfONY,220 +gradio/templates/node/build/client/_app/immutable/assets/Index.C0TCl1hH.css,sha256=CmU4U-N6NUVRZZWjGcdtfgi6BrvDqMnBG-l_G823iOM,348 +gradio/templates/node/build/client/_app/immutable/assets/Index.C0TCl1hH.css.br,sha256=uavsSM5JgdfxKR_J0UD98qXmMHZNdyRY2u1YqWTttRU,150 +gradio/templates/node/build/client/_app/immutable/assets/Index.C0TCl1hH.css.gz,sha256=_KE2NnizhKBaJECOLhVbva18PJdSwaUsIK27h4Qey5o,208 +gradio/templates/node/build/client/_app/immutable/assets/Index.C1CXP_Db.css,sha256=aTiy8c_SRPJ3q9pK4I1ANz2hYIZv-6GLujDkEraHEOE,426 +gradio/templates/node/build/client/_app/immutable/assets/Index.C1CXP_Db.css.br,sha256=kKTLHgJdUycbVi-lZSqFBsyWiDgGU3srmSyGro85eQA,176 +gradio/templates/node/build/client/_app/immutable/assets/Index.C1CXP_Db.css.gz,sha256=xO4X3_ZUw-qg64luIsCpaLOx7p07t023gcawjE2AyRk,224 +gradio/templates/node/build/client/_app/immutable/assets/Index.C9aJa-R5.css,sha256=uO1oRJec6bHoBHEagyXo-KN1hRVQ4REOVbkq1SkZpYg,101 +gradio/templates/node/build/client/_app/immutable/assets/Index.C9aJa-R5.css.br,sha256=7nMTLLHg17Po7Xm3qFGw45QFJ6NRZ0rxwF6U4ZGA_Gc,69 +gradio/templates/node/build/client/_app/immutable/assets/Index.C9aJa-R5.css.gz,sha256=kRwD96PZ5FaTILBjm2JTrZyKRg03ffr3TSpyVGyHqXs,96 +gradio/templates/node/build/client/_app/immutable/assets/Index.CH2uJXwy.css,sha256=JKikSEu8oOLOHD7VdbHF-yUvTIUaKeZaZioHEF0y7ks,1096 +gradio/templates/node/build/client/_app/immutable/assets/Index.CH2uJXwy.css.br,sha256=0rHlSd5-ljkJQVGvFBvH_ftVKDsNF0AY7-w7yaqxW9w,287 +gradio/templates/node/build/client/_app/immutable/assets/Index.CH2uJXwy.css.gz,sha256=sy_SSOmNJr09n95RhDVrM19NBOO1J8xHJHF-a17velM,374 +gradio/templates/node/build/client/_app/immutable/assets/Index.CM3Al4BG.css,sha256=OCwZAbEX09Ne_1A5HZgGm1NApiHLlFJadR3Nd4CLJaY,332 +gradio/templates/node/build/client/_app/immutable/assets/Index.CM3Al4BG.css.br,sha256=256znnz3Q5ZHaI2NlM2FhnPaElMqQDLJWuIQ7i2Xd6o,142 +gradio/templates/node/build/client/_app/immutable/assets/Index.CM3Al4BG.css.gz,sha256=Z9By9Ot5q_6KsRM6pkhdDpkO-zt_aAN6XGYy8d3RUYk,200 +gradio/templates/node/build/client/_app/immutable/assets/Index.CX39u1_F.css,sha256=KEzf7MNhW9IWgHlHb_TbuDg2rENP_MKmZON0ed-O0Yo,1532 +gradio/templates/node/build/client/_app/immutable/assets/Index.CX39u1_F.css.br,sha256=5xFVfKAlGLUN9lDU18ZCPD5NQcaegoDJUu5AwkI16JA,375 +gradio/templates/node/build/client/_app/immutable/assets/Index.CX39u1_F.css.gz,sha256=KIWCZ00hhSEm0ZEZR_qLOsytBVqcqh99TsP3APPVmnU,468 +gradio/templates/node/build/client/_app/immutable/assets/Index.CXpUkSuS.css,sha256=YaDm56sV-BuyH5EJf-wVWlTdw4I3MG05PxC-xfsJv50,3723 +gradio/templates/node/build/client/_app/immutable/assets/Index.CXpUkSuS.css.br,sha256=xZ7vNY-vj33MzHs8aN5HXOJcSeo9FCAVMpUe6MXn7gg,886 +gradio/templates/node/build/client/_app/immutable/assets/Index.CXpUkSuS.css.gz,sha256=MMGEE59w5UhRewu8pr8sg8JCK-xjNMJpAB-Ry5pkZ3s,1099 +gradio/templates/node/build/client/_app/immutable/assets/Index.Cf-vq2w3.css,sha256=XucmYzgCMe0yOBou970kdHWv1GOIHGZdUOwvUm2CBYE,2578 +gradio/templates/node/build/client/_app/immutable/assets/Index.Cf-vq2w3.css.br,sha256=xkkisUEliFPcvBGbdq134lB7ybjUTM-DYwR8jHsNwOs,446 +gradio/templates/node/build/client/_app/immutable/assets/Index.Cf-vq2w3.css.gz,sha256=goDef_VWVLIOvBJt8ZfViYdK2FqKiKsXULMf3ga6U3E,567 +gradio/templates/node/build/client/_app/immutable/assets/Index.CgUesbFV.css,sha256=T3sOFBkogsSeRdZHy2ZtFG_Rgd3KJTxPdWJSDHlTy74,1701 +gradio/templates/node/build/client/_app/immutable/assets/Index.CgUesbFV.css.br,sha256=S5xf5pwDE8ybrVrxjPUF1C4wAr2MrCmZZLKkU-8QR3U,292 +gradio/templates/node/build/client/_app/immutable/assets/Index.CgUesbFV.css.gz,sha256=V9cPMh7F40p0qTL20ncE9z8sr6ZRWri0Miv8D8hc84U,385 +gradio/templates/node/build/client/_app/immutable/assets/Index.ChNDsf5c.css,sha256=SbxIzn8oCe9LHSJDXNqZ1Z6LYipEW13l9PyIObemkdE,1061 +gradio/templates/node/build/client/_app/immutable/assets/Index.ChNDsf5c.css.br,sha256=PxVQs391O6nd1FlSXYdeP9dPm-xAGBLrHEqpnEOpXfc,276 +gradio/templates/node/build/client/_app/immutable/assets/Index.ChNDsf5c.css.gz,sha256=aUGCq5oV8foCOrqQ9z0ODwjhXjuIp_SfDtiribvsQIw,375 +gradio/templates/node/build/client/_app/immutable/assets/Index.Chd0wpLW.css,sha256=mnFIgSPENVliglZQPUkxmZ67ZHCbjoabFj6wC1joHdM,5094 +gradio/templates/node/build/client/_app/immutable/assets/Index.Chd0wpLW.css.br,sha256=SiC6v2idAtTRr9-sDBvOXRBKz0pw2iQBmjc5Qfp2iFQ,852 +gradio/templates/node/build/client/_app/immutable/assets/Index.Chd0wpLW.css.gz,sha256=2bdUInr-NdCuiJv5wjEtDjY1Qp8CVEu9E4D4yvT0uFM,1047 +gradio/templates/node/build/client/_app/immutable/assets/Index.Cpc8zqPC.css,sha256=Ky7qmSS1GRehx4y6e6teOjKjMoQXLegufHEV1v1X2sA,279 +gradio/templates/node/build/client/_app/immutable/assets/Index.Cpc8zqPC.css.br,sha256=UKRcPOZ8ojiJQFUsEzEIX49eR0oYOzfL3d3tyUAyATY,131 +gradio/templates/node/build/client/_app/immutable/assets/Index.Cpc8zqPC.css.gz,sha256=kv7lRBNiSZyLV8Zil0xUydBL4V598FLMD_vciSp0k-E,197 +gradio/templates/node/build/client/_app/immutable/assets/Index.CypFNdLX.css,sha256=UsE8Dry9uYc3q0igiMk103xOnL7GuMP7dpB9FwEFmhw,4718 +gradio/templates/node/build/client/_app/immutable/assets/Index.CypFNdLX.css.br,sha256=WRLNHV77gK_TDVqc69QQYUdF4KgtSMxSO-Kg-yFpoBQ,874 +gradio/templates/node/build/client/_app/immutable/assets/Index.CypFNdLX.css.gz,sha256=1xDJzGXAx3smbQdFq09Q8qZPhws6hxMMNdgcO-29A6w,1045 +gradio/templates/node/build/client/_app/immutable/assets/Index.CzHwIWu3.css,sha256=3AjvNLrzK3aYyPwPCRyaFcEQCPHurHyrPD0_xu1CaaY,136 +gradio/templates/node/build/client/_app/immutable/assets/Index.CzHwIWu3.css.br,sha256=ouKYmjyhwYdYNf8eqFXrW8UOa6QA7kRNcdykyIXeKdY,76 +gradio/templates/node/build/client/_app/immutable/assets/Index.CzHwIWu3.css.gz,sha256=VNzbxkeJfgDRc3NzTMN6XZQmDNjWmTARePQXKHK_PJw,109 +gradio/templates/node/build/client/_app/immutable/assets/Index.D8IP5v4w.css,sha256=QPVjSdyqq6FlNoqPxY7nXl9d-pq63B3OPiP_e9rbJnc,3445 +gradio/templates/node/build/client/_app/immutable/assets/Index.D8IP5v4w.css.br,sha256=Z9WtJfHb85BnSs9AkMj44EILMPAZko-ucRCOzceHZic,665 +gradio/templates/node/build/client/_app/immutable/assets/Index.D8IP5v4w.css.gz,sha256=Juhlx-o0pmKXrFQfwkOEzmpN3N21R4n1sYN0aALdEaQ,843 +gradio/templates/node/build/client/_app/immutable/assets/Index.DFgZ7vPU.css,sha256=u7MVX4Euan41XNd5RBMUhGImHNyXWlRG59vgcQOLQAA,810 +gradio/templates/node/build/client/_app/immutable/assets/Index.DFgZ7vPU.css.br,sha256=NBDS4oW5bo9irPwJF28g7SAhLRcGmlgsDyBrs6VWgPo,257 +gradio/templates/node/build/client/_app/immutable/assets/Index.DFgZ7vPU.css.gz,sha256=niYhC9I_syTHqFI_5dgPOIaQI-LhskE8dU9ykKWqM1Y,315 +gradio/templates/node/build/client/_app/immutable/assets/Index.DQy1MAhz.css,sha256=UZUxeEhBkt7bg5dIWxEkccTKBznUyjyeo5SMr_aM_no,12990 +gradio/templates/node/build/client/_app/immutable/assets/Index.DQy1MAhz.css.br,sha256=rMfSyjJaNj_GtrxgTBQEHyI5zB-qOonfDMLuploTOww,2217 +gradio/templates/node/build/client/_app/immutable/assets/Index.DQy1MAhz.css.gz,sha256=2TVeCwEkLaTp1JMRwpQLvWsdj9IE7SOwlmhupJkd9hA,2514 +gradio/templates/node/build/client/_app/immutable/assets/Index.Df2gU2NX.css,sha256=I1Ljz0KYoLFDV46PRJMeAgQKSGNVtOL-5QxE5Y5iV3E,3519 +gradio/templates/node/build/client/_app/immutable/assets/Index.Df2gU2NX.css.br,sha256=85BKTImYo63sD3RJ_KVTLiomYDnXxTiE7isr4DAdk_M,779 +gradio/templates/node/build/client/_app/immutable/assets/Index.Df2gU2NX.css.gz,sha256=L1FC6stzQDcM79Xiz0fHWs54j4eLVAWg-xnPdcJ2vKg,923 +gradio/templates/node/build/client/_app/immutable/assets/Index.Dx3_WQ06.css,sha256=pbe-9hJhDfzliZxgZqxoQa789nA7wD_IvQnoZsBhOzc,1688 +gradio/templates/node/build/client/_app/immutable/assets/Index.Dx3_WQ06.css.br,sha256=JjSNMxvwleH0ORiDSKraxGsDSJSbrQfWq5bam0Arduw,394 +gradio/templates/node/build/client/_app/immutable/assets/Index.Dx3_WQ06.css.gz,sha256=lxoqhHcRCoWqdid5SZhkVKeybsUFULxRSeagtJfnHNs,496 +gradio/templates/node/build/client/_app/immutable/assets/Index.HGSBPzJx.css,sha256=80yWixU1_NMYl1MotoV0loUgzbxmiGo4MevMR_4vxQw,2353 +gradio/templates/node/build/client/_app/immutable/assets/Index.HGSBPzJx.css.br,sha256=6Y4ekjGGep0BIeV8IN9HQdxodAif8uZlJWkr8kZqCF8,676 +gradio/templates/node/build/client/_app/immutable/assets/Index.HGSBPzJx.css.gz,sha256=-gj4cd2P-coecLg-dBV_nb88RsHAum6QxlR9KA6xksc,824 +gradio/templates/node/build/client/_app/immutable/assets/Index.IFMK96Xb.css,sha256=IRJ3rB9NbhG4vQpEha0xkzjiLubcTEQO4rt3GNM5moQ,2105 +gradio/templates/node/build/client/_app/immutable/assets/Index.IFMK96Xb.css.br,sha256=3_i2xm3NZRDZzCddGHOUTJOebjNcHcZ6Q5f_KTRZaJM,553 +gradio/templates/node/build/client/_app/immutable/assets/Index.IFMK96Xb.css.gz,sha256=qhYhp94PWZ7UH85oULgiQ5kQGDNBwdrsTA8nEz5xUS8,692 +gradio/templates/node/build/client/_app/immutable/assets/Index.I_mWlOg0.css,sha256=HmJ4d2pL7TMpMZThE8zmD_J503ZDSD260SahoaLwR_w,439 +gradio/templates/node/build/client/_app/immutable/assets/Index.I_mWlOg0.css.br,sha256=HNX9zmcvAZVRJaFYydtPB4nqt4IpBhDKp2i-zjp66bU,160 +gradio/templates/node/build/client/_app/immutable/assets/Index.I_mWlOg0.css.gz,sha256=XdpMaHRisZ9LUE1itARHVF74pF49_KxIpTY2b1Y6g5U,238 +gradio/templates/node/build/client/_app/immutable/assets/Index.KzkleYmX.css,sha256=Kr7Ued3hx_-9NXlfazLw01azNQ-wi3waOM1z6A0Oqv0,498 +gradio/templates/node/build/client/_app/immutable/assets/Index.KzkleYmX.css.br,sha256=nlMWd9kwVAPq87jcv0ugcgBsrV7tyOY-Mq2d5ZbTbHU,187 +gradio/templates/node/build/client/_app/immutable/assets/Index.KzkleYmX.css.gz,sha256=cWalU5u8v1pp16_Jq1PHA2-djPDuaYWyyDIB0J7OYbU,246 +gradio/templates/node/build/client/_app/immutable/assets/Index.rBPXgEQK.css,sha256=y-OExiM8X67mBTUnKO9awpPvVKReK4LUGpcb-dgtCPc,3341 +gradio/templates/node/build/client/_app/immutable/assets/Index.rBPXgEQK.css.br,sha256=rB6QejKknJ8_E6ovCfAdkakHfWH29eakmF5JeHNClMo,764 +gradio/templates/node/build/client/_app/immutable/assets/Index.rBPXgEQK.css.gz,sha256=njQGmlTwe1QshvCBZ-hgaEdgnfX8fiqwdZMfSGqp5gg,942 +gradio/templates/node/build/client/_app/immutable/assets/Index.sMsYfBxI.css,sha256=I0gOfTC1EQIIsBbApW1Vot8koS3vGHdwby6wC25Oykk,3185 +gradio/templates/node/build/client/_app/immutable/assets/Index.sMsYfBxI.css.br,sha256=TX6grx7h5n11xKjRZ38_aOkpmIRxj1xDPfsnjQAh3R0,511 +gradio/templates/node/build/client/_app/immutable/assets/Index.sMsYfBxI.css.gz,sha256=PzQ3jngf9zrwr9QtyWJiyzgIFMRB16ZoKcDxq6fEYz0,635 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_AMS-Regular.BQhdFMY1.woff2,sha256=DN04fJWQoan5eUVgAi27WWVKfYbxh6oMgUla1C06cwg,28076 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_AMS-Regular.DMm9YOAa.woff,sha256=MNqR6EyJP4deJSaJ-uvcWQsocRReitx_mp1NvYzgslE,33516 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_AMS-Regular.DRggAlZN.ttf,sha256=aFNIQLz90r_7bw6N60hoTdAefwTqKBMmdXevuQbeHRM,63632 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Caligraphic-Bold.ATXxdsX0.ttf,sha256=B9jjA85PwStLtU8QBBcN0ZCh89tF1AD-aAYN8-CJcmg,12368 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Caligraphic-Bold.BEiXGLvX.woff,sha256=Gua9dHVZDpfn8UWongnM3jIvemvAuRYHsci47igpD-0,7716 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Caligraphic-Bold.Dq_IR9rO.woff2,sha256=3ncB5Czx9M8LdmwD-yeXcgfu4vT9XXb6ghiEBtpD6kw,6912 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Caligraphic-Regular.CTRA-rTL.woff,sha256=M5jdAjAlV6eT8oY_iOAtls4Q3yq_-gfI6fqQd1EW5lw,7656 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Caligraphic-Regular.Di6jR-x-.woff2,sha256=XVPnCtYHwjUhYt7J4JI_tU7Nr6zL9gTNjc99APrLmJs,6908 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Caligraphic-Regular.wX97UBjC.ttf,sha256=7Qt0Ny_u_LucBmay4hDaN7fkn6f7vz7rEdtfaT2s-7c,12344 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Fraktur-Bold.BdnERNNW.ttf,sha256=kWPfnHEiQy5klbQin6kHHPmuhqdYrl78SSTsLhptvOE,19584 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Fraktur-Bold.BsDP51OF.woff,sha256=m-fOuIAEq4rRJAgiRvv8ykCR42OF1Oxu0d9nN12tUPs,13296 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Fraktur-Bold.CL6g_b3V.woff2,sha256=dERO_Vk8AF4_RXO0RSRwTArwqTf-kRzKnpQGjQ0UDT8,11348 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Fraktur-Regular.CB_wures.ttf,sha256=Hm-VeekOLKw3-PYKWXxDbgdcEUOFZSt8vrDewEISkbM,19572 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Fraktur-Regular.CTYiF6lA.woff2,sha256=UYFNJw0G_wJV26B5mZT6TYyE0R8JlR1HWV9Kux82Atw,11316 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Fraktur-Regular.Dxdc4cR9.woff,sha256=Xih1O-cX2sl_VZ9JvBC-nPPBJN3KvaZlnRHLaP68ZGM,13208 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Bold.Cx986IdX.woff2,sha256=D2DRuJeTjskYyM4HMJJBG6-UOPZzlGVpP_GLD50gsCE,25324 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Bold.Jm3AIy58.woff,sha256=x2xdaWKX1RucsWOcfaQzTw597IG0KxEhO14l72cbuCI,29912 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Bold.waoOVXN0.ttf,sha256=E4rCjRZjswN-nF9SNx-lxj2DJPSjjSLNVz5uo6P9DPg,51336 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-BoldItalic.DxDJ3AOS.woff2,sha256=mc1Co8By2Rjy9EmEqAfPeqFuE1Rf0IdfwHxsZfmecVs,16780 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-BoldItalic.DzxPMmG6.ttf,sha256=cO4fZKIPIEjCGUDvRtAUT9IVuqlTymmv0eMemFRPcI8,32968 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-BoldItalic.SpSLRI95.woff,sha256=pvfsDYRqx62XWtuJWcN-1JuUrLxK5DbbnOniAofkpkw,19412 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Italic.3WenGoN9.ttf,sha256=DYWufMMPI3kKfxpYxKES_cqKrnaba6EUKa8dmLG2yzo,33580 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Italic.BMLOBm91.woff,sha256=8dbvhvOxGlKL1RhRmb0kQ-yysN6tltiGdLWiwSviS98,19676 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Italic.NWA7e6Wa.woff2,sha256=l0ecpszpBqvJYeyslvql-couYbjnZw1HWCa83umnwmc,16988 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Regular.B22Nviop.woff2,sha256=wjQs2Lhp4BdSqTIdwXIT_EDU0Ex5aIwdQ_LPMWq9eGY,26272 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Regular.Dr94JaBh.woff,sha256=xjaNh-iho6XTN2I9g9jcS4aPJCqa1HYjfW-NHg8WjNw,30772 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Main-Regular.ypZvNtVU.ttf,sha256=0DMvUoaDcP2Drn-kZHD5DI8uqy_PErxPiAgLNAyVqDA,53580 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Math-BoldItalic.B3XSjfu4.ttf,sha256=-Td6sCcc2lmvJLz_vUak0MijVy_6_bs43irV6nsNXuU,31196 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Math-BoldItalic.CZnvNsCZ.woff2,sha256=3Ec0TbtstbZVyEYNVh9N9fUBuQyAStPGzsZf4yI1GrE,16400 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Math-BoldItalic.iY-2wyZ7.woff,sha256=hQwK9cIjhJf-uvXkYdiAv0WMNB9C9PMw8bGrVpixmY4,18668 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Math-Italic.DA0__PXp.woff,sha256=io0kRYE3GRK48_WiPiQ3yypZzZvK67A0bnIsBXN6JXE,18748 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Math-Italic.flOr_0UB.ttf,sha256=CM6Y5RsE1YlFowHmOeAraZivKf39Yae4r90Hu_xHnUo,31308 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Math-Italic.t53AETM-.woff2,sha256=evWMXsjxMqLd3pAnxteBTezOTTuCKhEZKkKiDi6XMmQ,16440 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Bold.CFMepnvq.ttf,sha256=Hs4D95-VJ31X3H9rQ1p04TebDUYQSoUwKGtg_0k2nqA,24504 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Bold.D1sUS0GD.woff2,sha256=6ZrlEUS_EjLvzBv-Wt02JixoZrD6qyT6dXQOG5hXemI,12216 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Bold.DbIhKOiC.woff,sha256=7OA8_YPiLCEs3vZv64RC0loIO-uYjbPxiD8_lzjXULo,14408 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Italic.C3H0VqGB.woff2,sha256=ALJqyCXiCVBWOW4FU7isJtP4rRWMOCbii0xFs4XEcUo,12028 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Italic.DN2j7dab.woff,sha256=ke5nUAzAEpqgrOOsXGH_FpIQLw8x0CtpNH-6Ndy3W_I,14112 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Italic.YYjJ1zSn.ttf,sha256=OTHdgfrthroCG7K73Db1vtmjjWtPQHespZsmWqGwIIM,22364 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Regular.BNo7hRIc.ttf,sha256=826ol-GfSi5XHR6QDk43EOQ43rBahCSGBFugo-YWpK0,19436 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Regular.CS6fqUqJ.woff,sha256=EeTcimRx_21u5WHVPRD96PdInnmCV_9EnF03wZdDVgU,12316 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_SansSerif-Regular.DDBCnlJ7.woff2,sha256=aOjHPvQq_TzOxYvw-6MCzORIk45_wCCl4x-KlS7uE0I,10344 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Script-Regular.C5JkGWo-.ttf,sha256=HGfwaP6ouwm_CZwIixz2S9J1Fqbgf0aENEhzVku2amc,16648 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Script-Regular.D3wIWfF6.woff2,sha256=A21OlRSbaf-bzAzVV3Hv6yX_o5Ryk-aazXjVrDKMaEs,9644 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Script-Regular.D5yQViql.woff,sha256=2WzfKzvdTWSo_V90pMRn8SOopzkxzUNYifCP-vm_lHo,10588 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size1-Regular.C195tn64.woff,sha256=yUPMmGOE9Z6GvqX9fcUKnE3-Vnp8BetA1nkHIN6tl8k,6496 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size1-Regular.Dbsnue_I.ttf,sha256=lbbS8aUBc7_tuMY-HRyZsQQn0KTfQgHLRFE7ImlRois,12228 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size1-Regular.mCD8mA8B.woff2,sha256=a0fEAWa22-IaXfyncYQT8hR_0jmb4bpgXYrTnO3yXf4,5468 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size2-Regular.B7gKUWhC.ttf,sha256=prIJn7VVxg46DbOgiELr8dcyxutOS_RJE2E77U_E45s,11508 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size2-Regular.Dy4dx90m.woff2,sha256=0ExUIZ-ersbU1P1C37KHhZdaR5TWsvxx5Wa5zW24Qt0,5208 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size2-Regular.oD1tc_U0.woff,sha256=IBTFI8MhC8wWZkjE1MxX8Ft0ffB6JCd79xxR5n3Hnj0,6188 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size3-Regular.CTq5MqoE.woff,sha256=ara2Lpti2uLADdkPeRvRCVC-Dsw0kNfWBF9Rwuj-CUk,4420 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size3-Regular.DgpXs0kz.ttf,sha256=UA4E1U8NUWZjMsnSCJqoA74iqoeOylOeWfpTxuUisII,7588 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size4-Regular.BF-4gkZK.woff,sha256=mfnGdQtInJRivwSQC9P5Od-bgpM52qqqme9Ulc3d6lg,5980 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size4-Regular.DWFBv043.ttf,sha256=xkc2fR3U4WJGhxfQIOH8Dx3Fwm6_3_vlUmFxO_iMWHc,10364 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Size4-Regular.Dl5lxZxV.woff2,sha256=pK99QURAocF5CCXPtwDPnPQ7DyxLBPDrxSMBGtmFPsA,4928 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Typewriter-Regular.C0xS9mPB.woff,sha256=4U_tArGrp86fWv1YRLXQMhsiNR_rxyDg3ouHI1J2Cfc,16028 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Typewriter-Regular.CO6r4hn1.woff2,sha256=cdUX1ngneHz6vfGGkUzDNY7aU543kxlB8rL9SiH2jAs,13568 +gradio/templates/node/build/client/_app/immutable/assets/KaTeX_Typewriter-Regular.D3Ib7_Hf.ttf,sha256=8B8-h9nGphwMCBzrV3q9hk6wCmEvesFiDdaRX60u9ao,27556 +gradio/templates/node/build/client/_app/immutable/assets/MatplotlibPlot.BHPTlvkw.css,sha256=nLUhVLl20BVulusJGTVorzMWoBcssrUTcAwo0pRgksA,252 +gradio/templates/node/build/client/_app/immutable/assets/MatplotlibPlot.BHPTlvkw.css.br,sha256=zlLPcbxbUz9piBIiFv7wnh2pwj3_XBVrTaK9HRkftcA,126 +gradio/templates/node/build/client/_app/immutable/assets/MatplotlibPlot.BHPTlvkw.css.gz,sha256=2q6O82TqFKiIM6AnOjBY_zg2LUL_rM8HBMtOHiA-jXQ,171 +gradio/templates/node/build/client/_app/immutable/assets/ModifyUpload.BDTDx0mQ.css,sha256=RTXyA6ote4SyFNZt2pw36bPOmvqrWmdYKfNPv73oqLs,1953 +gradio/templates/node/build/client/_app/immutable/assets/ModifyUpload.BDTDx0mQ.css.br,sha256=eY9GFBvN9YlbTZvE4LBfQkr-EKrkPrE24e5N1RYF_vU,511 +gradio/templates/node/build/client/_app/immutable/assets/ModifyUpload.BDTDx0mQ.css.gz,sha256=hidUN84OmpMW4peyZunsw34udCxlNUjtWOAc0QMqcKc,634 +gradio/templates/node/build/client/_app/immutable/assets/StaticAudio.d1C6RIRD.css,sha256=iPfVZxW8QkjkVUD22Wv64ECHwwLvuJ23oprl2Q88SJI,3813 +gradio/templates/node/build/client/_app/immutable/assets/StaticAudio.d1C6RIRD.css.br,sha256=_DaT0XHs7aYfSC7JrW6RpGcK7DUmrsPQR5XQZZokw3w,771 +gradio/templates/node/build/client/_app/immutable/assets/StaticAudio.d1C6RIRD.css.gz,sha256=EDqg1A_XGZbGOQYPlahM56C8Nc_hgblyQ4z5KH-Gwo0,946 +gradio/templates/node/build/client/_app/immutable/assets/Tabs.BdjN2L6M.css,sha256=eDTBET75uHfef3bsbyu2OmHyDKN22pWfRvlca7_ZVbk,2678 +gradio/templates/node/build/client/_app/immutable/assets/Tabs.BdjN2L6M.css.br,sha256=Q0wjOtvTlb2HkkNBZLFKLgGn1su9AIdaYhA6FxcmR90,628 +gradio/templates/node/build/client/_app/immutable/assets/Tabs.BdjN2L6M.css.gz,sha256=HOIXlFCcBCvQuVMplhRs-d4SvDpS3862lFeOjlVfBfc,787 +gradio/templates/node/build/client/_app/immutable/assets/Upload.BDTDx0mQ.css,sha256=RTXyA6ote4SyFNZt2pw36bPOmvqrWmdYKfNPv73oqLs,1953 +gradio/templates/node/build/client/_app/immutable/assets/Upload.BDTDx0mQ.css.br,sha256=eY9GFBvN9YlbTZvE4LBfQkr-EKrkPrE24e5N1RYF_vU,511 +gradio/templates/node/build/client/_app/immutable/assets/Upload.BDTDx0mQ.css.gz,sha256=hidUN84OmpMW4peyZunsw34udCxlNUjtWOAc0QMqcKc,634 +gradio/templates/node/build/client/_app/immutable/assets/Video.BS7gIGiU.css,sha256=VA63qi-pOyQR8vUK1VK-FaJ8j70F9LnyDJkKtjH76k8,881 +gradio/templates/node/build/client/_app/immutable/assets/Video.BS7gIGiU.css.br,sha256=gJSRMq3kZSE9rJjPp7G-f0wbOGZegmzKy2waRpZlmeo,276 +gradio/templates/node/build/client/_app/immutable/assets/Video.BS7gIGiU.css.gz,sha256=YLazLQT-Ur3OghmjC__3PAPQW-u4GGm7awDIr62wzLM,350 +gradio/templates/node/build/client/_app/immutable/assets/VideoPreview.D43CLM8T.css,sha256=2i-fFWqB0_u5ILAQEksZyoRWaxWdWzh3ySuQL8Yo5Kw,4441 +gradio/templates/node/build/client/_app/immutable/assets/VideoPreview.D43CLM8T.css.br,sha256=LFG5RxYiJDHequQMDhsA6PhXjQcuesG3HM4Ozjl-dcI,973 +gradio/templates/node/build/client/_app/immutable/assets/VideoPreview.D43CLM8T.css.gz,sha256=mFLQKggj2CyaXnSg0tT_T1gacR8cQiKBkfa0adqno3Y,1144 +gradio/templates/node/build/client/_app/immutable/assets/_layout.SX3MW3UH.css,sha256=xAUp11Sxs5Roylt9-o3H87NcgcxMgjch7NqXhVqprUE,27741 +gradio/templates/node/build/client/_app/immutable/assets/_layout.SX3MW3UH.css.br,sha256=7wzhKnh-KF8tqIJNpUkvqIkIBMHxtrbkDLa5zCXDFBo,5310 +gradio/templates/node/build/client/_app/immutable/assets/_layout.SX3MW3UH.css.gz,sha256=4ecbQFHM3HMFGbL4YkT6ySI82aJOcD604B-p6ioqhv0,6192 +gradio/templates/node/build/client/_app/immutable/assets/_page.CCxjz88R.css,sha256=T22fi3FsI8uWUf00v-8CxExb8E4S_1IZ-H38eEeTXN8,11670 +gradio/templates/node/build/client/_app/immutable/assets/_page.CCxjz88R.css.br,sha256=l8XCs7RwVoc1o2MkuDDwENahz_nl3LjMVNzgGZTwAr0,1731 +gradio/templates/node/build/client/_app/immutable/assets/_page.CCxjz88R.css.gz,sha256=8O5hTYOebRRVnI9Psb6K2AZAPXg8RoURtXXTDGPML4Y,1997 +gradio/templates/node/build/client/_app/immutable/assets/client.Bax4hha7.css,sha256=2ZxYbJbRqWCO_y040a4Pf2LXP8f1r7t5nWg0FiCmbzk,64283 +gradio/templates/node/build/client/_app/immutable/assets/client.Bax4hha7.css.br,sha256=PFAAlpFtJhpNc1gL3wy-SLcq4IGEErwrosMSB9t3zPg,11233 +gradio/templates/node/build/client/_app/immutable/assets/client.Bax4hha7.css.gz,sha256=-ObXxdABTk_hiaLhu_4cwc8-Ekb8yQamBeo8JnOw1JI,13221 +gradio/templates/node/build/client/_app/immutable/assets/index.CXcK9J7T.css,sha256=qScyFvmSNU-OEGdMDkmLTBFIitL11ZUhOB544bKMvrE,6055 +gradio/templates/node/build/client/_app/immutable/assets/index.CXcK9J7T.css.br,sha256=Fbi4MlqEkslfIuz0JU2j92NVrFqMiy-m5bfxFwRgjlU,878 +gradio/templates/node/build/client/_app/immutable/assets/index.CXcK9J7T.css.gz,sha256=BTLfyIMxAooofi7SE9KqRiXnd9cLBHzpaicax0cT4JA,1019 +gradio/templates/node/build/client/_app/immutable/assets/index.CY9spOiQ.css,sha256=x7TC_LOH-pLAI7_U6wnwklfGBfYHHluSCWMJSJSJA84,345 +gradio/templates/node/build/client/_app/immutable/assets/index.CY9spOiQ.css.br,sha256=2Izu0hxWlRRScgMjIwgs0iaUbqawDI2VElxXqzoj6aU,147 +gradio/templates/node/build/client/_app/immutable/assets/index.CY9spOiQ.css.gz,sha256=WvIH6Xs7diHZFBgu9JRKoMYn0qXjmmGfSHqUG1iQY3s,200 +gradio/templates/node/build/client/_app/immutable/chunks/2.BS1fgMUm.js,sha256=nit4ruaPZrOksKMacOtdtBpV0e1kcA_xGdbY9tJQViw,1871229 +gradio/templates/node/build/client/_app/immutable/chunks/2.BS1fgMUm.js.br,sha256=QWqHlABsLWM-G8nIjxX7jmQNC7LYtiuLozMmNDxm3D8,299602 +gradio/templates/node/build/client/_app/immutable/chunks/2.BS1fgMUm.js.gz,sha256=YteGh5t-TT4GhCGMOLvHLSaFqU0Xs8m5_MjJ7W1eITE,389529 +gradio/templates/node/build/client/_app/immutable/chunks/AltairPlot.B-zEWRcw.js,sha256=Nm88OXNrMO648xCq31zGZQmKWlTZSOk2__q7aZLm8Y4,10655 +gradio/templates/node/build/client/_app/immutable/chunks/AltairPlot.B-zEWRcw.js.br,sha256=IaZcRzGocmivTiXyVN-hiuyDgIkzJ42AvLYMLmBS4Hw,2620 +gradio/templates/node/build/client/_app/immutable/chunks/AltairPlot.B-zEWRcw.js.gz,sha256=5-LflIojuZGFXTCGdaNkY4KdFEyqCAo3lQK1VpbIjeA,2947 +gradio/templates/node/build/client/_app/immutable/chunks/BlockLabel.C_tdkFHA.js,sha256=q-fZjoVAs3MhlZl4SfXUzLyrSlbMoRN3PuG4bf7w2Ug,4232 +gradio/templates/node/build/client/_app/immutable/chunks/BlockLabel.C_tdkFHA.js.br,sha256=IP9BvTFZ-Tctm79zk32MgzK4qaGvAd14gNHMh_oS22Y,1051 +gradio/templates/node/build/client/_app/immutable/chunks/BlockLabel.C_tdkFHA.js.gz,sha256=1WlQwy8aHQ7aMGDHTeKQ_JOq0RsFS87dX7yA8_hDXTo,1194 +gradio/templates/node/build/client/_app/immutable/chunks/BokehPlot.Dd2N6NIe.js,sha256=BZ7qLpKBehoMMLLzbx5ZmZvbOFuBxJEwZpn_eETsSSw,3913 +gradio/templates/node/build/client/_app/immutable/chunks/BokehPlot.Dd2N6NIe.js.br,sha256=aLZUA-hTs2ihWx9DB4MSfe-cxxbxCSxTK865WZmCWdk,1193 +gradio/templates/node/build/client/_app/immutable/chunks/BokehPlot.Dd2N6NIe.js.gz,sha256=yT8kiyvZNd3AKGJPneE74W1tJlKWFFmQCB2FkGMgZNM,1360 +gradio/templates/node/build/client/_app/immutable/chunks/Canvas3D.WZNhCk7S.js,sha256=Oyt9mW8JjcjmcPtuqNLCIomBssnONnh-vujOVsUr0EY,8479017 +gradio/templates/node/build/client/_app/immutable/chunks/Canvas3D.WZNhCk7S.js.br,sha256=kPc9ggsN4y4KBEm78VD0M4egTpEDZr1fbhmwON6pkGg,1031439 +gradio/templates/node/build/client/_app/immutable/chunks/Canvas3D.WZNhCk7S.js.gz,sha256=IXw4ZuyQ8DARYnE6pT_P7iHIvXY55ZejXJF-tetAPp8,1475874 +gradio/templates/node/build/client/_app/immutable/chunks/Canvas3DGS.o8AhzH63.js,sha256=u0U4138JXQHXOJ5PSuyEMtOn35pcfXUTC6yIzZDBCCA,216174 +gradio/templates/node/build/client/_app/immutable/chunks/Canvas3DGS.o8AhzH63.js.br,sha256=W4rd2fm21wJ3lWYn8q-vnct0qIUjIpqRym2Qs1vetiU,57978 +gradio/templates/node/build/client/_app/immutable/chunks/Canvas3DGS.o8AhzH63.js.gz,sha256=5d3uRzu-SSWu36NX8Elc2ZnZh020x3EzoM4fNuSBZ7s,75434 +gradio/templates/node/build/client/_app/immutable/chunks/Code.VKlWzMBL.js,sha256=m2QYxNmBtM5qGQTAbQBZEbGzCumDC7ap-hK37TexQww,1450 +gradio/templates/node/build/client/_app/immutable/chunks/Code.VKlWzMBL.js.br,sha256=Uevw527PBkLixniuNQ-3JXQdn0ajOzrQ9M2QwsKK-Sg,556 +gradio/templates/node/build/client/_app/immutable/chunks/Code.VKlWzMBL.js.gz,sha256=NzXmC6wDjSpskm8Mdj5UlKmOKEElIN63Fh5GKsYYvcw,638 +gradio/templates/node/build/client/_app/immutable/chunks/Community.iPo5xXst.js,sha256=NL0E0kcM_ljb4LVJy1kzMc7HlsL_wQ0BM4svxtsEm_I,1623 +gradio/templates/node/build/client/_app/immutable/chunks/Community.iPo5xXst.js.br,sha256=1KAUfMWlUU8f79ZHa4VDaWamn_I7QERf3xuO9ch5_Ek,614 +gradio/templates/node/build/client/_app/immutable/chunks/Community.iPo5xXst.js.gz,sha256=0DgLGheEdaALKrz_ihhKlDLzzKnQsb-mRlXVm9pzkJc,700 +gradio/templates/node/build/client/_app/immutable/chunks/Download.BLM_J5wv.js,sha256=EBgetQNSoBVFEGJLDW-G9TaihaNDyXVMfJRI8U4qN1M,1541 +gradio/templates/node/build/client/_app/immutable/chunks/Download.BLM_J5wv.js.br,sha256=VH7aTMuSZ_UoOESQQFuTX15c3tuQ8dwLUfKUl9FGYVU,568 +gradio/templates/node/build/client/_app/immutable/chunks/Download.BLM_J5wv.js.gz,sha256=Lho-G5tOIslsZxAS08vlmTIvHRPYssZLE9z7RwlMnf4,663 +gradio/templates/node/build/client/_app/immutable/chunks/DownloadLink.CzZp0moC.js,sha256=cveEbVA2sJSz_Ot019GHcrHpHXE6v1hcT13oOfyH7xM,14501 +gradio/templates/node/build/client/_app/immutable/chunks/DownloadLink.CzZp0moC.js.br,sha256=IX3E4sw6dpHTCm8zslAFxFM5KvU11oIKkpCoaqWS7Zs,2279 +gradio/templates/node/build/client/_app/immutable/chunks/DownloadLink.CzZp0moC.js.gz,sha256=RYtsJLaM31UzJvWz-fMKLzywQj_Tak6mJYzvMGatapY,2651 +gradio/templates/node/build/client/_app/immutable/chunks/DropdownArrow.DoYCmjcO.js,sha256=7J6Uvt9UvuvxSKNJPovfklNTDTt6FPIBpO_oqB7AJlE,1498 +gradio/templates/node/build/client/_app/immutable/chunks/DropdownArrow.DoYCmjcO.js.br,sha256=eklRCGeKfVli3ZiWB9xGl-q-BBi7xD6TgHWKbjSZk88,527 +gradio/templates/node/build/client/_app/immutable/chunks/DropdownArrow.DoYCmjcO.js.gz,sha256=u3L2nt-D-oaznM28IeqGTdG1Arjv5fpLoFDU2x5rses,611 +gradio/templates/node/build/client/_app/immutable/chunks/Empty.CmMTytQ3.js,sha256=F9yZto2IbOATzAki1YgY5zijxqvVZFA8kZZwuPl01Wk,5097 +gradio/templates/node/build/client/_app/immutable/chunks/Empty.CmMTytQ3.js.br,sha256=YKSAWSAc7ZuiXxadN_kZhB-g-8ISvBKVfThj89mt-eA,1270 +gradio/templates/node/build/client/_app/immutable/chunks/Empty.CmMTytQ3.js.gz,sha256=6WTwvIToU4cHCzblL7Vv2McE8iMZ593Qryqt9xditRA,1422 +gradio/templates/node/build/client/_app/immutable/chunks/Example.-QWdkZOB.js,sha256=bs5PULk0v2WZ7wHdX5zRqFXHfZ3vTPopI9sU2GUwnlo,4762 +gradio/templates/node/build/client/_app/immutable/chunks/Example.-QWdkZOB.js.br,sha256=IpC5iMiKkblp8lO9ySbUU3nmLdnQbSsDBg76edge1eo,1143 +gradio/templates/node/build/client/_app/immutable/chunks/Example.-QWdkZOB.js.gz,sha256=SA4pk0waEbPDcYuIv6bvm7OmcWQiqve_qY_WOOhj0E8,1293 +gradio/templates/node/build/client/_app/immutable/chunks/Example.B3uMG8lv.js,sha256=T3MA9N9Kg49d7fE7-njw_bKabH30Nqeew33Fo67rrUU,2858 +gradio/templates/node/build/client/_app/immutable/chunks/Example.B3uMG8lv.js.br,sha256=DNkbqRjTVzhU7mL8-G_OpSwuwjQjdkPMemrqrWN3a9w,827 +gradio/templates/node/build/client/_app/immutable/chunks/Example.B3uMG8lv.js.gz,sha256=YXiFNGCyaEMM1wbG2nBgvxzN72HJARBiK_E7vVYXFbU,938 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BEWyOqJ6.js,sha256=DPQkIaPTnTaVVPxMKQ0voU-w9bJ_5OwfmppsgMvpkCw,2937 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BEWyOqJ6.js.br,sha256=w6FAjZ7Lh5LYJmYAnRx6lqyOrYv5A4n6Y32HthkUxJ4,853 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BEWyOqJ6.js.gz,sha256=yb7XM2Zuf7J__vjyNqPRIS40-_kqaZWkNl-21q9PIg4,969 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BVeuag4v.js,sha256=ChhAEcI_lqDz_irWHsUt9NdfWJZsSXkZq7pnXbQpLec,2723 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BVeuag4v.js.br,sha256=7vIjlHnhmoVec_493dCUDP1pu5sOjM5-X2kI4w7lbMk,788 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BVeuag4v.js.gz,sha256=6agiduTIuQzUU1YwG3sSc7kZD66tXxenahP78O7p3ag,889 +gradio/templates/node/build/client/_app/immutable/chunks/Example.B_wm82zy.js,sha256=COkKt1LVz9Em19h28agdYiiUXTqcLrpohyCO3LiZlWw,3731 +gradio/templates/node/build/client/_app/immutable/chunks/Example.B_wm82zy.js.br,sha256=jMB3T-oS1HPQHDKIozuZqiWj2-VFJwsdCGTIJdtjjPE,1093 +gradio/templates/node/build/client/_app/immutable/chunks/Example.B_wm82zy.js.gz,sha256=Q09Z0Qxal_9V7nmoJMQSFOyCQGD3cUm4DSr0no-kp3U,1225 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Br6PpHAT.js,sha256=bxbpxLqCZxINNxZq_h92QWqM3V9gmjXcg3S2czcBXSg,3655 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Br6PpHAT.js.br,sha256=clCZH6Rlx56gT2yHhxcQROMhS6D7TVUTEPirly-f_-o,992 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Br6PpHAT.js.gz,sha256=LnQbRF6e17O9CpJNxEvXTGjsfgepUIy0V1NGZQpz9rk,1138 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BuFZhJ-J.js,sha256=B5jmYpRY3x0RLFJYW2f9IA7w7KmM9_8Q-ga0r0rQUzo,3409 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BuFZhJ-J.js.br,sha256=Il54eOcp8wcg21Tw6WtbrkAo1LCr1YybVOdRCxWE46g,767 +gradio/templates/node/build/client/_app/immutable/chunks/Example.BuFZhJ-J.js.gz,sha256=CvoJLr00K57vAf4bkIhsOSSwfmTrw4X0aQk5-HGRu0o,874 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C0BgHxXm.js,sha256=vll6eo8tqEH1rr1eOGHfLciiwXPkW8y1ah3w94lnuPQ,12754 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C0BgHxXm.js.br,sha256=4HRYIvMHw9nVh1BtIx0ldf4qblnOPLr-Dym6JZ_0E00,2444 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C0BgHxXm.js.gz,sha256=9iE5REv4A-USVbwkxp_YLPzN95u8Cnt4RdBjAukZkDQ,2778 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C2EXtnCA.js,sha256=BENTveJKpnUWSOJdzFnPn9MT_hHWLn5Zl8MT0mqYTKg,2670 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C2EXtnCA.js.br,sha256=btx_ADkK78JuYXn0ECDr7fiElmHE0ZBIFMIJIdK0ks4,765 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C2EXtnCA.js.gz,sha256=Uqy55Km2hD1AjjXJAlJ-BunJ736TE5v3H0jWNM67V7o,863 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CGUNrbfF.js,sha256=6Pgzb_NK2q5RsJKdSfbG1ETg_OwtLJQVDPyEp3X7lgU,2598 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CGUNrbfF.js.br,sha256=XHfThN4QdjiBfL3ikpTwemrBA8roIKrZiRb1vM7np0o,737 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CGUNrbfF.js.gz,sha256=wZW9gaPVfTPjzzDL_RvJd5Merb3cS5H6Sowx7DPbnEg,835 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CNa918u4.js,sha256=WsWSEOMQ74iY8MlPHESieda-fzSmplBudu5iCN8vMGA,2671 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CNa918u4.js.br,sha256=QJdOU_w4LBuE0gjpy0YUgEkx6dFUbwLdo3wsWvCDtIg,773 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CNa918u4.js.gz,sha256=_jkSClHQAbFDRcE34-ARhPpf_IdNcsywrp7wPWsXvyI,867 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CSI_-_PL.js,sha256=sueWU_8ragYuQc6rZ_lpex9pGzvPsKVV0e_l8i0Rt9I,7488 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CSI_-_PL.js.br,sha256=wbRG4qX6jepZL2WxYZkl4ZQYum2M1TTVACBBdE_9WiQ,1521 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CSI_-_PL.js.gz,sha256=kN05g4a1tEGUIEWl2eQMc6NIEBvdVBIbPjNk5ILrcxM,1703 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CTo-xuiL.js,sha256=LDO7P5zIb_bEBIXstoNnRJ5Gsoi5BzU2-OSLa41_FEM,2587 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CTo-xuiL.js.br,sha256=wViSbjjBlzkHs19PHqMpBi5u2GLvOXZduoaqtfQgXMk,725 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CTo-xuiL.js.gz,sha256=--IdR4HZ_CFuLoHuN1tqU_Y8i6icnT2NQ6yqnWKJqVQ,818 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CYe6rnxa.js,sha256=fx9Ihug40jpGQhMVzk2p9xPSS9AICL_Dak1a9KJwc1Q,1159 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CYe6rnxa.js.br,sha256=3Eeecq4TvVn1_GWErPjS-cgFZmXWxKFylN8OTUd4g2c,480 +gradio/templates/node/build/client/_app/immutable/chunks/Example.CYe6rnxa.js.gz,sha256=nweYYNh6O_maLloea3OHuldcqsw56W06UAUUU_bAarQ,521 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C_6qP6MW.js,sha256=rPXRjVnQxbXXye5PAMn-wG5uIxwyamyOgZnp8fhJqYo,2689 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C_6qP6MW.js.br,sha256=gHhqlqj3vgtsG8nWeEZ0rguKOL4JFNjp5Dp-7A6s02E,776 +gradio/templates/node/build/client/_app/immutable/chunks/Example.C_6qP6MW.js.gz,sha256=7a7Zmw83p7hO1KSF0ds9HG9jWhoXC39aHrdCK_7-VSE,874 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Ce2XkglX.js,sha256=LDO7P5zIb_bEBIXstoNnRJ5Gsoi5BzU2-OSLa41_FEM,2587 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Ce2XkglX.js.br,sha256=wViSbjjBlzkHs19PHqMpBi5u2GLvOXZduoaqtfQgXMk,725 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Ce2XkglX.js.gz,sha256=--IdR4HZ_CFuLoHuN1tqU_Y8i6icnT2NQ6yqnWKJqVQ,818 +gradio/templates/node/build/client/_app/immutable/chunks/Example.D2Mw89Ip.js,sha256=5NdJQ92lUuLSUL1yeHh1d8QP34g-hrtQbE2zvJnUwuo,2621 +gradio/templates/node/build/client/_app/immutable/chunks/Example.D2Mw89Ip.js.br,sha256=kOarA7wo34s8HPL-6G8JM6e_qtl6OlUG7Knt_HzDa84,718 +gradio/templates/node/build/client/_app/immutable/chunks/Example.D2Mw89Ip.js.gz,sha256=97ERYTZZEN7cjXHDK13rvkdIH9AbCLtlA5LGmyB4naM,817 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DBkrk8px.js,sha256=kCz3QxQkY6yD5Sz5GjvEhQNRQQR5TtUk_1dzAdOZ_t0,2950 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DBkrk8px.js.br,sha256=_W0ohXaMRkRzyYHOYlPX-daLYCEZSzr1r8R509iXIm4,815 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DBkrk8px.js.gz,sha256=oRuP639eSYxEnSly-bCdrdgKICFXWIZGQqEj3LDXTkg,922 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DH7CNEn-.js,sha256=-hDO-KjX-6NkLj5NotrmcdPIlmsTLad_Q8cNhKQefpA,2961 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DH7CNEn-.js.br,sha256=VZltq3n7_UXs7vUx_tHim7Yq3QQtIctqOE1_u49zFeM,823 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DH7CNEn-.js.gz,sha256=Lc7FM4arAGA3kXIWwJWdeQyJAUY-cQ_5J6I3arFkkvg,933 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DmMqcInw.js,sha256=MZcVnyt8oxiCVI25ZZzDkTzLOPu9yjW7jyrD9p1cm8g,2854 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DmMqcInw.js.br,sha256=AsKjbyvCJl3Z2cGIPdJZMMkOlGS9SeYkYXlq5NZetx8,818 +gradio/templates/node/build/client/_app/immutable/chunks/Example.DmMqcInw.js.gz,sha256=ISaYThEvo7rQo8V2tIjJddlIk-WzJCPaHJbYdqlhIuI,925 +gradio/templates/node/build/client/_app/immutable/chunks/Example.LJcGc8OW.js,sha256=Iv_XgRmPMZmEGuaXOBXl1EhUhbMaLm50VVDAKMUN3dQ,13091 +gradio/templates/node/build/client/_app/immutable/chunks/Example.LJcGc8OW.js.br,sha256=HSHHM1EXfAhSD0cU9wkSZFjn9K7QxLVApCVvEJKiUcw,2045 +gradio/templates/node/build/client/_app/immutable/chunks/Example.LJcGc8OW.js.gz,sha256=XOvBMxICd3pkUwlNWsA2bDfX0fi6zmwKVCoQtehrEko,2338 +gradio/templates/node/build/client/_app/immutable/chunks/Example.TB9p9SUg.js,sha256=0S2K625T2pl9QNRyYK4bQr1l9__5Hs3zZywwD_thMyc,8557 +gradio/templates/node/build/client/_app/immutable/chunks/Example.TB9p9SUg.js.br,sha256=xEps--K7QEHWddw2XhCI6A6rSLMiv3SCm5qWi0WKqak,1756 +gradio/templates/node/build/client/_app/immutable/chunks/Example.TB9p9SUg.js.gz,sha256=hozljM8MyI3iqhbY27MUdFOwrrK7kDmlwnnI_wqZm48,1986 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Ydb40JSe.js,sha256=WsWSEOMQ74iY8MlPHESieda-fzSmplBudu5iCN8vMGA,2671 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Ydb40JSe.js.br,sha256=QJdOU_w4LBuE0gjpy0YUgEkx6dFUbwLdo3wsWvCDtIg,773 +gradio/templates/node/build/client/_app/immutable/chunks/Example.Ydb40JSe.js.gz,sha256=_jkSClHQAbFDRcE34-ARhPpf_IdNcsywrp7wPWsXvyI,867 +gradio/templates/node/build/client/_app/immutable/chunks/Example.wemIBKRq.js,sha256=KCPoJPTYyjQLHbdJuBhI5I2JQa62H5jMQP58eOOgOfg,4670 +gradio/templates/node/build/client/_app/immutable/chunks/Example.wemIBKRq.js.br,sha256=gxCQpIQI3ewzTRpgHtPGnzak5wQorddTGgv9LT94UoI,1086 +gradio/templates/node/build/client/_app/immutable/chunks/Example.wemIBKRq.js.gz,sha256=FTqnZfaFHFGpFIA4cqcsrfFHMEnsyZs9grrwhWZwjR4,1236 +gradio/templates/node/build/client/_app/immutable/chunks/File.DqOJDDoa.js,sha256=E6CL4vk6yukia61pADNt9jLYQVPriPu78ayLEAQkFxs,2099 +gradio/templates/node/build/client/_app/immutable/chunks/File.DqOJDDoa.js.br,sha256=nol_Dvd-I032ZpTiJqvVduAfg_nOC5kW5ld5uuhrCl8,643 +gradio/templates/node/build/client/_app/immutable/chunks/File.DqOJDDoa.js.gz,sha256=wEiziBR3d4JsV45I-oN1MGNE00OsExf5dFDANaeq7lE,741 +gradio/templates/node/build/client/_app/immutable/chunks/FileUpload.MIUDM8EV.js,sha256=-4CB27gSlRpDASvZ5R4ucQ8VtWK1-1gto7EbiETPN4g,39916 +gradio/templates/node/build/client/_app/immutable/chunks/FileUpload.MIUDM8EV.js.br,sha256=FOZEn14YryTZbkyP1MSdhjX4al9k8u8VhKsegguoo0w,6000 +gradio/templates/node/build/client/_app/immutable/chunks/FileUpload.MIUDM8EV.js.gz,sha256=rBoSIzZ9Ltqi61kLUDPq7eb-IpvyedeNAVxsixS9BTI,6791 +gradio/templates/node/build/client/_app/immutable/chunks/Gallery.HXgWnEV3.js,sha256=ZpAasoy20XLqylp-qmzd_Pj7TftcWbXbcEPQqJKViIw,70500 +gradio/templates/node/build/client/_app/immutable/chunks/Gallery.HXgWnEV3.js.br,sha256=7uj5ZGt6dUMxj2Z8qsAvKK5ekQcvSQLmoMC_QwkUxfc,8619 +gradio/templates/node/build/client/_app/immutable/chunks/Gallery.HXgWnEV3.js.gz,sha256=eZKOCLCrfS5Lv2uKB4FHEkyZ8fAnP07AF8HesJgCg1g,10165 +gradio/templates/node/build/client/_app/immutable/chunks/IconButtonWrapper.y99hkeYc.js,sha256=Rr2GtnAvm3n7THvmGGb6qcF0Byt2SHAd4q0rP3a38kc,3110 +gradio/templates/node/build/client/_app/immutable/chunks/IconButtonWrapper.y99hkeYc.js.br,sha256=1IiWXQED3L9BV1VSKjxAVXP5NkaARwxNBn1yRwBevM8,895 +gradio/templates/node/build/client/_app/immutable/chunks/IconButtonWrapper.y99hkeYc.js.gz,sha256=VAFoTcZnblPpwzk5Uj_8soSCT_3siU-LRk4lFZ_-_zg,1009 +gradio/templates/node/build/client/_app/immutable/chunks/Image.CMPoCWop.js,sha256=gNTKKCjjF3XFJvJnIow5QJArH1csEtIQ0EPBPtgytOo,2625 +gradio/templates/node/build/client/_app/immutable/chunks/Image.CMPoCWop.js.br,sha256=L1V4y2tCAyKf7IWtoPvMRQm5etYdabmhw_O2Ev636Ic,704 +gradio/templates/node/build/client/_app/immutable/chunks/Image.CMPoCWop.js.gz,sha256=TDCnFYN4w_LOtOEHOuiW8-sT3GQxF-bBNQJ6kmt9rPY,810 +gradio/templates/node/build/client/_app/immutable/chunks/Image.eJ_qOnkr.js,sha256=mnXfgvUi1YhJH_FkBcvkZJYrcX43_HAFSgolcZ7DaVs,3109 +gradio/templates/node/build/client/_app/immutable/chunks/Image.eJ_qOnkr.js.br,sha256=_pS2k64pxHdTxYdRWllMF3pMqEmVIUiYoRFc4iOL-lM,999 +gradio/templates/node/build/client/_app/immutable/chunks/Image.eJ_qOnkr.js.gz,sha256=bkri3yJBxR4-1eanuDshItgK-d9nMWrEl3bjII47GzM,1112 +gradio/templates/node/build/client/_app/immutable/chunks/ImagePreview.D_hY5OV7.js,sha256=zh2uvCS0RBHE8LEIGSF0p2MfAiot2_qMd9_hn3Pcj0s,23590 +gradio/templates/node/build/client/_app/immutable/chunks/ImagePreview.D_hY5OV7.js.br,sha256=P-XcFTtc23I7QO_wI0A6zVq1dxJH2b8Nh_RAmOm6YkQ,3498 +gradio/templates/node/build/client/_app/immutable/chunks/ImagePreview.D_hY5OV7.js.gz,sha256=aRQkxTnOhw6vDBfKgEQOGsfIAUT89EUw0iVlt2t5t7Y,4037 +gradio/templates/node/build/client/_app/immutable/chunks/ImageUploader.DA8WFa-p.js,sha256=siMMQKUJSKQHZw-TvwT-mKLI76qAneY5yj6OgXr0oak,78233 +gradio/templates/node/build/client/_app/immutable/chunks/ImageUploader.DA8WFa-p.js.br,sha256=5Pamv5h5fhyTyflRZ8HCvB4fAzPsKVvRN0S54ca01Xs,10828 +gradio/templates/node/build/client/_app/immutable/chunks/ImageUploader.DA8WFa-p.js.gz,sha256=QwTWJ2Cr6unzuP4Ng0QOP5oCbN2-0gz_v1HvaOrmy4E,12654 +gradio/templates/node/build/client/_app/immutable/chunks/Index.6zWlADsW.js,sha256=xup5emDMYu2cx9xBqDcHkslYwZu636liv_DWOiLTH_c,47739 +gradio/templates/node/build/client/_app/immutable/chunks/Index.6zWlADsW.js.br,sha256=NG47uqP-BA-gwDU8BfssNgd1PzG7Iadhe8CkiJ6br1U,8446 +gradio/templates/node/build/client/_app/immutable/chunks/Index.6zWlADsW.js.gz,sha256=K1RAvK6StNS7YxbDPfUM-oNYxOCfHOBjYn_JqOE46h8,9668 +gradio/templates/node/build/client/_app/immutable/chunks/Index.8DzMSQRK.js,sha256=S5-cbbTwJKhT-sM0IMu8tSHPespl041cmxQgyiGw0f4,14307 +gradio/templates/node/build/client/_app/immutable/chunks/Index.8DzMSQRK.js.br,sha256=25zY0YkqeWTXja8x9JvG5cR2NfPxpJ4bX5nmMYXocfg,2555 +gradio/templates/node/build/client/_app/immutable/chunks/Index.8DzMSQRK.js.gz,sha256=Maqo13Qn0gb_uBAZhOcYqAVDWhTbbARnsEuoqE7SNd8,2884 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BE9siB5D.js,sha256=ABqW42ImmHsoH91ep3Ltah3MeeiL4mnxAFzIEgvS5VI,89819 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BE9siB5D.js.br,sha256=AMYolqVAkKpcc-Ta6B9LqNgX6ftw1eJGNM-wGrfS8gg,11309 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BE9siB5D.js.gz,sha256=2TZ2jM4LEKVUuuIAUjDMOEwWOxu22XvaTlgIpdeKZpY,13095 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BQnekPhB.js,sha256=brueRdoP9tc8ij4kMKbdITO4YENImNftuisAujy0XT0,20103 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BQnekPhB.js.br,sha256=A_D7hJqlLDsb7olxwfPW6vCPpZkSDwW6iBz3bzgKzBg,3465 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BQnekPhB.js.gz,sha256=wVJ4fJ8rv9JSY4IyY6tLMc7fzSJYwtc4guDz-hrb0Xs,3946 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BQuI7uWQ.js,sha256=8dU9CPEqDyqhDqOC5XpHsTEamjZTRQ8jjEO6H3l-2ns,11454 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BQuI7uWQ.js.br,sha256=GJb34_XkQvfOY6nOGmdkRY054TWPEY6TP7CbGoHOnOg,2179 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BQuI7uWQ.js.gz,sha256=Qg53HkxHovejVaPZrHxfMXRzctyYXOoMXyeMcKsgW6E,2483 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BR6IOxxo.js,sha256=Z-8EBq0Sl5QFhVjFPnQKV9bJwe7XrTstUBINZ0Uai2U,15663 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BR6IOxxo.js.br,sha256=rOWtD9BWn9l0JqHV5m5ob4BzdK7i-Wm2yT-f0nJR45o,3038 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BR6IOxxo.js.gz,sha256=Tqci9GRaVQMnfIH2-QZiLGbw1Ufdt8pZ6YYgroOSs2s,3441 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BT-Vdx4H.js,sha256=Zuv8MXNCb-GMNyce44-CzTGo9IRe3z0P2WMsVy60eWk,21553 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BT-Vdx4H.js.br,sha256=smEWqA2srG3fmZr64zlH093kpIZIL_FBiAPJU5h0xhQ,3817 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BT-Vdx4H.js.gz,sha256=X_Vf9IvjZ8zGGCnulj7GbLrA7aI32N0_vqOwKbCfavk,4353 +gradio/templates/node/build/client/_app/immutable/chunks/Index.B_BGlxuL.js,sha256=D8p3Z_XnpFNSUV5FuFT4gj50fdeLGf4qNtL581XMm3U,31459 +gradio/templates/node/build/client/_app/immutable/chunks/Index.B_BGlxuL.js.br,sha256=PnkdvzQfjdxWUxCc-9fadrtB67Qw5tqPJT_i7Hu9244,6144 +gradio/templates/node/build/client/_app/immutable/chunks/Index.B_BGlxuL.js.gz,sha256=rzwK3jP4EAjh9Xwe0frff0BY5CU_tkaLIGWHjeLHkXY,6987 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BcUqm4Zk.js,sha256=4ss8YSwd0p9ie9K36n8gedY14ihE0nhQnvo9ceUoK5o,16920 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BcUqm4Zk.js.br,sha256=AkayO9kIWjW-Dl_a2z36fkmZaHvBveRqc2ZcKvcccew,3274 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BcUqm4Zk.js.gz,sha256=cVmnaDSQnvvOyx9OAyzKTq3g6yFPGqE1iOqBNHZMIzM,3712 +gradio/templates/node/build/client/_app/immutable/chunks/Index.Be-enxnn.js,sha256=i0r_5SFlqgDDtdhX7AsCW86Hp6Y9d29A26NyePIcXw8,38025 +gradio/templates/node/build/client/_app/immutable/chunks/Index.Be-enxnn.js.br,sha256=JXS-Vwp-E1yyPpnHLhJRSUOgFX0I_PItxuw_grOOB2Y,6441 +gradio/templates/node/build/client/_app/immutable/chunks/Index.Be-enxnn.js.gz,sha256=tgU8gf5mTw3Mfp97QBaRANObLDedlZK71XB3CcJzjMQ,7339 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BnJ_TMYT.js,sha256=VYVYWzzQ87yOzm0wvs-GyW0LMK3W6FKTgaVTGl5-QAQ,5992 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BnJ_TMYT.js.br,sha256=iUSNyDjhtS0qK1Pm4KdNVAm7_92pmgzMobybNRkKllA,1399 +gradio/templates/node/build/client/_app/immutable/chunks/Index.BnJ_TMYT.js.gz,sha256=gmtTKT9iZEXNG4Aa9Z8NdCc8MSIePjmZBoNYi3g2oW0,1572 +gradio/templates/node/build/client/_app/immutable/chunks/Index.Bq9du_gV.js,sha256=dPNTNTSWoqgxOy0aVGEaHHqnH4O62LH9aFwUkdZ0x8c,21565 +gradio/templates/node/build/client/_app/immutable/chunks/Index.Bq9du_gV.js.br,sha256=PbigHYfzrdIsAUFgaxWy3XKlrGxKEe69y27pMLJC8ss,3682 +gradio/templates/node/build/client/_app/immutable/chunks/Index.Bq9du_gV.js.gz,sha256=0enU0twnR4nBcTRq3_3bQcsEQqOgn_gPLcvh5r3hoeQ,4201 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C-HpLIxS.js,sha256=kautd3fl5GdXHW6Q4dY0sprLLeUEKgDpZbWYtx5qjLk,126916 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C-HpLIxS.js.br,sha256=WTor2rO9wZAv22Dvq0whuWr8yU0jIz7zJMyCN8LQCJo,11790 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C-HpLIxS.js.gz,sha256=KEKMelPO8gGmmr1WcLLGmtQlW0zce9XDXUPxbCRY_rE,15691 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C2Y4ubNb.js,sha256=DFplAXwXdtX9CF8j1LCl1grJ2RWAnho-BTWg-6r4ta8,22802 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C2Y4ubNb.js.br,sha256=LVF84qSnkgWJSQ9K4hf8-7x9_bUH1qhPZ7nMPz-29Pw,3777 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C2Y4ubNb.js.gz,sha256=bpbxyrIrKc7Fbd9IoW5y6JpousHWxmW5JdcJkpEiWB0,4291 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C5Avg_B2.js,sha256=ZuRaYV-8EVzTWXCqDZ8Cuq-i96BNP86D4HaGQK8KVo4,42294 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C5Avg_B2.js.br,sha256=rJ9YNbLEG8QE4OvudG0Mfbq-aBXlIDfD29HQFvEbsnM,5619 +gradio/templates/node/build/client/_app/immutable/chunks/Index.C5Avg_B2.js.gz,sha256=TczoebOhbvW7CzgapeUvnYk1JwB6giN1li4OcyjGspo,6582 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CB9WCvTp.js,sha256=lMtJ1lw3fKyob4aQLzPUnzWZ6EoP3NxXoI2DffAS5sY,154086 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CB9WCvTp.js.br,sha256=vF68Vwg-Oa6O2d9Ajmgs-gQp3XwL4LOgG1JffwHNm1k,20528 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CB9WCvTp.js.gz,sha256=wxEeHh_OkpsJOhclDrbS4lxoQ7aEV32xbDSZjjwh3X4,25196 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CaFoxV_Y.js,sha256=O2g-yFpkZqZM8bpyjSQYxIA1tnxEPYgE527J5nma0jw,57927 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CaFoxV_Y.js.br,sha256=NDugepxdVAm-nSkoinDQVidSCcO2NjaNk59TRPRpTJY,7814 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CaFoxV_Y.js.gz,sha256=HUjEHg0ZqQyHTFoZf-BgmUklbu65R32ZvEU_b0qajT4,8927 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CmLoL5Dk.js,sha256=OTWC_kyyAAPAOI6L4DNVgXzADGTVgdrbu-HGBgqfZeU,73902 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CmLoL5Dk.js.br,sha256=Sym3RCLE-5Crbj3OeN3rqKWw_cFPuvWFsImihZpVoG8,10841 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CmLoL5Dk.js.gz,sha256=llKUf3hT0_cNupOCadKm4BXoX3f0KQEHLjFznNCLZrM,12733 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CtOVgnbl.js,sha256=z0pXMXnQhj1dcK8S3Ac5TJAC7zNxf-vNDVpE22tGiCU,19998 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CtOVgnbl.js.br,sha256=Zfs8Z6jgc8kmdaXedENE0AXNLIdf8S8xpWynT3F57eE,3907 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CtOVgnbl.js.gz,sha256=vrZq-6q89zm8y-NFX717ejLia-D0cx6r8fiT0kB57Wk,4390 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CvWNK9CA.js,sha256=InVts4aVMTcsXP83jd9jOvaH-FbdUzP5vWrbO1-E-Kw,21447 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CvWNK9CA.js.br,sha256=uAtglovB38i825UF_9NpT59IY4I6YXly5vQJRN-SRAs,3808 +gradio/templates/node/build/client/_app/immutable/chunks/Index.CvWNK9CA.js.gz,sha256=8vuTm0-w1AMJfZWm40t0dxyxKBxDEqxci4K4iSSPwpM,4350 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D5XZjEV2.js,sha256=CY4MkwBiLVnZh3xkC9twVbVbpxIw6YEBhCLec5HCZ2Q,20814 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D5XZjEV2.js.br,sha256=BUezEzAajnwM9TodaPdLucx-bUe3QjGQhS8Y72Y9rmM,3934 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D5XZjEV2.js.gz,sha256=32mOmdrIa7T6HhLToozqFysPRbyOYZN4wMI34RgfqFI,4515 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D8txT2-3.js,sha256=jA1CKRBt7Nr4tsOe5DngxE7uxcMu85YYR1Mag1KCn-M,10886 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D8txT2-3.js.br,sha256=VC2xP5BAhyf4iJCbis92ZgozUgvEtgvur5IMLk6XPsI,2174 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D8txT2-3.js.gz,sha256=TJ5v77WbUzqkOpeuDWUd1CuROf7m_cPP2BFaRWSV4TA,2464 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D9y0DNL_.js,sha256=lSBLPapTFo987EY-OtZ2lMSoLPRmEV09Jr4-PlR3P4U,13615 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D9y0DNL_.js.br,sha256=488urMmEyefV0rHLDXL3BfD0klQiMpbzn4V3GKEi3G8,2761 +gradio/templates/node/build/client/_app/immutable/chunks/Index.D9y0DNL_.js.gz,sha256=JzQBSIanX7nL5FB-k7oZAfSUIKm-WX49zMslmVBT9v8,3151 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DBiLzXrO.js,sha256=6m_7R1i46Q0h3GyHVxpuucVING1jyLtrHY_-Xak-J8w,51727 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DBiLzXrO.js.br,sha256=cA0jed03I_BNzvikfcgLY5KmG6MfXibD_wwUBW3Xkh4,6624 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DBiLzXrO.js.gz,sha256=0iES8hI2NFBXUGq-aMBWpGguKYS6uupL96r4GkqDjH0,7558 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DI5ZHA5e.js,sha256=xGsxtlayxTWs1it5TK-AbFNQOG-rtZpJjcrhz3FOz-c,4095 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DI5ZHA5e.js.br,sha256=urJcuagMH6dVaX7tPuc_ZjA45rjL7HlktkOp_rVW-RE,977 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DI5ZHA5e.js.gz,sha256=h7XNLEhIte0wI69NIPIhkSIirQ2g2SIU5oXRgXDuZWk,1101 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DMrntMgy.js,sha256=Aw4JbgkX9_gahzrE3JTHughbPkfatqU-K9Sjf_lHC6g,1353169 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DMrntMgy.js.br,sha256=yZDQZoz0VNQk7R3RyPM1cjssrbLeX7aHbl4N29wDx5E,231871 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DMrntMgy.js.gz,sha256=SkCAFg8BPxlP3opoQMgOJm5IRJ_A7HIwH641Czu478E,295623 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DOKytTCR.js,sha256=4YQSxSg0UAYUZqx3A56NBKEHay6pf9oW6ztxOi7IY18,11682 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DOKytTCR.js.br,sha256=I___XMH4r1mjnyJHBjRoqkElwpBnI-q80F1s1yIZE6M,2072 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DOKytTCR.js.gz,sha256=IHfQhtL3K-xeeRFqoIEU6z8TYmUgA-7YInowh2uR3dI,2335 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DYRhiXWW.js,sha256=E_45sIz15ZQf5NqnztcN4UJ7w3Yu2gOcK5oYhRZVSqg,14444 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DYRhiXWW.js.br,sha256=eHys7bvNYBtrt0410wUmwiEAhsczd1H6A3ViBvcrr4M,2498 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DYRhiXWW.js.gz,sha256=I0ws2LI225aXjaoCZmvkXnG3_eQ27ribG77A4NKRcyM,2840 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DZd8oxes.js,sha256=LIxEbW5zN-fpidDD3eCRfWKhKNIOXGHCxE15E9AYjzY,26831 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DZd8oxes.js.br,sha256=aWg9-DpBjMT4ogUtPEIWm5uYVwQRO09xMnhWdwrr9nw,4526 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DZd8oxes.js.gz,sha256=3lRJvrtAcIxJqjA8nK6IErU_H7rkO8v193yDFmnPtwY,5103 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DdudhzXc.js,sha256=0934Zi8RSxfnlstqf0vzoE-iGjgjGtAROm71GXe033o,211564 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DdudhzXc.js.br,sha256=ArknGI_O4vYELDBEXHjw0Nzdauqt-1-c22n5u6UtIys,22929 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DdudhzXc.js.gz,sha256=rdFV8T-UXXUumB1JNzu3lWkDw0flqVXvMEyE59tKxZM,30137 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DtN0yqos.js,sha256=6BEY46yNwZ8EFVigRXZvLsSBGOxc-kzKOBkPbFGi7sY,21625 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DtN0yqos.js.br,sha256=0CbRXeL5DD5r8U0CHSRpRi1P2i6nzP_9G3dJ1cMVqsE,3709 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DtN0yqos.js.gz,sha256=2RUnoQ1mIvDXs3p4N5YX7Kz5VXDvG4ZobG3ZmysQLNw,4227 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DuqzlIfu.js,sha256=X1OOLyWtfw8122298RZUhmp3aDS06rD4F3L0zv4gLbE,1561 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DuqzlIfu.js.br,sha256=tUQ2adq4u_Ao0wnXCIZoPa3npA-k0JeAOR9G7tFUdBM,504 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DuqzlIfu.js.gz,sha256=Ul-gV5A8evw2H4rqrFjDSuzskpIBpoZxrg1kKATIg-k,593 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DwWOSwcb.js,sha256=Xh9Hh2KNgG6cU2MMiZ6d8IuvrpEkQlmCI7ISaWxpOHk,300 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DwWOSwcb.js.br,sha256=tkAk3dSSF0MNJ89iXAZuTvwpbwoFujFgzvjYVZovlTk,156 +gradio/templates/node/build/client/_app/immutable/chunks/Index.DwWOSwcb.js.gz,sha256=xhF-VnDVv-Hv9AT6_2qaUxmlPhbndRkOgs4IO69GEKU,198 +gradio/templates/node/build/client/_app/immutable/chunks/Index.QezQk_XN.js,sha256=OBPRBK6PDpcA9_oLn7Qzc7c4JDKkiYNuFodbVsorTk8,4427 +gradio/templates/node/build/client/_app/immutable/chunks/Index.QezQk_XN.js.br,sha256=DXV9xx5Ngg0wP_2EeSY35C4CU2ke7CzehPse94qzZmE,1123 +gradio/templates/node/build/client/_app/immutable/chunks/Index.QezQk_XN.js.gz,sha256=ROkLCFHQzU_08iWgC6u0YDIdFYN_LU12TXKU43z8iy0,1264 +gradio/templates/node/build/client/_app/immutable/chunks/Index.UTvV8BW1.js,sha256=J2tKkjEEGK4VKL5k9GXygFtOr_83sVVsGeBLmMRoKC8,712422 +gradio/templates/node/build/client/_app/immutable/chunks/Index.UTvV8BW1.js.br,sha256=UCcDHVc0uXMLY2C_EgnxT2FMAJK97xycTDoVQJgD3xc,141762 +gradio/templates/node/build/client/_app/immutable/chunks/Index.UTvV8BW1.js.gz,sha256=s0sK6Ks90blGgOCStfvkSwyxhZiyUMHlte2M0dmBSZA,173751 +gradio/templates/node/build/client/_app/immutable/chunks/Index.VQu3lFWN.js,sha256=QLqQR-o8_HWfqtABmnIWEZX2zHaCpNofN6oFrMHbrUk,5637 +gradio/templates/node/build/client/_app/immutable/chunks/Index.VQu3lFWN.js.br,sha256=1wtpDpXJanjoF-4MVqr3eN2YcdHlTD7f4BdAWS1N-ic,1355 +gradio/templates/node/build/client/_app/immutable/chunks/Index.VQu3lFWN.js.gz,sha256=sbbd24xq74ty5gdV5CWEPsKCLZzQECfGmWt15ehADSI,1504 +gradio/templates/node/build/client/_app/immutable/chunks/Index.cwqGD2We.js,sha256=v69xQ9qWRDZTpwHFvqmmdCoBbLfnQ55l6BB-lvTCRVs,20339 +gradio/templates/node/build/client/_app/immutable/chunks/Index.cwqGD2We.js.br,sha256=XO6IptZNBn1KyneLxiBJwvqB9CrwSI4SiI4uBpHS1mE,3580 +gradio/templates/node/build/client/_app/immutable/chunks/Index.cwqGD2We.js.gz,sha256=3zNXn1x3PYF1ldPxuOLkQkJ6Vch5p1advAAXv2vpdA0,4161 +gradio/templates/node/build/client/_app/immutable/chunks/Index.eC3z63bZ.js,sha256=k_3GmRqJST0b461_5UbVNcHlRMtcs7vZU4zyHV--7U0,76770 +gradio/templates/node/build/client/_app/immutable/chunks/Index.eC3z63bZ.js.br,sha256=b8VM91H0yyPznTBkKrCMyG19UOVoSTGFjdlVEGQ1b_A,8314 +gradio/templates/node/build/client/_app/immutable/chunks/Index.eC3z63bZ.js.gz,sha256=ato5-XzJknzWRIzx5pStR674Hn_o-ax9B9VSQJkNmBE,9624 +gradio/templates/node/build/client/_app/immutable/chunks/Index.if5PSqSG.js,sha256=JRMER6bVDdrZFWq0Yp3m1aj_Dly4b_JzEm3iuTWt_yA,13903 +gradio/templates/node/build/client/_app/immutable/chunks/Index.if5PSqSG.js.br,sha256=_H3Uy45I0cFma2OX4siPOJECkUdfLpzo_Q5XTtzOVjg,2643 +gradio/templates/node/build/client/_app/immutable/chunks/Index.if5PSqSG.js.gz,sha256=0Ic-3d5WP0Ov-iR-fXkKisHuGH9SzzI7WtbdqbFpcR0,2960 +gradio/templates/node/build/client/_app/immutable/chunks/Index.vTAWEB4s.js,sha256=gHyhSyHFKynYB6EjrotY4Icqv59rcz80Koe92F6rMrM,34274 +gradio/templates/node/build/client/_app/immutable/chunks/Index.vTAWEB4s.js.br,sha256=3xmQqbSwJAM0nJduwTd8Il20b78BTjA9rOH0qAvDqMY,4431 +gradio/templates/node/build/client/_app/immutable/chunks/Index.vTAWEB4s.js.gz,sha256=sHKLi-evAlSOiYV7jjcoJpIGBJHexd0GcQ5fgBzQFoM,4998 +gradio/templates/node/build/client/_app/immutable/chunks/Index.wZkHy-PL.js,sha256=lsPvRt7wG06nZakTSwzCrWSQsASVzS900Kwz7EO6hLE,33942 +gradio/templates/node/build/client/_app/immutable/chunks/Index.wZkHy-PL.js.br,sha256=ufC3u2jOle0OWCYIEYeCwHeUYEfBolOSFJwuGTUrl6M,5450 +gradio/templates/node/build/client/_app/immutable/chunks/Index.wZkHy-PL.js.gz,sha256=qFuU978RED82RCyguA0hdiPghJSBo67vqO7XWGCvTrc,6201 +gradio/templates/node/build/client/_app/immutable/chunks/LineChart.D-OPS8mj.js,sha256=MDWkArQyYtgeyBs_gBPzE2nPArxSluNqDeohxdPT0co,1885 +gradio/templates/node/build/client/_app/immutable/chunks/LineChart.D-OPS8mj.js.br,sha256=FpNHq6MhACClT8islCoEI1LbPX91_ps9O-UWujzfn6o,641 +gradio/templates/node/build/client/_app/immutable/chunks/LineChart.D-OPS8mj.js.gz,sha256=f--iBGsrjjnetRZ7IRBK739nWku_NGmOkfNbpHgZaFY,749 +gradio/templates/node/build/client/_app/immutable/chunks/MatplotlibPlot.m3Jijthl.js,sha256=xdNJvWtclNDV7ESSscIQE6ynFheqosdZ4fD8K9AJFmg,2625 +gradio/templates/node/build/client/_app/immutable/chunks/MatplotlibPlot.m3Jijthl.js.br,sha256=TurT0kf60pWwaJ-0BrPTB4T8ls-ayWiQVP9rKE8_WWo,858 +gradio/templates/node/build/client/_app/immutable/chunks/MatplotlibPlot.m3Jijthl.js.gz,sha256=UsOmdjz41OpKnC6JuDL7HJRfvA-8tBtFxD7r95cA7ag,961 +gradio/templates/node/build/client/_app/immutable/chunks/Minimize.xNbeii-5.js,sha256=_WQasH2TXCGNBPzu8afV-U9X2rP1NCz7UCV2igmqnXk,3332 +gradio/templates/node/build/client/_app/immutable/chunks/Minimize.xNbeii-5.js.br,sha256=5JqM7veaiKSYwbxXtSfjdbAmpPC_DX7TuNyknbk5gOw,674 +gradio/templates/node/build/client/_app/immutable/chunks/Minimize.xNbeii-5.js.gz,sha256=s3Uxj-8KQnwfPagcVkwe3SL693vUOIK5cq_485yF-Hk,766 +gradio/templates/node/build/client/_app/immutable/chunks/ModifyUpload.BwrerFG6.js,sha256=J8jbmNbvSPtgY7e9ZLPTtikEErjBZBLcu7YSwNgF104,14642 +gradio/templates/node/build/client/_app/immutable/chunks/ModifyUpload.BwrerFG6.js.br,sha256=0NXw8E8-VicQ1aoFbKVcQloYdJsuvpFzBdoQFrIZSyo,2246 +gradio/templates/node/build/client/_app/immutable/chunks/ModifyUpload.BwrerFG6.js.gz,sha256=qRcCAjwefOvAYhBXO1RLoavJJnqueUicrMPV7DVEEdM,2599 +gradio/templates/node/build/client/_app/immutable/chunks/Music.BKn1BNLT.js,sha256=zSQAcyWAiHQV-P_bR5kAVTKjSQhJvXgLex6txSo1pDA,2430 +gradio/templates/node/build/client/_app/immutable/chunks/Music.BKn1BNLT.js.br,sha256=BKhwhCgUEKZg9JzoMlBh15e5ABQZnGubkqrKPG1gbWc,666 +gradio/templates/node/build/client/_app/immutable/chunks/Music.BKn1BNLT.js.gz,sha256=i5bTpwIJ8XBCbTRH17wxst7We9ItnqS88RUOj1ZmDGM,763 +gradio/templates/node/build/client/_app/immutable/chunks/Play.wmWinRDD.js,sha256=jlHqIzePUkrsudmJnawXPZ5xBO91RDf3TndW7MiaBv0,1764 +gradio/templates/node/build/client/_app/immutable/chunks/Play.wmWinRDD.js.br,sha256=_aQvbnfLn-6e9ZPPPIKFwXWuiy3N9PICiu34Ket-Gh8,567 +gradio/templates/node/build/client/_app/immutable/chunks/Play.wmWinRDD.js.gz,sha256=uOkiPEAKPZyLxbop91fZ6OZcfmLtW7WzTPg4fCeLG68,654 +gradio/templates/node/build/client/_app/immutable/chunks/Plot.CYAOu8EX.js,sha256=crgsuym12wdm_k20fKIKWcUsyHeUyLBKIoVZ9k1o520,15977 +gradio/templates/node/build/client/_app/immutable/chunks/Plot.CYAOu8EX.js.br,sha256=rxGBk1b8S_3TQHzri7m8UzzQGskMSko0Tm3LFRQ_Pbk,3128 +gradio/templates/node/build/client/_app/immutable/chunks/Plot.CYAOu8EX.js.gz,sha256=vctzQ8xauwDkNPo21q82NUfP5k2HVvzrYlpFVmS0X6E,3491 +gradio/templates/node/build/client/_app/immutable/chunks/PlotlyPlot.DVKAk09u.js,sha256=Gb4QkY3J04U6NdnRerEQdPqD8FuDLjkdN1W7bvmeMzw,5659109 +gradio/templates/node/build/client/_app/immutable/chunks/PlotlyPlot.DVKAk09u.js.br,sha256=Cbb939bz-q1xyaf1CpsB-XN6zPHtnOa7xXcHCHmmI_4,967738 +gradio/templates/node/build/client/_app/immutable/chunks/PlotlyPlot.DVKAk09u.js.gz,sha256=7xSL4WgqX_hpuhlit4ECmfZ0F6uXrAaF6RDGGNIhlIs,1282617 +gradio/templates/node/build/client/_app/immutable/chunks/SelectSource.CnRqMSSn.js,sha256=9FT_jYQmFg8Jg1WtKSZH_z44_G4zQ5KaTN4MxXnh_OY,22606 +gradio/templates/node/build/client/_app/immutable/chunks/SelectSource.CnRqMSSn.js.br,sha256=EzfyUjE-UnnuAxNfGTFPst7X_P--ZHyrFoaCrsHnzTM,2952 +gradio/templates/node/build/client/_app/immutable/chunks/SelectSource.CnRqMSSn.js.gz,sha256=rz9AJx6j4PzACtFnWWUt8atFuuiuWXLfwwV5hUsnStc,3438 +gradio/templates/node/build/client/_app/immutable/chunks/ShareButton.B-hqXpwu.js,sha256=uTBj7Gp57jWQcalju6wMIBgxI-S6tI52huHrXwg-Ctw,2798 +gradio/templates/node/build/client/_app/immutable/chunks/ShareButton.B-hqXpwu.js.br,sha256=VYJyxvKFfmi3u_fvx973FiIN9r4QTT8eF-xH7zaMFDg,860 +gradio/templates/node/build/client/_app/immutable/chunks/ShareButton.B-hqXpwu.js.gz,sha256=11TMzLMp5NH1vscyuvZpSJbizNlua-CIFh_buJq_lks,978 +gradio/templates/node/build/client/_app/immutable/chunks/StaticAudio.CBYbrIe2.js,sha256=itpVow_t53G21dvBFMn3bepnnBqNkymQwUWHEdLkTBw,157584 +gradio/templates/node/build/client/_app/immutable/chunks/StaticAudio.CBYbrIe2.js.br,sha256=2h8GCzYjVdAMq-vcDX5qy-Chf1pY0ItV2wx6lseiRlA,23620 +gradio/templates/node/build/client/_app/immutable/chunks/StaticAudio.CBYbrIe2.js.gz,sha256=CCXOMBhljqZZ4DvPfTAKAEk8BxqDx4-s3VhCTZCJk7M,27904 +gradio/templates/node/build/client/_app/immutable/chunks/StreamingBar.BWm1CWW5.js,sha256=JGMI8LcV5MBo89R4vouGneMPTPvDgAeJCckx_ANbwhI,2606 +gradio/templates/node/build/client/_app/immutable/chunks/StreamingBar.BWm1CWW5.js.br,sha256=5XdOhVzbmVDBcsHvkKW9C8NCBRTGapce3FJEMp6uktg,752 +gradio/templates/node/build/client/_app/immutable/chunks/StreamingBar.BWm1CWW5.js.gz,sha256=coz7HqLvODUUZwFRr3pnqE_hAPFLbhlJ9neFK67aii4,836 +gradio/templates/node/build/client/_app/immutable/chunks/Tabs.BJ6qDt1q.js,sha256=303FZ-KKSpjbmlXNmFwzu8EzHqJNX_nTCvczEGpmfdc,21614 +gradio/templates/node/build/client/_app/immutable/chunks/Tabs.BJ6qDt1q.js.br,sha256=vwCt6keaqUlQCJNKU_IvQtKTAJuaptBGPy6P4bWWnJQ,4129 +gradio/templates/node/build/client/_app/immutable/chunks/Tabs.BJ6qDt1q.js.gz,sha256=idDiE1zokfsNllwFgH8X3648Yhc4KC8Y_mYtbonf9z4,4679 +gradio/templates/node/build/client/_app/immutable/chunks/Trash.Cb0pkV78.js,sha256=q87Q1z2mh-TdC7WtqRuzzVftbVd9RjTceUmQ5VME6ns,3715 +gradio/templates/node/build/client/_app/immutable/chunks/Trash.Cb0pkV78.js.br,sha256=7x_qI7Iw5eezHL_dfEVgYfvVLLG5N3PQgQXVbWqgDOQ,852 +gradio/templates/node/build/client/_app/immutable/chunks/Trash.Cb0pkV78.js.gz,sha256=9csEW8EEiM-YgsAl4w4ttneUU6AoqrdzF3yoHwWGArs,977 +gradio/templates/node/build/client/_app/immutable/chunks/Trim.CQ15_So8.js,sha256=jnBW2SHhsPZxtq_txqHCAidQseLWaE7ukoORzMaFbj0,5291 +gradio/templates/node/build/client/_app/immutable/chunks/Trim.CQ15_So8.js.br,sha256=rh3pIOZWqSWCqBfNtx5OKIInD3tMmUc76voFOr_lsIs,875 +gradio/templates/node/build/client/_app/immutable/chunks/Trim.CQ15_So8.js.gz,sha256=vxiuNT30pNGdCNuW5kEsTC_xqCvYvAULWEuhK0Rn0jw,1001 +gradio/templates/node/build/client/_app/immutable/chunks/Undo.BEjgqHJW.js,sha256=Y-MSsGQNfPB0ngNB59jU7hqoAPRyRdfR6NFksnO8BXM,2146 +gradio/templates/node/build/client/_app/immutable/chunks/Undo.BEjgqHJW.js.br,sha256=PxxVpYRXOyosEr8_bVy_Z1z1hz1cUNYwlZzVyUPeOaI,672 +gradio/templates/node/build/client/_app/immutable/chunks/Undo.BEjgqHJW.js.gz,sha256=-PDi84T2jOWskh8NDG0LurrEIpnN_q90RGAASj6cqqM,759 +gradio/templates/node/build/client/_app/immutable/chunks/Upload.BPWn4ADA.js,sha256=4BDQB5lX9HJBIkXyx-4v8k99WMd2LpfZ2VUBFdZbSXQ,36408 +gradio/templates/node/build/client/_app/immutable/chunks/Upload.BPWn4ADA.js.br,sha256=_rvClBvfusPHuxIOYuwccQsxPmhvJWI-sRq0m9pLEss,5936 +gradio/templates/node/build/client/_app/immutable/chunks/Upload.BPWn4ADA.js.gz,sha256=SHakdfGjdF4PWkx7JIadrxypB29u973waV4KKAvaOdg,6782 +gradio/templates/node/build/client/_app/immutable/chunks/Upload.C-aCEx11.js,sha256=lOboQlM9M12YFdwAHpCxU9BPD3i1E4j1LGIzr9qohV0,4160 +gradio/templates/node/build/client/_app/immutable/chunks/Upload.C-aCEx11.js.br,sha256=mMiO4GPm_UOIY4PX5xtMMx1mojaN3yV7pLqw9JnTH-g,1063 +gradio/templates/node/build/client/_app/immutable/chunks/Upload.C-aCEx11.js.gz,sha256=5e4nkKJdLfKrrKmAf0_QCmVdyHLOB6ow_XklJGGSp60,1188 +gradio/templates/node/build/client/_app/immutable/chunks/UploadText.Dr_Z3IFG.js,sha256=IPZR8z8Cb9LX-Advyb6yiSvWGwh_vw7YTCEbAwLgeh0,14420 +gradio/templates/node/build/client/_app/immutable/chunks/UploadText.Dr_Z3IFG.js.br,sha256=JE44YKupNTwMnhcWHog5vtRcQ1jd4HN6F-pTTCRStqY,2578 +gradio/templates/node/build/client/_app/immutable/chunks/UploadText.Dr_Z3IFG.js.gz,sha256=HryCaPPwVxbob1ivjgmounvgcN-9nGHSsCi5_4JnFiA,2935 +gradio/templates/node/build/client/_app/immutable/chunks/Video.CzEOFOtQ.js,sha256=dSrFG3kIF97PIjVfwMHPDMMB4Vufhi0jnyh1FFmqCnM,2307 +gradio/templates/node/build/client/_app/immutable/chunks/Video.CzEOFOtQ.js.br,sha256=rq_o4otYxqglR_HvPYoAiCcVs2QfjdvOJXFQ5JLQJ54,663 +gradio/templates/node/build/client/_app/immutable/chunks/Video.CzEOFOtQ.js.gz,sha256=0DxYEvZa-OLEztpdCogGnDUF2i2ztRc_pmz14wH6KVU,757 +gradio/templates/node/build/client/_app/immutable/chunks/Video.ML_kOajE.js,sha256=Yy-GgeEQ041AnlpcSyqVLNw8fYJcCa7qRAkXef4uOIo,43242 +gradio/templates/node/build/client/_app/immutable/chunks/Video.ML_kOajE.js.br,sha256=4DCje6EBqPZ49ndt2bbz58cybz5iRUzMUlIvxcv4R00,9400 +gradio/templates/node/build/client/_app/immutable/chunks/Video.ML_kOajE.js.gz,sha256=SPJi_jEIUVM2gfwSpia_LTAK7jQUyC6tm6cqh9-jiFM,10760 +gradio/templates/node/build/client/_app/immutable/chunks/VideoPreview.B-mAj5mx.js,sha256=lccuP2UdN7BfgmhbWe1eXOnJep38D18--I9OJYWaU9c,83401 +gradio/templates/node/build/client/_app/immutable/chunks/VideoPreview.B-mAj5mx.js.br,sha256=XKIB63UvQ0_VcPQEdGYtOrlWYNL9EV8c4QckXiyUPZc,11383 +gradio/templates/node/build/client/_app/immutable/chunks/VideoPreview.B-mAj5mx.js.gz,sha256=yjWQJvjHY_ld98BVPwyYo8Fk4Wk51Wf1Pxuy8IgdP4Q,13306 +gradio/templates/node/build/client/_app/immutable/chunks/browser.BkSCxbn_.js,sha256=TSmv_Uho90ucDeppTvT3_2wYSP9_AujrHAI8PpYUm6A,976 +gradio/templates/node/build/client/_app/immutable/chunks/browser.BkSCxbn_.js.br,sha256=lLxEuYGlbY5aHovgFLGaBVqHzTlwjulheUPB2H0awpY,427 +gradio/templates/node/build/client/_app/immutable/chunks/browser.BkSCxbn_.js.gz,sha256=QXoIGMGNYSfEUbXdrCVsZ1F99UDjynjWLQT7jQqjVPs,522 +gradio/templates/node/build/client/_app/immutable/chunks/client.PjzZEX3L.js,sha256=MWGnjhnrNhyHZDydZ3MKxsUu9vgCoIJZsCszkJIq-AI,62070 +gradio/templates/node/build/client/_app/immutable/chunks/client.PjzZEX3L.js.br,sha256=wZ4H77Lezg6VCosCPFJXMQVliqDyqFW6enN7C4rvHBI,13959 +gradio/templates/node/build/client/_app/immutable/chunks/client.PjzZEX3L.js.gz,sha256=L5MUqbW8LD2MUaiA8X6HW3dpT3DaRK084bR4m77V44k,16013 +gradio/templates/node/build/client/_app/immutable/chunks/clike.CK1kX8na.js,sha256=73orSVECV3hKHKygroMtq180n8JQ3qqTNZR8Y32LOZQ,35045 +gradio/templates/node/build/client/_app/immutable/chunks/clike.CK1kX8na.js.br,sha256=HQNc1HxnZWe2-BtAXaOekABhUWZVRxxKODoHNbHNFBY,7852 +gradio/templates/node/build/client/_app/immutable/chunks/clike.CK1kX8na.js.gz,sha256=qG_lJTXebERWajvycZp5v0O4M-s3C61Tuy--MzTygWI,8957 +gradio/templates/node/build/client/_app/immutable/chunks/color.CRQLGvHH.js,sha256=ZooQMlGswQ07x8DrO0e33r9vHgIWuaUvBB_9kpueBq0,184 +gradio/templates/node/build/client/_app/immutable/chunks/color.CRQLGvHH.js.br,sha256=33aCtvvekfj0lKmVYJcrDWOqskASVVQgIB4B5Bfz5Ic,119 +gradio/templates/node/build/client/_app/immutable/chunks/color.CRQLGvHH.js.gz,sha256=w6AUK7rAOytISwrPLfacXD8g3_VP-krLI_nyrDS7hAs,146 +gradio/templates/node/build/client/_app/immutable/chunks/dockerfile.BBY712AD.js,sha256=X8s40fr09jVJJdGFwx2CzEXxoTBTiDctIBsq8ZKT3-k,8144 +gradio/templates/node/build/client/_app/immutable/chunks/dockerfile.BBY712AD.js.br,sha256=qRnsmYtYQj0zoe6Uq3rXhpLh4XUVG6H6kVdYcNGpuUE,1982 +gradio/templates/node/build/client/_app/immutable/chunks/dockerfile.BBY712AD.js.gz,sha256=kKnxK-aysfE5-Sqb6630gULxsV6S0V4YiP1dJw5fPmM,2250 +gradio/templates/node/build/client/_app/immutable/chunks/dsv.CKxpOsHB.js,sha256=IAYH6iKWUAkJeLi_MagZ0hsnRxD7Ice-eUGrbyt5WfU,4459 +gradio/templates/node/build/client/_app/immutable/chunks/dsv.CKxpOsHB.js.br,sha256=z7KMBCGAM9w-PIi2rpw1NB8kweDYONOUEsgUm9ZSQLQ,1270 +gradio/templates/node/build/client/_app/immutable/chunks/dsv.CKxpOsHB.js.gz,sha256=b0kprbLDoqQaB5WO3LGlHHS6SZHYNZIRmbzIZDFez5k,1415 +gradio/templates/node/build/client/_app/immutable/chunks/file-url.Bs-FMz4v.js,sha256=QfsjXY3c2uNXZSVgec3YuF-aNB90nj2x39Eds3DRV3w,2079 +gradio/templates/node/build/client/_app/immutable/chunks/file-url.Bs-FMz4v.js.br,sha256=dzaEQ7iTXsmGaoRAu1ITIhVbxsXo6z9rCArR92l7HVA,730 +gradio/templates/node/build/client/_app/immutable/chunks/file-url.Bs-FMz4v.js.gz,sha256=0x-XG33Ms9jygGXxcuHt1ezOtcqdauSn1Fw3QzY41t4,866 +gradio/templates/node/build/client/_app/immutable/chunks/frontmatter.Bvf3QS4T.js,sha256=ipFkEjbsp9QVkPv2OV4VistiemTp_e11cx7xatlQAZo,1568 +gradio/templates/node/build/client/_app/immutable/chunks/frontmatter.Bvf3QS4T.js.br,sha256=B0SZIHg6j3ZW6Nhla0mShMwhAnRypVc0w-ToD0Dacds,580 +gradio/templates/node/build/client/_app/immutable/chunks/frontmatter.Bvf3QS4T.js.gz,sha256=Jo3BtMp-DXNrOCCgo32BlszF9f8UGUhX_ktNkmlukuk,680 +gradio/templates/node/build/client/_app/immutable/chunks/hls.CFPBCiRi.js,sha256=QD7iGbMXurOUIddyIG-ErdDuxHfTTf3B-_e-5ZUZ9VQ,840086 +gradio/templates/node/build/client/_app/immutable/chunks/hls.CFPBCiRi.js.br,sha256=HzflaTsNANkEkMjxwD7hgq7ykqm_OwoAvdjuVnXTT0s,141745 +gradio/templates/node/build/client/_app/immutable/chunks/hls.CFPBCiRi.js.gz,sha256=_BQiuRqiQDZvA-E7ByQwvuxdq3qgq1fQ7zcF3r4jdKA,179909 +gradio/templates/node/build/client/_app/immutable/chunks/index.BMRr7f07.js,sha256=QfRRUVL9hRlf_qU1VDlbYjJOr1MgCaoQgIm02SzTdGc,76723 +gradio/templates/node/build/client/_app/immutable/chunks/index.BMRr7f07.js.br,sha256=nCpOv5HgLqJiAV0aPfg0kV79N5HnqzRKY47VJJHrTjo,16872 +gradio/templates/node/build/client/_app/immutable/chunks/index.BMRr7f07.js.gz,sha256=SAd_OGWBThSmEczS3xoYhFADkxggw1y2NT-YqZKyH58,19128 +gradio/templates/node/build/client/_app/immutable/chunks/index.BRXx0WTB.js,sha256=Ztpbhjs_hSK3niNBo17nLnf2rym_bDwDSu6vWNrPniE,180 +gradio/templates/node/build/client/_app/immutable/chunks/index.BRXx0WTB.js.br,sha256=PCwIQ53OeIOjo6MNqkwLIDMPS5qrgVHq4ki6hK0wVKQ,148 +gradio/templates/node/build/client/_app/immutable/chunks/index.BRXx0WTB.js.gz,sha256=wWhXWyBN8Hnf0QQ50Wie9J_edP9rtJG-q_6gSsFjFFo,152 +gradio/templates/node/build/client/_app/immutable/chunks/index.BqgmX9m7.js,sha256=NXSGRbUs0kn6scdYzS8LdLz_T3P9sP7FH9jd9zvOkb4,143755 +gradio/templates/node/build/client/_app/immutable/chunks/index.BqgmX9m7.js.br,sha256=CNufmQORjyGbxy9NKv6q5gxY127nQuFPLCeuhYuoDwk,18257 +gradio/templates/node/build/client/_app/immutable/chunks/index.BqgmX9m7.js.gz,sha256=JUu1YgbDljlkw38l-ilWU5oc5WIqMRYXJBxILKVWBMI,22671 +gradio/templates/node/build/client/_app/immutable/chunks/index.CJcgre1d.js,sha256=N4LIzAFY8cZrmG5deMafpGgPjQvKWmxHPAomVMQo0Is,56595 +gradio/templates/node/build/client/_app/immutable/chunks/index.CJcgre1d.js.br,sha256=Oc69GCgcKgaT4_tkzYyNNF3TuE8-qjJBpgkRprU4fd8,16054 +gradio/templates/node/build/client/_app/immutable/chunks/index.CJcgre1d.js.gz,sha256=xmnXBrlwIDv9NcnDPL0Ewxd2yv76DhPgf_P7ExE60-8,19849 +gradio/templates/node/build/client/_app/immutable/chunks/index.CMRIcGQV.js,sha256=rhq4o5qMNvlrB1sL7K7nSCMllpx95SshRxKS1jzr04w,3270 +gradio/templates/node/build/client/_app/immutable/chunks/index.CMRIcGQV.js.br,sha256=nll5fftcNyuxUWqdkKcB47DyuIZvPXuwOEny0L4nY64,1542 +gradio/templates/node/build/client/_app/immutable/chunks/index.CMRIcGQV.js.gz,sha256=328PK8gf-qkX60YFZBykQiHFwfJDtvi3dk7qnTTFPW0,1711 +gradio/templates/node/build/client/_app/immutable/chunks/index.COuHOEdr.js,sha256=8Z3vQyKvLT7HYTxIF8rZpj3kPEajzjCSVEueZXEKGSk,59965 +gradio/templates/node/build/client/_app/immutable/chunks/index.COuHOEdr.js.br,sha256=jFfAaRVEbMrXGt4ksY3Nbb_tueG2EXCuYLoMlsGbU6o,7807 +gradio/templates/node/build/client/_app/immutable/chunks/index.COuHOEdr.js.gz,sha256=qFmrfBlzQGhtEwSBbvDCejz7drB73S3g_uT-ijOMi7M,9096 +gradio/templates/node/build/client/_app/immutable/chunks/index.CfNQ4-Fn.js,sha256=x3qx-F2svhFeNAmt3F7Q4fbzc9zT4ktItxkds2X7LFo,207 +gradio/templates/node/build/client/_app/immutable/chunks/index.CfNQ4-Fn.js.br,sha256=Vif0AVxjaPC7O_C8q2nEc4WB9sUY-F2WbJeOoFPGpxU,133 +gradio/templates/node/build/client/_app/immutable/chunks/index.CfNQ4-Fn.js.gz,sha256=4wpIKljyYFW70Fssx2--1o6ewE_ZmB4Ys92zWL416Mg,157 +gradio/templates/node/build/client/_app/immutable/chunks/index.CkHjZyi4.js,sha256=ifm2eoykzhmYCRHadJXyxpQI8wN5v6-S5zPb4PtB7bc,43873 +gradio/templates/node/build/client/_app/immutable/chunks/index.CkHjZyi4.js.br,sha256=1vuhVV8xsRFo7-v3v85kPLI2VQ11zzuiAeEPx3goj9M,11771 +gradio/templates/node/build/client/_app/immutable/chunks/index.CkHjZyi4.js.gz,sha256=7myFCskOnyDrv01GaMbj0tVBa7Q9qvuna7OFNRiYXWE,13665 +gradio/templates/node/build/client/_app/immutable/chunks/index.ClU8CiyP.js,sha256=h7572RsJKGtdcM_qaOO5Hq1KUWTpfxxUpxmeWjDQ0K0,28695 +gradio/templates/node/build/client/_app/immutable/chunks/index.ClU8CiyP.js.br,sha256=qklo_GylhD-faH4aA_7vQTQqXMbgk9UWVkZbNchV9JA,9127 +gradio/templates/node/build/client/_app/immutable/chunks/index.ClU8CiyP.js.gz,sha256=uSOV5iWIPJQSi0qPTzel6o7qTuH1532g1IZZpHVhbk8,10616 +gradio/templates/node/build/client/_app/immutable/chunks/index.DH1RZjmt.js,sha256=RJWcnwn8iSPmaehiddafmNJoApxNz4GyqIwIG0wW4W4,86841 +gradio/templates/node/build/client/_app/immutable/chunks/index.DH1RZjmt.js.br,sha256=mo_8FoQi6gleUZVZ0LWsI25KKamXHCZbDMSqfy30A2I,26547 +gradio/templates/node/build/client/_app/immutable/chunks/index.DH1RZjmt.js.gz,sha256=Ll0DxrPEAQqpeQy4FahDfcQ9WhR0psmler7p8H3dySg,32391 +gradio/templates/node/build/client/_app/immutable/chunks/index.DTU9giFV.js,sha256=ThCyZodg6HT-JrMJLUTgw686Y-pjzdYW5fMuAj3EChA,899 +gradio/templates/node/build/client/_app/immutable/chunks/index.DTU9giFV.js.br,sha256=E-v1k64W3oPSLbp68d2Eu40awPI1Sgalg0aWws50nBo,348 +gradio/templates/node/build/client/_app/immutable/chunks/index.DTU9giFV.js.gz,sha256=kIYZQcjRAxW1prqvOXHa33p_5wRzjrMqRYDb2AuD-do,403 +gradio/templates/node/build/client/_app/immutable/chunks/index.Mc7UGGd2.js,sha256=WZ2XUh-J-0DulFBMFER87Ce-QdhL4umkqUX9hYoLGNI,54167 +gradio/templates/node/build/client/_app/immutable/chunks/index.Mc7UGGd2.js.br,sha256=w8g-AnWSuoTy0pG1GB-a1LLcWv4oAdrP_yoBSXkJ_Q4,12223 +gradio/templates/node/build/client/_app/immutable/chunks/index.Mc7UGGd2.js.gz,sha256=7v74hbw6TwLHvGtq1aJ6PVuz853EiUNdzRZLWcPViOc,13942 +gradio/templates/node/build/client/_app/immutable/chunks/jinja2.2Vo2sGef.js,sha256=MgdKXEGN5MBlUx1mnj4fgYu5CAEhg7LceDht9ryrzkQ,4609 +gradio/templates/node/build/client/_app/immutable/chunks/jinja2.2Vo2sGef.js.br,sha256=CgL-tg_dmQLED_xTnVofBOPJrrBZpbb0RGoZvrCAMRo,1082 +gradio/templates/node/build/client/_app/immutable/chunks/jinja2.2Vo2sGef.js.gz,sha256=oWowZ32pqXmvp9FE4E2U4wtXFvM3ELBBLaVlK4UxolA,1235 +gradio/templates/node/build/client/_app/immutable/chunks/module.BBKnj-Vx.js,sha256=yoD18cJsGDI4JPtVlNt5k2FJ995B-oScLTWCGgNeeIg,10682 +gradio/templates/node/build/client/_app/immutable/chunks/module.BBKnj-Vx.js.br,sha256=985817QG22Ap1MKh3FS32f8zWMS7lB31i2W2P3YW_8M,3817 +gradio/templates/node/build/client/_app/immutable/chunks/module.BBKnj-Vx.js.gz,sha256=Gg0GRSMJ-r7gO4oJ34Nc-K9hh1iNN65eoevbzT3Hj-A,4268 +gradio/templates/node/build/client/_app/immutable/chunks/module.CwcSxJsq.js,sha256=lEBJhfi4Pu09JtuSCuPI79SLCUw4LdeKd5p8L5d7D9g,4472 +gradio/templates/node/build/client/_app/immutable/chunks/module.CwcSxJsq.js.br,sha256=lVIfWCx0swkwzfADTAO2EpJ2n2xM7LiJULAHwYK3DNw,1149 +gradio/templates/node/build/client/_app/immutable/chunks/module.CwcSxJsq.js.gz,sha256=y0Hnsp3KflehnbMcwc3iP8Oxafh8S25IW8NHpEbGmDw,1342 +gradio/templates/node/build/client/_app/immutable/chunks/module.DsB9W68Z.js,sha256=8lp89lqZF5_rEIOhwj4CzrGoiKioC_9R0eKP4V6VlSE,259712 +gradio/templates/node/build/client/_app/immutable/chunks/module.DsB9W68Z.js.br,sha256=3HM0_qQ-fb9V46HiRwD4txy-al1gwadiExkpyDJQKLg,36242 +gradio/templates/node/build/client/_app/immutable/chunks/module.DsB9W68Z.js.gz,sha256=avvUA_twkaDy0_nBqEus2zfTvYGyG1umubFWPlXIozg,45493 +gradio/templates/node/build/client/_app/immutable/chunks/preload-helper.DpQnamwV.js,sha256=GPCzULAVA3X9vpC4F9pau2sg-mtHkieKpP2HQs3OMQc,2042 +gradio/templates/node/build/client/_app/immutable/chunks/preload-helper.DpQnamwV.js.br,sha256=IMw0v4k7NpFdOWR5-DEB35BtIupzEJsaZ4S5owcsHGU,712 +gradio/templates/node/build/client/_app/immutable/chunks/preload-helper.DpQnamwV.js.gz,sha256=2Hl3_3Zl0kTokf-3B75AyvuJ5BKhtYHqqJ1ox1tt54w,853 +gradio/templates/node/build/client/_app/immutable/chunks/r.H5fUPB2b.js,sha256=7DaG79bLfAHEv5aHM5IAN50oo2wRL-gfr1YCG-Fx-s8,5815 +gradio/templates/node/build/client/_app/immutable/chunks/r.H5fUPB2b.js.br,sha256=hsmz4ECgwtqdkF0yv9liX1Q_qtgSHiD403UIacg0Xkk,1549 +gradio/templates/node/build/client/_app/immutable/chunks/r.H5fUPB2b.js.gz,sha256=WCC0QKzUzfHa8yEtzCPpjdtfPDfym_03jaUiRPrFaeE,1755 +gradio/templates/node/build/client/_app/immutable/chunks/shell.Uh8S0y2l.js,sha256=72t6mTxag0bx4q6HEjuwo7rBTo-EMns10NL2O4AVrYI,4631 +gradio/templates/node/build/client/_app/immutable/chunks/shell.Uh8S0y2l.js.br,sha256=lxJr__7Yv2XUsknO3_Xwk6O69OmmIjgxhzmY6XqSPvY,1315 +gradio/templates/node/build/client/_app/immutable/chunks/shell.Uh8S0y2l.js.gz,sha256=6R1abCzc4H5sUNwJvNx1BZ2YP22KaSq8Om_Zwr9PU1Q,1467 +gradio/templates/node/build/client/_app/immutable/chunks/sql.np-G53BS.js,sha256=-4sTKma6oS4O3wADMPDaoArG7BLZv0KhzpYMWtlcSx0,42868 +gradio/templates/node/build/client/_app/immutable/chunks/sql.np-G53BS.js.br,sha256=2xAtEriRK77HDVpKfXpJ2nd0ECAynNWqHhr-AeIMPMc,10380 +gradio/templates/node/build/client/_app/immutable/chunks/sql.np-G53BS.js.gz,sha256=w7DKdRx-3BHeGslm3hhtiSZO9REJaeyD0qR_vW_TEYA,11823 +gradio/templates/node/build/client/_app/immutable/chunks/stores.CeWzcBpX.js,sha256=mohcmFuNI8RTy9CKiqjzdgfQ2iPOmjXY5JcicNDrrD4,556 +gradio/templates/node/build/client/_app/immutable/chunks/stores.CeWzcBpX.js.br,sha256=kw--Bkj_cNaGTSgngXnm8QtZF-rvODWM7bdy5jS-h0U,244 +gradio/templates/node/build/client/_app/immutable/chunks/stores.CeWzcBpX.js.gz,sha256=9oZrKqLXuBJXlaFY46Mi5BttOXdfnBYnaCud0I4LIEk,270 +gradio/templates/node/build/client/_app/immutable/chunks/tinycolor.IwkldZk1.js,sha256=7XtE9qns4OXrKpc_J5LREvBHtKTaTLV6WaB69tuRkEk,29482 +gradio/templates/node/build/client/_app/immutable/chunks/tinycolor.IwkldZk1.js.br,sha256=9qnnIFK-9Q-R_dSDb8n83XTxPAGP1MzS2Y6qXd_N35s,6779 +gradio/templates/node/build/client/_app/immutable/chunks/tinycolor.IwkldZk1.js.gz,sha256=ZIrHscGRli-5hYMV07kcoG_R1kystzwfgJttQRgAvLo,7658 +gradio/templates/node/build/client/_app/immutable/chunks/utils.avOzX0x9.js,sha256=_OUo_FWy02Yozbnw4rIpjgnjeVSl6QJiDLxLChO5Wqk,1098 +gradio/templates/node/build/client/_app/immutable/chunks/utils.avOzX0x9.js.br,sha256=57MfXyUiqjKRT1Kry5Mo2_Yyc5kyiN4Ce8YivHJ4Ztc,346 +gradio/templates/node/build/client/_app/immutable/chunks/utils.avOzX0x9.js.gz,sha256=XIvKAufSTmtaVAUDWXykYyqfxMIS6cxQFB089s-6VMI,417 +gradio/templates/node/build/client/_app/immutable/chunks/vega-embed.module.D7e2uyLa.js,sha256=hyYPlFLoGuWpzBCIVUMSeWad1LEGs6__tkb-AwPhH4c,1816288 +gradio/templates/node/build/client/_app/immutable/chunks/vega-embed.module.D7e2uyLa.js.br,sha256=ZxEm9yh1FoLTlv0WnS6z_27QVC3hKAZ5tjZlbcJvguc,330215 +gradio/templates/node/build/client/_app/immutable/chunks/vega-embed.module.D7e2uyLa.js.gz,sha256=oc9l4P5oua4z-Pus2dD2Jdm2qCnad0W_kDQhN7aKa18,424382 +gradio/templates/node/build/client/_app/immutable/chunks/yaml.BMKOA8H-.js,sha256=1Ha3s4GUtiP_SOduuN773e-41GcOEywA4qKylttQmo4,2770 +gradio/templates/node/build/client/_app/immutable/chunks/yaml.BMKOA8H-.js.br,sha256=UGc7F5kcQYd5aIm95RAltKlPlUxKxhOc7aBP7OgML_Y,752 +gradio/templates/node/build/client/_app/immutable/chunks/yaml.BMKOA8H-.js.gz,sha256=vZSbpDVtW-bPnejsn5HKm95D2GpEqOwOljn5zJHeXZ8,855 +gradio/templates/node/build/client/_app/immutable/entry/app.4hQdf3To.js,sha256=78aCg8lXLL5kVx-IzYMDh5hXBGsyjZmf0nvGNHzuopg,17435 +gradio/templates/node/build/client/_app/immutable/entry/app.4hQdf3To.js.br,sha256=e25nQjCXoKHKpo9WItubDcCqwoqJMo_xq03MpOF3hqU,2611 +gradio/templates/node/build/client/_app/immutable/entry/app.4hQdf3To.js.gz,sha256=XF03Z3URy1X67NrQHRrOMDy0j4l_ujABn4KbSv_QpyE,2961 +gradio/templates/node/build/client/_app/immutable/entry/start.CO3xjxZc.js,sha256=rv3bkm7f1vORkRVP_EyaIg0JSQLB_iCLpr2ul4imLK4,75 +gradio/templates/node/build/client/_app/immutable/entry/start.CO3xjxZc.js.br,sha256=TrQGkVgM9JdAbA55ABBWt9p4zDkJVE44pXo7fZglLqk,73 +gradio/templates/node/build/client/_app/immutable/entry/start.CO3xjxZc.js.gz,sha256=5DLHV-IXwAFVLn4BDIwZmVfNVqe2xyFOTcHsOEjRc2Q,91 +gradio/templates/node/build/client/_app/immutable/nodes/0.JDcScDOE.js,sha256=qU-zeT82uHMSI2kY8iBlEElQ9pGKx5Y-zS7X9M7cJdE,2612 +gradio/templates/node/build/client/_app/immutable/nodes/0.JDcScDOE.js.br,sha256=Qljtd39ymgUrMkbKgPNTk7Xx0Sg95MypVcFhSH0WQss,749 +gradio/templates/node/build/client/_app/immutable/nodes/0.JDcScDOE.js.gz,sha256=4N0vEXeZ1L4Xs9C6BF25EHYOLc8UG9NPVO2AkfJMGYo,855 +gradio/templates/node/build/client/_app/immutable/nodes/1.BC-CUr52.js,sha256=m7J3YQ0hJzsq7_YfTF32h_OkWINTOdzLDbAnrrsdWA8,2178 +gradio/templates/node/build/client/_app/immutable/nodes/1.BC-CUr52.js.br,sha256=5nEoHB2gPHL_GAStIP4Uc6jmBRd163i2vxZEN0mVzls,697 +gradio/templates/node/build/client/_app/immutable/nodes/1.BC-CUr52.js.gz,sha256=uDzgBPg8Zvp8LoQ1dYHZIXul4bL8p18fniUZXr-Nuxg,798 +gradio/templates/node/build/client/_app/immutable/nodes/2.DpiVvRMo.js,sha256=i40AEVbThvIRbI8dkkjSNLWde_Shnbo0UmEM0IkK2yg,95 +gradio/templates/node/build/client/_app/immutable/nodes/2.DpiVvRMo.js.br,sha256=Q12z7oGZrQ2ELsMEAVKpMIDtClTsUnCcmF4LKD0EMog,82 +gradio/templates/node/build/client/_app/immutable/nodes/2.DpiVvRMo.js.gz,sha256=8Oh3N3Vqsci1d6F80JovvPGw1JEn9MWWtI__IHVuoPc,109 +gradio/templates/node/build/client/_app/immutable/workers/worker-wLcBAjZt.js,sha256=FPsIjKy4J4C90obl8pevZpX4yiQ0CPCBWmM2Qxl1f1A,5119 +gradio/templates/node/build/client/_app/immutable/workers/worker-wLcBAjZt.js.br,sha256=cH2XjupQpPryv4STqxgKfOB7e0f4A9hJw0DP78MH4Ww,1358 +gradio/templates/node/build/client/_app/immutable/workers/worker-wLcBAjZt.js.gz,sha256=I39VWF7ee9fMCaFA6cww5W4nNPeIFkIIkgPhJUdWo7w,1536 +gradio/templates/node/build/client/_app/svelte-submodules.js,sha256=8nb36tDYeMxEanun8zJQvLJrwe3VaMEWikxceywgubk,32056 +gradio/templates/node/build/client/_app/svelte.js,sha256=At8-u-_sRDWjLhoo1josrw1W6g0w5mRnkalYJEciDEY,104399 +gradio/templates/node/build/client/_app/version.json,sha256=Kw9e8hus4F8Y3CC9x0NutTkgbFm07vZsBwvkVk-k240,27 +gradio/templates/node/build/client/_app/version.json.br,sha256=sVZrpX2XxjQrDM9F7B8YjUC1ZzGUqIcThsgKNMyCZ8I,31 +gradio/templates/node/build/client/_app/version.json.gz,sha256=-iplblf-qBPiX5Y-4kEOKSVkfQGsyjxKm51pUmLgPJg,47 +gradio/templates/node/build/env.js,sha256=HWkgdy8wE3KURrZWJrZgdIhFqoa4lfm-7pQO8PcALAs,894 +gradio/templates/node/build/handler.js,sha256=BxqcARMD3cq22VuP0j8ayspYMy6LFquPLHisD4gfI0U,36667 +gradio/templates/node/build/index.js,sha256=4Bf8IF-QGVNOFON_CYp2s82IlHDEAyNl26oaWmo5KNo,9456 +gradio/templates/node/build/package.json,sha256=Ryxo71GjcRpC60BvsILf3nso9g85FKt9nU7Q5oREAb8,53 +gradio/templates/node/build/server/chunks/0-DTUnaKEU.js,sha256=nrPjtGIL0e6ZfKUPlP8Cmax3M3XrGd-M-y7LgKxQsuI,699 +gradio/templates/node/build/server/chunks/0-DTUnaKEU.js.map,sha256=eobu-m65KZ98_K6CV7dNCRReXLtdEpcoxOxhgbj7exQ,1304 +gradio/templates/node/build/server/chunks/1-CztSoRSS.js,sha256=mpCuTo2c8TRAb3i3SSejA0z4CI_5chaF2oWBdCWPjJI,424 +gradio/templates/node/build/server/chunks/1-CztSoRSS.js.map,sha256=S2nkFKrlvrMGg7RTP1WGsi-uWsJ5YE0ZgozqF-ZibNw,775 +gradio/templates/node/build/server/chunks/2-CI5fLukF.js,sha256=rgU-qJrAczWq36cnTO8WcjjakfTpWGtGPnnsIt_SW7M,1736250 +gradio/templates/node/build/server/chunks/2-CI5fLukF.js.map,sha256=ApFxoGDJMNKzchZQ237ZXQN2-a4IYl-P0h1hU99f1s0,3498753 +gradio/templates/node/build/server/chunks/AltairPlot-BWaSU60L.js,sha256=g0HQM-vlEBsnKNNeLmLFfzv1IqOIo3HaiYPsjEr5NQs,11955 +gradio/templates/node/build/server/chunks/AltairPlot-BWaSU60L.js.map,sha256=9ISWRNDgQJnsXxrTNhghLb6rH0bRzK4vKo1gLXfgJXQ,20631 +gradio/templates/node/build/server/chunks/BokehPlot-Bb6OhJ4s.js,sha256=O87c4KAQt3JUrFr9baCeMKxaiKqaJzbbePQ41RHDRjk,5841 +gradio/templates/node/build/server/chunks/BokehPlot-Bb6OhJ4s.js.map,sha256=qbpG1oC2pPXnr_TCZJy1y-mDLcsDo0ZcADmcl9cX1ws,9595 +gradio/templates/node/build/server/chunks/Canvas3D-BIK03foZ.js,sha256=Iw14xunRJqG72wNBNLnbjN38ArPK3T-Qv8FaVTYei0A,6663444 +gradio/templates/node/build/server/chunks/Canvas3D-BIK03foZ.js.map,sha256=acue8_yaz6GKMvcHgV55oGOM2y0o306Ac5ZA1zzBdU4,16128588 +gradio/templates/node/build/server/chunks/Canvas3DGS-Bovupu2c.js,sha256=WSdJqv_3G-NE-0cutzzYEUkr53-wYJDw3_HPwPWvuS8,1441 +gradio/templates/node/build/server/chunks/Canvas3DGS-Bovupu2c.js.map,sha256=gc8gwCKPGFHxyguiDU6R_Ge60hgjZfvT_b-4c87dnzc,218331 +gradio/templates/node/build/server/chunks/Component-Dv7eSVA_.js,sha256=v4dBg_IRa7qOb_g-Cc3M54w_StvId7q6qnzulKvv7Lk,6265 +gradio/templates/node/build/server/chunks/Component-Dv7eSVA_.js.map,sha256=HGNUS8Nr8emXoMwtQ3SEpe1M1kbYs2VDtnQOYGn7RsI,25795 +gradio/templates/node/build/server/chunks/DownloadLink--4obEanq.js,sha256=ihqeXYNRv27D-0Awozu-R_WDRcX01PP8usHJHmo37MM,6108 +gradio/templates/node/build/server/chunks/DownloadLink--4obEanq.js.map,sha256=nLitIVii91J_rEYTWbmD-3Fj676NOFOtAGqw_elh9GQ,10757 +gradio/templates/node/build/server/chunks/Example-BOKdRpfa.js,sha256=VjMLHpv0DEAp_pxiYBOH1GRG4g3pEmrbAXA6cno5MTw,402 +gradio/templates/node/build/server/chunks/Example-BOKdRpfa.js.map,sha256=-CG1HJFpOIY8sZemE3Se5zZJljPWqyCGyuYy_Hl5-M4,877 +gradio/templates/node/build/server/chunks/Example10-SA_UoMlr.js,sha256=oLHzKKvfwV1c3xXBTDBIGliyTPGYSBhnB0isw7kFC54,2141 +gradio/templates/node/build/server/chunks/Example10-SA_UoMlr.js.map,sha256=TitJFn4d9dnYROSJxMJAQaSPmkERocGz1ium8B8epts,4096 +gradio/templates/node/build/server/chunks/Example11-BratyhqV.js,sha256=9Q_vIDhOhtbOcp8rznXtE8pHED8QSccuht16Rk07yjE,2116 +gradio/templates/node/build/server/chunks/Example11-BratyhqV.js.map,sha256=O2mMBR_4TLl-dUBlSLHOkPSNkDwo7b9skcuPvHAuptE,3637 +gradio/templates/node/build/server/chunks/Example12-BMiY_rC4.js,sha256=Yf8qOn5FpX34sYs1wkOpfyWJrqIs3467REznwlrqWuE,2668 +gradio/templates/node/build/server/chunks/Example12-BMiY_rC4.js.map,sha256=46xvkhYTzs17zFM0Zh3ahM9F-1qxdMa3t8BJ-HIeehs,4507 +gradio/templates/node/build/server/chunks/Example13-D0_C9u1h.js,sha256=mJOBG-VEfVQq0Au_PnPbWHuiz1D6hjPx2p-w1UqJQ24,1504 +gradio/templates/node/build/server/chunks/Example13-D0_C9u1h.js.map,sha256=rAzFy2-CSZwkBGQWqcQE0wOwv1A9DMiwtxEk32nrBRI,2873 +gradio/templates/node/build/server/chunks/Example14-DQrOYOUG.js,sha256=7Er05hjKjdchd2v3nlsM_rf3t30mPtOOuOsYucVWJBI,3210 +gradio/templates/node/build/server/chunks/Example14-DQrOYOUG.js.map,sha256=E1Kicbc6dF0sK0-Lezahzs5TUsQkxC4mRVxrhBaUFTQ,4905 +gradio/templates/node/build/server/chunks/Example15-hlP1gqIE.js,sha256=TVaR5q944E0QVIiylCzrF8ukzCYoN6j7zzMrRTIKQsc,3388 +gradio/templates/node/build/server/chunks/Example15-hlP1gqIE.js.map,sha256=DhA8HY0VyJMLaf5QVLgu0BnXJ8aOZVFlxzYeyNKTha0,4941 +gradio/templates/node/build/server/chunks/Example16-CcyZAx20.js,sha256=7svqstHNnPaXiwcpeQOKybF6mnyVfaoP81w36nAqrk4,1526 +gradio/templates/node/build/server/chunks/Example16-CcyZAx20.js.map,sha256=jwYDahP2_otfmX7gxwDA9BvxUcFtyN8-JBsOBuSOeOI,2921 +gradio/templates/node/build/server/chunks/Example17-CNo0MxFb.js,sha256=L4oYuBddNY7sIQf1-7Nb757zPNN3_etbt9BOe3yyD_s,6051 +gradio/templates/node/build/server/chunks/Example17-CNo0MxFb.js.map,sha256=bpg-FFitAZcfri1FBwYPgmmIIsOFIPBvg1rV6FoZc28,8856 +gradio/templates/node/build/server/chunks/Example18-C9MSNwB_.js,sha256=2ahhKJ6SB6AfofS1n4OnPAO2-HKNjy5myHuyHgamcgY,1544 +gradio/templates/node/build/server/chunks/Example18-C9MSNwB_.js.map,sha256=FStFCu8HREumchUuzmFTTVcbxCNnUcRBbKtHyP0MAsQ,2949 +gradio/templates/node/build/server/chunks/Example19-Boi6i1aa.js,sha256=Jif2c0KcB1INVYPdxtdgh0Dz5x2yx9PXcNxOCor5PiU,1568 +gradio/templates/node/build/server/chunks/Example19-Boi6i1aa.js.map,sha256=TzoOSVKyIHGNO8KWKdXDNZuWmJEGbam6LutASzTMcnA,2980 +gradio/templates/node/build/server/chunks/Example2-DmwLeibe.js,sha256=9tiYWpVWfj1tK-KZKipO9yERm5I6GOliu4Oc_OCdHzw,650 +gradio/templates/node/build/server/chunks/Example2-DmwLeibe.js.map,sha256=fOz2AIpM95fhegzYAmg8MwtJW2OuM04Scq6SBXQEPgc,1596 +gradio/templates/node/build/server/chunks/Example20-u0QgSC4p.js,sha256=Xr1X-9DmLWam3Vgh11UYFqEYDdtYjdMsiFl6CZer0zg,2041 +gradio/templates/node/build/server/chunks/Example20-u0QgSC4p.js.map,sha256=P3PtCllykS3VxD5hSYFNWiVDdIbgHfQJ94w3J9-3O_Q,3920 +gradio/templates/node/build/server/chunks/Example21-BE0Fe8ev.js,sha256=EXKFVJ6qiyfqcNzpTpee2AznhNAu2eIPLWv35wAcDjU,1496 +gradio/templates/node/build/server/chunks/Example21-BE0Fe8ev.js.map,sha256=Mv-bQclqfNlon9VNWlyU51TYF4KU2tJwUfbDsuNT42Y,2861 +gradio/templates/node/build/server/chunks/Example22-BjApK8om.js,sha256=3NlNhAhJ8jvx2XqzXXrYoSoh2tcu2Bn7UN3HbfOc3G4,4960 +gradio/templates/node/build/server/chunks/Example22-BjApK8om.js.map,sha256=BT8LQsekYiNgWvOdYQhyd7MOgew8zPmF5iXQqwuW8Ag,7423 +gradio/templates/node/build/server/chunks/Example23-BE0Fe8ev.js,sha256=owPTOOO3lmvT5T0uJ-5EIRe7wCaisdvIFmEejcdD8XE,1496 +gradio/templates/node/build/server/chunks/Example23-BE0Fe8ev.js.map,sha256=xHF3Itywj_ke6QFNJ6tABh4_2OhbqP6vABofqR4maJ4,2861 +gradio/templates/node/build/server/chunks/Example3-CcyZAx20.js,sha256=fJpwCon4X7cXFNnSfQDTvhXlf-xuzMC9C318JwHwSWE,1525 +gradio/templates/node/build/server/chunks/Example3-CcyZAx20.js.map,sha256=QgS3pRuxWua1qU4_zACO0Fv8Fmo_dZ2hJ1gs94l2ryY,2919 +gradio/templates/node/build/server/chunks/Example4-Bm6Gkdmf.js,sha256=V9oePbp4L-JummV0QYFN_UOisHgXLdilE5ulJda_Fws,1577 +gradio/templates/node/build/server/chunks/Example4-Bm6Gkdmf.js.map,sha256=P5UEg7ApElf3EU3l06zfbm5inC-estMRwNvS7gUCwYo,2996 +gradio/templates/node/build/server/chunks/Example5-FW_Wf0ak.js,sha256=1FwSt5jNhxYUKl3R9a4ZHldWFXqkwaOMJOpHQNCQlH8,1982 +gradio/templates/node/build/server/chunks/Example5-FW_Wf0ak.js.map,sha256=GjvsnQm3MBt_rNoEK_WHKJ6NvuKXnZ1tuQYPHG-cW7E,3822 +gradio/templates/node/build/server/chunks/Example6-IJeAY36h.js,sha256=-we-iOvMkikBIAzZCTf6CSfpkxIxHToOqiROjKi_7-M,1619 +gradio/templates/node/build/server/chunks/Example6-IJeAY36h.js.map,sha256=LQqMSttFjOO04UNGX_Kfja_md42v6xO4FmzFBEcXGfI,3017 +gradio/templates/node/build/server/chunks/Example7-DJ2n4yYp.js,sha256=Cpx81b3kVQRHzBhHRJCf-jXGfxGq4lp2yqVT5Wwj8ac,1734 +gradio/templates/node/build/server/chunks/Example7-DJ2n4yYp.js.map,sha256=8mWfiXpWfevlreynSgrePdNtQuNIEfZPVbUa718gFv0,3180 +gradio/templates/node/build/server/chunks/Example8-CJzifLVt.js,sha256=lzoWxEgy-ZvW1FjpULkakq0FfC5XGsUq6a1AxIXFKUA,6276 +gradio/templates/node/build/server/chunks/Example8-CJzifLVt.js.map,sha256=V8E65gnEWKEJwAnwWzIrjpfq_nwYw7FEvDN8jvn-MbA,9369 +gradio/templates/node/build/server/chunks/Gallery-C971kPol.js,sha256=6qYelcZ_iVqBnGGSdKfs4a8BfDqqefqbuM-RxVm-7M0,42907 +gradio/templates/node/build/server/chunks/Gallery-C971kPol.js.map,sha256=voUeeIHkcwi6QS0pRjAhg4XZjqn338ipEYmQVNPN_-8,65437 +gradio/templates/node/build/server/chunks/Image-DFqHtuJN.js,sha256=yb4XLvQ3_xqjdvGMa37SoFGgdM_4rUGHNR9VYzpgr8g,1861 +gradio/templates/node/build/server/chunks/Image-DFqHtuJN.js.map,sha256=93hjqrmlPFCi-iEcIEPR0GhNaiNsJy16h5DtNXUBjZM,3219 +gradio/templates/node/build/server/chunks/ImagePreview-jSou6cfq.js,sha256=dap8PJz-rUOETsOsnXOW20Yo4Sn7Pn-jrhPiQFX_aiY,10585 +gradio/templates/node/build/server/chunks/ImagePreview-jSou6cfq.js.map,sha256=XtmgTGxyHf1TPkkJm6ooMowYasArs2MrQkETLDFPioY,16545 +gradio/templates/node/build/server/chunks/Index10-DfN5nh7l.js,sha256=OEUjhZLlDY1RMsmbxR9RPIrH-n10bEYcETO4hehDiew,235 +gradio/templates/node/build/server/chunks/Index10-DfN5nh7l.js.map,sha256=9xapsc-CwWIRV8p4EVPCTb6QTnAzVfT0Z_DwsnzmofE,486 +gradio/templates/node/build/server/chunks/Index11-CLPUD2u1.js,sha256=_Q24_jT7RunSNerhLMbwry4Ek3TXJfFqINNLzJoGlSs,1178 +gradio/templates/node/build/server/chunks/Index11-CLPUD2u1.js.map,sha256=LGJXsrTc7yd0fg_P_QJZx3Dw12bXTPsjgOjNoRquD4g,2659 +gradio/templates/node/build/server/chunks/Index13-dRq_GVLJ.js,sha256=ntk1xgmFeo7n1YVROFpkXidyvnL_j7yfZY1h1ZAysAI,506128 +gradio/templates/node/build/server/chunks/Index13-dRq_GVLJ.js.map,sha256=jn9yE_6AuZuSK33yvWZpFoAXFLuxVmHF0b9c9iQtb_U,1348536 +gradio/templates/node/build/server/chunks/Index14-D04rVKi_.js,sha256=KxnDgCb8-HrzEaG41r7sKnMzDL5itHc1Ubq24yA3pLU,17910 +gradio/templates/node/build/server/chunks/Index14-D04rVKi_.js.map,sha256=zQsabCki8asYteNSvWnWzXUoEW_UMKtOgMqQGFhMja8,28517 +gradio/templates/node/build/server/chunks/Index15-BWnb_coj.js,sha256=2v1EqEbXmatIZkUvPM7gvHNCrzWBr1mRW0o2ucAbcsE,13936 +gradio/templates/node/build/server/chunks/Index15-BWnb_coj.js.map,sha256=h3AYhcM1ii5wkGdj2i9tvVv05w76hJKzjqjfRbV-FwY,20114 +gradio/templates/node/build/server/chunks/Index16-DOuQtK9o.js,sha256=dojB2JDZe4XM2DxyjsnnLK9RAyGl8YLprgLTAsqp9XQ,23043 +gradio/templates/node/build/server/chunks/Index16-DOuQtK9o.js.map,sha256=y2qyT-rgUlcKPUBwmSZqapaXtLP-4YEEYrs5h8Ni7Y4,34481 +gradio/templates/node/build/server/chunks/Index18-wKiZ9FCL.js,sha256=Bs6Ky9EBaZmVEjHVh53MvNKJuEOqlWXYCzwK_l-I_3k,13801 +gradio/templates/node/build/server/chunks/Index18-wKiZ9FCL.js.map,sha256=rtYUArQ8-N4gomaCujQaqAn-35VlMMZ3iUZqri8wgwM,19666 +gradio/templates/node/build/server/chunks/Index21-CaEPyF5g.js,sha256=EDokh3IFmv5cms5v603vKe-fhakgRVYJkebcTJDXMhQ,3181 +gradio/templates/node/build/server/chunks/Index21-CaEPyF5g.js.map,sha256=d4ZuXdp6nR1nw2XuheNJ-rzJa-NHGz6iGyTTC-9YdQo,5129 +gradio/templates/node/build/server/chunks/Index22-BHAsSB8x.js,sha256=2D10Rk7F8eQg7cFzaWFoD8k-U4S_HA07ggc3UWa_gfY,49926 +gradio/templates/node/build/server/chunks/Index22-BHAsSB8x.js.map,sha256=xBxU3KlmrYcSQkJQo62IIWHJSU4eToRDrvhsl6bZ4cM,78651 +gradio/templates/node/build/server/chunks/Index23-CEIKqZkQ.js,sha256=emfYwrdnWm_wxseEIGuukf7nuOveIfbKzVUwoP8EQok,33874 +gradio/templates/node/build/server/chunks/Index23-CEIKqZkQ.js.map,sha256=9DEQS7Flr6Jquam9jS5csD5j_wry6gUc6xQfwNLnSrE,55546 +gradio/templates/node/build/server/chunks/Index24-CYjRYGM3.js,sha256=Tidvoa1_TNoDB-9pexTCKT5ebmERblPU8stObaUFVzw,9888 +gradio/templates/node/build/server/chunks/Index24-CYjRYGM3.js.map,sha256=fkSiCKZChUkGSUllGFHi_LiObX5IIzgfvRdIi6nAV6E,15988 +gradio/templates/node/build/server/chunks/Index25-GidwE2kj.js,sha256=SAAqOym24RlkMDutAAP4s_QY05EWhE144pNr7yH7QUE,7428 +gradio/templates/node/build/server/chunks/Index25-GidwE2kj.js.map,sha256=l8tShSrEQS0i8QfhwuPRkbWtKEt0PORsUS4cANMKvk4,11840 +gradio/templates/node/build/server/chunks/Index26-RdKPy_G5.js,sha256=nsOOi09UWvc5326o9p821uwqYBTWUrodHCM2UCO1dy8,24550 +gradio/templates/node/build/server/chunks/Index26-RdKPy_G5.js.map,sha256=uM6kV7fzC4lL5uI1iZner5ejfKXIxOHc3raigbBr6hQ,33347 +gradio/templates/node/build/server/chunks/Index33-ChNdUNzK.js,sha256=pJJoZb6wVQ28qrojrJxPNjV7QfMbcDFPx6PNtXvbyaM,5032 +gradio/templates/node/build/server/chunks/Index33-ChNdUNzK.js.map,sha256=JmOmzI17ahU58byXZOKH1kKcQEULk6LS1y7XmYQdSxk,9086 +gradio/templates/node/build/server/chunks/Index34-VM9eFTVQ.js,sha256=oXcDj0q47dbPWa6wzo3WRu-fnIS6M00HpxzKD3I_xVU,10434 +gradio/templates/node/build/server/chunks/Index34-VM9eFTVQ.js.map,sha256=DCxRglDI32c9sgosL1HVimek_j6H_-GtC1zLHgVEdYY,16419 +gradio/templates/node/build/server/chunks/Index36-UeXxTigW.js,sha256=zrmFr8UPUKcAgtOkE5fXUcaiGA-txWApoCwmyjVsxTo,6693 +gradio/templates/node/build/server/chunks/Index36-UeXxTigW.js.map,sha256=kiiP62lx9SfNo7RlViODMA3hvyUM1fkcFR9hIwntsm0,12864 +gradio/templates/node/build/server/chunks/Index37-CVqTz9f2.js,sha256=qRaKdth8ynLLc2_SkfYa2qpBUY5YkKZ4-A4soGs9nxk,13438 +gradio/templates/node/build/server/chunks/Index37-CVqTz9f2.js.map,sha256=QSdMcLc9JBK6-I4F3ReIYaGIaDepDgcUUql9GOBsLLc,21441 +gradio/templates/node/build/server/chunks/Index38-zdOqojw5.js,sha256=21YtJVjpj6LEJmmPhueDWISwrJjo-TtuzQnFdpvXUwU,37884 +gradio/templates/node/build/server/chunks/Index38-zdOqojw5.js.map,sha256=99T2PH41OuQQuTS6ZSdL1F7u54mJ8kRoc0rB4Tw3C_g,58933 +gradio/templates/node/build/server/chunks/Index39-Bfs--fif.js,sha256=pTc_klaXxlxHYpvA2k1FmjljDAtb3VFzTIIp4jiMJAo,5805 +gradio/templates/node/build/server/chunks/Index39-Bfs--fif.js.map,sha256=AEtZZnzmGk40YioT_iyjjIAsu94bjjUy8lUUYcmIu7c,10681 +gradio/templates/node/build/server/chunks/Index40-CIsHF6Ll.js,sha256=zgsdOn66hYC4vilu7bmIPWgB6P2WMxf1d1dt9yzBFMY,21630 +gradio/templates/node/build/server/chunks/Index40-CIsHF6Ll.js.map,sha256=HMxs_9pnaTuZYeivPGoGzYO6NMF2fwv-zk14aga7HvE,31607 +gradio/templates/node/build/server/chunks/Index41-BM3ChkK6.js,sha256=nMttTPQSQU5hBB1M0H8DqKw814uNxSOUIsUVrYWZmks,10331 +gradio/templates/node/build/server/chunks/Index41-BM3ChkK6.js.map,sha256=BbNBaZDO5tlbFzXfYOptQeuNzIEFf2Z5lvCWzSVB5tE,19386 +gradio/templates/node/build/server/chunks/Index42-cDPNcaiP.js,sha256=K2ZxkMlxxK9Toe7SrvREQ5PZ57KuWn28fqqMf1EFBQ4,10470 +gradio/templates/node/build/server/chunks/Index42-cDPNcaiP.js.map,sha256=EGBQ8ZzRliVI2YeX65m5PW4ae1EiSaxrnlf0WisD8vI,17465 +gradio/templates/node/build/server/chunks/Index43-Cvj5_PVp.js,sha256=DWBAIqn5o9BERpFDkLakLAa2Y1QHzW2OeEv_SRs05Ko,26446 +gradio/templates/node/build/server/chunks/Index43-Cvj5_PVp.js.map,sha256=brutGYOhPwEYXL2jhjPMaJAGAfD8gtdC2NvJGsRSras,38020 +gradio/templates/node/build/server/chunks/Index44-DxQaaXim.js,sha256=4tuPcwAT_JoiVOf2Uwp8IQZB9m-upUPutjZ2uidC5pg,7833 +gradio/templates/node/build/server/chunks/Index44-DxQaaXim.js.map,sha256=xdjZfjq0SWZ8_VqNciq9Q8x_Fw2pdzolm2jSynVxNn0,13178 +gradio/templates/node/build/server/chunks/Index45-CWt9yi_8.js,sha256=yZoS8HldMZ_py7jmK28GkfSjpfWtO3ebqDNYDEv4CRs,16535 +gradio/templates/node/build/server/chunks/Index45-CWt9yi_8.js.map,sha256=Rd_Amf78TDVE8oorC8DgAvTHZ0C165u8hZ1j_VHuiNU,24750 +gradio/templates/node/build/server/chunks/Index47-Bnro7KXn.js,sha256=Z8SssRbZgrXg8P5aFC8vAx7MwMIhKSspVqyP3pg38yg,27010 +gradio/templates/node/build/server/chunks/Index47-Bnro7KXn.js.map,sha256=WfecjxBAWQoeAu0NEAt1LAAABg1w_msaW0nNLfjIJ4U,43436 +gradio/templates/node/build/server/chunks/Index48-DQ4Y1q-H.js,sha256=WEWW486HuRD7s_X2lcQfA6Ed1rQ_ASEVc9sEdXWdjSM,17419 +gradio/templates/node/build/server/chunks/Index48-DQ4Y1q-H.js.map,sha256=LtAwhKFlfODwEhvRvZGsFmC5K5gISn51Sxpc0tU9vcw,24164 +gradio/templates/node/build/server/chunks/Index49-DSX9oJrn.js,sha256=X1uJyXOX13plY_5EdDu_wemsATtFWWI6nlR-Qr0miUM,28481 +gradio/templates/node/build/server/chunks/Index49-DSX9oJrn.js.map,sha256=DVIOD8Auzz2vRm-CPiV2Va1oWEWc5jgLMISmic76DbM,52861 +gradio/templates/node/build/server/chunks/Index5-ChsG5gce.js,sha256=70P4S87pYrVuUHRa7OEjYQrj4zyWzwIasDtKjoBlDkM,1147 +gradio/templates/node/build/server/chunks/Index5-ChsG5gce.js.map,sha256=SSKEovOlyH4WkO3osnx4gli2xSWQn61Xn3lA6QNWxTc,2209 +gradio/templates/node/build/server/chunks/Index50-DkwJkjFt.js,sha256=umJobSHj7H4Jy6geDm_8PD7RgnUebEctgx_7aFlgNGo,56569 +gradio/templates/node/build/server/chunks/Index50-DkwJkjFt.js.map,sha256=NsKuZmotBLDmn80i8OBJQh9q-F64QcH64_3jvURQmCI,86499 +gradio/templates/node/build/server/chunks/Index51-ByFOJ7xT.js,sha256=Wj2ScCaBuWuPynzIG4LeVh3vgpspScpoTZKLCV-WOXI,61061 +gradio/templates/node/build/server/chunks/Index51-ByFOJ7xT.js.map,sha256=z9M0Y-HDg3ShWPC4QDIXhPLdJHsMWWcs6ewp7zxEJTo,93780 +gradio/templates/node/build/server/chunks/Index52-BVeVwpZE.js,sha256=JkEHCFrS7S_891ux6z74hFBVMC8U3QZ4-5lmsngFqrk,84662 +gradio/templates/node/build/server/chunks/Index52-BVeVwpZE.js.map,sha256=1CQuFlbYfqowhww5y8KvneAsTPEB-4nUQbBPQN2TegY,141080 +gradio/templates/node/build/server/chunks/Index53-D5Fy2chM.js,sha256=0NEbHl2-KTx5FASP9TGMlxpmEg7jStNvBAsTJkvToeg,28861 +gradio/templates/node/build/server/chunks/Index53-D5Fy2chM.js.map,sha256=YMgY8dl1-84OkxlnrPXKmhR---eJW4eRAw6Q2kYaplw,44000 +gradio/templates/node/build/server/chunks/Index55-DegWH5pr.js,sha256=4Wr4oVLWoxevXQIbHkYb6pGm0r_WIe8ljk1VX078kKA,117216 +gradio/templates/node/build/server/chunks/Index55-DegWH5pr.js.map,sha256=UQNnErhzSgOjmEPRYaD2DQK26A000FrbrV8lNj49Fzo,181466 +gradio/templates/node/build/server/chunks/Index56-Dno8AwyU.js,sha256=mLRMYvKraOUi1KBOiDLz8ZbNH8nay1vy4_meP_d-YbU,1156898 +gradio/templates/node/build/server/chunks/Index56-Dno8AwyU.js.map,sha256=1T6FOR86oWUoXZp3yXLZoqSUs4X6r7iA9PevELwyOjE,2207499 +gradio/templates/node/build/server/chunks/Index7-D7wNzYYD.js,sha256=LdYTIO2FXEgRgGUor2Vg688KM9L9nNyEa5k2MKnV58E,7309 +gradio/templates/node/build/server/chunks/Index7-D7wNzYYD.js.map,sha256=yh6-F2IIitVjtjnLmDINiVynZl6rxeFGJuCtsiwVsX0,14677 +gradio/templates/node/build/server/chunks/Index8-C1aYuei6.js,sha256=IN4aRvAwBoAfJrPc84E58Xl8_5ZqPKkgcjBiaSkMFZc,22154 +gradio/templates/node/build/server/chunks/Index8-C1aYuei6.js.map,sha256=VKSz8Pl7Djt24B8PtVzPOKRraZjQe3-Xp6Owbj8HWSs,39622 +gradio/templates/node/build/server/chunks/Index9-rXcDv-lu.js,sha256=HGuGuXw7zQEBnNTFgVx47-TPEWSh4a8RGtFniRCQzqI,4221 +gradio/templates/node/build/server/chunks/Index9-rXcDv-lu.js.map,sha256=rWVx7F2oO4W9j9slYi8koftAUcfJRja7ZfGkqRopGr4,8736 +gradio/templates/node/build/server/chunks/MatplotlibPlot-DzQIZkcs.js,sha256=RkjgdmG1n0L7zRLL302SQTzYDk5gi5Cmu_nKXsxOag8,1950 +gradio/templates/node/build/server/chunks/MatplotlibPlot-DzQIZkcs.js.map,sha256=dKf5rGw51TIJbHeZzoLIv7n7SMmrAGok4QoY2Ap8O20,2978 +gradio/templates/node/build/server/chunks/ModifyUpload-CBjsVzaN.js,sha256=TykW7AYz2mwstid3h6RvhM-2tEN7z8jWg_GWcf_NHDw,30774 +gradio/templates/node/build/server/chunks/ModifyUpload-CBjsVzaN.js.map,sha256=VZYJBDb-kTbvkaqXFAIwXOWQC46mzwtBbQUfPZ1c6Iw,49216 +gradio/templates/node/build/server/chunks/Plot-BTNUeLNa.js,sha256=jO56WwUeBdFnmxLBYcjuteyH8FW9I1ZUFjDDBVBeaYE,3037 +gradio/templates/node/build/server/chunks/Plot-BTNUeLNa.js.map,sha256=HtINJclGO_D2BC24jN6VKKtydRyfYySgvSgrL_kFUE8,6236 +gradio/templates/node/build/server/chunks/PlotlyPlot-BO4zgLFc.js,sha256=qO2BxOUOE0xWiwZ23xGP8t-atann5ed8TA_ctCUK1-g,3627551 +gradio/templates/node/build/server/chunks/PlotlyPlot-BO4zgLFc.js.map,sha256=bhzcsC4sJ2NHeYoyGkNpCckSN6Tl8Y-uvMjI0MMnsVk,11696344 +gradio/templates/node/build/server/chunks/StaticAudio-VvdRzduA.js,sha256=ObAT4nbhsgdZyUCtTlHwsWmjlTOMiEs5nwqSlCeOJj4,108289 +gradio/templates/node/build/server/chunks/StaticAudio-VvdRzduA.js.map,sha256=V3WWZjTapdYeKxvDLmIDv0iPxs4jDMxJxkKaaoDBABw,212943 +gradio/templates/node/build/server/chunks/Video-_epjqq1V.js,sha256=sMxnmBdgHd0FELOtmZX4e90PQwGEXEzQLvt6cdg67nQ,12369 +gradio/templates/node/build/server/chunks/Video-_epjqq1V.js.map,sha256=YMbl2gEzXaWeWye3IGnqecLVTk-RPQQOxePczVsKFpg,18854 +gradio/templates/node/build/server/chunks/VideoPreview-0GEuxhIu.js,sha256=lcS9tMbGS7YW0AVotJEA44_Qd0Fs6GSApnJW8um7EO8,49637 +gradio/templates/node/build/server/chunks/VideoPreview-0GEuxhIu.js.map,sha256=R8dWf0M7oyPo9tABVqASL6GamPjpql2fiU6VCEohF9w,79496 +gradio/templates/node/build/server/chunks/_layout.svelte-Ba36fIRN.js,sha256=9Ntm8ull8_66WqBQxy1_pkZzKLFUU8Uzddoamwo5Wwg,1569 +gradio/templates/node/build/server/chunks/_layout.svelte-Ba36fIRN.js.map,sha256=51pAVeMkc2Ocss9nPiIh5s23L29oLtoJ9ThaSwfpkLk,2731 +gradio/templates/node/build/server/chunks/_page.svelte-BsGPR9UL.js,sha256=60tSWlf5XnK6UIPeY61vcukJmdg3wGfNFJEhNVtGwIA,17021 +gradio/templates/node/build/server/chunks/_page.svelte-BsGPR9UL.js.map,sha256=TY1kgeB6WG-iW9dUtUoZI0WK3tdOMh4cLf5VLXQdSjo,38201 +gradio/templates/node/build/server/chunks/clike-CVHAbfvD.js,sha256=GFNZByv2mKJgwJ8lE9O0LjYL9VZeBNyzMhb9JAaAb38,35061 +gradio/templates/node/build/server/chunks/clike-CVHAbfvD.js.map,sha256=GYBrJ1Rk062crcgTO6so133Ki-YCJ_OPsfHAN2QHRlk,69266 +gradio/templates/node/build/server/chunks/color-CmkJEUli.js,sha256=msCdCm5858IKE6y1hwdu46zxOLuBwCvgEIsgTKH8uzM,228 +gradio/templates/node/build/server/chunks/color-CmkJEUli.js.map,sha256=jDXze3-aCaNyLb47jrvwyl164gCsU10rxxJubxoiRVM,463 +gradio/templates/node/build/server/chunks/dockerfile-BQ4MKr2u.js,sha256=6Altr21QLLPYSvp3RqqYXJ2E6X01VzZCyyXujUFI-vg,8191 +gradio/templates/node/build/server/chunks/dockerfile-BQ4MKr2u.js.map,sha256=WtgcSXCE_A0In3sEOpfukZNIZc96OeADsOh3N58lmWk,19705 +gradio/templates/node/build/server/chunks/error.svelte-B8wCU0c1.js,sha256=Zs3mziYM7M0RMPylosyhOp-DB_d__F7GO70ozsZhVcY,545 +gradio/templates/node/build/server/chunks/error.svelte-B8wCU0c1.js.map,sha256=lP8fYpCFJcKE2wWOcc4zY0A1Kbp2mtlZAET1SYW6jgI,1035 +gradio/templates/node/build/server/chunks/exports-DuWZopOC.js,sha256=rwYV_2_kqGKmKUXtIDMeLYNQ9ZPFITrcIHAf9z939zA,3957 +gradio/templates/node/build/server/chunks/exports-DuWZopOC.js.map,sha256=ozgv066_Ya_YFY3WH0JkXX2b31FQoAuIrVI2-hqWrFE,11007 +gradio/templates/node/build/server/chunks/frontmatter-UG1lPyZj.js,sha256=7uJBq8u1tOA2NIni3VF2jECLr8OiysCXvukF1TyQFFY,1863 +gradio/templates/node/build/server/chunks/frontmatter-UG1lPyZj.js.map,sha256=GR7OYBjO48xTVwWwF0SCLRM9OErZ_hJYK9PSg-Ow6qo,3567 +gradio/templates/node/build/server/chunks/hls-CrxM9YLy.js,sha256=gYGrgdyaQM3_a5LQdUf2rZuBRWuOPMndb6gxq2GhqzU,840126 +gradio/templates/node/build/server/chunks/hls-CrxM9YLy.js.map,sha256=LLmrrLFr6Tua5f26mwRdbKOzLcbc-6ipnefqnzupMzI,1852917 +gradio/templates/node/build/server/chunks/index-BqCGFLEr.js,sha256=faUj8LxC_pPijfBM93c48r9cYGvEwnrLvSGmh0i9hKc,330 +gradio/templates/node/build/server/chunks/index-BqCGFLEr.js.map,sha256=uMKjnj5gr2Z7Lq9LxfFG5J-8JMiYbT4pN0un0baFvKQ,105 +gradio/templates/node/build/server/chunks/index-hSrgoQUm.js,sha256=LRhWVDvs9TDp8NoA3utRUpqXmHFeTOQp71zDVFuvVQQ,5156 +gradio/templates/node/build/server/chunks/index-hSrgoQUm.js.map,sha256=VIcwPLVyon2-aifTn78VWxCdXahwNhUa2Hb3Yv7fs2o,9918 +gradio/templates/node/build/server/chunks/index12-BYhff-2k.js,sha256=KZjCA50h3tA718dJXUIxerMqRneFH_O8T-_n7lXZWwM,54141 +gradio/templates/node/build/server/chunks/index12-BYhff-2k.js.map,sha256=3dR4aynRNGn6rZqTyViBCT84oKJeE2GxIBVEA66TwDU,127873 +gradio/templates/node/build/server/chunks/index2-CzfuQ9Le.js,sha256=xJjqr7Yu_PPZUvqrMkpq2sKgOoF0HjyY0Ko2g5r_l4Y,304 +gradio/templates/node/build/server/chunks/index2-CzfuQ9Le.js.map,sha256=PB4uxgzl-SmKPZwWVR-JA_6_8_BMM_ixWS4zU290Mwc,106 +gradio/templates/node/build/server/chunks/index27-DAZmwlho.js,sha256=1tvYsRPns1oVaLyMPOkZqOxz01LLyP3JoYudPs9eMsU,56886 +gradio/templates/node/build/server/chunks/index27-DAZmwlho.js.map,sha256=OI5_9Bw20Tl-2FxR7WbEc1zLcJfCbGXgyYQOalAWMjk,71456 +gradio/templates/node/build/server/chunks/index28-oLY_TJ4D.js,sha256=vDL5u50j2YrQxdZd06hH_ZDIx8l9YjCDhVl4NEUUdrc,77102 +gradio/templates/node/build/server/chunks/index28-oLY_TJ4D.js.map,sha256=XaJg7wQ52adHaBN36SVUGSlcpgHTQ_NePP4C9eZqvW4,185811 +gradio/templates/node/build/server/chunks/index29-DRMdSRqa.js,sha256=KhHhX5OgTcdFkjWbTHkQjR-0_BLxgmuL-j_khoS5vVk,44162 +gradio/templates/node/build/server/chunks/index29-DRMdSRqa.js.map,sha256=UrU-rcPgmuok1TS0zc-rgvSPdhM3DKvSOepgr7M68dQ,92460 +gradio/templates/node/build/server/chunks/index3-DyoisQP2.js,sha256=WD6ffISeKkYLljmZ0qdk0874tQ27MkOWOsSIy0ArlU0,2288 +gradio/templates/node/build/server/chunks/index3-DyoisQP2.js.map,sha256=x1dckP6MUvL1k9foalSkBxGUUGIdKxMkvGGgDHqftbw,5091 +gradio/templates/node/build/server/chunks/index30-BQ3aYd3P.js,sha256=_s9FJ8AJlg5USCvKixzN0kPikdTNpWbk92ABuflIJ1I,28984 +gradio/templates/node/build/server/chunks/index30-BQ3aYd3P.js.map,sha256=Y02F83cEG39rr59m6gGa7Yt09nOBFSYeOgQW6jSTDP4,54760 +gradio/templates/node/build/server/chunks/index31-C0HtCWEz.js,sha256=oP6F-yNRSYGtAGOwz-KzWXO8ydEI_gQFFK1-d4A1b8A,87114 +gradio/templates/node/build/server/chunks/index31-C0HtCWEz.js.map,sha256=UAnO1HhZ5QWTBiCR3h0RcmM5suGQGe4Y6wcSvHKglPQ,115164 +gradio/templates/node/build/server/chunks/index32-DLQUzhx8.js,sha256=VFD5dbe8seHhLjptXKDPKGDE2AAZuI7edEuwqTFDb_s,3559 +gradio/templates/node/build/server/chunks/index32-DLQUzhx8.js.map,sha256=EcGA7gF-qLyRt8AFst6CkX3Caj500nmgwfTuxRnI84c,6198 +gradio/templates/node/build/server/chunks/index46-DqCPucnd.js,sha256=ONzbq6dJtAbnTYVNShB3a7VokUpmOr9_FqbymOwYXIc,19527 +gradio/templates/node/build/server/chunks/index46-DqCPucnd.js.map,sha256=x-xzedWpBeeYEaP1JzEE44ofXed9XElvIne3Kx6GZCY,36094 +gradio/templates/node/build/server/chunks/index54-DXISGbYp.js,sha256=8DKlJ0m5ENTDY6--ibUBTEP4aweav_Pq72fjmNxRbr0,64951 +gradio/templates/node/build/server/chunks/index54-DXISGbYp.js.map,sha256=BNMCotvQ1SGZXqFwHt0is6-hglgYNFFbDd-n6kSk3Rc,130374 +gradio/templates/node/build/server/chunks/index6-sfNUnwRZ.js,sha256=5eSE4fNdPHhku6rrIHAiTaOq9EujwzhLKB2EPWimR-U,942 +gradio/templates/node/build/server/chunks/index6-sfNUnwRZ.js.map,sha256=WkyNQ_bj3VIouc9wLTJIr94bZDDZSO2wbRtrCSKP7Lw,2418 +gradio/templates/node/build/server/chunks/jinja2-BxhAu_54.js,sha256=20r1Z47R5WM1uCEHTCyMDlDHjSxUI3mzIhKmvkB5MnI,4652 +gradio/templates/node/build/server/chunks/jinja2-BxhAu_54.js.map,sha256=RNMtgW43v6qAzoFo_ikC4FljP0OTekzQq3IYdZK2uVE,11482 +gradio/templates/node/build/server/chunks/module-ooWiuM7-.js,sha256=DeY1c8YO565wGnHAsVd66HX9qQDPrXyHKeKGppLtHOM,10717 +gradio/templates/node/build/server/chunks/module-ooWiuM7-.js.map,sha256=c0BKpfA-Iu8SAKZ5-z42lahR9oGg2Z5mm3iffbY6d2k,12345 +gradio/templates/node/build/server/chunks/module2-BuleNSx4.js,sha256=fx-s-jzEfePfGrNBnYSMeCuCbcwNwSdPikAbQyguxP8,4512 +gradio/templates/node/build/server/chunks/module2-BuleNSx4.js.map,sha256=ogcHyMHL6VKL2aM0enafIBoGiCTc9KGjmX2k2Ie9CIE,9705 +gradio/templates/node/build/server/chunks/module3--h5i7pJg.js,sha256=Qui2Ac_fT20DtbPiuCt-VbVdlogbthcW0dEL5_fioJA,259903 +gradio/templates/node/build/server/chunks/module3--h5i7pJg.js.map,sha256=nXyoMCNiip8MD3hjUPP3MnOukeWIiBajXZD0S4SnIvI,494336 +gradio/templates/node/build/server/chunks/r-D8DzMJkP.js,sha256=iwE-QGi0dPdrq4ZGVUTLSXfaoZRZyZFHRYrw0uieXpw,5853 +gradio/templates/node/build/server/chunks/r-D8DzMJkP.js.map,sha256=ApP9BQAPYGOnb_btFmpB3ShSYxfZ4HUTsml_I3m-PC8,14364 +gradio/templates/node/build/server/chunks/shell-uC7BKXDZ.js,sha256=v1fFw5hvBUoFphx0mm2wWxHvYIp6hxO_WfEZMt_YMUI,4673 +gradio/templates/node/build/server/chunks/shell-uC7BKXDZ.js.map,sha256=fad3seX5QIor3_EsNZn4U1LxRQfAf5Rjp3J9UEaMt-I,12237 +gradio/templates/node/build/server/chunks/sql-CMRvauIw.js,sha256=8S90UmGEwy-XY-_z9M4NDhVLAQdAbEWiYgFxWqa4zSA,42882 +gradio/templates/node/build/server/chunks/sql-CMRvauIw.js.map,sha256=puJDXqa5WjqmKx96dQXn-QR0cjlKJV32WJhOcskSp3E,58402 +gradio/templates/node/build/server/chunks/ssr-Cql56Qn_.js,sha256=XPEqYTBh7V-x6Vt_4bLzJdn6kc0Z-6NfNUppCAj9Rlk,3296 +gradio/templates/node/build/server/chunks/ssr-Cql56Qn_.js.map,sha256=hw4KopMnyFRVGn0VkPYrCuN6Crdj4WyC8d5LEA4EiQQ,11532 +gradio/templates/node/build/server/chunks/ssr-RaXq3SJh.js,sha256=oAT9Sg5oeT0gwsjcRnsbvm0Mn9fze2fY4-AmJckkHQI,13838 +gradio/templates/node/build/server/chunks/ssr-RaXq3SJh.js.map,sha256=3BGw2KITKOWCFQbhwQwwNop2GTikBELR2bHfHpK9K6A,71173 +gradio/templates/node/build/server/chunks/stores-Bt2FUaXF.js,sha256=sCaM8cFs3zfA4o3owHODi_WZAA4D5bcdxLJtoE4UFTo,842 +gradio/templates/node/build/server/chunks/stores-Bt2FUaXF.js.map,sha256=ig15_C2NM4_HAlfoNdW0CUcuA7P24Xy-3JiL5Gcrglk,1834 +gradio/templates/node/build/server/chunks/tinycolor-LGDJOiKq.js,sha256=NaDoCdlCApiERkXzMmHFeagYajqzhM0bjEW-Kmcf2Pg,27479 +gradio/templates/node/build/server/chunks/tinycolor-LGDJOiKq.js.map,sha256=7ObTrETdtAy75xXRh-vPlUOt_zt3HF36kaEA-prhsYo,71841 +gradio/templates/node/build/server/chunks/vega-embed.module-1p8ZOLJz.js,sha256=k2VeVxBic3LSwRAg-hAQZXcgO7MUAnRep60Bgaie9AI,1811939 +gradio/templates/node/build/server/chunks/vega-embed.module-1p8ZOLJz.js.map,sha256=z8Drus_YpYlvW2HAYkh-3J4pxFg8GwTnX77sgjs4H7E,4389945 +gradio/templates/node/build/server/chunks/wrapper-DJmPaBot.js,sha256=CE25Z3iLxEdW73eGuNAXjxWkZbH7v2Pi_6R8RHtEHaU,109805 +gradio/templates/node/build/server/chunks/wrapper-DJmPaBot.js.map,sha256=yqby8dADz6hfvvg9CxfW9p2QU6XozwHinZv77c1_aMg,231712 +gradio/templates/node/build/server/chunks/yaml-BZBlrf2X.js,sha256=OjPJwN2qihKZ_Dy_MmBxyWc62epLafkVkHGHCbm9vEE,2811 +gradio/templates/node/build/server/chunks/yaml-BZBlrf2X.js.map,sha256=i7h_cXwXg3puy2sU7pAp-SVEGyI7utiekciXRI0hSbw,6770 +gradio/templates/node/build/server/index.js,sha256=skwrGYWAA8Y7PcbkycXh9cXCYy2L2wOY8cpefqJln6s,117548 +gradio/templates/node/build/server/index.js.map,sha256=dNklRDM9BL_44hZWxVHWuW2SGb1VD6d4l7hw1IMM344,262989 +gradio/templates/node/build/server/manifest.js,sha256=5SQ_T4UmfJEUDriQTh1Sm8yw1EkEPtyn2Asl5ODNaGs,1196 +gradio/templates/node/build/server/manifest.js.map,sha256=9ZaoqG8JT2Wv5243bK-tjPNkPt8VCSO6WX7hcOd6M3A,2620 +gradio/templates/node/build/shims.js,sha256=a5PioTkIyBQKA-Ymh_cZEYZaoNlHzUaRTwvcnnt0mOs,726 +gradio/templates/register.mjs,sha256=KGuBPFzyHGapIVZqUYuOnuWrWO3YS9jhb66jwr-oChc,83 +gradio/test_data/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +gradio/test_data/__pycache__/__init__.cpython-310.pyc,, +gradio/test_data/__pycache__/blocks_configs.cpython-310.pyc,, +gradio/test_data/blocks_configs.py,sha256=jHYySSOQkIl_gTOCjHj7bPt4aJ_uFWzxb7DqFUKbb-g,38710 +gradio/test_data/cheetah1-copy.jpg,sha256=NVUL-7qZblnCQq8A9qFKnA0FXfvFKtBpoaTowcOcoJU,20552 +gradio/test_data/cheetah1.jpg,sha256=NVUL-7qZblnCQq8A9qFKnA0FXfvFKtBpoaTowcOcoJU,20552 +gradio/test_data/cheetah2.jpg,sha256=aILnFKpD1gpCn3BKXd069LNwj4lwGzvMliYSE0mFN5U,72783 +gradio/test_data/flagged_no_log/a.txt,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +gradio/test_data/flagged_no_log/b.txt,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +gradio/test_data/flagged_no_log/c.txt,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +gradio/test_data/flagged_with_log/log.csv,sha256=Spi96R_dEQk9_iapnIaQSnP4QMDLC-il8q-dro9U3I0,25 +gradio/test_data/lion.jpg,sha256=TEXs4AB18VLLLmz9Xx39fcjoMEImRoW09HACYkDv8-8,18489 +gradio/test_data/rectangles.gif,sha256=-EvY6BHOiwIRxxIXjoFdyfnQibzytrWEEM8a4SzLwJA,1699 +gradio/test_data/test_audio.wav,sha256=LZmSH5nFApJR4jcqcKugsPCKbt1KLc5fbvwnwO7xixU,47148 +gradio/test_data/test_image.png,sha256=OWx7U1hp5EGP2dlldjXlE0xrpiaBkFnwsm6bj7yCp2E,1951 +gradio/themes/__init__.py,sha256=kq02Qf8vsYe3rUUDFpH1u_FO5nAHx9k4RVFEaWg4WKw,865 +gradio/themes/__pycache__/__init__.cpython-310.pyc,, +gradio/themes/__pycache__/app.cpython-310.pyc,, +gradio/themes/__pycache__/base.cpython-310.pyc,, +gradio/themes/__pycache__/builder_app.cpython-310.pyc,, +gradio/themes/__pycache__/citrus.cpython-310.pyc,, +gradio/themes/__pycache__/default.cpython-310.pyc,, +gradio/themes/__pycache__/glass.cpython-310.pyc,, +gradio/themes/__pycache__/monochrome.cpython-310.pyc,, +gradio/themes/__pycache__/ocean.cpython-310.pyc,, +gradio/themes/__pycache__/origin.cpython-310.pyc,, +gradio/themes/__pycache__/soft.cpython-310.pyc,, +gradio/themes/__pycache__/upload_theme.cpython-310.pyc,, +gradio/themes/app.py,sha256=GKsFTwhmXnRrXstnm_PD5AA0IyuoDYWdWG56ATIx7yg,4905 +gradio/themes/base.py,sha256=gYDB9NCVwd3oGlHNrEolOK76tTZ3003g2KDsb0c_n0s,96445 +gradio/themes/builder_app.py,sha256=tCs382VfuU-Q6TDEPSuaIHIG5jzYfCG509IFAG1xpvE,41139 +gradio/themes/citrus.py,sha256=J_W3CnnR4eAdgbKxf0NyyZbAlQylVNQyqY33jNPE988,5144 +gradio/themes/default.py,sha256=gUfofZ5c7yWt1twe4k_VFkYyR2ndNGOSgQtzrv-8p9A,3946 +gradio/themes/glass.py,sha256=bwXX00ftcbJQkhO-AHa1cy8jHq5Tv2sRurg50h24yBk,4790 +gradio/themes/monochrome.py,sha256=XF_U7_TF7FDaMP-IKD-Pvtzf8yyeXqzPPlZcZjiS1YI,4323 +gradio/themes/ocean.py,sha256=vFk54Uzlx2WFut0_EeHo7Pi3-GQvnaXY-InxlpME8N8,3818 +gradio/themes/origin.py,sha256=JXfp3Jmsh2VubKKBFUlpxNZCoScfvG-1SXPDll4IGwc,6022 +gradio/themes/soft.py,sha256=R9_PH9WupPiMH7lXgTrUPZ85qL9sgOJxQUTqhmBWKeQ,4823 +gradio/themes/upload_theme.py,sha256=D61HgBLfmypPT3MSqPz9Um1B1ArH0zD-m9rQwZCXgjM,1599 +gradio/themes/utils/__init__.py,sha256=b20V66a-NpTzOSVFMcUTlbDlISL4ysZjOAJXEbyIx8k,179 +gradio/themes/utils/__pycache__/__init__.cpython-310.pyc,, +gradio/themes/utils/__pycache__/colors.cpython-310.pyc,, +gradio/themes/utils/__pycache__/fonts.cpython-310.pyc,, +gradio/themes/utils/__pycache__/readme_content.cpython-310.pyc,, +gradio/themes/utils/__pycache__/semver_match.cpython-310.pyc,, +gradio/themes/utils/__pycache__/sizes.cpython-310.pyc,, +gradio/themes/utils/__pycache__/theme_dropdown.cpython-310.pyc,, +gradio/themes/utils/colors.py,sha256=wADPDozHcSqw06FWvKoCEB1zeRTbB4SIyageeWzUcPs,6576 +gradio/themes/utils/fonts.py,sha256=d5MBw_CGtziUbKMaBIxuzFk9i9uGEgk3mu6hG8V1hu0,3363 +gradio/themes/utils/readme_content.py,sha256=CZrKKzEkmm5tk9WwjmTqVvzCNEif_f8dA52Dk_s4UQs,344 +gradio/themes/utils/semver_match.py,sha256=v9LWYZL6G9YYcXnXJrtGp8kI_MTUlwV8SMR1ZbkelJM,1226 +gradio/themes/utils/sizes.py,sha256=9U1z9Hdoc_cE8_zonRsnQjhS03g6ar3RBngXjIoK-Y8,2109 +gradio/themes/utils/theme_dropdown.py,sha256=qtDcenXKzA6Rw3a09RkEkXnmjODeY-ACx6V9Ab5NLm4,1649 +gradio/tunneling.py,sha256=LanbDXflf1ezz-ZMN3efbwAbxp608fFKO2pT9HCrvPU,6898 +gradio/utils.py,sha256=1OQjENvjYsbL0zbtGaMy_5r_qy50owASmm3Lh3Amw6Q,49053 +gradio/wasm_utils.py,sha256=IF-HqR5K4Z6JcFt8TkEhY83wxZR7ZWizVKxnuFOwWYA,1690 diff --git a/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/REQUESTED b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/REQUESTED new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/WHEEL b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/WHEEL new file mode 100644 index 0000000000000000000000000000000000000000..cdd68a497cdfa8d3f2b837225beacef711b85047 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/WHEEL @@ -0,0 +1,4 @@ +Wheel-Version: 1.0 +Generator: hatchling 1.25.0 +Root-Is-Purelib: true +Tag: py3-none-any diff --git a/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/entry_points.txt b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/entry_points.txt new file mode 100644 index 0000000000000000000000000000000000000000..de8d177383c9fac8bb90bf4c0feac388afbb59bd --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/entry_points.txt @@ -0,0 +1,3 @@ +[console_scripts] +gradio = gradio.cli:cli +upload_theme = gradio.themes.upload_theme:main diff --git a/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/licenses/LICENSE b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/licenses/LICENSE new file mode 100644 index 0000000000000000000000000000000000000000..261eeb9e9f8b2b4b0d119366dda99c6fd7d35c64 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/gradio-5.1.0.dist-info/licenses/LICENSE @@ -0,0 +1,201 @@ + 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. + + 2. Grant of Copyright 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 + 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. diff --git a/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/INSTALLER b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/INSTALLER new file mode 100644 index 0000000000000000000000000000000000000000..a1b589e38a32041e49332e5e81c2d363dc418d68 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/INSTALLER @@ -0,0 +1 @@ +pip diff --git a/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/LICENSE.txt b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/LICENSE.txt new file mode 100644 index 0000000000000000000000000000000000000000..96ece318ed5a5fa072e231c98495d746bacaeef9 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/LICENSE.txt @@ -0,0 +1,20 @@ +Copyright (c) 2021 Peter Odding + +Permission is hereby granted, free of charge, to any person obtaining +a copy of this software and associated documentation files (the +"Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, +distribute, sublicense, and/or sell copies of the Software, and to +permit persons to whom the Software is furnished to do so, subject to +the following conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE +LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION +OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION +WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/METADATA b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/METADATA new file mode 100644 index 0000000000000000000000000000000000000000..c36fa4cafe53d55ba15ddc3c4045db067a165282 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/METADATA @@ -0,0 +1,216 @@ +Metadata-Version: 2.1 +Name: humanfriendly +Version: 10.0 +Summary: Human friendly output for text interfaces using Python +Home-page: https://humanfriendly.readthedocs.io +Author: Peter Odding +Author-email: peter@peterodding.com +License: MIT +Platform: UNKNOWN +Classifier: Development Status :: 6 - Mature +Classifier: Environment :: Console +Classifier: Framework :: Sphinx :: Extension +Classifier: Intended Audience :: Developers +Classifier: Intended Audience :: System Administrators +Classifier: License :: OSI Approved :: MIT License +Classifier: Natural Language :: English +Classifier: Programming Language :: Python +Classifier: Programming Language :: Python :: 2 +Classifier: Programming Language :: Python :: 2.7 +Classifier: Programming Language :: Python :: 3 +Classifier: Programming Language :: Python :: 3.5 +Classifier: Programming Language :: Python :: 3.6 +Classifier: Programming Language :: Python :: 3.7 +Classifier: Programming Language :: Python :: 3.8 +Classifier: Programming Language :: Python :: 3.9 +Classifier: Programming Language :: Python :: Implementation :: CPython +Classifier: Programming Language :: Python :: Implementation :: PyPy +Classifier: Topic :: Communications +Classifier: Topic :: Scientific/Engineering :: Human Machine Interfaces +Classifier: Topic :: Software Development +Classifier: Topic :: Software Development :: Libraries :: Python Modules +Classifier: Topic :: Software Development :: User Interfaces +Classifier: Topic :: System :: Shells +Classifier: Topic :: System :: System Shells +Classifier: Topic :: System :: Systems Administration +Classifier: Topic :: Terminals +Classifier: Topic :: Text Processing :: General +Classifier: Topic :: Text Processing :: Linguistic +Classifier: Topic :: Utilities +Requires-Python: >=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.* +Requires-Dist: monotonic ; python_version == "2.7" +Requires-Dist: pyreadline ; sys_platform == "win32" and python_version<"3.8" +Requires-Dist: pyreadline3 ; sys_platform == "win32" and python_version>="3.8" + +humanfriendly: Human friendly input/output in Python +==================================================== + +.. image:: https://github.com/xolox/python-humanfriendly/actions/workflows/test.yml/badge.svg?branch=master + :target: https://github.com/xolox/python-humanfriendly/actions + +.. image:: https://codecov.io/gh/xolox/python-humanfriendly/branch/master/graph/badge.svg?token=jYaj4T74TU + :target: https://codecov.io/gh/xolox/python-humanfriendly + +The functions and classes in the `humanfriendly` package can be used to make +text interfaces more user friendly. Some example features: + +- Parsing and formatting numbers, file sizes, pathnames and timespans in + simple, human friendly formats. + +- Easy to use timers for long running operations, with human friendly + formatting of the resulting timespans. + +- Prompting the user to select a choice from a list of options by typing the + option's number or a unique substring of the option. + +- Terminal interaction including text styling (`ANSI escape sequences`_), user + friendly rendering of usage messages and querying the terminal for its + size. + +The `humanfriendly` package is currently tested on Python 2.7, 3.5+ and PyPy +(2.7) on Linux and macOS. While the intention is to support Windows as well, +you may encounter some rough edges. + +.. contents:: + :local: + +Getting started +--------------- + +It's very simple to start using the `humanfriendly` package:: + + >>> from humanfriendly import format_size, parse_size + >>> from humanfriendly.prompts import prompt_for_input + >>> user_input = prompt_for_input("Enter a readable file size: ") + + Enter a readable file size: 16G + + >>> num_bytes = parse_size(user_input) + >>> print(num_bytes) + 16000000000 + >>> print("You entered:", format_size(num_bytes)) + You entered: 16 GB + >>> print("You entered:", format_size(num_bytes, binary=True)) + You entered: 14.9 GiB + +To get a demonstration of supported terminal text styles (based on +`ANSI escape sequences`_) you can run the following command:: + + $ humanfriendly --demo + +Command line +------------ + +.. A DRY solution to avoid duplication of the `humanfriendly --help' text: +.. +.. [[[cog +.. from humanfriendly.usage import inject_usage +.. inject_usage('humanfriendly.cli') +.. ]]] + +**Usage:** `humanfriendly [OPTIONS]` + +Human friendly input/output (text formatting) on the command +line based on the Python package with the same name. + +**Supported options:** + +.. csv-table:: + :header: Option, Description + :widths: 30, 70 + + + "``-c``, ``--run-command``","Execute an external command (given as the positional arguments) and render + a spinner and timer while the command is running. The exit status of the + command is propagated." + ``--format-table``,"Read tabular data from standard input (each line is a row and each + whitespace separated field is a column), format the data as a table and + print the resulting table to standard output. See also the ``--delimiter`` + option." + "``-d``, ``--delimiter=VALUE``","Change the delimiter used by ``--format-table`` to ``VALUE`` (a string). By default + all whitespace is treated as a delimiter." + "``-l``, ``--format-length=LENGTH``","Convert a length count (given as the integer or float ``LENGTH``) into a human + readable string and print that string to standard output." + "``-n``, ``--format-number=VALUE``","Format a number (given as the integer or floating point number ``VALUE``) with + thousands separators and two decimal places (if needed) and print the + formatted number to standard output." + "``-s``, ``--format-size=BYTES``","Convert a byte count (given as the integer ``BYTES``) into a human readable + string and print that string to standard output." + "``-b``, ``--binary``","Change the output of ``-s``, ``--format-size`` to use binary multiples of bytes + (base-2) instead of the default decimal multiples of bytes (base-10)." + "``-t``, ``--format-timespan=SECONDS``","Convert a number of seconds (given as the floating point number ``SECONDS``) + into a human readable timespan and print that string to standard output." + ``--parse-length=VALUE``,"Parse a human readable length (given as the string ``VALUE``) and print the + number of metres to standard output." + ``--parse-size=VALUE``,"Parse a human readable data size (given as the string ``VALUE``) and print the + number of bytes to standard output." + ``--demo``,"Demonstrate changing the style and color of the terminal font using ANSI + escape sequences." + "``-h``, ``--help``",Show this message and exit. + +.. [[[end]]] + +A note about size units +----------------------- + +When I originally published the `humanfriendly` package I went with binary +multiples of bytes (powers of two). It was pointed out several times that this +was a poor choice (see issue `#4`_ and pull requests `#8`_ and `#9`_) and thus +the new default became decimal multiples of bytes (powers of ten): + ++------+---------------+---------------+ +| Unit | Binary value | Decimal value | ++------+---------------+---------------+ +| KB | 1024 | 1000 + ++------+---------------+---------------+ +| MB | 1048576 | 1000000 | ++------+---------------+---------------+ +| GB | 1073741824 | 1000000000 | ++------+---------------+---------------+ +| TB | 1099511627776 | 1000000000000 | ++------+---------------+---------------+ +| etc | | | ++------+---------------+---------------+ + +The option to use binary multiples of bytes remains by passing the keyword +argument `binary=True` to the `format_size()`_ and `parse_size()`_ functions. + +Windows support +--------------- + +Windows 10 gained native support for ANSI escape sequences which means commands +like ``humanfriendly --demo`` should work out of the box (if your system is +up-to-date enough). If this doesn't work then you can install the colorama_ +package, it will be used automatically once installed. + +Contact +------- + +The latest version of `humanfriendly` is available on PyPI_ and GitHub_. The +documentation is hosted on `Read the Docs`_ and includes a changelog_. For bug +reports please create an issue on GitHub_. If you have questions, suggestions, +etc. feel free to send me an e-mail at `peter@peterodding.com`_. + +License +------- + +This software is licensed under the `MIT license`_. + +© 2021 Peter Odding. + +.. External references: +.. _#4: https://github.com/xolox/python-humanfriendly/issues/4 +.. _#8: https://github.com/xolox/python-humanfriendly/pull/8 +.. _#9: https://github.com/xolox/python-humanfriendly/pull/9 +.. _ANSI escape sequences: https://en.wikipedia.org/wiki/ANSI_escape_code +.. _changelog: https://humanfriendly.readthedocs.io/en/latest/changelog.html +.. _colorama: https://pypi.org/project/colorama +.. _format_size(): https://humanfriendly.readthedocs.io/en/latest/#humanfriendly.format_size +.. _GitHub: https://github.com/xolox/python-humanfriendly +.. _MIT license: https://en.wikipedia.org/wiki/MIT_License +.. _parse_size(): https://humanfriendly.readthedocs.io/en/latest/#humanfriendly.parse_size +.. _peter@peterodding.com: peter@peterodding.com +.. _PyPI: https://pypi.org/project/humanfriendly +.. _Read the Docs: https://humanfriendly.readthedocs.io + + diff --git a/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/RECORD b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/RECORD new file mode 100644 index 0000000000000000000000000000000000000000..447368229a0272fd0b31dd9385075a13070eaa02 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/RECORD @@ -0,0 +1,41 @@ +../../../bin/humanfriendly,sha256=L4sFudVXsiJ6ccfUnOU4WBxyxC-9lBPyGXRe1-5_lBY,235 +humanfriendly-10.0.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4 +humanfriendly-10.0.dist-info/LICENSE.txt,sha256=SsSPQReAnyc0BmFQRQ8SCzuxEKwdOzIXB5XgVg27wfU,1056 +humanfriendly-10.0.dist-info/METADATA,sha256=aLs0k4jN_spgKsw0Vbg6ey_jy-hAJeJ0k7y-dvOrbII,9201 +humanfriendly-10.0.dist-info/RECORD,, +humanfriendly-10.0.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +humanfriendly-10.0.dist-info/WHEEL,sha256=kGT74LWyRUZrL4VgLh6_g12IeVl_9u9ZVhadrgXZUEY,110 +humanfriendly-10.0.dist-info/entry_points.txt,sha256=hU-ADsGls3mgf3plBt9B-oYLCtBDQiUJZ00khuAoqXc,58 +humanfriendly-10.0.dist-info/top_level.txt,sha256=7eKAKhckmlD4ZoWJkWmhnTs1pnP_bzF-56VTq0D7WIo,14 +humanfriendly/__init__.py,sha256=sPCMQv16m3p8xYwd3N3kUs1rewVJB3ZGDBkF0_8v6vo,31725 +humanfriendly/__pycache__/__init__.cpython-310.pyc,, +humanfriendly/__pycache__/case.cpython-310.pyc,, +humanfriendly/__pycache__/cli.cpython-310.pyc,, +humanfriendly/__pycache__/compat.cpython-310.pyc,, +humanfriendly/__pycache__/decorators.cpython-310.pyc,, +humanfriendly/__pycache__/deprecation.cpython-310.pyc,, +humanfriendly/__pycache__/prompts.cpython-310.pyc,, +humanfriendly/__pycache__/sphinx.cpython-310.pyc,, +humanfriendly/__pycache__/tables.cpython-310.pyc,, +humanfriendly/__pycache__/testing.cpython-310.pyc,, +humanfriendly/__pycache__/tests.cpython-310.pyc,, +humanfriendly/__pycache__/text.cpython-310.pyc,, +humanfriendly/__pycache__/usage.cpython-310.pyc,, +humanfriendly/case.py,sha256=fkIinj4V1S8Xl3OCSYSgqKoGzCCbVJOjI5ZznViCT1Q,6008 +humanfriendly/cli.py,sha256=ZpGqTHLwfLjFACsQacYkN9DiBZkGecPzIHysliWN1i8,9822 +humanfriendly/compat.py,sha256=7qoFGMNFizGhs5BIyiMKTDUq29DxzuXGX4MRoZLo4ms,3984 +humanfriendly/decorators.py,sha256=ivxB-U9dfXUjCl4GZ8g_gKFC4a3uyxDVi-3rlxPjvJo,1501 +humanfriendly/deprecation.py,sha256=bdx1_T8L1gF635E41E6bYTqie9P3o7rY6n4wohjkLLk,9499 +humanfriendly/prompts.py,sha256=8PSJ1Hpr3ld6YkCaXQsTHAep9BtTKYlKmQi1RiaHIEc,16335 +humanfriendly/sphinx.py,sha256=BrFxK-rX3LN4iMqgNFuOTweYfppYp--O3HqWBlu05M0,11452 +humanfriendly/tables.py,sha256=lCDnEKyyZRmrIHrDlUzzVpg9z6lKOO8ldP4fh1gzMBI,13968 +humanfriendly/terminal/__init__.py,sha256=5BzxVHKriznclRjrWwYEk2l1ct0q0WdupJIrkuI9glc,30759 +humanfriendly/terminal/__pycache__/__init__.cpython-310.pyc,, +humanfriendly/terminal/__pycache__/html.cpython-310.pyc,, +humanfriendly/terminal/__pycache__/spinners.cpython-310.pyc,, +humanfriendly/terminal/html.py,sha256=_csUZ4hID0ATwTvPXU8KrAe6ZzD_gUS7_tN3FmCHA4Q,16747 +humanfriendly/terminal/spinners.py,sha256=o7nkn8rBdTqr-XHIT972sIgIuxiDymQ5kPVkBzR7utE,11323 +humanfriendly/testing.py,sha256=hErsmBN5Crej5k1P_I0dhQK8IAwFr1IOZ9kQPIrZUys,24359 +humanfriendly/tests.py,sha256=3bkasrRgw0cAdZFHgmTo4DUHgXEnlHtRoq_t2MEafbc,68919 +humanfriendly/text.py,sha256=_WBG4SZ4bT5SH94zLUdfmB6NXbvc4gBYECEmQYXJ1sE,16212 +humanfriendly/usage.py,sha256=AhPo6DcvaBRIFGWNctU22McMzN3Ryc6ZCC83kt2Zbk4,13768 diff --git a/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/REQUESTED b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/REQUESTED new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/WHEEL b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/WHEEL new file mode 100644 index 0000000000000000000000000000000000000000..ef99c6cf3283b50a273ac4c6d009a0aa85597070 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/WHEEL @@ -0,0 +1,6 @@ +Wheel-Version: 1.0 +Generator: bdist_wheel (0.34.2) +Root-Is-Purelib: true +Tag: py2-none-any +Tag: py3-none-any + diff --git a/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/entry_points.txt b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/entry_points.txt new file mode 100644 index 0000000000000000000000000000000000000000..2ce8fb835327993d3f6319a10b722b908601de30 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/entry_points.txt @@ -0,0 +1,3 @@ +[console_scripts] +humanfriendly = humanfriendly.cli:main + diff --git a/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/top_level.txt b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/top_level.txt new file mode 100644 index 0000000000000000000000000000000000000000..f5368c4974de83a9507c8c10676150fc0f3e2b69 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/humanfriendly-10.0.dist-info/top_level.txt @@ -0,0 +1 @@ +humanfriendly diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/__init__.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..fdc75821b6a26edaf4e3147f1c3ff4da6133c179 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/__init__.py @@ -0,0 +1,131 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2014-2020, imageio contributors +# imageio is distributed under the terms of the (new) BSD License. + +# This docstring is used at the index of the documentation pages, and +# gets inserted into a slightly larger description (in setup.py) for +# the page on Pypi: +""" +Imageio is a Python library that provides an easy interface to read and +write a wide range of image data, including animated images, volumetric +data, and scientific formats. It is cross-platform, runs on Python 3.5+, +and is easy to install. + +Main website: https://imageio.readthedocs.io/ +""" + +# flake8: noqa + +__version__ = "2.36.0" + +import warnings + +# Load some bits from core +from .core import FormatManager, RETURN_BYTES + +# Instantiate the old format manager +formats = FormatManager() +show_formats = formats.show + +from . import v2 +from . import v3 +from . import plugins + +# import config after core to avoid circular import +from . import config + +# import all APIs into the top level (meta API) +from .v2 import ( + imread as imread_v2, + mimread, + volread, + mvolread, + imwrite, + mimwrite, + volwrite, + mvolwrite, + # aliases + get_reader as read, + get_writer as save, + imwrite as imsave, + mimwrite as mimsave, + volwrite as volsave, + mvolwrite as mvolsave, + # misc + help, + get_reader, + get_writer, +) +from .v3 import ( + imopen, + # imread, # Will take over once v3 is released + # imwrite, # Will take over once v3 is released + imiter, +) + + +def imread(uri, format=None, **kwargs): + """imread(uri, format=None, **kwargs) + + Reads an image from the specified file. Returns a numpy array, which + comes with a dict of meta data at its 'meta' attribute. + + Note that the image data is returned as-is, and may not always have + a dtype of uint8 (and thus may differ from what e.g. PIL returns). + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the image from, e.g. a filename, pathlib.Path, + http address or file object, see the docs for more info. + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + kwargs : ... + Further keyword arguments are passed to the reader. See :func:`.help` + to see what arguments are available for a particular format. + """ + + warnings.warn( + "Starting with ImageIO v3 the behavior of this function will switch to that of" + " iio.v3.imread. To keep the current behavior (and make this warning disappear)" + " use `import imageio.v2 as imageio` or call `imageio.v2.imread` directly.", + DeprecationWarning, + stacklevel=2, + ) + + return imread_v2(uri, format=format, **kwargs) + + +__all__ = [ + "v2", + "v3", + "config", + "plugins", + # v3 API + "imopen", + "imread", + "imwrite", + "imiter", + # v2 API + "mimread", + "volread", + "mvolread", + "imwrite", + "mimwrite", + "volwrite", + "mvolwrite", + # v2 aliases + "read", + "save", + "imsave", + "mimsave", + "volsave", + "mvolsave", + # functions to deprecate + "help", + "get_reader", + "get_writer", + "formats", + "show_formats", +] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/__main__.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/__main__.py new file mode 100644 index 0000000000000000000000000000000000000000..ad0ea0b5dc9976351a59f34d4e720dfc5a7c5a53 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/__main__.py @@ -0,0 +1,169 @@ +""" +Console scripts and associated helper methods for imageio. +""" + +import argparse +import os +from os import path as op +import shutil +import sys + + +from . import plugins +from .core import util + +# A list of plugins that require binaries from the imageio-binaries +# repository. These plugins must implement the `download` method. +PLUGINS_WITH_BINARIES = ["freeimage"] + + +def download_bin(plugin_names=["all"], package_dir=False): + """Download binary dependencies of plugins + + This is a convenience method for downloading the binaries + (e.g. for freeimage) from the imageio-binaries + repository. + + Parameters + ---------- + plugin_names: list + A list of imageio plugin names. If it contains "all", all + binary dependencies are downloaded. + package_dir: bool + If set to `True`, the binaries will be downloaded to the + `resources` directory of the imageio package instead of + to the users application data directory. Note that this + might require administrative rights if imageio is installed + in a system directory. + """ + if plugin_names.count("all"): + # Use all plugins + plugin_names = PLUGINS_WITH_BINARIES + + plugin_names.sort() + print("Ascertaining binaries for: {}.".format(", ".join(plugin_names))) + + if package_dir: + # Download the binaries to the `resources` directory + # of imageio. If imageio comes as an .egg, then a cache + # directory will be created by pkg_resources (requires setuptools). + # see `imageio.core.util.resource_dirs` + # and `imageio.core.utilresource_package_dir` + directory = util.resource_package_dir() + else: + directory = None + + for plg in plugin_names: + if plg not in PLUGINS_WITH_BINARIES: + msg = "Plugin {} not registered for binary download!".format(plg) + raise Exception(msg) + mod = getattr(plugins, plg) + mod.download(directory=directory) + + +def download_bin_main(): + """Argument-parsing wrapper for `download_bin`""" + description = "Download plugin binary dependencies" + phelp = ( + "Plugin name for which to download the binary. " + + "If no argument is given, all binaries are downloaded." + ) + dhelp = ( + "Download the binaries to the package directory " + + "(default is the users application data directory). " + + "This might require administrative rights." + ) + example_text = ( + "examples:\n" + + " imageio_download_bin all\n" + + " imageio_download_bin freeimage\n" + ) + parser = argparse.ArgumentParser( + description=description, + epilog=example_text, + formatter_class=argparse.RawDescriptionHelpFormatter, + ) + parser.add_argument("plugin", type=str, nargs="*", default="all", help=phelp) + parser.add_argument( + "--package-dir", + dest="package_dir", + action="store_true", + default=False, + help=dhelp, + ) + args = parser.parse_args() + download_bin(plugin_names=args.plugin, package_dir=args.package_dir) + + +def remove_bin(plugin_names=["all"]): + """Remove binary dependencies of plugins + + This is a convenience method that removes all binaries + dependencies for plugins downloaded by imageio. + + Notes + ----- + It only makes sense to use this method if the binaries + are corrupt. + """ + if plugin_names.count("all"): + # Use all plugins + plugin_names = PLUGINS_WITH_BINARIES + + print("Removing binaries for: {}.".format(", ".join(plugin_names))) + + rdirs = util.resource_dirs() + + for plg in plugin_names: + if plg not in PLUGINS_WITH_BINARIES: + msg = "Plugin {} not registered for binary download!".format(plg) + raise Exception(msg) + + not_removed = [] + for rd in rdirs: + # plugin name is in subdirectories + for rsub in os.listdir(rd): + if rsub in plugin_names: + plgdir = op.join(rd, rsub) + try: + shutil.rmtree(plgdir) + except Exception: + not_removed.append(plgdir) + if not_removed: + nrs = ",".join(not_removed) + msg2 = ( + "These plugins files could not be removed: {}\n".format(nrs) + + "Make sure they are not used by any program and try again." + ) + raise Exception(msg2) + + +def remove_bin_main(): + """Argument-parsing wrapper for `remove_bin`""" + description = "Remove plugin binary dependencies" + phelp = ( + "Plugin name for which to remove the binary. " + + "If no argument is given, all binaries are removed." + ) + example_text = ( + "examples:\n" + + " imageio_remove_bin all\n" + + " imageio_remove_bin freeimage\n" + ) + parser = argparse.ArgumentParser( + description=description, + epilog=example_text, + formatter_class=argparse.RawDescriptionHelpFormatter, + ) + parser.add_argument("plugin", type=str, nargs="*", default="all", help=phelp) + args = parser.parse_args() + remove_bin(plugin_names=args.plugin) + + +if __name__ == "__main__": + if len(sys.argv) > 1 and sys.argv[1] == "download_bin": + download_bin_main() + elif len(sys.argv) > 1 and sys.argv[1] == "remove_bin": + remove_bin_main() + else: + raise RuntimeError("Invalid use of the imageio CLI") diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__init__.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..ca78dd22f2e690bc5115565e9e0c11b67929031c --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__init__.py @@ -0,0 +1,16 @@ +from .extensions import ( + extension_list, + known_extensions, + FileExtension, + video_extensions, +) +from .plugins import known_plugins, PluginConfig + +__all__ = [ + "known_plugins", + "PluginConfig", + "extension_list", + "known_extensions", + "FileExtension", + "video_extensions", +] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/__init__.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/__init__.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..9dba1c060bad730fe0d61539ad7e8c0765f8be18 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/__init__.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/extensions.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/extensions.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..ca85423c203b46dcfcb838dbd4cc74fa960bc716 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/extensions.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/plugins.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/plugins.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..fe586c0f339219f7d5fdf4c7a9e3428ec2e8ba69 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/__pycache__/plugins.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/config/extensions.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/extensions.py new file mode 100644 index 0000000000000000000000000000000000000000..00c716246ad5683dfbf505c9347561ab5c13bd1c --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/extensions.py @@ -0,0 +1,2002 @@ +""" +A set of objects representing each file extension recognized by ImageIO. If an +extension is not listed here it is still supported, as long as there exists a +supporting backend. + +""" + + +class FileExtension: + """File Extension Metadata + + This class holds information about a image file format associated with a + given extension. This information is used to track plugins that are known to + be able to handle a particular format. It also contains additional + information about a format, which is used when creating the supported format + docs. + + Plugins known to be able to handle this format are ordered by a ``priority`` + list. This list is used to determine the ideal plugin to use when choosing a + plugin based on file extension. + + Parameters + ---------- + extension : str + The name of the extension including the initial dot, e.g. ".png". + priority : List + A list of plugin names (entries in config.known_plugins) that can handle + this format. The position of a plugin expresses a preference, e.g. + ["plugin1", "plugin2"] indicates that, if available, plugin1 should be + preferred over plugin2 when handling a request related to this format. + name : str + The full name of the format. + description : str + A description of the format. + external_link : str + A link to further information about the format. Typically, the format's + specification. + volume_support : str + If True, the format/extension supports volumetric image data. + + Examples + -------- + >>> FileExtension( + name="Bitmap", + extension=".bmp", + priority=["pillow", "BMP-PIL", "BMP-FI", "ITK"], + external_link="https://en.wikipedia.org/wiki/BMP_file_format", + ) + + """ + + def __init__( + self, + *, + extension, + priority, + name=None, + description=None, + external_link=None, + volume_support=False + ): + self.extension = extension + self.priority = priority + self.name = name + self.description = description + self.external_link = external_link + self.default_priority = priority.copy() + self.volume_support = volume_support + + def reset(self): + self.priority = self.default_priority.copy() + + +extension_list = [ + FileExtension( + name="Hasselblad raw", + extension=".3fr", + priority=["RAW-FI"], + ), + FileExtension( + name="Sony alpha", + extension=".arw", + priority=["RAW-FI"], + ), + FileExtension( + name="Animated Portable Network Graphics", + external_link="https://en.wikipedia.org/wiki/APNG", + extension=".apng", + priority=["pillow", "pyav"], + ), + FileExtension( + name="Audio Video Interleave", + extension=".avi", + priority=["FFMPEG"], + ), + FileExtension( + name="Casio raw format", + extension=".bay", + priority=["RAW-FI"], + ), + FileExtension( + extension=".blp", + priority=["pillow"], + ), + FileExtension( + name="Bitmap", + extension=".bmp", + priority=["pillow", "BMP-PIL", "BMP-FI", "ITK", "pyav", "opencv"], + external_link="https://en.wikipedia.org/wiki/BMP_file_format", + ), + FileExtension( + name="Device-Independent Bitmap", + extension=".dip", + priority=["opencv"], + external_link="https://en.wikipedia.org/wiki/BMP_file_format", + ), + FileExtension( + name="Re-Volt mipmap", + extension=".bmq", + priority=["RAW-FI"], + ), + FileExtension( + name="Binary Structured Data Format", + extension=".bsdf", + priority=["BSDF"], + external_link="http://bsdf.io/", + ), + FileExtension( + name="Binary Universal Form for the Representation of meteorological data", + extension=".bufr", + priority=["pillow", "BUFR-PIL"], + ), + FileExtension( + name="Silicon Graphics Image", + extension=".bw", + priority=["pillow", "SGI-PIL", "SGI-FI"], + ), + FileExtension( + name="Scirra Construct", + extension=".cap", + priority=["RAW-FI"], + ), + FileExtension( + name="AMETEK High Speed Camera Format", + extension=".cine", + priority=["RAW-FI"], + external_link="https://phantomhighspeed-knowledge.secure.force.com/servlet/fileField?id=0BE1N000000kD2i#:~:text=Cine%20is%20a%20video%20file,camera%20model%20and%20image%20resolution", + ), + FileExtension(extension=".cr2", priority=["RAW-FI"]), + FileExtension( + extension=".crw", + priority=["RAW-FI"], + ), + FileExtension( + extension=".cs1", + priority=["RAW-FI"], + ), + FileExtension( + name="Computerized Tomography", + extension=".ct", + priority=["DICOM"], + ), + FileExtension( + name="Windows Cursor Icons", + extension=".cur", + priority=["pillow", "CUR-PIL"], + ), + FileExtension( + name="Dr. Halo", + extension=".cut", + priority=["CUT-FI"], + ), + FileExtension( + extension=".dc2", + priority=["RAW-FI"], + ), + FileExtension( + name="DICOM file format", + extension=".dcm", + priority=["DICOM", "ITK"], + ), + FileExtension( + extension=".dcr", + priority=["RAW-FI"], + ), + FileExtension( + name="Intel DCX", + extension=".dcx", + priority=["pillow", "DCX-PIL"], + ), + FileExtension( + name="DirectX Texture Container", + extension=".dds", + priority=["pillow", "DDS-FI", "DDS-PIL"], + ), + FileExtension( + name="Windows Bitmap", + extension=".dib", + priority=["pillow", "DIB-PIL"], + ), + FileExtension( + name="DICOM file format", + extension=".dicom", + priority=["ITK"], + ), + FileExtension( + extension=".dng", + priority=["RAW-FI"], + ), + FileExtension( + extension=".drf", + priority=["RAW-FI"], + ), + FileExtension( + extension=".dsc", + priority=["RAW-FI"], + ), + FileExtension( + name="Enhanced Compression Wavelet", + extension=".ecw", + priority=["GDAL"], + ), + FileExtension( + name="Windows Metafile", + extension=".emf", + priority=["pillow", "WMF-PIL"], + ), + FileExtension( + name="Encapsulated Postscript", + extension=".eps", + priority=["pillow", "EPS-PIL"], + ), + FileExtension( + extension=".erf", + priority=["RAW-FI"], + ), + FileExtension( + name="OpenEXR", + extension=".exr", + external_link="https://openexr.readthedocs.io/en/latest/", + priority=["EXR-FI", "pyav", "opencv"], + ), + FileExtension( + extension=".fff", + priority=["RAW-FI"], + ), + FileExtension( + name="Flexible Image Transport System File", + extension=".fit", + priority=["pillow", "FITS-PIL", "FITS"], + ), + FileExtension( + name="Flexible Image Transport System File", + extension=".fits", + priority=["pillow", "FITS-PIL", "FITS", "pyav"], + ), + FileExtension( + name="Autodesk FLC Animation", + extension=".flc", + priority=["pillow", "FLI-PIL"], + ), + FileExtension( + name="Autodesk FLI Animation", + extension=".fli", + priority=["pillow", "FLI-PIL"], + ), + FileExtension( + name="Kodak FlashPix", + extension=".fpx", + priority=["pillow", "FPX-PIL"], + ), + FileExtension( + name="Independence War 2: Edge Of Chaos Texture Format", + extension=".ftc", + priority=["pillow", "FTEX-PIL"], + ), + FileExtension( + name="Flexible Image Transport System File", + extension=".fts", + priority=["FITS"], + ), + FileExtension( + name="Independence War 2: Edge Of Chaos Texture Format", + extension=".ftu", + priority=["pillow", "FTEX-PIL"], + ), + FileExtension( + name="Flexible Image Transport System File", + extension=".fz", + priority=["FITS"], + ), + FileExtension( + name="Raw fax format CCITT G.3", + extension=".g3", + priority=["G3-FI"], + ), + FileExtension( + name="GIMP brush file", + extension=".gbr", + priority=["pillow", "GBR-PIL"], + ), + FileExtension( + name="Grassroots DICOM", + extension=".gdcm", + priority=["ITK"], + ), + FileExtension( + name="Graphics Interchange Format", + extension=".gif", + priority=["pillow", "GIF-PIL", "pyav"], + ), + FileExtension( + name="UMDS GIPL", + extension=".gipl", + priority=["ITK"], + ), + FileExtension( + name="gridded meteorological data", + extension=".grib", + priority=["pillow", "GRIB-PIL"], + ), + FileExtension( + name="Hierarchical Data Format 5", + extension=".h5", + priority=["pillow", "HDF5-PIL"], + ), + FileExtension( + name="Hierarchical Data Format 5", + extension=".hdf", + priority=["pillow", "HDF5-PIL"], + ), + FileExtension( + name="Hierarchical Data Format 5", + extension=".hdf5", + priority=["ITK"], + ), + FileExtension( + name="JPEG Extended Range", + extension=".hdp", + priority=["JPEG-XR-FI"], + ), + FileExtension( + name="High Dynamic Range Image", + extension=".hdr", + priority=["HDR-FI", "ITK", "opencv"], + ), + FileExtension( + extension=".ia", + priority=["RAW-FI"], + ), + FileExtension( + extension=".icb", + priority=["pillow"], + ), + FileExtension( + name="Mac OS Icon File", + extension=".icns", + priority=["pillow", "ICNS-PIL"], + ), + FileExtension( + name="Windows Icon File", + extension=".ico", + priority=["pillow", "ICO-FI", "ICO-PIL", "pyav"], + ), + FileExtension( + name="ILBM Interleaved Bitmap", + extension=".iff", + priority=["IFF-FI"], + ), + FileExtension( + name="IPTC/NAA", + extension=".iim", + priority=["pillow", "IPTC-PIL"], + ), + FileExtension( + extension=".iiq", + priority=["RAW-FI"], + ), + FileExtension( + name="IFUNC Image Memory", + extension=".im", + priority=["pillow", "IM-PIL"], + ), + FileExtension( + extension=".img", + priority=["ITK", "GDAL"], + ), + FileExtension( + extension=".img.gz", + priority=["ITK"], + ), + FileExtension( + name="IM Tools", + extension=".IMT", + priority=["pillow", "IMT-PIL"], + ), + FileExtension( + name="Image Processing Lab", + extension=".ipl", + priority=["ITK"], + ), + FileExtension( + name="JPEG 2000", + extension=".j2c", + priority=["pillow", "J2K-FI", "JPEG2000-PIL", "pyav"], + ), + FileExtension( + name="JPEG 2000", + extension=".j2k", + priority=["pillow", "J2K-FI", "JPEG2000-PIL", "pyav"], + ), + FileExtension( + name="JPEG", + extension=".jfif", + priority=["pillow", "JPEG-PIL"], + ), + FileExtension( + name="JPEG", + extension=".jif", + priority=["JPEG-FI"], + ), + FileExtension( + name="JPEG Network Graphics", + extension=".jng", + priority=["JNG-FI"], + ), + FileExtension( + name="JPEG 2000", + extension=".jp2", + priority=["pillow", "JP2-FI", "JPEG2000-PIL", "pyav", "opencv"], + ), + FileExtension( + name="JPEG 2000", + extension=".jpc", + priority=["pillow", "JPEG2000-PIL"], + ), + FileExtension( + name="JPEG", + extension=".jpe", + priority=["pillow", "JPEG-FI", "JPEG-PIL", "opencv"], + ), + FileExtension( + name="Joint Photographic Experts Group", + extension=".jpeg", + priority=["pillow", "JPEG-PIL", "JPEG-FI", "ITK", "GDAL", "pyav", "opencv"], + ), + FileExtension( + name="JPEG 2000", + extension=".jpf", + priority=["pillow", "JPEG2000-PIL"], + ), + FileExtension( + name="Joint Photographic Experts Group", + extension=".jpg", + priority=["pillow", "JPEG-PIL", "JPEG-FI", "ITK", "GDAL", "pyav", "opencv"], + ), + FileExtension( + name="JPEG 2000", + extension=".jpx", + priority=["pillow", "JPEG2000-PIL"], + ), + FileExtension( + name="JPEG Extended Range", + extension=".jxr", + priority=["JPEG-XR-FI"], + ), + FileExtension( + extension=".k25", + priority=["RAW-FI"], + ), + FileExtension( + extension=".kc2", + priority=["RAW-FI"], + ), + FileExtension( + extension=".kdc", + priority=["RAW-FI"], + ), + FileExtension( + name="C64 Koala Graphics", + extension=".koa", + priority=["KOALA-FI"], + ), + FileExtension( + name="ILBM Interleaved Bitmap", + extension=".lbm", + priority=["IFF-FI"], + ), + FileExtension( + name="Lytro F01", + extension=".lfp", + priority=["LYTRO-LFP"], + ), + FileExtension( + name="Lytro Illum", + extension=".lfr", + priority=["LYTRO-LFR"], + ), + FileExtension( + name="ZEISS LSM", + extension=".lsm", + priority=["tifffile", "ITK", "TIFF"], + ), + FileExtension( + name="McIdas area file", + extension=".MCIDAS", + priority=["pillow", "MCIDAS-PIL"], + external_link="https://www.ssec.wisc.edu/mcidas/doc/prog_man/2003print/progman2003-formats.html", + ), + FileExtension( + extension=".mdc", + priority=["RAW-FI"], + ), + FileExtension( + extension=".mef", + priority=["RAW-FI"], + ), + FileExtension( + name="FreeSurfer File Format", + extension=".mgh", + priority=["ITK"], + ), + FileExtension( + name="ITK MetaImage", + extension=".mha", + priority=["ITK"], + ), + FileExtension( + name="ITK MetaImage Header", + extension=".mhd", + priority=["ITK"], + ), + FileExtension( + name="Microsoft Image Composer", + extension=".mic", + priority=["pillow", "MIC-PIL"], + ), + FileExtension( + name="Matroska Multimedia Container", + extension=".mkv", + priority=["FFMPEG", "pyav"], + ), + FileExtension( + name="Medical Imaging NetCDF", + extension=".mnc", + priority=["ITK"], + ), + FileExtension( + name="Medical Imaging NetCDF 2", + extension=".mnc2", + priority=["ITK"], + ), + FileExtension( + name="Leaf Raw Image Format", + extension=".mos", + priority=["RAW-FI"], + ), + FileExtension( + name="QuickTime File Format", + extension=".mov", + priority=["FFMPEG", "pyav"], + ), + FileExtension( + name="MPEG-4 Part 14", + extension=".mp4", + priority=["FFMPEG", "pyav"], + ), + FileExtension( + name="MPEG-1 Moving Picture Experts Group", + extension=".mpeg", + priority=["FFMPEG", "pyav"], + ), + FileExtension( + name="Moving Picture Experts Group", + extension=".mpg", + priority=["pillow", "FFMPEG", "pyav"], + ), + FileExtension( + name="JPEG Multi-Picture Format", + extension=".mpo", + priority=["pillow", "MPO-PIL"], + ), + FileExtension( + name="Magnetic resonance imaging", + extension=".mri", + priority=["DICOM"], + ), + FileExtension( + extension=".mrw", + priority=["RAW-FI"], + ), + FileExtension( + name="Windows Paint", + extension=".msp", + priority=["pillow", "MSP-PIL"], + ), + FileExtension( + extension=".nef", + priority=["RAW-FI", "rawpy"], + ), + FileExtension( + extension=".nhdr", + priority=["ITK"], + ), + FileExtension( + extension=".nia", + priority=["ITK"], + ), + FileExtension( + extension=".nii", + priority=["ITK"], + ), + FileExtension( + name="nii.gz", + extension=".nii.gz", + priority=["ITK"], + ), + FileExtension( + name="Numpy Array", + extension=".npz", + priority=["NPZ"], + volume_support=True, + ), + FileExtension( + extension=".nrrd", + priority=["ITK"], + ), + FileExtension( + extension=".nrw", + priority=["RAW-FI"], + ), + FileExtension( + extension=".orf", + priority=["RAW-FI"], + ), + FileExtension( + extension=".palm", + priority=["pillow"], + ), + FileExtension( + name="Portable Bitmap", + extension=".pbm", + priority=["PGM-FI", "PGMRAW-FI", "pyav", "opencv"], + ), + FileExtension( + name="Kodak PhotoCD", + extension=".pcd", + priority=["pillow", "PCD-FI", "PCD-PIL"], + ), + FileExtension( + name="Macintosh PICT", + extension=".pct", + priority=["PICT-FI"], + ), + FileExtension( + name="Zsoft Paintbrush", + extension=".PCX", + priority=["pillow", "PCX-FI", "PCX-PIL"], + ), + FileExtension( + extension=".pdf", + priority=["pillow"], + ), + FileExtension( + extension=".pef", + priority=["RAW-FI"], + ), + FileExtension( + extension=".pfm", + priority=["PFM-FI", "pyav", "opencv"], + ), + FileExtension( + name="Portable Greymap", + extension=".pgm", + priority=["pillow", "PGM-FI", "PGMRAW-FI", "pyav", "opencv"], + ), + FileExtension( + name="Macintosh PICT", + extension=".pic", + priority=["PICT-FI", "ITK", "opencv"], + ), + FileExtension( + name="Macintosh PICT", + extension=".pict", + priority=["PICT-FI"], + ), + FileExtension( + name="Portable Network Graphics", + extension=".png", + priority=["pillow", "PNG-PIL", "PNG-FI", "ITK", "pyav", "opencv"], + ), + FileExtension( + name="Portable Image Format", + extension=".pnm", + priority=["pillow", "opencv"], + ), + FileExtension( + name="Pbmplus image", + extension=".ppm", + priority=["pillow", "PPM-PIL", "pyav"], + ), + FileExtension( + name="Pbmplus image", + extension=".pbm", + priority=["pillow", "PPM-PIL", "PPM-FI"], + ), + FileExtension( + name="Portable image format", + extension=".pxm", + priority=["opencv"], + ), + FileExtension( + name="Portable Pixelmap (ASCII)", + extension=".ppm", + priority=["PPM-FI", "opencv"], + ), + FileExtension( + name="Portable Pixelmap (Raw)", + extension=".ppm", + priority=["PPMRAW-FI"], + ), + FileExtension( + name="Ghostscript", + extension=".ps", + priority=["pillow", "EPS-PIL"], + ), + FileExtension( + name="Adope Photoshop 2.5 and 3.0", + extension=".psd", + priority=["pillow", "PSD-PIL", "PSD-FI"], + ), + FileExtension( + extension=".ptx", + priority=["RAW-FI"], + ), + FileExtension( + extension=".pxn", + priority=["RAW-FI"], + ), + FileExtension( + name="PIXAR raster image", + extension=".pxr", + priority=["pillow", "PIXAR-PIL"], + ), + FileExtension( + extension=".qtk", + priority=["RAW-FI"], + ), + FileExtension( + extension=".raf", + priority=["RAW-FI"], + ), + FileExtension( + name="Sun Raster File", + extension=".ras", + priority=["pillow", "SUN-PIL", "RAS-FI", "pyav", "opencv"], + ), + FileExtension( + name="Sun Raster File", + extension=".sr", + priority=["opencv"], + ), + FileExtension( + extension=".raw", + priority=["RAW-FI", "LYTRO-ILLUM-RAW", "LYTRO-F01-RAW", "rawpy"], + ), + FileExtension( + extension=".rdc", + priority=["RAW-FI"], + ), + FileExtension( + name="Silicon Graphics Image", + extension=".rgb", + priority=["pillow", "SGI-PIL"], + ), + FileExtension( + name="Silicon Graphics Image", + extension=".rgba", + priority=["pillow", "SGI-PIL"], + ), + FileExtension( + extension=".rw2", + priority=["RAW-FI"], + ), + FileExtension( + extension=".rwl", + priority=["RAW-FI"], + ), + FileExtension( + extension=".rwz", + priority=["RAW-FI"], + ), + FileExtension( + name="Silicon Graphics Image", + extension=".sgi", + priority=["pillow", "SGI-PIL", "pyav"], + ), + FileExtension( + name="SPE File Format", + extension=".spe", + priority=["SPE"], + ), + FileExtension( + extension=".SPIDER", + priority=["pillow", "SPIDER-PIL"], + ), + FileExtension( + extension=".sr2", + priority=["RAW-FI"], + ), + FileExtension( + extension=".srf", + priority=["RAW-FI"], + ), + FileExtension( + extension=".srw", + priority=["RAW-FI"], + ), + FileExtension( + extension=".sti", + priority=["RAW-FI"], + ), + FileExtension( + extension=".stk", + priority=["tifffile", "TIFF"], + ), + FileExtension( + name="ShockWave Flash", + extension=".swf", + priority=["SWF", "pyav"], + ), + FileExtension( + name="Truevision TGA", + extension=".targa", + priority=["pillow", "TARGA-FI"], + ), + FileExtension( + name="Truevision TGA", + extension=".tga", + priority=["pillow", "TGA-PIL", "TARGA-FI", "pyav"], + ), + FileExtension( + name="Tagged Image File", + extension=".tif", + priority=[ + "tifffile", + "TIFF", + "pillow", + "TIFF-PIL", + "TIFF-FI", + "FEI", + "ITK", + "GDAL", + "pyav", + "opencv", + ], + volume_support=True, + ), + FileExtension( + name="Tagged Image File Format", + extension=".tiff", + priority=[ + "tifffile", + "TIFF", + "pillow", + "TIFF-PIL", + "TIFF-FI", + "FEI", + "ITK", + "GDAL", + "pyav", + "opencv", + ], + volume_support=True, + ), + FileExtension( + extension=".vda", + priority=["pillow"], + ), + FileExtension( + extension=".vst", + priority=["pillow"], + ), + FileExtension( + extension=".vtk", + priority=["ITK"], + ), + FileExtension( + name="Wireless Bitmap", + extension=".wap", + priority=["WBMP-FI"], + ), + FileExtension( + name="Wireless Bitmap", + extension=".wbm", + priority=["WBMP-FI"], + ), + FileExtension( + name="Wireless Bitmap", + extension=".wbmp", + priority=["WBMP-FI"], + ), + FileExtension( + name="JPEG Extended Range", + extension=".wdp", + priority=["JPEG-XR-FI"], + ), + FileExtension( + name="Matroska", + extension=".webm", + priority=["FFMPEG", "pyav"], + ), + FileExtension( + name="Google WebP", + extension=".webp", + priority=["pillow", "WEBP-FI", "pyav", "opencv"], + ), + FileExtension( + name="Windows Meta File", + extension=".wmf", + priority=["pillow", "WMF-PIL"], + ), + FileExtension( + name="Windows Media Video", + extension=".wmv", + priority=["FFMPEG"], + ), + FileExtension( + name="X11 Bitmap", + extension=".xbm", + priority=["pillow", "XBM-PIL", "XBM-FI", "pyav"], + ), + FileExtension( + name="X11 Pixel Map", + extension=".xpm", + priority=["pillow", "XPM-PIL", "XPM-FI"], + ), + FileExtension( + name="Thumbnail Image", + extension=".XVTHUMB", + priority=["pillow", "XVTHUMB-PIL"], + ), + FileExtension( + extension=".dpx", + priority=["pyav"], + ), + FileExtension( + extension=".im1", + priority=["pyav"], + ), + FileExtension( + extension=".im24", + priority=["pyav"], + ), + FileExtension( + extension=".im8", + priority=["pyav"], + ), + FileExtension( + extension=".jls", + priority=["pyav"], + ), + FileExtension( + extension=".ljpg", + priority=["pyav"], + ), + FileExtension( + extension=".pam", + priority=["pyav"], + ), + FileExtension( + extension=".pcx", + priority=["pyav"], + ), + FileExtension( + extension=".pgmyuv", + priority=["pyav"], + ), + FileExtension( + extension=".pix", + priority=["pyav"], + ), + FileExtension( + extension=".ppm", + priority=["pyav"], + ), + FileExtension( + extension=".rs", + priority=["pyav"], + ), + FileExtension( + extension=".sun", + priority=["pyav"], + ), + FileExtension( + extension=".sunras", + priority=["pyav"], + ), + FileExtension( + extension=".xface", + priority=["pyav"], + ), + FileExtension( + extension=".xwd", + priority=["pyav"], + ), + FileExtension( + extension=".y", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".3g2", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".3gp", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".f4v", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".ism", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".isma", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".ismv", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".m4a", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".m4b", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".mj2", + priority=["pyav"], + ), + FileExtension( + name="3GP (3GPP file format)", + extension=".psp", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".3g2", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".3gp", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".f4v", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".ism", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".isma", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".ismv", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".m4a", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".m4b", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".mj2", + priority=["pyav"], + ), + FileExtension( + name="3GP2 (3GPP2 file format)", + extension=".psp", + priority=["pyav"], + ), + FileExtension( + name="3GPP AMR", + extension=".amr", + priority=["pyav"], + ), + FileExtension( + name="a64 - video for Commodore 64", + extension=".A64", + priority=["pyav"], + ), + FileExtension( + name="a64 - video for Commodore 64", + extension=".a64", + priority=["pyav"], + ), + FileExtension( + name="Adobe Filmstrip", + extension=".flm", + priority=["pyav"], + ), + FileExtension( + name="AMV", + extension=".amv", + priority=["pyav"], + ), + FileExtension( + name="ASF (Advanced / Active Streaming Format)", + extension=".asf", + priority=["pyav"], + ), + FileExtension( + name="ASF (Advanced / Active Streaming Format)", + extension=".asf", + priority=["pyav"], + ), + FileExtension( + name="ASF (Advanced / Active Streaming Format)", + extension=".wmv", + priority=["pyav"], + ), + FileExtension( + name="ASF (Advanced / Active Streaming Format)", + extension=".wmv", + priority=["pyav"], + ), + FileExtension( + name="AV1 Annex B", + extension=".obu", + priority=["pyav"], + ), + FileExtension( + name="AV1 low overhead OBU", + extension=".obu", + priority=["pyav"], + ), + FileExtension( + name="AVI (Audio Video Interleaved)", + extension=".avi", + priority=["pyav"], + ), + FileExtension( + name="AVR (Audio Visual Research)", + extension=".avr", + priority=["pyav"], + ), + FileExtension( + name="Beam Software SIFF", + extension=".vb", + priority=["pyav"], + ), + FileExtension( + name="CD Graphics", + extension=".cdg", + priority=["pyav"], + ), + FileExtension( + name="Commodore CDXL video", + extension=".cdxl", + priority=["pyav"], + ), + FileExtension( + name="Commodore CDXL video", + extension=".xl", + priority=["pyav"], + ), + FileExtension( + name="DASH Muxer", + extension=".mpd", + priority=["pyav"], + ), + FileExtension( + name="Digital Pictures SGA", + extension=".sga", + priority=["pyav"], + ), + FileExtension( + name="Discworld II BMV", + extension=".bmv", + priority=["pyav"], + ), + FileExtension( + name="DV (Digital Video)", + extension=".dif", + priority=["pyav"], + ), + FileExtension( + name="DV (Digital Video)", + extension=".dv", + priority=["pyav"], + ), + FileExtension( + name="F4V Adobe Flash Video", + extension=".f4v", + priority=["pyav"], + ), + FileExtension( + name="FLV (Flash Video)", + extension=".flv", + priority=["pyav"], + ), + FileExtension( + name="GXF (General eXchange Format)", + extension=".gxf", + priority=["pyav"], + ), + FileExtension( + name="iCE Draw File", + extension=".idf", + priority=["pyav"], + ), + FileExtension( + name="IFV CCTV DVR", + extension=".ifv", + priority=["pyav"], + ), + FileExtension( + name="iPod H.264 MP4 (MPEG-4 Part 14)", + extension=".m4a", + priority=["pyav"], + ), + FileExtension( + name="iPod H.264 MP4 (MPEG-4 Part 14)", + extension=".m4b", + priority=["pyav"], + ), + FileExtension( + name="iPod H.264 MP4 (MPEG-4 Part 14)", + extension=".m4v", + priority=["pyav"], + ), + FileExtension( + name="IVR (Internet Video Recording)", + extension=".ivr", + priority=["pyav"], + ), + FileExtension( + name="Konami PS2 SVAG", + extension=".svag", + priority=["pyav"], + ), + FileExtension( + name="KUX (YouKu)", + extension=".kux", + priority=["pyav"], + ), + FileExtension( + name="live RTMP FLV (Flash Video)", + extension=".flv", + priority=["pyav"], + ), + FileExtension( + name="Loki SDL MJPEG", + extension=".mjpg", + priority=["pyav"], + ), + FileExtension( + name="LVF", + extension=".lvf", + priority=["pyav"], + ), + FileExtension( + name="Matroska / WebM", + extension=".mk3d", + priority=["pyav"], + ), + FileExtension( + name="Matroska / WebM", + extension=".mka", + priority=["pyav"], + ), + FileExtension( + name="Matroska / WebM", + extension=".mks", + priority=["pyav"], + ), + FileExtension( + name="Microsoft XMV", + extension=".xmv", + priority=["pyav"], + ), + FileExtension( + name="MIME multipart JPEG", + extension=".mjpg", + priority=["pyav"], + ), + FileExtension( + name="MobiClip MODS", + extension=".mods", + priority=["pyav"], + ), + FileExtension( + name="MobiClip MOFLEX", + extension=".moflex", + priority=["pyav"], + ), + FileExtension( + name="Motion Pixels MVI", + extension=".mvi", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".3g2", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".3gp", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".f4v", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".ism", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".isma", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".ismv", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".m4a", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".m4b", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".mj2", + priority=["pyav"], + ), + FileExtension( + name="MP4 (MPEG-4 Part 14)", + extension=".psp", + priority=["pyav"], + ), + FileExtension( + name="MPEG-2 PS (DVD VOB)", + extension=".dvd", + priority=["pyav"], + ), + FileExtension( + name="MPEG-2 PS (SVCD)", + extension=".vob", + priority=["pyav"], + ), + FileExtension( + name="MPEG-2 PS (VOB)", + extension=".vob", + priority=["pyav"], + ), + FileExtension( + name="MPEG-TS (MPEG-2 Transport Stream)", + extension=".m2t", + priority=["pyav"], + ), + FileExtension( + name="MPEG-TS (MPEG-2 Transport Stream)", + extension=".m2ts", + priority=["pyav"], + ), + FileExtension( + name="MPEG-TS (MPEG-2 Transport Stream)", + extension=".mts", + priority=["pyav"], + ), + FileExtension( + name="MPEG-TS (MPEG-2 Transport Stream)", + extension=".ts", + priority=["pyav"], + ), + FileExtension( + name="Musepack", + extension=".mpc", + priority=["pyav"], + ), + FileExtension( + name="MXF (Material eXchange Format) Operational Pattern Atom", + extension=".mxf", + priority=["pyav"], + ), + FileExtension( + name="MXF (Material eXchange Format)", + extension=".mxf", + priority=["pyav"], + ), + FileExtension( + name="MxPEG clip", + extension=".mxg", + priority=["pyav"], + ), + FileExtension( + name="NC camera feed", + extension=".v", + priority=["pyav"], + ), + FileExtension( + name="NUT", + extension=".nut", + priority=["pyav"], + ), + FileExtension( + name="Ogg Video", + extension=".ogv", + priority=["pyav"], + ), + FileExtension( + name="Ogg", + extension=".ogg", + priority=["pyav"], + ), + FileExtension( + name="On2 IVF", + extension=".ivf", + priority=["pyav"], + ), + FileExtension( + name="PSP MP4 (MPEG-4 Part 14)", + extension=".psp", + priority=["pyav"], + ), + FileExtension( + name="Psygnosis YOP", + extension=".yop", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".3g2", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".3gp", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".f4v", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".ism", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".isma", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".ismv", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".m4a", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".m4b", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".mj2", + priority=["pyav"], + ), + FileExtension( + name="QuickTime / MOV", + extension=".psp", + priority=["pyav"], + ), + FileExtension( + name="raw AVS2-P2/IEEE1857.4 video", + extension=".avs", + priority=["pyav"], + ), + FileExtension( + name="raw AVS2-P2/IEEE1857.4 video", + extension=".avs2", + priority=["pyav"], + ), + FileExtension( + name="raw AVS3-P2/IEEE1857.10", + extension=".avs3", + priority=["pyav"], + ), + FileExtension( + name="raw Chinese AVS (Audio Video Standard) video", + extension=".cavs", + priority=["pyav"], + ), + FileExtension( + name="raw Dirac", + extension=".drc", + priority=["pyav"], + ), + FileExtension( + name="raw Dirac", + extension=".vc2", + priority=["pyav"], + ), + FileExtension( + name="raw DNxHD (SMPTE VC-3)", + extension=".dnxhd", + priority=["pyav"], + ), + FileExtension( + name="raw DNxHD (SMPTE VC-3)", + extension=".dnxhr", + priority=["pyav"], + ), + FileExtension( + name="raw GSM", + extension=".gsm", + priority=["pyav"], + ), + FileExtension( + name="raw H.261", + extension=".h261", + priority=["pyav"], + ), + FileExtension( + name="raw H.263", + extension=".h263", + priority=["pyav"], + ), + FileExtension( + name="raw H.264 video", + extension=".264", + priority=["pyav"], + ), + FileExtension( + name="raw H.264 video", + extension=".avc", + priority=["pyav"], + ), + FileExtension( + name="raw H.264 video", + extension=".h264", + priority=["pyav", "FFMPEG"], + ), + FileExtension( + name="raw H.264 video", + extension=".h26l", + priority=["pyav"], + ), + FileExtension( + name="raw HEVC video", + extension=".265", + priority=["pyav"], + ), + FileExtension( + name="raw HEVC video", + extension=".h265", + priority=["pyav"], + ), + FileExtension( + name="raw HEVC video", + extension=".hevc", + priority=["pyav"], + ), + FileExtension( + name="raw id RoQ", + extension=".roq", + priority=["pyav"], + ), + FileExtension( + name="raw Ingenient MJPEG", + extension=".cgi", + priority=["pyav"], + ), + FileExtension( + name="raw IPU Video", + extension=".ipu", + priority=["pyav"], + ), + FileExtension( + name="raw MJPEG 2000 video", + extension=".j2k", + priority=["pyav"], + ), + FileExtension( + name="raw MJPEG video", + extension=".mjpeg", + priority=["pyav"], + ), + FileExtension( + name="raw MJPEG video", + extension=".mjpg", + priority=["pyav"], + ), + FileExtension( + name="raw MJPEG video", + extension=".mpo", + priority=["pyav"], + ), + FileExtension( + name="raw MPEG-1 video", + extension=".m1v", + priority=["pyav"], + ), + FileExtension( + name="raw MPEG-1 video", + extension=".mpeg", + priority=["pyav"], + ), + FileExtension( + name="raw MPEG-1 video", + extension=".mpg", + priority=["pyav"], + ), + FileExtension( + name="raw MPEG-2 video", + extension=".m2v", + priority=["pyav"], + ), + FileExtension( + name="raw MPEG-4 video", + extension=".m4v", + priority=["pyav"], + ), + FileExtension( + name="raw VC-1 video", + extension=".vc1", + priority=["pyav"], + ), + FileExtension( + name="raw video", + extension=".cif", + priority=["pyav"], + ), + FileExtension( + name="raw video", + extension=".qcif", + priority=["pyav"], + ), + FileExtension( + name="raw video", + extension=".rgb", + priority=["pyav"], + ), + FileExtension( + name="raw video", + extension=".yuv", + priority=["pyav"], + ), + FileExtension( + name="RealMedia", + extension=".rm", + priority=["pyav"], + ), + FileExtension( + name="SDR2", + extension=".sdr2", + priority=["pyav"], + ), + FileExtension( + name="Sega FILM / CPK", + extension=".cpk", + priority=["pyav"], + ), + FileExtension( + name="SER (Simple uncompressed video format for astronomical capturing)", + extension=".ser", + priority=["pyav"], + ), + FileExtension( + name="Simbiosis Interactive IMX", + extension=".imx", + priority=["pyav"], + ), + FileExtension( + name="Square SVS", + extension=".svs", + priority=["tifffile", "pyav"], + ), + FileExtension( + name="TiVo TY Stream", + extension=".ty", + priority=["pyav"], + ), + FileExtension( + name="TiVo TY Stream", + extension=".ty+", + priority=["pyav"], + ), + FileExtension( + name="Uncompressed 4:2:2 10-bit", + extension=".v210", + priority=["pyav"], + ), + FileExtension( + name="Uncompressed 4:2:2 10-bit", + extension=".yuv10", + priority=["pyav"], + ), + FileExtension( + name="VC-1 test bitstream", + extension=".rcv", + priority=["pyav"], + ), + FileExtension( + name="Video CCTV DAT", + extension=".dat", + priority=["pyav"], + ), + FileExtension( + name="Video DAV", + extension=".dav", + priority=["pyav"], + ), + FileExtension( + name="Vivo", + extension=".viv", + priority=["pyav"], + ), + FileExtension( + name="WebM Chunk Muxer", + extension=".chk", + priority=["pyav"], + ), + FileExtension( + name="WebM", + extension=".mk3d", + priority=["pyav"], + ), + FileExtension( + name="WebM", + extension=".mka", + priority=["pyav"], + ), + FileExtension( + name="WebM", + extension=".mks", + priority=["pyav"], + ), + FileExtension( + name="Windows Television (WTV)", + extension=".wtv", + priority=["pyav"], + ), + FileExtension( + name="Xilam DERF", + extension=".adp", + priority=["pyav"], + ), + FileExtension( + name="YUV4MPEG pipe", + extension=".y4m", + priority=["pyav"], + ), + FileExtension( + extension=".qpi", + priority=["tifffile"], + ), + FileExtension( + name="PCO Camera", + extension=".pcoraw", + priority=["tifffile"], + ), + FileExtension( + name="PCO Camera", + extension=".rec", + priority=["tifffile"], + ), + FileExtension( + name="Perkin Elmer Vectra", + extension=".qptiff", + priority=["tifffile"], + ), + FileExtension( + name="Pyramid Encoded TIFF", + extension=".ptiff", + priority=["tifffile"], + ), + FileExtension( + name="Pyramid Encoded TIFF", + extension=".ptif", + priority=["tifffile"], + ), + FileExtension( + name="Opticks Gel", + extension=".gel", + priority=["tifffile"], + ), + FileExtension( + name="Zoomify Image Format", + extension=".zif", + priority=["tifffile"], + ), + FileExtension( + name="Hamamatsu Slide Scanner", + extension=".ndpi", + priority=["tifffile"], + ), + FileExtension( + name="Roche Digital Pathology", + extension=".bif", + priority=["tifffile"], + ), + FileExtension( + extension=".tf8", + priority=["tifffile"], + ), + FileExtension( + extension=".btf", + priority=["tifffile"], + ), + FileExtension( + name="High Efficiency Image File Format", + extension=".heic", + priority=["pillow"], + ), + FileExtension( + name="AV1 Image File Format", + extension=".avif", + priority=["pillow"], + ), +] +extension_list.sort(key=lambda x: x.extension) + + +known_extensions = dict() +for ext in extension_list: + if ext.extension not in known_extensions: + known_extensions[ext.extension] = list() + known_extensions[ext.extension].append(ext) + +extension_list = [ext for ext_list in known_extensions.values() for ext in ext_list] + +_video_extension_strings = [ + ".264", + ".265", + ".3g2", + ".3gp", + ".a64", + ".A64", + ".adp", + ".amr", + ".amv", + ".asf", + ".avc", + ".avi", + ".avr", + ".avs", + ".avs2", + ".avs3", + ".bmv", + ".cavs", + ".cdg", + ".cdxl", + ".cgi", + ".chk", + ".cif", + ".cpk", + ".dat", + ".dav", + ".dif", + ".dnxhd", + ".dnxhr", + ".drc", + ".dv", + ".dvd", + ".f4v", + ".flm", + ".flv", + ".gsm", + ".gxf", + ".h261", + ".h263", + ".h264", + ".h265", + ".h26l", + ".hevc", + ".idf", + ".ifv", + ".imx", + ".ipu", + ".ism", + ".isma", + ".ismv", + ".ivf", + ".ivr", + ".j2k", + ".kux", + ".lvf", + ".m1v", + ".m2t", + ".m2ts", + ".m2v", + ".m4a", + ".m4b", + ".m4v", + ".mj2", + ".mjpeg", + ".mjpg", + ".mk3d", + ".mka", + ".mks", + ".mkv", + ".mods", + ".moflex", + ".mov", + ".mp4", + ".mpc", + ".mpd", + ".mpeg", + ".mpg", + ".mpo", + ".mts", + ".mvi", + ".mxf", + ".mxg", + ".nut", + ".obu", + ".ogg", + ".ogv", + ".psp", + ".qcif", + ".rcv", + ".rgb", + ".rm", + ".roq", + ".sdr2", + ".ser", + ".sga", + ".svag", + ".svs", + ".ts", + ".ty", + ".ty+", + ".v", + ".v210", + ".vb", + ".vc1", + ".vc2", + ".viv", + ".vob", + ".webm", + ".wmv", + ".wtv", + ".xl", + ".xmv", + ".y4m", + ".yop", + ".yuv", + ".yuv10", +] +video_extensions = list() +for ext_string in _video_extension_strings: + formats = known_extensions[ext_string] + video_extensions.append(formats[0]) +video_extensions.sort(key=lambda x: x.extension) diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/config/extensions.pyi b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/extensions.pyi new file mode 100644 index 0000000000000000000000000000000000000000..266d0632748d528b6e730a25624919cb7805de6e --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/extensions.pyi @@ -0,0 +1,24 @@ +from typing import List, Dict, Optional + +class FileExtension: + extension: str + priority: List[str] + name: Optional[str] = None + description: Optional[str] = None + external_link: Optional[str] = None + volume_support: bool + + def __init__( + self, + *, + extension: str, + priority: List[str], + name: str = None, + description: str = None, + external_link: str = None + ) -> None: ... + def reset(self) -> None: ... + +extension_list: List[FileExtension] +known_extensions: Dict[str, List[FileExtension]] +video_extensions: List[FileExtension] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/config/plugins.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/plugins.py new file mode 100644 index 0000000000000000000000000000000000000000..261dcfb17794fa0695f3e4393dfe9f8ebc72d9bd --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/plugins.py @@ -0,0 +1,782 @@ +import importlib + +from ..core.legacy_plugin_wrapper import LegacyPlugin + + +class PluginConfig: + """Plugin Configuration Metadata + + This class holds the information needed to lazy-import plugins. + + Parameters + ---------- + name : str + The name of the plugin. + class_name : str + The name of the plugin class inside the plugin module. + module_name : str + The name of the module/package from which to import the plugin. + is_legacy : bool + If True, this plugin is a v2 plugin and will be wrapped in a + LegacyPlugin. Default: False. + package_name : str + If the given module name points to a relative module, then the package + name determines the package it is relative to. + install_name : str + The name of the optional dependency that can be used to install this + plugin if it is missing. + legacy_args : Dict + A dictionary of kwargs to pass to the v2 plugin (Format) upon construction. + + Examples + -------- + >>> PluginConfig( + name="TIFF", + class_name="TiffFormat", + module_name="imageio.plugins.tifffile", + is_legacy=True, + install_name="tifffile", + legacy_args={ + "description": "TIFF format", + "extensions": ".tif .tiff .stk .lsm", + "modes": "iIvV", + }, + ) + >>> PluginConfig( + name="pillow", + class_name="PillowPlugin", + module_name="imageio.plugins.pillow" + ) + + """ + + def __init__( + self, + name, + class_name, + module_name, + *, + is_legacy=False, + package_name=None, + install_name=None, + legacy_args=None, + ): + legacy_args = legacy_args or dict() + + self.name = name + self.class_name = class_name + self.module_name = module_name + self.package_name = package_name + + self.is_legacy = is_legacy + self.install_name = install_name or self.name + self.legacy_args = {"name": name, "description": "A legacy plugin"} + self.legacy_args.update(legacy_args) + + @property + def format(self): + """For backwards compatibility with FormatManager + + Delete when migrating to v3 + """ + if not self.is_legacy: + raise RuntimeError("Can only get format for legacy plugins.") + + module = importlib.import_module(self.module_name, self.package_name) + clazz = getattr(module, self.class_name) + return clazz(**self.legacy_args) + + @property + def plugin_class(self): + """Get the plugin class (import if needed) + + Returns + ------- + plugin_class : Any + The class that can be used to instantiate plugins. + + """ + + module = importlib.import_module(self.module_name, self.package_name) + clazz = getattr(module, self.class_name) + + if self.is_legacy: + legacy_plugin = clazz(**self.legacy_args) + + def partial_legacy_plugin(request): + return LegacyPlugin(request, legacy_plugin) + + clazz = partial_legacy_plugin + + return clazz + + +known_plugins = dict() +known_plugins["pillow"] = PluginConfig( + name="pillow", class_name="PillowPlugin", module_name="imageio.plugins.pillow" +) +known_plugins["pyav"] = PluginConfig( + name="pyav", class_name="PyAVPlugin", module_name="imageio.plugins.pyav" +) +known_plugins["opencv"] = PluginConfig( + name="opencv", class_name="OpenCVPlugin", module_name="imageio.plugins.opencv" +) +known_plugins["tifffile"] = PluginConfig( + name="tifffile", + class_name="TifffilePlugin", + module_name="imageio.plugins.tifffile_v3", +) +known_plugins["SPE"] = PluginConfig( + name="spe", class_name="SpePlugin", module_name="imageio.plugins.spe" +) +known_plugins["rawpy"] = PluginConfig( + name="rawpy", class_name="RawPyPlugin", module_name="imageio.plugins.rawpy" +) + +# Legacy plugins +# ============== +# +# Which are partly registered by format, partly by plugin, and partly by a mix +# of both. We keep the naming here for backwards compatibility. +# In v3 this should become a single entry per plugin named after the plugin +# We can choose extension-specific priority in ``config.extensions``. +# +# Note: Since python 3.7 order of insertion determines the order of dict().keys() +# This means that the order here determines the order by which plugins are +# checked during the full fallback search. We don't advertise this downstream, +# but it could be a useful thing to keep in mind to choose a sensible default +# search order. + +known_plugins["TIFF"] = PluginConfig( + name="TIFF", + class_name="TiffFormat", + module_name="imageio.plugins.tifffile", + is_legacy=True, + install_name="tifffile", + legacy_args={ + "description": "TIFF format", + "extensions": ".tif .tiff .stk .lsm", + "modes": "iIvV", + }, +) + +# PILLOW plugin formats (legacy) +PILLOW_FORMATS = [ + ("BMP", "Windows Bitmap", ".bmp", "PillowFormat"), + ("BUFR", "BUFR", ".bufr", "PillowFormat"), + ("CUR", "Windows Cursor", ".cur", "PillowFormat"), + ("DCX", "Intel DCX", ".dcx", "PillowFormat"), + ("DDS", "DirectDraw Surface", ".dds", "PillowFormat"), + ("DIB", "Windows Bitmap", "", "PillowFormat"), + ("EPS", "Encapsulated Postscript", ".ps .eps", "PillowFormat"), + ("FITS", "FITS", ".fit .fits", "PillowFormat"), + ("FLI", "Autodesk FLI/FLC Animation", ".fli .flc", "PillowFormat"), + ("FPX", "FlashPix", ".fpx", "PillowFormat"), + ("FTEX", "Texture File Format (IW2:EOC)", ".ftc .ftu", "PillowFormat"), + ("GBR", "GIMP brush file", ".gbr", "PillowFormat"), + ("GIF", "Compuserve GIF", ".gif", "GIFFormat"), + ("GRIB", "GRIB", ".grib", "PillowFormat"), + ("HDF5", "HDF5", ".h5 .hdf", "PillowFormat"), + ("ICNS", "Mac OS icns resource", ".icns", "PillowFormat"), + ("ICO", "Windows Icon", ".ico", "PillowFormat"), + ("IM", "IFUNC Image Memory", ".im", "PillowFormat"), + ("IMT", "IM Tools", "", "PillowFormat"), + ("IPTC", "IPTC/NAA", ".iim", "PillowFormat"), + ("JPEG", "JPEG (ISO 10918)", ".jfif .jpe .jpg .jpeg", "JPEGFormat"), + ( + "JPEG2000", + "JPEG 2000 (ISO 15444)", + ".jp2 .j2k .jpc .jpf .jpx .j2c", + "JPEG2000Format", + ), + ("MCIDAS", "McIdas area file", "", "PillowFormat"), + ("MIC", "Microsoft Image Composer", ".mic", "PillowFormat"), + # skipped in legacy pillow + # ("MPEG", "MPEG", ".mpg .mpeg", "PillowFormat"), + ("MPO", "MPO (CIPA DC-007)", ".mpo", "PillowFormat"), + ("MSP", "Windows Paint", ".msp", "PillowFormat"), + ("PCD", "Kodak PhotoCD", ".pcd", "PillowFormat"), + ("PCX", "Paintbrush", ".pcx", "PillowFormat"), + ("PIXAR", "PIXAR raster image", ".pxr", "PillowFormat"), + ("PNG", "Portable network graphics", ".png", "PNGFormat"), + ("PPM", "Pbmplus image", ".pbm .pgm .ppm", "PillowFormat"), + ("PSD", "Adobe Photoshop", ".psd", "PillowFormat"), + ("SGI", "SGI Image File Format", ".bw .rgb .rgba .sgi", "PillowFormat"), + ("SPIDER", "Spider 2D image", "", "PillowFormat"), + ("SUN", "Sun Raster File", ".ras", "PillowFormat"), + ("TGA", "Targa", ".tga", "PillowFormat"), + ("TIFF", "Adobe TIFF", ".tif .tiff", "TIFFFormat"), + ("WMF", "Windows Metafile", ".wmf .emf", "PillowFormat"), + ("XBM", "X11 Bitmap", ".xbm", "PillowFormat"), + ("XPM", "X11 Pixel Map", ".xpm", "PillowFormat"), + ("XVTHUMB", "XV thumbnail image", "", "PillowFormat"), +] +for id, summary, ext, class_name in PILLOW_FORMATS: + config = PluginConfig( + name=id.upper() + "-PIL", + class_name=class_name, + module_name="imageio.plugins.pillow_legacy", + is_legacy=True, + install_name="pillow", + legacy_args={ + "description": summary + " via Pillow", + "extensions": ext, + "modes": "iI" if class_name == "GIFFormat" else "i", + "plugin_id": id, + }, + ) + known_plugins[config.name] = config + +known_plugins["FFMPEG"] = PluginConfig( + name="FFMPEG", + class_name="FfmpegFormat", + module_name="imageio.plugins.ffmpeg", + is_legacy=True, + install_name="ffmpeg", + legacy_args={ + "description": "Many video formats and cameras (via ffmpeg)", + "extensions": ".mov .avi .mpg .mpeg .mp4 .mkv .webm .wmv .h264", + "modes": "I", + }, +) + +known_plugins["BSDF"] = PluginConfig( + name="BSDF", + class_name="BsdfFormat", + module_name="imageio.plugins.bsdf", + is_legacy=True, + install_name="bsdf", + legacy_args={ + "description": "Format based on the Binary Structured Data Format", + "extensions": ".bsdf", + "modes": "iIvV", + }, +) + +known_plugins["DICOM"] = PluginConfig( + name="DICOM", + class_name="DicomFormat", + module_name="imageio.plugins.dicom", + is_legacy=True, + install_name="dicom", + legacy_args={ + "description": "Digital Imaging and Communications in Medicine", + "extensions": ".dcm .ct .mri", + "modes": "iIvV", + }, +) + +known_plugins["FEI"] = PluginConfig( + name="FEI", + class_name="FEISEMFormat", + module_name="imageio.plugins.feisem", + is_legacy=True, + install_name="feisem", + legacy_args={ + "description": "FEI-SEM TIFF format", + "extensions": [".tif", ".tiff"], + "modes": "iv", + }, +) + +known_plugins["FITS"] = PluginConfig( + name="FITS", + class_name="FitsFormat", + module_name="imageio.plugins.fits", + is_legacy=True, + install_name="fits", + legacy_args={ + "description": "Flexible Image Transport System (FITS) format", + "extensions": ".fits .fit .fts .fz", + "modes": "iIvV", + }, +) + +known_plugins["GDAL"] = PluginConfig( + name="GDAL", + class_name="GdalFormat", + module_name="imageio.plugins.gdal", + is_legacy=True, + install_name="gdal", + legacy_args={ + "description": "Geospatial Data Abstraction Library", + "extensions": ".tiff .tif .img .ecw .jpg .jpeg", + "modes": "iIvV", + }, +) + +known_plugins["ITK"] = PluginConfig( + name="ITK", + class_name="ItkFormat", + module_name="imageio.plugins.simpleitk", + is_legacy=True, + install_name="simpleitk", + legacy_args={ + "description": "Insight Segmentation and Registration Toolkit (ITK) format", + "extensions": " ".join( + ( + ".gipl", + ".ipl", + ".mha", + ".mhd", + ".nhdr", + ".nia", + ".hdr", + ".nrrd", + ".nii", + ".nii.gz", + ".img", + ".img.gz", + ".vtk", + ".hdf5", + ".lsm", + ".mnc", + ".mnc2", + ".mgh", + ".mnc", + ".pic", + ".bmp", + ".jpeg", + ".jpg", + ".png", + ".tiff", + ".tif", + ".dicom", + ".dcm", + ".gdcm", + ) + ), + "modes": "iIvV", + }, +) + +known_plugins["NPZ"] = PluginConfig( + name="NPZ", + class_name="NpzFormat", + module_name="imageio.plugins.npz", + is_legacy=True, + install_name="numpy", + legacy_args={ + "description": "Numpy's compressed array format", + "extensions": ".npz", + "modes": "iIvV", + }, +) + +known_plugins["SWF"] = PluginConfig( + name="SWF", + class_name="SWFFormat", + module_name="imageio.plugins.swf", + is_legacy=True, + install_name="swf", + legacy_args={ + "description": "Shockwave flash", + "extensions": ".swf", + "modes": "I", + }, +) + +known_plugins["SCREENGRAB"] = PluginConfig( + name="SCREENGRAB", + class_name="ScreenGrabFormat", + module_name="imageio.plugins.grab", + is_legacy=True, + install_name="pillow", + legacy_args={ + "description": "Grab screenshots (Windows and OS X only)", + "extensions": [], + "modes": "i", + }, +) + +known_plugins["CLIPBOARDGRAB"] = PluginConfig( + name="CLIPBOARDGRAB", + class_name="ClipboardGrabFormat", + module_name="imageio.plugins.grab", + is_legacy=True, + install_name="pillow", + legacy_args={ + "description": "Grab from clipboard (Windows only)", + "extensions": [], + "modes": "i", + }, +) + +# LYTRO plugin (legacy) +lytro_formats = [ + ("lytro-lfr", "Lytro Illum lfr image file", ".lfr", "i", "LytroLfrFormat"), + ( + "lytro-illum-raw", + "Lytro Illum raw image file", + ".raw", + "i", + "LytroIllumRawFormat", + ), + ("lytro-lfp", "Lytro F01 lfp image file", ".lfp", "i", "LytroLfpFormat"), + ("lytro-f01-raw", "Lytro F01 raw image file", ".raw", "i", "LytroF01RawFormat"), +] +for name, des, ext, mode, class_name in lytro_formats: + config = PluginConfig( + name=name.upper(), + class_name=class_name, + module_name="imageio.plugins.lytro", + is_legacy=True, + install_name="lytro", + legacy_args={ + "description": des, + "extensions": ext, + "modes": mode, + }, + ) + known_plugins[config.name] = config + +# FreeImage plugin (legacy) +FREEIMAGE_FORMATS = [ + ( + "BMP", + 0, + "Windows or OS/2 Bitmap", + ".bmp", + "i", + "FreeimageBmpFormat", + "imageio.plugins.freeimage", + ), + ( + "CUT", + 21, + "Dr. Halo", + ".cut", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "DDS", + 24, + "DirectX Surface", + ".dds", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "EXR", + 29, + "ILM OpenEXR", + ".exr", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "G3", + 27, + "Raw fax format CCITT G.3", + ".g3", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "GIF", + 25, + "Static and animated gif (FreeImage)", + ".gif", + "iI", + "GifFormat", + "imageio.plugins.freeimagemulti", + ), + ( + "HDR", + 26, + "High Dynamic Range Image", + ".hdr", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "ICO", + 1, + "Windows Icon", + ".ico", + "iI", + "IcoFormat", + "imageio.plugins.freeimagemulti", + ), + ( + "IFF", + 5, + "IFF Interleaved Bitmap", + ".iff .lbm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "J2K", + 30, + "JPEG-2000 codestream", + ".j2k .j2c", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "JNG", + 3, + "JPEG Network Graphics", + ".jng", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "JP2", + 31, + "JPEG-2000 File Format", + ".jp2", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "JPEG", + 2, + "JPEG - JFIF Compliant", + ".jpg .jif .jpeg .jpe", + "i", + "FreeimageJpegFormat", + "imageio.plugins.freeimage", + ), + ( + "JPEG-XR", + 36, + "JPEG XR image format", + ".jxr .wdp .hdp", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "KOALA", + 4, + "C64 Koala Graphics", + ".koa", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + # not registered in legacy pillow + # ("MNG", 6, "Multiple-image Network Graphics", ".mng", "i", "FreeimageFormat", "imageio.plugins.freeimage"), + ( + "PBM", + 7, + "Portable Bitmap (ASCII)", + ".pbm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "PBMRAW", + 8, + "Portable Bitmap (RAW)", + ".pbm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "PCD", + 9, + "Kodak PhotoCD", + ".pcd", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "PCX", + 10, + "Zsoft Paintbrush", + ".pcx", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "PFM", + 32, + "Portable floatmap", + ".pfm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "PGM", + 11, + "Portable Greymap (ASCII)", + ".pgm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "PGMRAW", + 12, + "Portable Greymap (RAW)", + ".pgm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "PICT", + 33, + "Macintosh PICT", + ".pct .pict .pic", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "PNG", + 13, + "Portable Network Graphics", + ".png", + "i", + "FreeimagePngFormat", + "imageio.plugins.freeimage", + ), + ( + "PPM", + 14, + "Portable Pixelmap (ASCII)", + ".ppm", + "i", + "FreeimagePnmFormat", + "imageio.plugins.freeimage", + ), + ( + "PPMRAW", + 15, + "Portable Pixelmap (RAW)", + ".ppm", + "i", + "FreeimagePnmFormat", + "imageio.plugins.freeimage", + ), + ( + "PSD", + 20, + "Adobe Photoshop", + ".psd", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "RAS", + 16, + "Sun Raster Image", + ".ras", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "RAW", + 34, + "RAW camera image", + ".3fr .arw .bay .bmq .cap .cine .cr2 .crw .cs1 .dc2 " + ".dcr .drf .dsc .dng .erf .fff .ia .iiq .k25 .kc2 .kdc .mdc .mef .mos .mrw .nef .nrw .orf " + ".pef .ptx .pxn .qtk .raf .raw .rdc .rw2 .rwl .rwz .sr2 .srf .srw .sti", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "SGI", + 28, + "SGI Image Format", + ".sgi .rgb .rgba .bw", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "TARGA", + 17, + "Truevision Targa", + ".tga .targa", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "TIFF", + 18, + "Tagged Image File Format", + ".tif .tiff", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "WBMP", + 19, + "Wireless Bitmap", + ".wap .wbmp .wbm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "WebP", + 35, + "Google WebP image format", + ".webp", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "XBM", + 22, + "X11 Bitmap Format", + ".xbm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), + ( + "XPM", + 23, + "X11 Pixmap Format", + ".xpm", + "i", + "FreeimageFormat", + "imageio.plugins.freeimage", + ), +] +for name, i, des, ext, mode, class_name, module_name in FREEIMAGE_FORMATS: + config = PluginConfig( + name=name.upper() + "-FI", + class_name=class_name, + module_name=module_name, + is_legacy=True, + install_name="freeimage", + legacy_args={ + "description": des, + "extensions": ext, + "modes": mode, + "fif": i, + }, + ) + known_plugins[config.name] = config + +# exists for backwards compatibility with FormatManager +# delete in V3 +_original_order = [x for x, config in known_plugins.items() if config.is_legacy] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/config/plugins.pyi b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/plugins.pyi new file mode 100644 index 0000000000000000000000000000000000000000..ab5d4a816257e0f501fce1c087e74a3d1f66dc13 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/config/plugins.pyi @@ -0,0 +1,28 @@ +from typing import Any, Dict, Optional +from ..core.v3_plugin_api import PluginV3 + +class PluginConfig: + name: str + class_name: str + module_name: str + is_legacy: bool + package_name: Optional[str] = None + install_name: Optional[str] = None + legacy_args: Optional[dict] = None + @property + def format(self) -> Any: ... + @property + def plugin_class(self) -> PluginV3: ... + def __init__( + self, + name: str, + class_name: str, + module_name: str, + *, + is_legacy: bool = False, + package_name: str = None, + install_name: str = None, + legacy_args: dict = None, + ) -> None: ... + +known_plugins: Dict[str, PluginConfig] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/freeze.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/freeze.py new file mode 100644 index 0000000000000000000000000000000000000000..3753a29df665e416030b4eb0453ed3430a4c78fc --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/freeze.py @@ -0,0 +1,11 @@ +""" +Helper functions for freezing imageio. +""" + + +def get_includes(): + return ["email", "urllib.request", "numpy", "zipfile", "io"] + + +def get_excludes(): + return [] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/__init__.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..741415e955069d300bee8d8bc529ea0df742d700 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/__init__.py @@ -0,0 +1,103 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +# flake8: noqa + +""" +Here you can find documentation on how to write your own plugin to allow +ImageIO to access a new backend. Plugins are quite object oriented, and +the relevant classes and their interaction are documented here: + +.. currentmodule:: imageio + +.. autosummary:: + :toctree: ../_autosummary + :template: better_class.rst + + imageio.core.Format + imageio.core.Request + +.. note:: + You can always check existing plugins if you want to see examples. + +What methods to implement +------------------------- + +To implement a new plugin, create a new class that inherits from +:class:`imageio.core.Format`. and implement the following functions: + +.. autosummary:: + :toctree: ../_autosummary + + imageio.core.Format.__init__ + imageio.core.Format._can_read + imageio.core.Format._can_write + +Further, each format contains up to two nested classes; one for reading and +one for writing. To support reading and/or writing, the respective classes +need to be defined. + +For reading, create a nested class that inherits from +``imageio.core.Format.Reader`` and that implements the following functions: + + * Implement ``_open(**kwargs)`` to initialize the reader. Deal with the + user-provided keyword arguments here. + * Implement ``_close()`` to clean up. + * Implement ``_get_length()`` to provide a suitable length based on what + the user expects. Can be ``inf`` for streaming data. + * Implement ``_get_data(index)`` to return an array and a meta-data dict. + * Implement ``_get_meta_data(index)`` to return a meta-data dict. If index + is None, it should return the 'global' meta-data. + +For writing, create a nested class that inherits from +``imageio.core.Format.Writer`` and implement the following functions: + + * Implement ``_open(**kwargs)`` to initialize the writer. Deal with the + user-provided keyword arguments here. + * Implement ``_close()`` to clean up. + * Implement ``_append_data(im, meta)`` to add data (and meta-data). + * Implement ``_set_meta_data(meta)`` to set the global meta-data. + +""" + +import importlib +import os +import warnings + + +# v2 imports remove in v3 +from .. import formats + +# v2 allows formatting plugins by environment variable +# this is done here. +env_plugin_order = os.getenv("IMAGEIO_FORMAT_ORDER", None) +if env_plugin_order is not None: # pragma: no cover + warnings.warn( + "Setting plugin priority through an environment variable is" + " deprecated and will be removed in ImageIO v3. There is no" + " replacement planned for this feature. If you have an" + " active use-case for it, please reach out to us on GitHub.", + DeprecationWarning, + ) + + formats.sort(*os.getenv("IMAGEIO_FORMAT_ORDER", "").split(",")) + + +# this class replaces plugin module. For details +# see https://stackoverflow.com/questions/2447353/getattr-on-a-module +def __getattr__(name): + """Lazy-Import Plugins + + This function dynamically loads plugins into the imageio.plugin + namespace upon first access. For example, the following snippet will + delay importing freeimage until the second line: + + >>> import imageio + >>> imageio.plugins.freeimage.download() + + """ + + try: + return importlib.import_module(f"imageio.plugins.{name}") + except ImportError: + raise AttributeError(f"module '{__name__}' has no attribute '{name}'") from None diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/_dicom.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/_dicom.py new file mode 100644 index 0000000000000000000000000000000000000000..2f2f7ac511e2ef75b25c203b075724dcc152f564 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/_dicom.py @@ -0,0 +1,932 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +""" Plugin for reading DICOM files. +""" + +# todo: Use pydicom: +# * Note: is not py3k ready yet +# * Allow reading the full meta info +# I think we can more or less replace the SimpleDicomReader with a +# pydicom.Dataset For series, only ned to read the full info from one +# file: speed still high +# * Perhaps allow writing? + +import sys +import os +import struct +import logging + +import numpy as np + + +logger = logging.getLogger(__name__) + +# Determine endianity of system +sys_is_little_endian = sys.byteorder == "little" + +# Define a dictionary that contains the tags that we would like to know +MINIDICT = { + (0x7FE0, 0x0010): ("PixelData", "OB"), + # Date and time + (0x0008, 0x0020): ("StudyDate", "DA"), + (0x0008, 0x0021): ("SeriesDate", "DA"), + (0x0008, 0x0022): ("AcquisitionDate", "DA"), + (0x0008, 0x0023): ("ContentDate", "DA"), + (0x0008, 0x0030): ("StudyTime", "TM"), + (0x0008, 0x0031): ("SeriesTime", "TM"), + (0x0008, 0x0032): ("AcquisitionTime", "TM"), + (0x0008, 0x0033): ("ContentTime", "TM"), + # With what, where, by whom? + (0x0008, 0x0060): ("Modality", "CS"), + (0x0008, 0x0070): ("Manufacturer", "LO"), + (0x0008, 0x0080): ("InstitutionName", "LO"), + # Descriptions + (0x0008, 0x1030): ("StudyDescription", "LO"), + (0x0008, 0x103E): ("SeriesDescription", "LO"), + # UID's + (0x0008, 0x0016): ("SOPClassUID", "UI"), + (0x0008, 0x0018): ("SOPInstanceUID", "UI"), + (0x0020, 0x000D): ("StudyInstanceUID", "UI"), + (0x0020, 0x000E): ("SeriesInstanceUID", "UI"), + (0x0008, 0x0117): ("ContextUID", "UI"), + # Numbers + (0x0020, 0x0011): ("SeriesNumber", "IS"), + (0x0020, 0x0012): ("AcquisitionNumber", "IS"), + (0x0020, 0x0013): ("InstanceNumber", "IS"), + (0x0020, 0x0014): ("IsotopeNumber", "IS"), + (0x0020, 0x0015): ("PhaseNumber", "IS"), + (0x0020, 0x0016): ("IntervalNumber", "IS"), + (0x0020, 0x0017): ("TimeSlotNumber", "IS"), + (0x0020, 0x0018): ("AngleNumber", "IS"), + (0x0020, 0x0019): ("ItemNumber", "IS"), + (0x0020, 0x0020): ("PatientOrientation", "CS"), + (0x0020, 0x0030): ("ImagePosition", "CS"), + (0x0020, 0x0032): ("ImagePositionPatient", "CS"), + (0x0020, 0x0035): ("ImageOrientation", "CS"), + (0x0020, 0x0037): ("ImageOrientationPatient", "CS"), + # Patient information + (0x0010, 0x0010): ("PatientName", "PN"), + (0x0010, 0x0020): ("PatientID", "LO"), + (0x0010, 0x0030): ("PatientBirthDate", "DA"), + (0x0010, 0x0040): ("PatientSex", "CS"), + (0x0010, 0x1010): ("PatientAge", "AS"), + (0x0010, 0x1020): ("PatientSize", "DS"), + (0x0010, 0x1030): ("PatientWeight", "DS"), + # Image specific (required to construct numpy array) + (0x0028, 0x0002): ("SamplesPerPixel", "US"), + (0x0028, 0x0008): ("NumberOfFrames", "IS"), + (0x0028, 0x0100): ("BitsAllocated", "US"), + (0x0028, 0x0101): ("BitsStored", "US"), + (0x0028, 0x0102): ("HighBit", "US"), + (0x0028, 0x0103): ("PixelRepresentation", "US"), + (0x0028, 0x0010): ("Rows", "US"), + (0x0028, 0x0011): ("Columns", "US"), + (0x0028, 0x1052): ("RescaleIntercept", "DS"), + (0x0028, 0x1053): ("RescaleSlope", "DS"), + # Image specific (for the user) + (0x0028, 0x0030): ("PixelSpacing", "DS"), + (0x0018, 0x0088): ("SliceSpacing", "DS"), +} + +# Define some special tags: +# See PS 3.5-2008 section 7.5 (p.40) +ItemTag = (0xFFFE, 0xE000) # start of Sequence Item +ItemDelimiterTag = (0xFFFE, 0xE00D) # end of Sequence Item +SequenceDelimiterTag = (0xFFFE, 0xE0DD) # end of Sequence of undefined length + +# Define set of groups that we're interested in (so we can quickly skip others) +GROUPS = set([key[0] for key in MINIDICT.keys()]) +VRS = set([val[1] for val in MINIDICT.values()]) + + +class NotADicomFile(Exception): + pass + + +class CompressedDicom(RuntimeError): + pass + + +class SimpleDicomReader(object): + """ + This class provides reading of pixel data from DICOM files. It is + focussed on getting the pixel data, not the meta info. + + To use, first create an instance of this class (giving it + a file object or filename). Next use the info attribute to + get a dict of the meta data. The loading of pixel data is + deferred until get_numpy_array() is called. + + Comparison with Pydicom + ----------------------- + + This code focusses on getting the pixel data out, which allows some + shortcuts, resulting in the code being much smaller. + + Since the processing of data elements is much cheaper (it skips a lot + of tags), this code is about 3x faster than pydicom (except for the + deflated DICOM files). + + This class does borrow some code (and ideas) from the pydicom + project, and (to the best of our knowledge) has the same limitations + as pydicom with regard to the type of files that it can handle. + + Limitations + ----------- + + For more advanced DICOM processing, please check out pydicom. + + * Only a predefined subset of data elements (meta information) is read. + * This is a reader; it can not write DICOM files. + * (just like pydicom) it can handle none of the compressed DICOM + formats except for "Deflated Explicit VR Little Endian" + (1.2.840.10008.1.2.1.99). + + """ + + def __init__(self, file): + # Open file if filename given + if isinstance(file, str): + self._filename = file + self._file = open(file, "rb") + else: + self._filename = "" + self._file = file + # Init variable to store position and size of pixel data + self._pixel_data_loc = None + # The meta header is always explicit and little endian + self.is_implicit_VR = False + self.is_little_endian = True + self._unpackPrefix = "<" + # Dict to store data elements of interest in + self._info = {} + # VR Conversion + self._converters = { + # Numbers + "US": lambda x: self._unpack("H", x), + "UL": lambda x: self._unpack("L", x), + # Numbers encoded as strings + "DS": lambda x: self._splitValues(x, float, "\\"), + "IS": lambda x: self._splitValues(x, int, "\\"), + # strings + "AS": lambda x: x.decode("ascii", "ignore").strip("\x00"), + "DA": lambda x: x.decode("ascii", "ignore").strip("\x00"), + "TM": lambda x: x.decode("ascii", "ignore").strip("\x00"), + "UI": lambda x: x.decode("ascii", "ignore").strip("\x00"), + "LO": lambda x: x.decode("utf-8", "ignore").strip("\x00").rstrip(), + "CS": lambda x: self._splitValues(x, float, "\\"), + "PN": lambda x: x.decode("utf-8", "ignore").strip("\x00").rstrip(), + } + + # Initiate reading + self._read() + + @property + def info(self): + return self._info + + def _splitValues(self, x, type, splitter): + s = x.decode("ascii").strip("\x00") + try: + if splitter in s: + return tuple([type(v) for v in s.split(splitter) if v.strip()]) + else: + return type(s) + except ValueError: + return s + + def _unpack(self, fmt, value): + return struct.unpack(self._unpackPrefix + fmt, value)[0] + + # Really only so we need minimal changes to _pixel_data_numpy + def __iter__(self): + return iter(self._info.keys()) + + def __getattr__(self, key): + info = object.__getattribute__(self, "_info") + if key in info: + return info[key] + return object.__getattribute__(self, key) # pragma: no cover + + def _read(self): + f = self._file + # Check prefix after peamble + f.seek(128) + if f.read(4) != b"DICM": + raise NotADicomFile("Not a valid DICOM file.") + # Read + self._read_header() + self._read_data_elements() + self._get_shape_and_sampling() + # Close if done, reopen if necessary to read pixel data + if os.path.isfile(self._filename): + self._file.close() + self._file = None + + def _readDataElement(self): + f = self._file + # Get group and element + group = self._unpack("H", f.read(2)) + element = self._unpack("H", f.read(2)) + # Get value length + if self.is_implicit_VR: + vl = self._unpack("I", f.read(4)) + else: + vr = f.read(2) + if vr in (b"OB", b"OW", b"SQ", b"UN"): + reserved = f.read(2) # noqa + vl = self._unpack("I", f.read(4)) + else: + vl = self._unpack("H", f.read(2)) + # Get value + if group == 0x7FE0 and element == 0x0010: + here = f.tell() + self._pixel_data_loc = here, vl + f.seek(here + vl) + return group, element, b"Deferred loading of pixel data" + else: + if vl == 0xFFFFFFFF: + value = self._read_undefined_length_value() + else: + value = f.read(vl) + return group, element, value + + def _read_undefined_length_value(self, read_size=128): + """Copied (in compacted form) from PyDicom + Copyright Darcy Mason. + """ + fp = self._file + # data_start = fp.tell() + search_rewind = 3 + bytes_to_find = struct.pack( + self._unpackPrefix + "HH", SequenceDelimiterTag[0], SequenceDelimiterTag[1] + ) + + found = False + value_chunks = [] + while not found: + chunk_start = fp.tell() + bytes_read = fp.read(read_size) + if len(bytes_read) < read_size: + # try again, + # if still don't get required amount, this is last block + new_bytes = fp.read(read_size - len(bytes_read)) + bytes_read += new_bytes + if len(bytes_read) < read_size: + raise EOFError( + "End of file reached before sequence " "delimiter found." + ) + index = bytes_read.find(bytes_to_find) + if index != -1: + found = True + value_chunks.append(bytes_read[:index]) + fp.seek(chunk_start + index + 4) # rewind to end of delimiter + length = fp.read(4) + if length != b"\0\0\0\0": + logger.warning( + "Expected 4 zero bytes after undefined length " "delimiter" + ) + else: + fp.seek(fp.tell() - search_rewind) # rewind a bit + # accumulate the bytes read (not including the rewind) + value_chunks.append(bytes_read[:-search_rewind]) + + # if get here then have found the byte string + return b"".join(value_chunks) + + def _read_header(self): + f = self._file + TransferSyntaxUID = None + + # Read all elements, store transferSyntax when we encounter it + try: + while True: + fp_save = f.tell() + # Get element + group, element, value = self._readDataElement() + if group == 0x02: + if group == 0x02 and element == 0x10: + TransferSyntaxUID = value.decode("ascii").strip("\x00") + else: + # No more group 2: rewind and break + # (don't trust group length) + f.seek(fp_save) + break + except (EOFError, struct.error): # pragma: no cover + raise RuntimeError("End of file reached while still in header.") + + # Handle transfer syntax + self._info["TransferSyntaxUID"] = TransferSyntaxUID + # + if TransferSyntaxUID is None: + # Assume ExplicitVRLittleEndian + is_implicit_VR, is_little_endian = False, True + elif TransferSyntaxUID == "1.2.840.10008.1.2.1": + # ExplicitVRLittleEndian + is_implicit_VR, is_little_endian = False, True + elif TransferSyntaxUID == "1.2.840.10008.1.2.2": + # ExplicitVRBigEndian + is_implicit_VR, is_little_endian = False, False + elif TransferSyntaxUID == "1.2.840.10008.1.2": + # implicit VR little endian + is_implicit_VR, is_little_endian = True, True + elif TransferSyntaxUID == "1.2.840.10008.1.2.1.99": + # DeflatedExplicitVRLittleEndian: + is_implicit_VR, is_little_endian = False, True + self._inflate() + else: + # http://www.dicomlibrary.com/dicom/transfer-syntax/ + t, extra_info = TransferSyntaxUID, "" + if "1.2.840.10008.1.2.4.50" <= t < "1.2.840.10008.1.2.4.99": + extra_info = " (JPEG)" + if "1.2.840.10008.1.2.4.90" <= t < "1.2.840.10008.1.2.4.99": + extra_info = " (JPEG 2000)" + if t == "1.2.840.10008.1.2.5": + extra_info = " (RLE)" + if t == "1.2.840.10008.1.2.6.1": + extra_info = " (RFC 2557)" + raise CompressedDicom( + "The dicom reader can only read files with " + "uncompressed image data - not %r%s. You " + "can try using dcmtk or gdcm to convert the " + "image." % (t, extra_info) + ) + + # From hereon, use implicit/explicit big/little endian + self.is_implicit_VR = is_implicit_VR + self.is_little_endian = is_little_endian + self._unpackPrefix = "><"[is_little_endian] + + def _read_data_elements(self): + info = self._info + try: + while True: + # Get element + group, element, value = self._readDataElement() + # Is it a group we are interested in? + if group in GROUPS: + key = (group, element) + name, vr = MINIDICT.get(key, (None, None)) + # Is it an element we are interested in? + if name: + # Store value + converter = self._converters.get(vr, lambda x: x) + info[name] = converter(value) + except (EOFError, struct.error): + pass # end of file ... + + def get_numpy_array(self): + """Get numpy arra for this DICOM file, with the correct shape, + and pixel values scaled appropriately. + """ + # Is there pixel data at all? + if "PixelData" not in self: + raise TypeError("No pixel data found in this dataset.") + + # Load it now if it was not already loaded + if self._pixel_data_loc and len(self.PixelData) < 100: + # Reopen file? + close_file = False + if self._file is None: + close_file = True + self._file = open(self._filename, "rb") + # Read data + self._file.seek(self._pixel_data_loc[0]) + if self._pixel_data_loc[1] == 0xFFFFFFFF: + value = self._read_undefined_length_value() + else: + value = self._file.read(self._pixel_data_loc[1]) + # Close file + if close_file: + self._file.close() + self._file = None + # Overwrite + self._info["PixelData"] = value + + # Get data + data = self._pixel_data_numpy() + data = self._apply_slope_and_offset(data) + + # Remove data again to preserve memory + # Note that the data for the original file is loaded twice ... + self._info["PixelData"] = ( + b"Data converted to numpy array, " + b"raw data removed to preserve memory" + ) + return data + + def _get_shape_and_sampling(self): + """Get shape and sampling without actuall using the pixel data. + In this way, the user can get an idea what's inside without having + to load it. + """ + # Get shape (in the same way that pydicom does) + if "NumberOfFrames" in self and self.NumberOfFrames > 1: + if self.SamplesPerPixel > 1: + shape = ( + self.SamplesPerPixel, + self.NumberOfFrames, + self.Rows, + self.Columns, + ) + else: + shape = self.NumberOfFrames, self.Rows, self.Columns + elif "SamplesPerPixel" in self: + if self.SamplesPerPixel > 1: + if self.BitsAllocated == 8: + shape = self.SamplesPerPixel, self.Rows, self.Columns + else: + raise NotImplementedError( + "DICOM plugin only handles " + "SamplesPerPixel > 1 if Bits " + "Allocated = 8" + ) + else: + shape = self.Rows, self.Columns + else: + raise RuntimeError( + "DICOM file has no SamplesPerPixel " "(perhaps this is a report?)" + ) + + # Try getting sampling between pixels + if "PixelSpacing" in self: + sampling = float(self.PixelSpacing[0]), float(self.PixelSpacing[1]) + else: + sampling = 1.0, 1.0 + if "SliceSpacing" in self: + sampling = (abs(self.SliceSpacing),) + sampling + + # Ensure that sampling has as many elements as shape + sampling = (1.0,) * (len(shape) - len(sampling)) + sampling[-len(shape) :] + + # Set shape and sampling + self._info["shape"] = shape + self._info["sampling"] = sampling + + def _pixel_data_numpy(self): + """Return a NumPy array of the pixel data.""" + # Taken from pydicom + # Copyright (c) 2008-2012 Darcy Mason + + if "PixelData" not in self: + raise TypeError("No pixel data found in this dataset.") + + # determine the type used for the array + need_byteswap = self.is_little_endian != sys_is_little_endian + + # Make NumPy format code, e.g. "uint16", "int32" etc + # from two pieces of info: + # self.PixelRepresentation -- 0 for unsigned, 1 for signed; + # self.BitsAllocated -- 8, 16, or 32 + format_str = "%sint%d" % ( + ("u", "")[self.PixelRepresentation], + self.BitsAllocated, + ) + try: + numpy_format = np.dtype(format_str) + except TypeError: # pragma: no cover + raise TypeError( + "Data type not understood by NumPy: format='%s', " + " PixelRepresentation=%d, BitsAllocated=%d" + % (numpy_format, self.PixelRepresentation, self.BitsAllocated) + ) + + # Have correct Numpy format, so create the NumPy array + arr = np.frombuffer(self.PixelData, numpy_format).copy() + + # XXX byte swap - may later handle this in read_file!!? + if need_byteswap: + arr.byteswap(True) # True means swap in-place, don't make new copy + + # Note the following reshape operations return a new *view* onto arr, + # but don't copy the data + arr = arr.reshape(*self._info["shape"]) + return arr + + def _apply_slope_and_offset(self, data): + """ + If RescaleSlope and RescaleIntercept are present in the data, + apply them. The data type of the data is changed if necessary. + """ + # Obtain slope and offset + slope, offset = 1, 0 + needFloats, needApplySlopeOffset = False, False + if "RescaleSlope" in self: + needApplySlopeOffset = True + slope = self.RescaleSlope + if "RescaleIntercept" in self: + needApplySlopeOffset = True + offset = self.RescaleIntercept + if int(slope) != slope or int(offset) != offset: + needFloats = True + if not needFloats: + slope, offset = int(slope), int(offset) + + # Apply slope and offset + if needApplySlopeOffset: + # Maybe we need to change the datatype? + if data.dtype in [np.float32, np.float64]: + pass + elif needFloats: + data = data.astype(np.float32) + else: + # Determine required range + minReq, maxReq = data.min().item(), data.max().item() + minReq = min([minReq, minReq * slope + offset, maxReq * slope + offset]) + maxReq = max([maxReq, minReq * slope + offset, maxReq * slope + offset]) + + # Determine required datatype from that + dtype = None + if minReq < 0: + # Signed integer type + maxReq = max([-minReq, maxReq]) + if maxReq < 2**7: + dtype = np.int8 + elif maxReq < 2**15: + dtype = np.int16 + elif maxReq < 2**31: + dtype = np.int32 + else: + dtype = np.float32 + else: + # Unsigned integer type + if maxReq < 2**8: + dtype = np.int8 + elif maxReq < 2**16: + dtype = np.int16 + elif maxReq < 2**32: + dtype = np.int32 + else: + dtype = np.float32 + # Change datatype + if dtype != data.dtype: + data = data.astype(dtype) + + # Apply slope and offset + data *= slope + data += offset + + # Done + return data + + def _inflate(self): + # Taken from pydicom + # Copyright (c) 2008-2012 Darcy Mason + import zlib + from io import BytesIO + + # See PS3.6-2008 A.5 (p 71) -- when written, the entire dataset + # following the file metadata was prepared the normal way, + # then "deflate" compression applied. + # All that is needed here is to decompress and then + # use as normal in a file-like object + zipped = self._file.read() + # -MAX_WBITS part is from comp.lang.python answer: + # groups.google.com/group/comp.lang.python/msg/e95b3b38a71e6799 + unzipped = zlib.decompress(zipped, -zlib.MAX_WBITS) + self._file = BytesIO(unzipped) # a file-like object + + +class DicomSeries(object): + """DicomSeries + This class represents a serie of dicom files (SimpleDicomReader + objects) that belong together. If these are multiple files, they + represent the slices of a volume (like for CT or MRI). + """ + + def __init__(self, suid, progressIndicator): + # Init dataset list and the callback + self._entries = [] + + # Init props + self._suid = suid + self._info = {} + self._progressIndicator = progressIndicator + + def __len__(self): + return len(self._entries) + + def __iter__(self): + return iter(self._entries) + + def __getitem__(self, index): + return self._entries[index] + + @property + def suid(self): + return self._suid + + @property + def shape(self): + """The shape of the data (nz, ny, nx).""" + return self._info["shape"] + + @property + def sampling(self): + """The sampling (voxel distances) of the data (dz, dy, dx).""" + return self._info["sampling"] + + @property + def info(self): + """A dictionary containing the information as present in the + first dicomfile of this serie. None if there are no entries.""" + return self._info + + @property + def description(self): + """A description of the dicom series. Used fields are + PatientName, shape of the data, SeriesDescription, and + ImageComments. + """ + info = self.info + + # If no info available, return simple description + if not info: # pragma: no cover + return "DicomSeries containing %i images" % len(self) + + fields = [] + # Give patient name + if "PatientName" in info: + fields.append("" + info["PatientName"]) + # Also add dimensions + if self.shape: + tmp = [str(d) for d in self.shape] + fields.append("x".join(tmp)) + # Try adding more fields + if "SeriesDescription" in info: + fields.append("'" + info["SeriesDescription"] + "'") + if "ImageComments" in info: + fields.append("'" + info["ImageComments"] + "'") + + # Combine + return " ".join(fields) + + def __repr__(self): + adr = hex(id(self)).upper() + return "" % (len(self), adr) + + def get_numpy_array(self): + """Get (load) the data that this DicomSeries represents, and return + it as a numpy array. If this serie contains multiple images, the + resulting array is 3D, otherwise it's 2D. + """ + + # It's easy if no file or if just a single file + if len(self) == 0: + raise ValueError("Serie does not contain any files.") + elif len(self) == 1: + return self[0].get_numpy_array() + + # Check info + if self.info is None: + raise RuntimeError("Cannot return volume if series not finished.") + + # Init data (using what the dicom packaged produces as a reference) + slice = self[0].get_numpy_array() + vol = np.zeros(self.shape, dtype=slice.dtype) + vol[0] = slice + + # Fill volume + self._progressIndicator.start("loading data", "", len(self)) + for z in range(1, len(self)): + vol[z] = self[z].get_numpy_array() + self._progressIndicator.set_progress(z + 1) + self._progressIndicator.finish() + + # Done + import gc + + gc.collect() + return vol + + def _append(self, dcm): + self._entries.append(dcm) + + def _sort(self): + self._entries.sort( + key=lambda k: ( + k.InstanceNumber, + ( + k.ImagePositionPatient[2] + if hasattr(k, "ImagePositionPatient") + else None + ), + ) + ) + + def _finish(self): + """ + Evaluate the series of dicom files. Together they should make up + a volumetric dataset. This means the files should meet certain + conditions. Also some additional information has to be calculated, + such as the distance between the slices. This method sets the + attributes for "shape", "sampling" and "info". + + This method checks: + * that there are no missing files + * that the dimensions of all images match + * that the pixel spacing of all images match + """ + + # The datasets list should be sorted by instance number + L = self._entries + if len(L) == 0: + return + elif len(L) == 1: + self._info = L[0].info + return + + # Get previous + ds1 = L[0] + # Init measures to calculate average of + distance_sum = 0.0 + # Init measures to check (these are in 2D) + dimensions = ds1.Rows, ds1.Columns + # sampling = float(ds1.PixelSpacing[0]), float(ds1.PixelSpacing[1]) + sampling = ds1.info["sampling"][:2] # row, column + + for index in range(len(L)): + # The first round ds1 and ds2 will be the same, for the + # distance calculation this does not matter + # Get current + ds2 = L[index] + # Get positions + pos1 = float(ds1.ImagePositionPatient[2]) + pos2 = float(ds2.ImagePositionPatient[2]) + # Update distance_sum to calculate distance later + distance_sum += abs(pos1 - pos2) + # Test measures + dimensions2 = ds2.Rows, ds2.Columns + # sampling2 = float(ds2.PixelSpacing[0]), float(ds2.PixelSpacing[1]) + sampling2 = ds2.info["sampling"][:2] # row, column + if dimensions != dimensions2: + # We cannot produce a volume if the dimensions match + raise ValueError("Dimensions of slices does not match.") + if sampling != sampling2: + # We can still produce a volume, but we should notify the user + self._progressIndicator.write("Warn: sampling does not match.") + # Store previous + ds1 = ds2 + + # Finish calculating average distance + # (Note that there are len(L)-1 distances) + distance_mean = distance_sum / (len(L) - 1) + + # Set info dict + self._info = L[0].info.copy() + + # Store information that is specific for the serie + self._info["shape"] = (len(L),) + ds2.info["shape"] + self._info["sampling"] = (distance_mean,) + ds2.info["sampling"] + + +def list_files(files, path): + """List all files in the directory, recursively.""" + for item in os.listdir(path): + item = os.path.join(path, item) + if os.path.isdir(item): + list_files(files, item) + elif os.path.isfile(item): + files.append(item) + + +def process_directory(request, progressIndicator, readPixelData=False): + """ + Reads dicom files and returns a list of DicomSeries objects, which + contain information about the data, and can be used to load the + image or volume data. + + if readPixelData is True, the pixel data of all series is read. By + default the loading of pixeldata is deferred until it is requested + using the DicomSeries.get_pixel_array() method. In general, both + methods should be equally fast. + """ + # Get directory to examine + if os.path.isdir(request.filename): + path = request.filename + elif os.path.isfile(request.filename): + path = os.path.dirname(request.filename) + else: # pragma: no cover - tested earlier + raise ValueError("Dicom plugin needs a valid filename to examine the directory") + + # Check files + files = [] + list_files(files, path) # Find files recursively + + # Gather file data and put in DicomSeries + series = {} + count = 0 + progressIndicator.start("examining files", "files", len(files)) + for filename in files: + # Show progress (note that we always start with a 0.0) + count += 1 + progressIndicator.set_progress(count) + # Skip DICOMDIR files + if filename.count("DICOMDIR"): # pragma: no cover + continue + # Try loading dicom ... + try: + dcm = SimpleDicomReader(filename) + except NotADicomFile: + continue # skip non-dicom file + except Exception as why: # pragma: no cover + progressIndicator.write(str(why)) + continue + # Get SUID and register the file with an existing or new series object + try: + suid = dcm.SeriesInstanceUID + except AttributeError: # pragma: no cover + continue # some other kind of dicom file + if suid not in series: + series[suid] = DicomSeries(suid, progressIndicator) + series[suid]._append(dcm) + + # Finish progress + # progressIndicator.finish('Found %i series.' % len(series)) + + # Make a list and sort, so that the order is deterministic + series = list(series.values()) + series.sort(key=lambda x: x.suid) + + # Split series if necessary + for serie in reversed([serie for serie in series]): + splitSerieIfRequired(serie, series, progressIndicator) + + # Finish all series + # progressIndicator.start('analyse series', '', len(series)) + series_ = [] + for i in range(len(series)): + try: + series[i]._finish() + series_.append(series[i]) + except Exception as err: # pragma: no cover + progressIndicator.write(str(err)) + pass # Skip serie (probably report-like file without pixels) + # progressIndicator.set_progress(i+1) + progressIndicator.finish("Found %i correct series." % len(series_)) + + # Done + return series_ + + +def splitSerieIfRequired(serie, series, progressIndicator): + """ + Split the serie in multiple series if this is required. The choice + is based on examing the image position relative to the previous + image. If it differs too much, it is assumed that there is a new + dataset. This can happen for example in unspitted gated CT data. + """ + + # Sort the original list and get local name + serie._sort() + L = serie._entries + # Init previous slice + ds1 = L[0] + # Check whether we can do this + if "ImagePositionPatient" not in ds1: + return + # Initialize a list of new lists + L2 = [[ds1]] + # Init slice distance estimate + distance = 0 + + for index in range(1, len(L)): + # Get current slice + ds2 = L[index] + # Get positions + pos1 = float(ds1.ImagePositionPatient[2]) + pos2 = float(ds2.ImagePositionPatient[2]) + # Get distances + newDist = abs(pos1 - pos2) + # deltaDist = abs(firstPos-pos2) + # If the distance deviates more than 2x from what we've seen, + # we can agree it's a new dataset. + if distance and newDist > 2.1 * distance: + L2.append([]) + distance = 0 + else: + # Test missing file + if distance and newDist > 1.5 * distance: + progressIndicator.write( + "Warning: missing file after %r" % ds1._filename + ) + distance = newDist + # Add to last list + L2[-1].append(ds2) + # Store previous + ds1 = ds2 + + # Split if we should + if len(L2) > 1: + # At what position are we now? + i = series.index(serie) + # Create new series + series2insert = [] + for L in L2: + newSerie = DicomSeries(serie.suid, progressIndicator) + newSerie._entries = L + series2insert.append(newSerie) + # Insert series and remove self + for newSerie in reversed(series2insert): + series.insert(i, newSerie) + series.remove(serie) diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/_freeimage.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/_freeimage.py new file mode 100644 index 0000000000000000000000000000000000000000..99f7cbb1b2b05dd23c7a976bbc9bf31b85af0f38 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/_freeimage.py @@ -0,0 +1,1312 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +# styletest: ignore E261 + +""" Module imageio/freeimage.py + +This module contains the wrapper code for the freeimage library. +The functions defined in this module are relatively thin; just thin +enough so that arguments and results are native Python/numpy data +types. + +""" + +import os +import sys +import ctypes +import threading +import logging +import numpy + +from ..core import ( + get_remote_file, + load_lib, + Dict, + resource_dirs, + IS_PYPY, + get_platform, + InternetNotAllowedError, + NeedDownloadError, +) + +logger = logging.getLogger(__name__) + +TEST_NUMPY_NO_STRIDES = False # To test pypy fallback + +FNAME_PER_PLATFORM = { + "osx32": "libfreeimage-3.16.0-osx10.6.dylib", # universal library + "osx64": "libfreeimage-3.16.0-osx10.6.dylib", + "win32": "FreeImage-3.18.0-win32.dll", + "win64": "FreeImage-3.18.0-win64.dll", + "linux32": "libfreeimage-3.16.0-linux32.so", + "linux64": "libfreeimage-3.16.0-linux64.so", +} + + +def download(directory=None, force_download=False): + """Download the FreeImage library to your computer. + + Parameters + ---------- + directory : str | None + The directory where the file will be cached if a download was + required to obtain the file. By default, the appdata directory + is used. This is also the first directory that is checked for + a local version of the file. + force_download : bool | str + If True, the file will be downloaded even if a local copy exists + (and this copy will be overwritten). Can also be a YYYY-MM-DD date + to ensure a file is up-to-date (modified date of a file on disk, + if present, is checked). + """ + plat = get_platform() + if plat and plat in FNAME_PER_PLATFORM: + fname = "freeimage/" + FNAME_PER_PLATFORM[plat] + get_remote_file(fname=fname, directory=directory, force_download=force_download) + fi._lib = None # allow trying again (needed to make tests work) + + +def get_freeimage_lib(): + """Ensure we have our version of the binary freeimage lib.""" + + lib = os.getenv("IMAGEIO_FREEIMAGE_LIB", None) + if lib: # pragma: no cover + return lib + + # Get filename to load + # If we do not provide a binary, the system may still do ... + plat = get_platform() + if plat and plat in FNAME_PER_PLATFORM: + try: + return get_remote_file("freeimage/" + FNAME_PER_PLATFORM[plat], auto=False) + except InternetNotAllowedError: + pass + except NeedDownloadError: + raise NeedDownloadError( + "Need FreeImage library. " + "You can obtain it with either:\n" + " - download using the command: " + "imageio_download_bin freeimage\n" + " - download by calling (in Python): " + "imageio.plugins.freeimage.download()\n" + ) + except RuntimeError as e: # pragma: no cover + logger.warning(str(e)) + + +# Define function to encode a filename to bytes (for the current system) +def efn(x): + return x.encode(sys.getfilesystemencoding()) + + +# 4-byte quads of 0,v,v,v from 0,0,0,0 to 0,255,255,255 +GREY_PALETTE = numpy.arange(0, 0x01000000, 0x00010101, dtype=numpy.uint32) + + +class FI_TYPES(object): + FIT_UNKNOWN = 0 + FIT_BITMAP = 1 + FIT_UINT16 = 2 + FIT_INT16 = 3 + FIT_UINT32 = 4 + FIT_INT32 = 5 + FIT_FLOAT = 6 + FIT_DOUBLE = 7 + FIT_COMPLEX = 8 + FIT_RGB16 = 9 + FIT_RGBA16 = 10 + FIT_RGBF = 11 + FIT_RGBAF = 12 + + dtypes = { + FIT_BITMAP: numpy.uint8, + FIT_UINT16: numpy.uint16, + FIT_INT16: numpy.int16, + FIT_UINT32: numpy.uint32, + FIT_INT32: numpy.int32, + FIT_FLOAT: numpy.float32, + FIT_DOUBLE: numpy.float64, + FIT_COMPLEX: numpy.complex128, + FIT_RGB16: numpy.uint16, + FIT_RGBA16: numpy.uint16, + FIT_RGBF: numpy.float32, + FIT_RGBAF: numpy.float32, + } + + fi_types = { + (numpy.uint8, 1): FIT_BITMAP, + (numpy.uint8, 3): FIT_BITMAP, + (numpy.uint8, 4): FIT_BITMAP, + (numpy.uint16, 1): FIT_UINT16, + (numpy.int16, 1): FIT_INT16, + (numpy.uint32, 1): FIT_UINT32, + (numpy.int32, 1): FIT_INT32, + (numpy.float32, 1): FIT_FLOAT, + (numpy.float64, 1): FIT_DOUBLE, + (numpy.complex128, 1): FIT_COMPLEX, + (numpy.uint16, 3): FIT_RGB16, + (numpy.uint16, 4): FIT_RGBA16, + (numpy.float32, 3): FIT_RGBF, + (numpy.float32, 4): FIT_RGBAF, + } + + extra_dims = { + FIT_UINT16: [], + FIT_INT16: [], + FIT_UINT32: [], + FIT_INT32: [], + FIT_FLOAT: [], + FIT_DOUBLE: [], + FIT_COMPLEX: [], + FIT_RGB16: [3], + FIT_RGBA16: [4], + FIT_RGBF: [3], + FIT_RGBAF: [4], + } + + +class IO_FLAGS(object): + FIF_LOAD_NOPIXELS = 0x8000 # loading: load the image header only + # # (not supported by all plugins) + BMP_DEFAULT = 0 + BMP_SAVE_RLE = 1 + CUT_DEFAULT = 0 + DDS_DEFAULT = 0 + EXR_DEFAULT = 0 # save data as half with piz-based wavelet compression + EXR_FLOAT = 0x0001 # save data as float instead of half (not recommended) + EXR_NONE = 0x0002 # save with no compression + EXR_ZIP = 0x0004 # save with zlib compression, in blocks of 16 scan lines + EXR_PIZ = 0x0008 # save with piz-based wavelet compression + EXR_PXR24 = 0x0010 # save with lossy 24-bit float compression + EXR_B44 = 0x0020 # save with lossy 44% float compression + # # - goes to 22% when combined with EXR_LC + EXR_LC = 0x0040 # save images with one luminance and two chroma channels, + # # rather than as RGB (lossy compression) + FAXG3_DEFAULT = 0 + GIF_DEFAULT = 0 + GIF_LOAD256 = 1 # Load the image as a 256 color image with ununsed + # # palette entries, if it's 16 or 2 color + GIF_PLAYBACK = 2 # 'Play' the GIF to generate each frame (as 32bpp) + # # instead of returning raw frame data when loading + HDR_DEFAULT = 0 + ICO_DEFAULT = 0 + ICO_MAKEALPHA = 1 # convert to 32bpp and create an alpha channel from the + # # AND-mask when loading + IFF_DEFAULT = 0 + J2K_DEFAULT = 0 # save with a 16:1 rate + JP2_DEFAULT = 0 # save with a 16:1 rate + JPEG_DEFAULT = 0 # loading (see JPEG_FAST); + # # saving (see JPEG_QUALITYGOOD|JPEG_SUBSAMPLING_420) + JPEG_FAST = 0x0001 # load the file as fast as possible, + # # sacrificing some quality + JPEG_ACCURATE = 0x0002 # load the file with the best quality, + # # sacrificing some speed + JPEG_CMYK = 0x0004 # load separated CMYK "as is" + # # (use | to combine with other load flags) + JPEG_EXIFROTATE = 0x0008 # load and rotate according to + # # Exif 'Orientation' tag if available + JPEG_QUALITYSUPERB = 0x80 # save with superb quality (100:1) + JPEG_QUALITYGOOD = 0x0100 # save with good quality (75:1) + JPEG_QUALITYNORMAL = 0x0200 # save with normal quality (50:1) + JPEG_QUALITYAVERAGE = 0x0400 # save with average quality (25:1) + JPEG_QUALITYBAD = 0x0800 # save with bad quality (10:1) + JPEG_PROGRESSIVE = 0x2000 # save as a progressive-JPEG + # # (use | to combine with other save flags) + JPEG_SUBSAMPLING_411 = 0x1000 # save with high 4x1 chroma + # # subsampling (4:1:1) + JPEG_SUBSAMPLING_420 = 0x4000 # save with medium 2x2 medium chroma + # # subsampling (4:2:0) - default value + JPEG_SUBSAMPLING_422 = 0x8000 # save /w low 2x1 chroma subsampling (4:2:2) + JPEG_SUBSAMPLING_444 = 0x10000 # save with no chroma subsampling (4:4:4) + JPEG_OPTIMIZE = 0x20000 # on saving, compute optimal Huffman coding tables + # # (can reduce a few percent of file size) + JPEG_BASELINE = 0x40000 # save basic JPEG, without metadata or any markers + KOALA_DEFAULT = 0 + LBM_DEFAULT = 0 + MNG_DEFAULT = 0 + PCD_DEFAULT = 0 + PCD_BASE = 1 # load the bitmap sized 768 x 512 + PCD_BASEDIV4 = 2 # load the bitmap sized 384 x 256 + PCD_BASEDIV16 = 3 # load the bitmap sized 192 x 128 + PCX_DEFAULT = 0 + PFM_DEFAULT = 0 + PICT_DEFAULT = 0 + PNG_DEFAULT = 0 + PNG_IGNOREGAMMA = 1 # loading: avoid gamma correction + PNG_Z_BEST_SPEED = 0x0001 # save using ZLib level 1 compression flag + # # (default value is 6) + PNG_Z_DEFAULT_COMPRESSION = 0x0006 # save using ZLib level 6 compression + # # flag (default recommended value) + PNG_Z_BEST_COMPRESSION = 0x0009 # save using ZLib level 9 compression flag + # # (default value is 6) + PNG_Z_NO_COMPRESSION = 0x0100 # save without ZLib compression + PNG_INTERLACED = 0x0200 # save using Adam7 interlacing (use | to combine + # # with other save flags) + PNM_DEFAULT = 0 + PNM_SAVE_RAW = 0 # Writer saves in RAW format (i.e. P4, P5 or P6) + PNM_SAVE_ASCII = 1 # Writer saves in ASCII format (i.e. P1, P2 or P3) + PSD_DEFAULT = 0 + PSD_CMYK = 1 # reads tags for separated CMYK (default is conversion to RGB) + PSD_LAB = 2 # reads tags for CIELab (default is conversion to RGB) + RAS_DEFAULT = 0 + RAW_DEFAULT = 0 # load the file as linear RGB 48-bit + RAW_PREVIEW = 1 # try to load the embedded JPEG preview with included + # # Exif Data or default to RGB 24-bit + RAW_DISPLAY = 2 # load the file as RGB 24-bit + SGI_DEFAULT = 0 + TARGA_DEFAULT = 0 + TARGA_LOAD_RGB888 = 1 # Convert RGB555 and ARGB8888 -> RGB888. + TARGA_SAVE_RLE = 2 # Save with RLE compression + TIFF_DEFAULT = 0 + TIFF_CMYK = 0x0001 # reads/stores tags for separated CMYK + # # (use | to combine with compression flags) + TIFF_PACKBITS = 0x0100 # save using PACKBITS compression + TIFF_DEFLATE = 0x0200 # save using DEFLATE (a.k.a. ZLIB) compression + TIFF_ADOBE_DEFLATE = 0x0400 # save using ADOBE DEFLATE compression + TIFF_NONE = 0x0800 # save without any compression + TIFF_CCITTFAX3 = 0x1000 # save using CCITT Group 3 fax encoding + TIFF_CCITTFAX4 = 0x2000 # save using CCITT Group 4 fax encoding + TIFF_LZW = 0x4000 # save using LZW compression + TIFF_JPEG = 0x8000 # save using JPEG compression + TIFF_LOGLUV = 0x10000 # save using LogLuv compression + WBMP_DEFAULT = 0 + XBM_DEFAULT = 0 + XPM_DEFAULT = 0 + + +class METADATA_MODELS(object): + FIMD_COMMENTS = 0 + FIMD_EXIF_MAIN = 1 + FIMD_EXIF_EXIF = 2 + FIMD_EXIF_GPS = 3 + FIMD_EXIF_MAKERNOTE = 4 + FIMD_EXIF_INTEROP = 5 + FIMD_IPTC = 6 + FIMD_XMP = 7 + FIMD_GEOTIFF = 8 + FIMD_ANIMATION = 9 + + +class METADATA_DATATYPE(object): + FIDT_BYTE = 1 # 8-bit unsigned integer + FIDT_ASCII = 2 # 8-bit bytes w/ last byte null + FIDT_SHORT = 3 # 16-bit unsigned integer + FIDT_LONG = 4 # 32-bit unsigned integer + FIDT_RATIONAL = 5 # 64-bit unsigned fraction + FIDT_SBYTE = 6 # 8-bit signed integer + FIDT_UNDEFINED = 7 # 8-bit untyped data + FIDT_SSHORT = 8 # 16-bit signed integer + FIDT_SLONG = 9 # 32-bit signed integer + FIDT_SRATIONAL = 10 # 64-bit signed fraction + FIDT_FLOAT = 11 # 32-bit IEEE floating point + FIDT_DOUBLE = 12 # 64-bit IEEE floating point + FIDT_IFD = 13 # 32-bit unsigned integer (offset) + FIDT_PALETTE = 14 # 32-bit RGBQUAD + FIDT_LONG8 = 16 # 64-bit unsigned integer + FIDT_SLONG8 = 17 # 64-bit signed integer + FIDT_IFD8 = 18 # 64-bit unsigned integer (offset) + + dtypes = { + FIDT_BYTE: numpy.uint8, + FIDT_SHORT: numpy.uint16, + FIDT_LONG: numpy.uint32, + FIDT_RATIONAL: [("numerator", numpy.uint32), ("denominator", numpy.uint32)], + FIDT_LONG8: numpy.uint64, + FIDT_SLONG8: numpy.int64, + FIDT_IFD8: numpy.uint64, + FIDT_SBYTE: numpy.int8, + FIDT_UNDEFINED: numpy.uint8, + FIDT_SSHORT: numpy.int16, + FIDT_SLONG: numpy.int32, + FIDT_SRATIONAL: [("numerator", numpy.int32), ("denominator", numpy.int32)], + FIDT_FLOAT: numpy.float32, + FIDT_DOUBLE: numpy.float64, + FIDT_IFD: numpy.uint32, + FIDT_PALETTE: [ + ("R", numpy.uint8), + ("G", numpy.uint8), + ("B", numpy.uint8), + ("A", numpy.uint8), + ], + } + + +class Freeimage(object): + """Class to represent an interface to the FreeImage library. + This class is relatively thin. It provides a Pythonic API that converts + Freeimage objects to Python objects, but that's about it. + The actual implementation should be provided by the plugins. + + The recommended way to call into the Freeimage library (so that + errors and warnings show up in the right moment) is to use this + object as a context manager: + with imageio.fi as lib: + lib.FreeImage_GetPalette() + + """ + + _API = { + # All we're doing here is telling ctypes that some of the + # FreeImage functions return pointers instead of integers. (On + # 64-bit systems, without this information the pointers get + # truncated and crashes result). There's no need to list + # functions that return ints, or the types of the parameters + # to these or other functions -- that's fine to do implicitly. + # Note that the ctypes immediately converts the returned void_p + # back to a python int again! This is really not helpful, + # because then passing it back to another library call will + # cause truncation-to-32-bits on 64-bit systems. Thanks, ctypes! + # So after these calls one must immediately re-wrap the int as + # a c_void_p if it is to be passed back into FreeImage. + "FreeImage_AllocateT": (ctypes.c_void_p, None), + "FreeImage_FindFirstMetadata": (ctypes.c_void_p, None), + "FreeImage_GetBits": (ctypes.c_void_p, None), + "FreeImage_GetPalette": (ctypes.c_void_p, None), + "FreeImage_GetTagKey": (ctypes.c_char_p, None), + "FreeImage_GetTagValue": (ctypes.c_void_p, None), + "FreeImage_CreateTag": (ctypes.c_void_p, None), + "FreeImage_Save": (ctypes.c_void_p, None), + "FreeImage_Load": (ctypes.c_void_p, None), + "FreeImage_LoadFromMemory": (ctypes.c_void_p, None), + "FreeImage_OpenMultiBitmap": (ctypes.c_void_p, None), + "FreeImage_LoadMultiBitmapFromMemory": (ctypes.c_void_p, None), + "FreeImage_LockPage": (ctypes.c_void_p, None), + "FreeImage_OpenMemory": (ctypes.c_void_p, None), + # 'FreeImage_ReadMemory': (ctypes.c_void_p, None), + # 'FreeImage_CloseMemory': (ctypes.c_void_p, None), + "FreeImage_GetVersion": (ctypes.c_char_p, None), + "FreeImage_GetFIFExtensionList": (ctypes.c_char_p, None), + "FreeImage_GetFormatFromFIF": (ctypes.c_char_p, None), + "FreeImage_GetFIFDescription": (ctypes.c_char_p, None), + "FreeImage_ColorQuantizeEx": (ctypes.c_void_p, None), + # Pypy wants some extra definitions, so here we go ... + "FreeImage_IsLittleEndian": (ctypes.c_int, None), + "FreeImage_SetOutputMessage": (ctypes.c_void_p, None), + "FreeImage_GetFIFCount": (ctypes.c_int, None), + "FreeImage_IsPluginEnabled": (ctypes.c_int, None), + "FreeImage_GetFileType": (ctypes.c_int, None), + # + "FreeImage_GetTagType": (ctypes.c_int, None), + "FreeImage_GetTagLength": (ctypes.c_int, None), + "FreeImage_FindNextMetadata": (ctypes.c_int, None), + "FreeImage_FindCloseMetadata": (ctypes.c_void_p, None), + # + "FreeImage_GetFIFFromFilename": (ctypes.c_int, None), + "FreeImage_FIFSupportsReading": (ctypes.c_int, None), + "FreeImage_FIFSupportsWriting": (ctypes.c_int, None), + "FreeImage_FIFSupportsExportType": (ctypes.c_int, None), + "FreeImage_FIFSupportsExportBPP": (ctypes.c_int, None), + "FreeImage_GetHeight": (ctypes.c_int, None), + "FreeImage_GetWidth": (ctypes.c_int, None), + "FreeImage_GetImageType": (ctypes.c_int, None), + "FreeImage_GetBPP": (ctypes.c_int, None), + "FreeImage_GetColorsUsed": (ctypes.c_int, None), + "FreeImage_ConvertTo32Bits": (ctypes.c_void_p, None), + "FreeImage_GetPitch": (ctypes.c_int, None), + "FreeImage_Unload": (ctypes.c_void_p, None), + } + + def __init__(self): + # Initialize freeimage lib as None + self._lib = None + + # A lock to create thread-safety + self._lock = threading.RLock() + + # Init log messages lists + self._messages = [] + + # Select functype for error handler + if sys.platform.startswith("win"): + functype = ctypes.WINFUNCTYPE + else: + functype = ctypes.CFUNCTYPE + + # Create output message handler + @functype(None, ctypes.c_int, ctypes.c_char_p) + def error_handler(fif, message): + message = message.decode("utf-8") + self._messages.append(message) + while (len(self._messages)) > 256: + self._messages.pop(0) + + # Make sure to keep a ref to function + self._error_handler = error_handler + + @property + def lib(self): + if self._lib is None: + try: + self.load_freeimage() + except OSError as err: + self._lib = "The freeimage library could not be loaded: " + self._lib += str(err) + if isinstance(self._lib, str): + raise RuntimeError(self._lib) + return self._lib + + def has_lib(self): + try: + self.lib + except Exception: + return False + return True + + def load_freeimage(self): + """Try to load the freeimage lib from the system. If not successful, + try to download the imageio version and try again. + """ + # Load library and register API + success = False + try: + # Try without forcing a download, but giving preference + # to the imageio-provided lib (if previously downloaded) + self._load_freeimage() + self._register_api() + if self.lib.FreeImage_GetVersion().decode("utf-8") >= "3.15": + success = True + except OSError: + pass + + if not success: + # Ensure we have our own lib, try again + get_freeimage_lib() + self._load_freeimage() + self._register_api() + + # Wrap up + self.lib.FreeImage_SetOutputMessage(self._error_handler) + self.lib_version = self.lib.FreeImage_GetVersion().decode("utf-8") + + def _load_freeimage(self): + # Define names + lib_names = ["freeimage", "libfreeimage"] + exact_lib_names = [ + "FreeImage", + "libfreeimage.dylib", + "libfreeimage.so", + "libfreeimage.so.3", + ] + # Add names of libraries that we provide (that file may not exist) + res_dirs = resource_dirs() + plat = get_platform() + if plat: # Can be None on e.g. FreeBSD + fname = FNAME_PER_PLATFORM[plat] + for dir in res_dirs: + exact_lib_names.insert(0, os.path.join(dir, "freeimage", fname)) + + # Add the path specified with IMAGEIO_FREEIMAGE_LIB: + lib = os.getenv("IMAGEIO_FREEIMAGE_LIB", None) + if lib is not None: + exact_lib_names.insert(0, lib) + + # Load + try: + lib, fname = load_lib(exact_lib_names, lib_names, res_dirs) + except OSError as err: # pragma: no cover + err_msg = str(err) + "\nPlease install the FreeImage library." + raise OSError(err_msg) + + # Store + self._lib = lib + self.lib_fname = fname + + def _register_api(self): + # Albert's ctypes pattern + for f, (restype, argtypes) in self._API.items(): + func = getattr(self.lib, f) + func.restype = restype + func.argtypes = argtypes + + # Handling of output messages + + def __enter__(self): + self._lock.acquire() + return self.lib + + def __exit__(self, *args): + self._show_any_warnings() + self._lock.release() + + def _reset_log(self): + """Reset the list of output messages. Call this before + loading or saving an image with the FreeImage API. + """ + self._messages = [] + + def _get_error_message(self): + """Get the output messages produced since the last reset as + one string. Returns 'No known reason.' if there are no messages. + Also resets the log. + """ + if self._messages: + res = " ".join(self._messages) + self._reset_log() + return res + else: + return "No known reason." + + def _show_any_warnings(self): + """If there were any messages since the last reset, show them + as a warning. Otherwise do nothing. Also resets the messages. + """ + if self._messages: + logger.warning("imageio.freeimage warning: " + self._get_error_message()) + self._reset_log() + + def get_output_log(self): + """Return a list of the last 256 output messages + (warnings and errors) produced by the FreeImage library. + """ + # This message log is not cleared/reset, but kept to 256 elements. + return [m for m in self._messages] + + def getFIF(self, filename, mode, bb=None): + """Get the freeimage Format (FIF) from a given filename. + If mode is 'r', will try to determine the format by reading + the file, otherwise only the filename is used. + + This function also tests whether the format supports reading/writing. + """ + with self as lib: + # Init + ftype = -1 + if mode not in "rw": + raise ValueError('Invalid mode (must be "r" or "w").') + + # Try getting format from the content. Note that some files + # do not have a header that allows reading the format from + # the file. + if mode == "r": + if bb is not None: + fimemory = lib.FreeImage_OpenMemory(ctypes.c_char_p(bb), len(bb)) + ftype = lib.FreeImage_GetFileTypeFromMemory( + ctypes.c_void_p(fimemory), len(bb) + ) + lib.FreeImage_CloseMemory(ctypes.c_void_p(fimemory)) + if (ftype == -1) and os.path.isfile(filename): + ftype = lib.FreeImage_GetFileType(efn(filename), 0) + # Try getting the format from the extension + if ftype == -1: + ftype = lib.FreeImage_GetFIFFromFilename(efn(filename)) + + # Test if ok + if ftype == -1: + raise ValueError('Cannot determine format of file "%s"' % filename) + elif mode == "w" and not lib.FreeImage_FIFSupportsWriting(ftype): + raise ValueError('Cannot write the format of file "%s"' % filename) + elif mode == "r" and not lib.FreeImage_FIFSupportsReading(ftype): + raise ValueError('Cannot read the format of file "%s"' % filename) + return ftype + + def create_bitmap(self, filename, ftype, flags=0): + """create_bitmap(filename, ftype, flags=0) + Create a wrapped bitmap object. + """ + return FIBitmap(self, filename, ftype, flags) + + def create_multipage_bitmap(self, filename, ftype, flags=0): + """create_multipage_bitmap(filename, ftype, flags=0) + Create a wrapped multipage bitmap object. + """ + return FIMultipageBitmap(self, filename, ftype, flags) + + +class FIBaseBitmap(object): + def __init__(self, fi, filename, ftype, flags): + self._fi = fi + self._filename = filename + self._ftype = ftype + self._flags = flags + self._bitmap = None + self._close_funcs = [] + + def __del__(self): + self.close() + + def close(self): + if (self._bitmap is not None) and self._close_funcs: + for close_func in self._close_funcs: + try: + with self._fi: + fun = close_func[0] + fun(*close_func[1:]) + except Exception: # pragma: no cover + pass + self._close_funcs = [] + self._bitmap = None + + def _set_bitmap(self, bitmap, close_func=None): + """Function to set the bitmap and specify the function to unload it.""" + if self._bitmap is not None: + pass # bitmap is converted + if close_func is None: + close_func = self._fi.lib.FreeImage_Unload, bitmap + + self._bitmap = bitmap + if close_func: + self._close_funcs.append(close_func) + + def get_meta_data(self): + # todo: there is also FreeImage_TagToString, is that useful? + # and would that work well when reading and then saving? + + # Create a list of (model_name, number) tuples + models = [ + (name[5:], number) + for name, number in METADATA_MODELS.__dict__.items() + if name.startswith("FIMD_") + ] + + # Prepare + metadata = Dict() + tag = ctypes.c_void_p() + + with self._fi as lib: + # Iterate over all FreeImage meta models + for model_name, number in models: + # Find beginning, get search handle + mdhandle = lib.FreeImage_FindFirstMetadata( + number, self._bitmap, ctypes.byref(tag) + ) + mdhandle = ctypes.c_void_p(mdhandle) + if mdhandle: + # Iterate over all tags in this model + more = True + while more: + # Get info about tag + tag_name = lib.FreeImage_GetTagKey(tag).decode("utf-8") + tag_type = lib.FreeImage_GetTagType(tag) + byte_size = lib.FreeImage_GetTagLength(tag) + char_ptr = ctypes.c_char * byte_size + data = char_ptr.from_address(lib.FreeImage_GetTagValue(tag)) + # Convert in a way compatible with Pypy + tag_bytes = bytes(bytearray(data)) + # The default value is the raw bytes + tag_val = tag_bytes + # Convert to a Python value in the metadata dict + if tag_type == METADATA_DATATYPE.FIDT_ASCII: + tag_val = tag_bytes.decode("utf-8", "replace") + elif tag_type in METADATA_DATATYPE.dtypes: + dtype = METADATA_DATATYPE.dtypes[tag_type] + if IS_PYPY and isinstance(dtype, (list, tuple)): + pass # pragma: no cover - or we get a segfault + else: + try: + tag_val = numpy.frombuffer( + tag_bytes, dtype=dtype + ).copy() + if len(tag_val) == 1: + tag_val = tag_val[0] + except Exception: # pragma: no cover + pass + # Store data in dict + subdict = metadata.setdefault(model_name, Dict()) + subdict[tag_name] = tag_val + # Next + more = lib.FreeImage_FindNextMetadata( + mdhandle, ctypes.byref(tag) + ) + + # Close search handle for current meta model + lib.FreeImage_FindCloseMetadata(mdhandle) + + # Done + return metadata + + def set_meta_data(self, metadata): + # Create a dict mapping model_name to number + models = {} + for name, number in METADATA_MODELS.__dict__.items(): + if name.startswith("FIMD_"): + models[name[5:]] = number + + # Create a mapping from numpy.dtype to METADATA_DATATYPE + def get_tag_type_number(dtype): + for number, numpy_dtype in METADATA_DATATYPE.dtypes.items(): + if dtype == numpy_dtype: + return number + else: + return None + + with self._fi as lib: + for model_name, subdict in metadata.items(): + # Get model number + number = models.get(model_name, None) + if number is None: + continue # Unknown model, silent ignore + + for tag_name, tag_val in subdict.items(): + # Create new tag + tag = lib.FreeImage_CreateTag() + tag = ctypes.c_void_p(tag) + + try: + # Convert Python value to FI type, val + is_ascii = False + if isinstance(tag_val, str): + try: + tag_bytes = tag_val.encode("ascii") + is_ascii = True + except UnicodeError: + pass + if is_ascii: + tag_type = METADATA_DATATYPE.FIDT_ASCII + tag_count = len(tag_bytes) + else: + if not hasattr(tag_val, "dtype"): + tag_val = numpy.array([tag_val]) + tag_type = get_tag_type_number(tag_val.dtype) + if tag_type is None: + logger.warning( + "imageio.freeimage warning: Could not " + "determine tag type of %r." % tag_name + ) + continue + tag_bytes = tag_val.tobytes() + tag_count = tag_val.size + # Set properties + lib.FreeImage_SetTagKey(tag, tag_name.encode("utf-8")) + lib.FreeImage_SetTagType(tag, tag_type) + lib.FreeImage_SetTagCount(tag, tag_count) + lib.FreeImage_SetTagLength(tag, len(tag_bytes)) + lib.FreeImage_SetTagValue(tag, tag_bytes) + # Store tag + tag_key = lib.FreeImage_GetTagKey(tag) + lib.FreeImage_SetMetadata(number, self._bitmap, tag_key, tag) + + except Exception as err: # pragma: no cover + logger.warning( + "imagio.freeimage warning: Could not set tag " + "%r: %s, %s" + % (tag_name, self._fi._get_error_message(), str(err)) + ) + finally: + lib.FreeImage_DeleteTag(tag) + + +class FIBitmap(FIBaseBitmap): + """Wrapper for the FI bitmap object.""" + + def allocate(self, array): + # Prepare array + assert isinstance(array, numpy.ndarray) + shape = array.shape + dtype = array.dtype + + # Get shape and channel info + r, c = shape[:2] + if len(shape) == 2: + n_channels = 1 + elif len(shape) == 3: + n_channels = shape[2] + else: + n_channels = shape[0] + + # Get fi_type + try: + fi_type = FI_TYPES.fi_types[(dtype.type, n_channels)] + self._fi_type = fi_type + except KeyError: + raise ValueError("Cannot write arrays of given type and shape.") + + # Allocate bitmap + with self._fi as lib: + bpp = 8 * dtype.itemsize * n_channels + bitmap = lib.FreeImage_AllocateT(fi_type, c, r, bpp, 0, 0, 0) + bitmap = ctypes.c_void_p(bitmap) + + # Check and store + if not bitmap: # pragma: no cover + raise RuntimeError( + "Could not allocate bitmap for storage: %s" + % self._fi._get_error_message() + ) + self._set_bitmap(bitmap, (lib.FreeImage_Unload, bitmap)) + + def load_from_filename(self, filename=None): + if filename is None: + filename = self._filename + + with self._fi as lib: + # Create bitmap + bitmap = lib.FreeImage_Load(self._ftype, efn(filename), self._flags) + bitmap = ctypes.c_void_p(bitmap) + + # Check and store + if not bitmap: # pragma: no cover + raise ValueError( + 'Could not load bitmap "%s": %s' + % (self._filename, self._fi._get_error_message()) + ) + self._set_bitmap(bitmap, (lib.FreeImage_Unload, bitmap)) + + # def load_from_bytes(self, bb): + # with self._fi as lib: + # # Create bitmap + # fimemory = lib.FreeImage_OpenMemory( + # ctypes.c_char_p(bb), len(bb)) + # bitmap = lib.FreeImage_LoadFromMemory( + # self._ftype, ctypes.c_void_p(fimemory), self._flags) + # bitmap = ctypes.c_void_p(bitmap) + # lib.FreeImage_CloseMemory(ctypes.c_void_p(fimemory)) + # + # # Check + # if not bitmap: + # raise ValueError('Could not load bitmap "%s": %s' + # % (self._filename, self._fi._get_error_message())) + # else: + # self._set_bitmap(bitmap, (lib.FreeImage_Unload, bitmap)) + + def save_to_filename(self, filename=None): + if filename is None: + filename = self._filename + + ftype = self._ftype + bitmap = self._bitmap + fi_type = self._fi_type # element type + + with self._fi as lib: + # Check if can write + if fi_type == FI_TYPES.FIT_BITMAP: + can_write = lib.FreeImage_FIFSupportsExportBPP( + ftype, lib.FreeImage_GetBPP(bitmap) + ) + else: + can_write = lib.FreeImage_FIFSupportsExportType(ftype, fi_type) + if not can_write: + raise TypeError("Cannot save image of this format to this file type") + + # Save to file + res = lib.FreeImage_Save(ftype, bitmap, efn(filename), self._flags) + # Check + if res is None: # pragma: no cover, we do so many checks, this is rare + raise RuntimeError( + f"Could not save file `{self._filename}`: {self._fi._get_error_message()}" + ) + + # def save_to_bytes(self): + # ftype = self._ftype + # bitmap = self._bitmap + # fi_type = self._fi_type # element type + # + # with self._fi as lib: + # # Check if can write + # if fi_type == FI_TYPES.FIT_BITMAP: + # can_write = lib.FreeImage_FIFSupportsExportBPP(ftype, + # lib.FreeImage_GetBPP(bitmap)) + # else: + # can_write = lib.FreeImage_FIFSupportsExportType(ftype, fi_type) + # if not can_write: + # raise TypeError('Cannot save image of this format ' + # 'to this file type') + # + # # Extract the bytes + # fimemory = lib.FreeImage_OpenMemory(0, 0) + # res = lib.FreeImage_SaveToMemory(ftype, bitmap, + # ctypes.c_void_p(fimemory), + # self._flags) + # if res: + # N = lib.FreeImage_TellMemory(ctypes.c_void_p(fimemory)) + # result = ctypes.create_string_buffer(N) + # lib.FreeImage_SeekMemory(ctypes.c_void_p(fimemory), 0) + # lib.FreeImage_ReadMemory(result, 1, N, ctypes.c_void_p(fimemory)) + # result = result.raw + # lib.FreeImage_CloseMemory(ctypes.c_void_p(fimemory)) + # + # # Check + # if not res: + # raise RuntimeError('Could not save file "%s": %s' + # % (self._filename, self._fi._get_error_message())) + # + # # Done + # return result + + def get_image_data(self): + dtype, shape, bpp = self._get_type_and_shape() + array = self._wrap_bitmap_bits_in_array(shape, dtype, False) + with self._fi as lib: + isle = lib.FreeImage_IsLittleEndian() + + # swizzle the color components and flip the scanlines to go from + # FreeImage's BGR[A] and upside-down internal memory format to + # something more normal + def n(arr): + # return arr[..., ::-1].T # Does not work on numpypy yet + if arr.ndim == 1: # pragma: no cover + return arr[::-1].T + elif arr.ndim == 2: # Always the case here ... + return arr[:, ::-1].T + elif arr.ndim == 3: # pragma: no cover + return arr[:, :, ::-1].T + elif arr.ndim == 4: # pragma: no cover + return arr[:, :, :, ::-1].T + + if len(shape) == 3 and isle and dtype.type == numpy.uint8: + b = n(array[0]) + g = n(array[1]) + r = n(array[2]) + if shape[0] == 3: + return numpy.dstack((r, g, b)) + elif shape[0] == 4: + a = n(array[3]) + return numpy.dstack((r, g, b, a)) + else: # pragma: no cover - we check this earlier + raise ValueError("Cannot handle images of shape %s" % shape) + + # We need to copy because array does *not* own its memory + # after bitmap is freed. + a = n(array).copy() + return a + + def set_image_data(self, array): + # Prepare array + assert isinstance(array, numpy.ndarray) + shape = array.shape + dtype = array.dtype + with self._fi as lib: + isle = lib.FreeImage_IsLittleEndian() + + # Calculate shape and channels + r, c = shape[:2] + if len(shape) == 2: + n_channels = 1 + w_shape = (c, r) + elif len(shape) == 3: + n_channels = shape[2] + w_shape = (n_channels, c, r) + else: + n_channels = shape[0] + + def n(arr): # normalise to freeimage's in-memory format + return arr[::-1].T + + wrapped_array = self._wrap_bitmap_bits_in_array(w_shape, dtype, True) + # swizzle the color components and flip the scanlines to go to + # FreeImage's BGR[A] and upside-down internal memory format + # The BGR[A] order is only used for 8bits per channel images + # on little endian machines. For everything else RGB[A] is + # used. + if len(shape) == 3 and isle and dtype.type == numpy.uint8: + R = array[:, :, 0] + G = array[:, :, 1] + B = array[:, :, 2] + wrapped_array[0] = n(B) + wrapped_array[1] = n(G) + wrapped_array[2] = n(R) + if shape[2] == 4: + A = array[:, :, 3] + wrapped_array[3] = n(A) + else: + wrapped_array[:] = n(array) + if self._need_finish: + self._finish_wrapped_array(wrapped_array) + + if len(shape) == 2 and dtype.type == numpy.uint8: + with self._fi as lib: + palette = lib.FreeImage_GetPalette(self._bitmap) + palette = ctypes.c_void_p(palette) + if not palette: + raise RuntimeError("Could not get image palette") + try: + palette_data = GREY_PALETTE.ctypes.data + except Exception: # pragma: no cover - IS_PYPY + palette_data = GREY_PALETTE.__array_interface__["data"][0] + ctypes.memmove(palette, palette_data, 1024) + + def _wrap_bitmap_bits_in_array(self, shape, dtype, save): + """Return an ndarray view on the data in a FreeImage bitmap. Only + valid for as long as the bitmap is loaded (if single page) / locked + in memory (if multipage). This is used in loading data, but + also during saving, to prepare a strided numpy array buffer. + + """ + # Get bitmap info + with self._fi as lib: + pitch = lib.FreeImage_GetPitch(self._bitmap) + bits = lib.FreeImage_GetBits(self._bitmap) + + # Get more info + height = shape[-1] + byte_size = height * pitch + itemsize = dtype.itemsize + + # Get strides + if len(shape) == 3: + strides = (itemsize, shape[0] * itemsize, pitch) + else: + strides = (itemsize, pitch) + + # Create numpy array and return + data = (ctypes.c_char * byte_size).from_address(bits) + try: + self._need_finish = False + if TEST_NUMPY_NO_STRIDES: + raise NotImplementedError() + return numpy.ndarray(shape, dtype=dtype, buffer=data, strides=strides) + except NotImplementedError: + # IS_PYPY - not very efficient. We create a C-contiguous + # numpy array (because pypy does not support Fortran-order) + # and shape it such that the rest of the code can remain. + if save: + self._need_finish = True # Flag to use _finish_wrapped_array + return numpy.zeros(shape, dtype=dtype) + else: + bb = bytes(bytearray(data)) + array = numpy.frombuffer(bb, dtype=dtype).copy() + # Deal with strides + if len(shape) == 3: + array.shape = shape[2], strides[-1] // shape[0], shape[0] + array2 = array[: shape[2], : shape[1], : shape[0]] + array = numpy.zeros(shape, dtype=array.dtype) + for i in range(shape[0]): + array[i] = array2[:, :, i].T + else: + array.shape = shape[1], strides[-1] + array = array[: shape[1], : shape[0]].T + return array + + def _finish_wrapped_array(self, array): # IS_PYPY + """Hardcore way to inject numpy array in bitmap.""" + # Get bitmap info + with self._fi as lib: + pitch = lib.FreeImage_GetPitch(self._bitmap) + bits = lib.FreeImage_GetBits(self._bitmap) + bpp = lib.FreeImage_GetBPP(self._bitmap) + # Get channels and realwidth + nchannels = bpp // 8 // array.itemsize + realwidth = pitch // nchannels + # Apply padding for pitch if necessary + extra = realwidth - array.shape[-2] + assert 0 <= extra < 10 + # Make sort of Fortran, also take padding (i.e. pitch) into account + newshape = array.shape[-1], realwidth, nchannels + array2 = numpy.zeros(newshape, array.dtype) + if nchannels == 1: + array2[:, : array.shape[-2], 0] = array.T + else: + for i in range(nchannels): + array2[:, : array.shape[-2], i] = array[i, :, :].T + # copy data + data_ptr = array2.__array_interface__["data"][0] + ctypes.memmove(bits, data_ptr, array2.nbytes) + del array2 + + def _get_type_and_shape(self): + bitmap = self._bitmap + + # Get info on bitmap + with self._fi as lib: + w = lib.FreeImage_GetWidth(bitmap) + h = lib.FreeImage_GetHeight(bitmap) + self._fi_type = fi_type = lib.FreeImage_GetImageType(bitmap) + if not fi_type: + raise ValueError("Unknown image pixel type") + + # Determine required props for numpy array + bpp = None + dtype = FI_TYPES.dtypes[fi_type] + + if fi_type == FI_TYPES.FIT_BITMAP: + with self._fi as lib: + bpp = lib.FreeImage_GetBPP(bitmap) + has_pallette = lib.FreeImage_GetColorsUsed(bitmap) + if has_pallette: + # Examine the palette. If it is grayscale, we return as such + if has_pallette == 256: + palette = lib.FreeImage_GetPalette(bitmap) + palette = ctypes.c_void_p(palette) + p = (ctypes.c_uint8 * (256 * 4)).from_address(palette.value) + p = numpy.frombuffer(p, numpy.uint32).copy() + if (GREY_PALETTE == p).all(): + extra_dims = [] + return numpy.dtype(dtype), extra_dims + [w, h], bpp + # Convert bitmap and call this method again + newbitmap = lib.FreeImage_ConvertTo32Bits(bitmap) + newbitmap = ctypes.c_void_p(newbitmap) + self._set_bitmap(newbitmap) + return self._get_type_and_shape() + elif bpp == 8: + extra_dims = [] + elif bpp == 24: + extra_dims = [3] + elif bpp == 32: + extra_dims = [4] + else: # pragma: no cover + # raise ValueError('Cannot convert %d BPP bitmap' % bpp) + # Convert bitmap and call this method again + newbitmap = lib.FreeImage_ConvertTo32Bits(bitmap) + newbitmap = ctypes.c_void_p(newbitmap) + self._set_bitmap(newbitmap) + return self._get_type_and_shape() + else: + extra_dims = FI_TYPES.extra_dims[fi_type] + + # Return dtype and shape + return numpy.dtype(dtype), extra_dims + [w, h], bpp + + def quantize(self, quantizer=0, palettesize=256): + """Quantize the bitmap to make it 8-bit (paletted). Returns a new + FIBitmap object. + Only for 24 bit images. + """ + with self._fi as lib: + # New bitmap + bitmap = lib.FreeImage_ColorQuantizeEx( + self._bitmap, quantizer, palettesize, 0, None + ) + bitmap = ctypes.c_void_p(bitmap) + + # Check and return + if not bitmap: + raise ValueError( + 'Could not quantize bitmap "%s": %s' + % (self._filename, self._fi._get_error_message()) + ) + + new = FIBitmap(self._fi, self._filename, self._ftype, self._flags) + new._set_bitmap(bitmap, (lib.FreeImage_Unload, bitmap)) + new._fi_type = self._fi_type + return new + + +# def convert_to_32bit(self): +# """ Convert to 32bit image. +# """ +# with self._fi as lib: +# # New bitmap +# bitmap = lib.FreeImage_ConvertTo32Bits(self._bitmap) +# bitmap = ctypes.c_void_p(bitmap) +# +# # Check and return +# if not bitmap: +# raise ValueError('Could not convert bitmap to 32bit "%s": %s' % +# (self._filename, +# self._fi._get_error_message())) +# else: +# new = FIBitmap(self._fi, self._filename, self._ftype, +# self._flags) +# new._set_bitmap(bitmap, (lib.FreeImage_Unload, bitmap)) +# new._fi_type = self._fi_type +# return new + + +class FIMultipageBitmap(FIBaseBitmap): + """Wrapper for the multipage FI bitmap object.""" + + def load_from_filename(self, filename=None): + if filename is None: # pragma: no cover + filename = self._filename + + # Prepare + create_new = False + read_only = True + keep_cache_in_memory = False + + # Try opening + with self._fi as lib: + # Create bitmap + multibitmap = lib.FreeImage_OpenMultiBitmap( + self._ftype, + efn(filename), + create_new, + read_only, + keep_cache_in_memory, + self._flags, + ) + multibitmap = ctypes.c_void_p(multibitmap) + + # Check + if not multibitmap: # pragma: no cover + err = self._fi._get_error_message() + raise ValueError( + 'Could not open file "%s" as multi-image: %s' + % (self._filename, err) + ) + self._set_bitmap(multibitmap, (lib.FreeImage_CloseMultiBitmap, multibitmap)) + + # def load_from_bytes(self, bb): + # with self._fi as lib: + # # Create bitmap + # fimemory = lib.FreeImage_OpenMemory( + # ctypes.c_char_p(bb), len(bb)) + # multibitmap = lib.FreeImage_LoadMultiBitmapFromMemory( + # self._ftype, ctypes.c_void_p(fimemory), self._flags) + # multibitmap = ctypes.c_void_p(multibitmap) + # #lib.FreeImage_CloseMemory(ctypes.c_void_p(fimemory)) + # self._mem = fimemory + # self._bytes = bb + # # Check + # if not multibitmap: + # raise ValueError('Could not load multibitmap "%s": %s' + # % (self._filename, self._fi._get_error_message())) + # else: + # self._set_bitmap(multibitmap, + # (lib.FreeImage_CloseMultiBitmap, multibitmap)) + + def save_to_filename(self, filename=None): + if filename is None: # pragma: no cover + filename = self._filename + + # Prepare + create_new = True + read_only = False + keep_cache_in_memory = False + + # Open the file + # todo: Set flags at close func + with self._fi as lib: + multibitmap = lib.FreeImage_OpenMultiBitmap( + self._ftype, + efn(filename), + create_new, + read_only, + keep_cache_in_memory, + 0, + ) + multibitmap = ctypes.c_void_p(multibitmap) + + # Check + if not multibitmap: # pragma: no cover + msg = 'Could not open file "%s" for writing multi-image: %s' % ( + self._filename, + self._fi._get_error_message(), + ) + raise ValueError(msg) + self._set_bitmap(multibitmap, (lib.FreeImage_CloseMultiBitmap, multibitmap)) + + def __len__(self): + with self._fi as lib: + return lib.FreeImage_GetPageCount(self._bitmap) + + def get_page(self, index): + """Return the sub-bitmap for the given page index. + Please close the returned bitmap when done. + """ + with self._fi as lib: + # Create low-level bitmap in freeimage + bitmap = lib.FreeImage_LockPage(self._bitmap, index) + bitmap = ctypes.c_void_p(bitmap) + if not bitmap: # pragma: no cover + raise ValueError( + "Could not open sub-image %i in %r: %s" + % (index, self._filename, self._fi._get_error_message()) + ) + + # Get bitmap object to wrap this bitmap + bm = FIBitmap(self._fi, self._filename, self._ftype, self._flags) + bm._set_bitmap( + bitmap, (lib.FreeImage_UnlockPage, self._bitmap, bitmap, False) + ) + return bm + + def append_bitmap(self, bitmap): + """Add a sub-bitmap to the multi-page bitmap.""" + with self._fi as lib: + # no return value + lib.FreeImage_AppendPage(self._bitmap, bitmap._bitmap) + + +# Create instance +fi = Freeimage() diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/bsdf.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/bsdf.py new file mode 100644 index 0000000000000000000000000000000000000000..041d7e524366d312516b637481f51cd799d74d37 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/bsdf.py @@ -0,0 +1,324 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +""" Read/Write BSDF files. + +Backend Library: internal + +The BSDF format enables reading and writing of image data in the +BSDF serialization format. This format allows storage of images, volumes, +and series thereof. Data can be of any numeric data type, and can +optionally be compressed. Each image/volume can have associated +meta data, which can consist of any data type supported by BSDF. + +By default, image data is lazily loaded; the actual image data is +not read until it is requested. This allows storing multiple images +in a single file and still have fast access to individual images. +Alternatively, a series of images can be read in streaming mode, reading +images as they are read (e.g. from http). + +BSDF is a simple generic binary format. It is easy to extend and there +are standard extension definitions for 2D and 3D image data. +Read more at http://bsdf.io. + + +Parameters +---------- +random_access : bool + Whether individual images in the file can be read in random order. + Defaults to True for normal files, and to False when reading from HTTP. + If False, the file is read in "streaming mode", allowing reading + files as they are read, but without support for "rewinding". + Note that setting this to True when reading from HTTP, the whole file + is read upon opening it (since lazy loading is not possible over HTTP). + +compression : int + Use ``0`` or "no" for no compression, ``1`` or "zlib" for Zlib + compression (same as zip files and PNG), and ``2`` or "bz2" for Bz2 + compression (more compact but slower). Default 1 (zlib). + Note that some BSDF implementations may not support compression + (e.g. JavaScript). + +""" + +import numpy as np + +from ..core import Format + + +def get_bsdf_serializer(options): + from . import _bsdf as bsdf + + class NDArrayExtension(bsdf.Extension): + """Copy of BSDF's NDArrayExtension but deal with lazy blobs.""" + + name = "ndarray" + cls = np.ndarray + + def encode(self, s, v): + return dict(shape=v.shape, dtype=str(v.dtype), data=v.tobytes()) + + def decode(self, s, v): + return v # return as dict, because of lazy blobs, decode in Image + + class ImageExtension(bsdf.Extension): + """We implement two extensions that trigger on the Image classes.""" + + def encode(self, s, v): + return dict(array=v.array, meta=v.meta) + + def decode(self, s, v): + return Image(v["array"], v["meta"]) + + class Image2DExtension(ImageExtension): + name = "image2d" + cls = Image2D + + class Image3DExtension(ImageExtension): + name = "image3d" + cls = Image3D + + exts = [NDArrayExtension, Image2DExtension, Image3DExtension] + serializer = bsdf.BsdfSerializer(exts, **options) + + return bsdf, serializer + + +class Image: + """Class in which we wrap the array and meta data. By using an extension + we can make BSDF trigger on these classes and thus encode the images. + as actual images. + """ + + def __init__(self, array, meta): + self.array = array + self.meta = meta + + def get_array(self): + if not isinstance(self.array, np.ndarray): + v = self.array + blob = v["data"] + if not isinstance(blob, bytes): # then it's a lazy bsdf.Blob + blob = blob.get_bytes() + self.array = np.frombuffer(blob, dtype=v["dtype"]) + self.array.shape = v["shape"] + return self.array + + def get_meta(self): + return self.meta + + +class Image2D(Image): + pass + + +class Image3D(Image): + pass + + +class BsdfFormat(Format): + """The BSDF format enables reading and writing of image data in the + BSDF serialization format. This format allows storage of images, volumes, + and series thereof. Data can be of any numeric data type, and can + optionally be compressed. Each image/volume can have associated + meta data, which can consist of any data type supported by BSDF. + + By default, image data is lazily loaded; the actual image data is + not read until it is requested. This allows storing multiple images + in a single file and still have fast access to individual images. + Alternatively, a series of images can be read in streaming mode, reading + images as they are read (e.g. from http). + + BSDF is a simple generic binary format. It is easy to extend and there + are standard extension definitions for 2D and 3D image data. + Read more at http://bsdf.io. + + Parameters for reading + ---------------------- + random_access : bool + Whether individual images in the file can be read in random order. + Defaults to True for normal files, and to False when reading from HTTP. + If False, the file is read in "streaming mode", allowing reading + files as they are read, but without support for "rewinding". + Note that setting this to True when reading from HTTP, the whole file + is read upon opening it (since lazy loading is not possible over HTTP). + + Parameters for saving + --------------------- + compression : {0, 1, 2} + Use ``0`` or "no" for no compression, ``1`` or "zlib" for Zlib + compression (same as zip files and PNG), and ``2`` or "bz2" for Bz2 + compression (more compact but slower). Default 1 (zlib). + Note that some BSDF implementations may not support compression + (e.g. JavaScript). + + """ + + def _can_read(self, request): + if request.mode[1] in (self.modes + "?"): + # if request.extension in self.extensions: + # return True + if request.firstbytes.startswith(b"BSDF"): + return True + + def _can_write(self, request): + if request.mode[1] in (self.modes + "?"): + if request.extension in self.extensions: + return True + + # -- reader + + class Reader(Format.Reader): + def _open(self, random_access=None): + # Validate - we need a BSDF file consisting of a list of images + # The list is typically a stream, but does not have to be. + assert self.request.firstbytes[:4] == b"BSDF", "Not a BSDF file" + # self.request.firstbytes[5:6] == major and minor version + if not ( + self.request.firstbytes[6:15] == b"M\x07image2D" + or self.request.firstbytes[6:15] == b"M\x07image3D" + or self.request.firstbytes[6:7] == b"l" + ): + pass # Actually, follow a more duck-type approach ... + # raise RuntimeError('BSDF file does not look like an ' + # 'image container.') + # Set options. If we think that seeking is allowed, we lazily load + # blobs, and set streaming to False (i.e. the whole file is read, + # but we skip over binary blobs), so that we subsequently allow + # random access to the images. + # If seeking is not allowed (e.g. with a http request), we cannot + # lazily load blobs, but we can still load streaming from the web. + options = {} + if self.request.filename.startswith(("http://", "https://")): + ra = False if random_access is None else bool(random_access) + options["lazy_blob"] = False # Because we cannot seek now + options["load_streaming"] = not ra # Load as a stream? + else: + ra = True if random_access is None else bool(random_access) + options["lazy_blob"] = ra # Don't read data until needed + options["load_streaming"] = not ra + + file = self.request.get_file() + bsdf, self._serializer = get_bsdf_serializer(options) + self._stream = self._serializer.load(file) + # Another validation + if ( + isinstance(self._stream, dict) + and "meta" in self._stream + and "array" in self._stream + ): + self._stream = Image(self._stream["array"], self._stream["meta"]) + if not isinstance(self._stream, (Image, list, bsdf.ListStream)): + raise RuntimeError( + "BSDF file does not look seem to have an " "image container." + ) + + def _close(self): + pass + + def _get_length(self): + if isinstance(self._stream, Image): + return 1 + elif isinstance(self._stream, list): + return len(self._stream) + elif self._stream.count < 0: + return np.inf + return self._stream.count + + def _get_data(self, index): + # Validate + if index < 0 or index >= self.get_length(): + raise IndexError( + "Image index %i not in [0 %i]." % (index, self.get_length()) + ) + # Get Image object + if isinstance(self._stream, Image): + image_ob = self._stream # singleton + elif isinstance(self._stream, list): + # Easy when we have random access + image_ob = self._stream[index] + else: + # For streaming, we need to skip over frames + if index < self._stream.index: + raise IndexError( + "BSDF file is being read in streaming " + "mode, thus does not allow rewinding." + ) + while index > self._stream.index: + self._stream.next() + image_ob = self._stream.next() # Can raise StopIteration + # Is this an image? + if ( + isinstance(image_ob, dict) + and "meta" in image_ob + and "array" in image_ob + ): + image_ob = Image(image_ob["array"], image_ob["meta"]) + if isinstance(image_ob, Image): + # Return as array (if we have lazy blobs, they are read now) + return image_ob.get_array(), image_ob.get_meta() + else: + r = repr(image_ob) + r = r if len(r) < 200 else r[:197] + "..." + raise RuntimeError("BSDF file contains non-image " + r) + + def _get_meta_data(self, index): # pragma: no cover + return {} # This format does not support global meta data + + # -- writer + + class Writer(Format.Writer): + def _open(self, compression=1): + options = {"compression": compression} + bsdf, self._serializer = get_bsdf_serializer(options) + if self.request.mode[1] in "iv": + self._stream = None # Singleton image + self._written = False + else: + # Series (stream) of images + file = self.request.get_file() + self._stream = bsdf.ListStream() + self._serializer.save(file, self._stream) + + def _close(self): + # We close the stream here, which will mark the number of written + # elements. If we would not close it, the file would be fine, it's + # just that upon reading it would not be known how many items are + # in there. + if self._stream is not None: + self._stream.close(False) # False says "keep this a stream" + + def _append_data(self, im, meta): + # Determine dimension + ndim = None + if self.request.mode[1] in "iI": + ndim = 2 + elif self.request.mode[1] in "vV": + ndim = 3 + else: + ndim = 3 # Make an educated guess + if im.ndim == 2 or (im.ndim == 3 and im.shape[-1] <= 4): + ndim = 2 + # Validate shape + assert ndim in (2, 3) + if ndim == 2: + assert im.ndim == 2 or (im.ndim == 3 and im.shape[-1] <= 4) + else: + assert im.ndim == 3 or (im.ndim == 4 and im.shape[-1] <= 4) + # Wrap data and meta data in our special class that will trigger + # the BSDF image2D or image3D extension. + if ndim == 2: + ob = Image2D(im, meta) + else: + ob = Image3D(im, meta) + # Write directly or to stream + if self._stream is None: + assert not self._written, "Cannot write singleton image twice" + self._written = True + file = self.request.get_file() + self._serializer.save(file, ob) + else: + self._stream.append(ob) + + def set_meta_data(self, meta): # pragma: no cover + raise RuntimeError("The BSDF format only supports " "per-image meta data.") diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/dicom.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/dicom.py new file mode 100644 index 0000000000000000000000000000000000000000..c5f366449c9a707ad792cbe61c3e46f343e665ff --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/dicom.py @@ -0,0 +1,333 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +"""Read DICOM files. + +Backend Library: internal + +A format for reading DICOM images: a common format used to store +medical image data, such as X-ray, CT and MRI. + +This format borrows some code (and ideas) from the pydicom project. However, +only a predefined subset of tags are extracted from the file. This allows +for great simplifications allowing us to make a stand-alone reader, and +also results in a much faster read time. + +By default, only uncompressed and deflated transfer syntaxes are supported. +If gdcm or dcmtk is installed, these will be used to automatically convert +the data. See https://github.com/malaterre/GDCM/releases for installing GDCM. + +This format provides functionality to group images of the same +series together, thus extracting volumes (and multiple volumes). +Using volread will attempt to yield a volume. If multiple volumes +are present, the first one is given. Using mimread will simply yield +all images in the given directory (not taking series into account). + +Parameters +---------- +progress : {True, False, BaseProgressIndicator} + Whether to show progress when reading from multiple files. + Default True. By passing an object that inherits from + BaseProgressIndicator, the way in which progress is reported + can be costumized. + +""" + +# todo: Use pydicom: +# * Note: is not py3k ready yet +# * Allow reading the full meta info +# I think we can more or less replace the SimpleDicomReader with a +# pydicom.Dataset For series, only ned to read the full info from one +# file: speed still high +# * Perhaps allow writing? + +import os +import sys +import logging +import subprocess + +from ..core import Format, BaseProgressIndicator, StdoutProgressIndicator +from ..core import read_n_bytes + +_dicom = None # lazily loaded in load_lib() + +logger = logging.getLogger(__name__) + + +def load_lib(): + global _dicom + from . import _dicom + + return _dicom + + +# Determine endianity of system +sys_is_little_endian = sys.byteorder == "little" + + +def get_dcmdjpeg_exe(): + fname = "dcmdjpeg" + ".exe" * sys.platform.startswith("win") + for dir in ( + "c:\\dcmtk", + "c:\\Program Files", + "c:\\Program Files\\dcmtk", + "c:\\Program Files (x86)\\dcmtk", + ): + filename = os.path.join(dir, fname) + if os.path.isfile(filename): + return [filename] + + try: + subprocess.check_call([fname, "--version"]) + return [fname] + except Exception: + return None + + +def get_gdcmconv_exe(): + fname = "gdcmconv" + ".exe" * sys.platform.startswith("win") + # Maybe it's on the path + try: + subprocess.check_call([fname, "--version"]) + return [fname, "--raw"] + except Exception: + pass + # Select directories where it could be + candidates = [] + base_dirs = [r"c:\Program Files"] + for base_dir in base_dirs: + if os.path.isdir(base_dir): + for dname in os.listdir(base_dir): + if dname.lower().startswith("gdcm"): + suffix = dname[4:].strip() + candidates.append((suffix, os.path.join(base_dir, dname))) + # Sort, so higher versions are tried earlier + candidates.sort(reverse=True) + # Select executable + filename = None + for _, dirname in candidates: + exe1 = os.path.join(dirname, "gdcmconv.exe") + exe2 = os.path.join(dirname, "bin", "gdcmconv.exe") + if os.path.isfile(exe1): + filename = exe1 + break + if os.path.isfile(exe2): + filename = exe2 + break + else: + return None + return [filename, "--raw"] + + +class DicomFormat(Format): + """See :mod:`imageio.plugins.dicom`""" + + def _can_read(self, request): + # If user URI was a directory, we check whether it has a DICOM file + if os.path.isdir(request.filename): + files = os.listdir(request.filename) + for fname in sorted(files): # Sorting make it consistent + filename = os.path.join(request.filename, fname) + if os.path.isfile(filename) and "DICOMDIR" not in fname: + with open(filename, "rb") as f: + first_bytes = read_n_bytes(f, 140) + return first_bytes[128:132] == b"DICM" + else: + return False + # Check + return request.firstbytes[128:132] == b"DICM" + + def _can_write(self, request): + # We cannot save yet. May be possible if we will used pydicom as + # a backend. + return False + + # -- + + class Reader(Format.Reader): + _compressed_warning_dirs = set() + + def _open(self, progress=True): + if not _dicom: + load_lib() + if os.path.isdir(self.request.filename): + # A dir can be given if the user used the format explicitly + self._info = {} + self._data = None + else: + # Read the given dataset now ... + try: + dcm = _dicom.SimpleDicomReader(self.request.get_file()) + except _dicom.CompressedDicom as err: + # We cannot do this on our own. Perhaps with some help ... + cmd = get_gdcmconv_exe() + if not cmd and "JPEG" in str(err): + cmd = get_dcmdjpeg_exe() + if not cmd: + msg = err.args[0].replace("using", "installing") + msg = msg.replace("convert", "auto-convert") + err.args = (msg,) + raise + else: + fname1 = self.request.get_local_filename() + fname2 = fname1 + ".raw" + try: + subprocess.check_call(cmd + [fname1, fname2]) + except Exception: + raise err + d = os.path.dirname(fname1) + if d not in self._compressed_warning_dirs: + self._compressed_warning_dirs.add(d) + logger.warning( + "DICOM file contained compressed data. " + + "Autoconverting with " + + cmd[0] + + " (this warning is shown once for each directory)" + ) + dcm = _dicom.SimpleDicomReader(fname2) + + self._info = dcm._info + self._data = dcm.get_numpy_array() + + # Initialize series, list of DicomSeries objects + self._series = None # only created if needed + + # Set progress indicator + if isinstance(progress, BaseProgressIndicator): + self._progressIndicator = progress + elif progress is True: + p = StdoutProgressIndicator("Reading DICOM") + self._progressIndicator = p + elif progress in (None, False): + self._progressIndicator = BaseProgressIndicator("Dummy") + else: + raise ValueError("Invalid value for progress.") + + def _close(self): + # Clean up + self._info = None + self._data = None + self._series = None + + @property + def series(self): + if self._series is None: + pi = self._progressIndicator + self._series = _dicom.process_directory(self.request, pi) + return self._series + + def _get_length(self): + if self._data is None: + dcm = self.series[0][0] + self._info = dcm._info + self._data = dcm.get_numpy_array() + + nslices = self._data.shape[0] if (self._data.ndim == 3) else 1 + + if self.request.mode[1] == "i": + # User expects one, but lets be honest about this file + return nslices + elif self.request.mode[1] == "I": + # User expects multiple, if this file has multiple slices, ok. + # Otherwise we have to check the series. + if nslices > 1: + return nslices + else: + return sum([len(serie) for serie in self.series]) + elif self.request.mode[1] == "v": + # User expects a volume, if this file has one, ok. + # Otherwise we have to check the series + if nslices > 1: + return 1 + else: + return len(self.series) # We assume one volume per series + elif self.request.mode[1] == "V": + # User expects multiple volumes. We have to check the series + return len(self.series) # We assume one volume per series + else: + raise RuntimeError("DICOM plugin should know what to expect.") + + def _get_slice_data(self, index): + nslices = self._data.shape[0] if (self._data.ndim == 3) else 1 + + # Allow index >1 only if this file contains >1 + if nslices > 1: + return self._data[index], self._info + elif index == 0: + return self._data, self._info + else: + raise IndexError("Dicom file contains only one slice.") + + def _get_data(self, index): + if self._data is None: + dcm = self.series[0][0] + self._info = dcm._info + self._data = dcm.get_numpy_array() + + nslices = self._data.shape[0] if (self._data.ndim == 3) else 1 + + if self.request.mode[1] == "i": + return self._get_slice_data(index) + elif self.request.mode[1] == "I": + # Return slice from volume, or return item from series + if index == 0 and nslices > 1: + return self._data[index], self._info + else: + L = [] + for serie in self.series: + L.extend([dcm_ for dcm_ in serie]) + return L[index].get_numpy_array(), L[index].info + elif self.request.mode[1] in "vV": + # Return volume or series + if index == 0 and nslices > 1: + return self._data, self._info + else: + return ( + self.series[index].get_numpy_array(), + self.series[index].info, + ) + # mode is `?` (typically because we are using V3). If there is a + # series (multiple files), index referrs to the element of the + # series and we read volumes. If there is no series, index + # referrs to the slice in the volume we read "flat" images. + elif len(self.series) > 1: + # mode is `?` and there are multiple series. Each series is a ndimage. + return ( + self.series[index].get_numpy_array(), + self.series[index].info, + ) + else: + # mode is `?` and there is only one series. Each slice is an ndimage. + return self._get_slice_data(index) + + def _get_meta_data(self, index): + if self._data is None: + dcm = self.series[0][0] + self._info = dcm._info + self._data = dcm.get_numpy_array() + + nslices = self._data.shape[0] if (self._data.ndim == 3) else 1 + + # Default is the meta data of the given file, or the "first" file. + if index is None: + return self._info + + if self.request.mode[1] == "i": + return self._info + elif self.request.mode[1] == "I": + # Return slice from volume, or return item from series + if index == 0 and nslices > 1: + return self._info + else: + L = [] + for serie in self.series: + L.extend([dcm_ for dcm_ in serie]) + return L[index].info + elif self.request.mode[1] in "vV": + # Return volume or series + if index == 0 and nslices > 1: + return self._info + else: + return self.series[index].info + else: # pragma: no cover + raise ValueError("DICOM plugin should know what to expect.") diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/fits.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/fits.py new file mode 100644 index 0000000000000000000000000000000000000000..4617d1ea8c0cc2ce351151e700ff14651102685d --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/fits.py @@ -0,0 +1,126 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +"""Read FITS files. + +Backend Library: `Astropy `_ + +.. note:: + To use this plugin you have to install its backend:: + + pip install imageio[fits] + +Flexible Image Transport System (FITS) is an open standard defining a +digital file format useful for storage, transmission and processing of +scientific and other images. FITS is the most commonly used digital +file format in astronomy. + + +Parameters +---------- +cache : bool + If the file name is a URL, `~astropy.utils.data.download_file` is used + to open the file. This specifies whether or not to save the file + locally in Astropy's download cache (default: `True`). +uint : bool + Interpret signed integer data where ``BZERO`` is the + central value and ``BSCALE == 1`` as unsigned integer + data. For example, ``int16`` data with ``BZERO = 32768`` + and ``BSCALE = 1`` would be treated as ``uint16`` data. + + Note, for backward compatibility, the kwarg **uint16** may + be used instead. The kwarg was renamed when support was + added for integers of any size. +ignore_missing_end : bool + Do not issue an exception when opening a file that is + missing an ``END`` card in the last header. +checksum : bool or str + If `True`, verifies that both ``DATASUM`` and + ``CHECKSUM`` card values (when present in the HDU header) + match the header and data of all HDU's in the file. Updates to a + file that already has a checksum will preserve and update the + existing checksums unless this argument is given a value of + 'remove', in which case the CHECKSUM and DATASUM values are not + checked, and are removed when saving changes to the file. +disable_image_compression : bool, optional + If `True`, treats compressed image HDU's like normal + binary table HDU's. +do_not_scale_image_data : bool + If `True`, image data is not scaled using BSCALE/BZERO values + when read. +ignore_blank : bool + If `True`, the BLANK keyword is ignored if present. +scale_back : bool + If `True`, when saving changes to a file that contained scaled + image data, restore the data to the original type and reapply the + original BSCALE/BZERO values. This could lead to loss of accuracy + if scaling back to integer values after performing floating point + operations on the data. + +""" + +from ..core import Format + +_fits = None # lazily loaded + + +def load_lib(): + global _fits + try: + from astropy.io import fits as _fits + except ImportError: + raise ImportError( + "The FITS format relies on the astropy package." + "Please refer to http://www.astropy.org/ " + "for further instructions." + ) + return _fits + + +class FitsFormat(Format): + """See :mod:`imageio.plugins.fits`""" + + def _can_read(self, request): + # We return True if ext matches, because this is the only plugin + # that can. If astropy is not installed, a useful error follows. + return request.extension in self.extensions + + def _can_write(self, request): + # No write support + return False + + # -- reader + + class Reader(Format.Reader): + def _open(self, cache=False, **kwargs): + if not _fits: + load_lib() + hdulist = _fits.open(self.request.get_file(), cache=cache, **kwargs) + + self._index = [] + allowed_hdu_types = (_fits.ImageHDU, _fits.PrimaryHDU, _fits.CompImageHDU) + for n, hdu in zip(range(len(hdulist)), hdulist): + if isinstance(hdu, allowed_hdu_types): + # Ignore (primary) header units with no data (use '.size' + # rather than '.data' to avoid actually loading the image): + if hdu.size > 0: + self._index.append(n) + self._hdulist = hdulist + + def _close(self): + self._hdulist.close() + + def _get_length(self): + return len(self._index) + + def _get_data(self, index): + # Get data + if index < 0 or index >= len(self._index): + raise IndexError("Index out of range while reading from fits") + im = self._hdulist[self._index[index]].data + # Return array and empty meta data + return im, {} + + def _get_meta_data(self, index): + # Get the meta data for the given index + raise RuntimeError("The fits format does not support meta data.") diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/npz.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/npz.py new file mode 100644 index 0000000000000000000000000000000000000000..87b37e44a0cc85671f42d1e25c775b687c709f71 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/npz.py @@ -0,0 +1,85 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +"""Read/Write NPZ files. + +Backend: `Numpy `_ + +NPZ is a file format by numpy that provides storage of array data using gzip +compression. This imageio plugin supports data of any shape, and also supports +multiple images per file. However, the npz format does not provide streaming; +all data is read/written at once. Further, there is no support for meta data. + +See the BSDF format for a similar (but more fully featured) format. + +Parameters +---------- +None + +Notes +----- +This format is not available on Pypy. + +""" + +import numpy as np + +from ..core import Format + + +class NpzFormat(Format): + """See :mod:`imageio.plugins.npz`""" + + def _can_read(self, request): + # We support any kind of image data + return request.extension in self.extensions + + def _can_write(self, request): + # We support any kind of image data + return request.extension in self.extensions + + # -- reader + + class Reader(Format.Reader): + def _open(self): + # Load npz file, which provides another file like object + self._npz = np.load(self.request.get_file()) + assert isinstance(self._npz, np.lib.npyio.NpzFile) + # Get list of names, ordered by name, but smarter + self._names = sorted(self._npz.files, key=lambda x: x.split("_")[-1]) + + def _close(self): + self._npz.close() + + def _get_length(self): + return len(self._names) + + def _get_data(self, index): + # Get data + if index < 0 or index >= len(self._names): + raise IndexError("Index out of range while reading from nzp") + im = self._npz[self._names[index]] + # Return array and empty meta data + return im, {} + + def _get_meta_data(self, index): + # Get the meta data for the given index + raise RuntimeError("The npz format does not support meta data.") + + # -- writer + + class Writer(Format.Writer): + def _open(self): + # Npz is not such a great format. We cannot stream to the file. + # So we remember all images and write them to file at the end. + self._images = [] + + def _close(self): + # Write everything + np.savez_compressed(self.request.get_file(), *self._images) + + def _append_data(self, im, meta): + self._images.append(im) # discart meta data + + def set_meta_data(self, meta): + raise RuntimeError("The npz format does not support meta data.") diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/opencv.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/opencv.py new file mode 100644 index 0000000000000000000000000000000000000000..944a75776b8b091405da342703ab76b26677c0e9 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/opencv.py @@ -0,0 +1,313 @@ +"""Read/Write images using OpenCV. + +Backend Library: `OpenCV `_ + +This plugin wraps OpenCV (also known as ``cv2``), a popular image processing +library. Currently, it exposes OpenCVs image reading capability (no video or GIF +support yet); however, this may be added in future releases. + +Methods +------- +.. note:: + Check the respective function for a list of supported kwargs and their + documentation. + +.. autosummary:: + :toctree: + + OpenCVPlugin.read + OpenCVPlugin.iter + OpenCVPlugin.write + OpenCVPlugin.properties + OpenCVPlugin.metadata + +Pixel Formats (Colorspaces) +--------------------------- + +OpenCV is known to process images in BGR; however, most of the python ecosystem +(in particular matplotlib and other pydata libraries) use the RGB. As such, +images are converted to RGB, RGBA, or grayscale (where applicable) by default. + +""" + +import warnings +from pathlib import Path +from typing import Any, Dict, List, Optional, Union + +import cv2 +import numpy as np + +from ..core import Request +from ..core.request import URI_BYTES, InitializationError, IOMode +from ..core.v3_plugin_api import ImageProperties, PluginV3 +from ..typing import ArrayLike + + +class OpenCVPlugin(PluginV3): + def __init__(self, request: Request) -> None: + super().__init__(request) + + self.file_handle = request.get_local_filename() + if request._uri_type is URI_BYTES: + self.filename = "" + else: + self.filename = request.raw_uri + + mode = request.mode.io_mode + if mode == IOMode.read and not cv2.haveImageReader(self.file_handle): + raise InitializationError(f"OpenCV can't read `{self.filename}`.") + elif mode == IOMode.write and not cv2.haveImageWriter(self.file_handle): + raise InitializationError(f"OpenCV can't write to `{self.filename}`.") + + def read( + self, + *, + index: int = None, + colorspace: Union[int, str] = None, + flags: int = cv2.IMREAD_COLOR, + ) -> np.ndarray: + """Read an image from the ImageResource. + + Parameters + ---------- + index : int, Ellipsis + If int, read the index-th image from the ImageResource. If ``...``, + read all images from the ImageResource and stack them along a new, + prepended, batch dimension. If None (default), use ``index=0`` if + the image contains exactly one image and ``index=...`` otherwise. + colorspace : str, int + The colorspace to convert into after loading and before returning + the image. If None (default) keep grayscale images as is, convert + images with an alpha channel to ``RGBA`` and all other images to + ``RGB``. If int, interpret ``colorspace`` as one of OpenCVs + `conversion flags + `_ + and use it for conversion. If str, convert the image into the given + colorspace. Possible string values are: ``"RGB"``, ``"BGR"``, + ``"RGBA"``, ``"BGRA"``, ``"GRAY"``, ``"HSV"``, or ``"LAB"``. + flags : int + The OpenCV flag(s) to pass to the reader. Refer to the `OpenCV docs + `_ + for details. + + Returns + ------- + ndimage : np.ndarray + The decoded image as a numpy array. + + """ + + if index is None: + n_images = cv2.imcount(self.file_handle, flags) + index = 0 if n_images == 1 else ... + + if index is ...: + retval, img = cv2.imreadmulti(self.file_handle, flags=flags) + is_batch = True + else: + retval, img = cv2.imreadmulti(self.file_handle, index, 1, flags=flags) + is_batch = False + + if retval is False: + raise ValueError(f"Could not read index `{index}` from `{self.filename}`.") + + if img[0].ndim == 2: + in_colorspace = "GRAY" + out_colorspace = colorspace or "GRAY" + elif img[0].shape[-1] == 4: + in_colorspace = "BGRA" + out_colorspace = colorspace or "RGBA" + else: + in_colorspace = "BGR" + out_colorspace = colorspace or "RGB" + + if isinstance(colorspace, int): + cvt_space = colorspace + elif in_colorspace == out_colorspace.upper(): + cvt_space = None + else: + out_colorspace = out_colorspace.upper() + cvt_space = getattr(cv2, f"COLOR_{in_colorspace}2{out_colorspace}") + + if cvt_space is not None: + img = np.stack([cv2.cvtColor(x, cvt_space) for x in img]) + else: + img = np.stack(img) + + return img if is_batch else img[0] + + def iter( + self, + colorspace: Union[int, str] = None, + flags: int = cv2.IMREAD_COLOR, + ) -> np.ndarray: + """Yield images from the ImageResource. + + Parameters + ---------- + colorspace : str, int + The colorspace to convert into after loading and before returning + the image. If None (default) keep grayscale images as is, convert + images with an alpha channel to ``RGBA`` and all other images to + ``RGB``. If int, interpret ``colorspace`` as one of OpenCVs + `conversion flags + `_ + and use it for conversion. If str, convert the image into the given + colorspace. Possible string values are: ``"RGB"``, ``"BGR"``, + ``"RGBA"``, ``"BGRA"``, ``"GRAY"``, ``"HSV"``, or ``"LAB"``. + flags : int + The OpenCV flag(s) to pass to the reader. Refer to the `OpenCV docs + `_ + for details. + + Yields + ------ + ndimage : np.ndarray + The decoded image as a numpy array. + + """ + for idx in range(cv2.imcount(self.file_handle)): + yield self.read(index=idx, flags=flags, colorspace=colorspace) + + def write( + self, + ndimage: Union[ArrayLike, List[ArrayLike]], + is_batch: bool = False, + params: List[int] = None, + ) -> Optional[bytes]: + """Save an ndimage in the ImageResource. + + Parameters + ---------- + ndimage : ArrayLike, List[ArrayLike] + The image data that will be written to the file. It is either a + single image, a batch of images, or a list of images. + is_batch : bool + If True, the provided ndimage is a batch of images. If False (default), the + provided ndimage is a single image. If the provided ndimage is a list of images, + this parameter has no effect. + params : List[int] + A list of parameters that will be passed to OpenCVs imwrite or + imwritemulti functions. Possible values are documented in the + `OpenCV documentation + `_. + + Returns + ------- + encoded_image : bytes, None + If the ImageResource is ``""`` the call to write returns the + encoded image as a bytes string. Otherwise it returns None. + + """ + + if isinstance(ndimage, list): + ndimage = np.stack(ndimage, axis=0) + elif not is_batch: + ndimage = ndimage[None, ...] + + if ndimage[0].ndim == 2: + n_channels = 1 + else: + n_channels = ndimage[0].shape[-1] + + if n_channels == 1: + ndimage_cv2 = [x for x in ndimage] + elif n_channels == 4: + ndimage_cv2 = [cv2.cvtColor(x, cv2.COLOR_RGBA2BGRA) for x in ndimage] + else: + ndimage_cv2 = [cv2.cvtColor(x, cv2.COLOR_RGB2BGR) for x in ndimage] + + retval = cv2.imwritemulti(self.file_handle, ndimage_cv2, params) + + if retval is False: + # not sure what scenario would trigger this, but + # it can occur theoretically. + raise IOError("OpenCV failed to write.") # pragma: no cover + + if self.request._uri_type == URI_BYTES: + return Path(self.file_handle).read_bytes() + + def properties( + self, + index: int = None, + colorspace: Union[int, str] = None, + flags: int = cv2.IMREAD_COLOR, + ) -> ImageProperties: + """Standardized image metadata. + + Parameters + ---------- + index : int, Ellipsis + If int, get the properties of the index-th image in the + ImageResource. If ``...``, get the properties of the image stack + that contains all images. If None (default), use ``index=0`` if the + image contains exactly one image and ``index=...`` otherwise. + colorspace : str, int + The colorspace to convert into after loading and before returning + the image. If None (default) keep grayscale images as is, convert + images with an alpha channel to ``RGBA`` and all other images to + ``RGB``. If int, interpret ``colorspace`` as one of OpenCVs + `conversion flags + `_ + and use it for conversion. If str, convert the image into the given + colorspace. Possible string values are: ``"RGB"``, ``"BGR"``, + ``"RGBA"``, ``"BGRA"``, ``"GRAY"``, ``"HSV"``, or ``"LAB"``. + flags : int + The OpenCV flag(s) to pass to the reader. Refer to the `OpenCV docs + `_ + for details. + + Returns + ------- + props : ImageProperties + A dataclass filled with standardized image metadata. + + Notes + ----- + Reading properties with OpenCV involves decoding pixel data, because + OpenCV doesn't provide a direct way to access metadata. + + """ + + if index is None: + n_images = cv2.imcount(self.file_handle, flags) + is_batch = n_images > 1 + elif index is Ellipsis: + n_images = cv2.imcount(self.file_handle, flags) + is_batch = True + else: + is_batch = False + + # unfortunately, OpenCV doesn't allow reading shape without reading pixel data + if is_batch: + img = self.read(index=0, flags=flags, colorspace=colorspace) + return ImageProperties( + shape=(n_images, *img.shape), + dtype=img.dtype, + n_images=n_images, + is_batch=True, + ) + + img = self.read(index=index, flags=flags, colorspace=colorspace) + return ImageProperties(shape=img.shape, dtype=img.dtype, is_batch=False) + + def metadata( + self, index: int = None, exclude_applied: bool = True + ) -> Dict[str, Any]: + """Format-specific metadata. + + .. warning:: + OpenCV does not support reading metadata. When called, this function + will raise a ``NotImplementedError``. + + Parameters + ---------- + index : int + This parameter has no effect. + exclude_applied : bool + This parameter has no effect. + + """ + + warnings.warn("OpenCV does not support reading metadata.", UserWarning) + return dict() diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/pillowmulti.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/pillowmulti.py new file mode 100644 index 0000000000000000000000000000000000000000..e41c71073fd5fe2b301eac4031da22745e9cec99 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/pillowmulti.py @@ -0,0 +1,338 @@ +""" +PIL formats for multiple images. +""" + +import logging + +import numpy as np + +from .pillow_legacy import PillowFormat, image_as_uint, ndarray_to_pil + +logger = logging.getLogger(__name__) + +NeuQuant = None # we can implement this when we need it + + +class TIFFFormat(PillowFormat): + _modes = "i" # arg, why bother; people should use the tiffile version + _description = "TIFF format (Pillow)" + + +class GIFFormat(PillowFormat): + """See :mod:`imageio.plugins.pillow_legacy`""" + + _modes = "iI" + _description = "Static and animated gif (Pillow)" + + # GIF reader needs no modifications compared to base pillow reader + + class Writer(PillowFormat.Writer): # pragma: no cover + def _open( + self, + loop=0, + duration=None, + fps=10, + palettesize=256, + quantizer=0, + subrectangles=False, + ): + from PIL import __version__ as pillow_version + + major, minor, patch = tuple(int(x) for x in pillow_version.split(".")) + if major == 10 and minor >= 1: + raise ImportError( + f"Pillow v{pillow_version} is not supported by ImageIO's legacy " + "pillow plugin when writing GIFs. Consider switching to the new " + "plugin or downgrading to `pillow<10.1.0`." + ) + + # Check palettesize + palettesize = int(palettesize) + if palettesize < 2 or palettesize > 256: + raise ValueError("GIF quantize param must be 2..256") + if palettesize not in [2, 4, 8, 16, 32, 64, 128, 256]: + palettesize = 2 ** int(np.log2(128) + 0.999) + logger.warning( + "Warning: palettesize (%r) modified to a factor of " + "two between 2-256." % palettesize + ) + # Duratrion / fps + if duration is None: + self._duration = 1.0 / float(fps) + elif isinstance(duration, (list, tuple)): + self._duration = [float(d) for d in duration] + else: + self._duration = float(duration) + # loop + loop = float(loop) + if loop <= 0 or loop == float("inf"): + loop = 0 + loop = int(loop) + # Subrectangles / dispose + subrectangles = bool(subrectangles) + self._dispose = 1 if subrectangles else 2 + # The "0" (median cut) quantizer is by far the best + + fp = self.request.get_file() + self._writer = GifWriter( + fp, subrectangles, loop, quantizer, int(palettesize) + ) + + def _close(self): + self._writer.close() + + def _append_data(self, im, meta): + im = image_as_uint(im, bitdepth=8) + if im.ndim == 3 and im.shape[-1] == 1: + im = im[:, :, 0] + duration = self._duration + if isinstance(duration, list): + duration = duration[min(len(duration) - 1, self._writer._count)] + dispose = self._dispose + self._writer.add_image(im, duration, dispose) + + return + + +def intToBin(i): + return i.to_bytes(2, byteorder="little") + + +class GifWriter: # pragma: no cover + """Class that for helping write the animated GIF file. This is based on + code from images2gif.py (part of visvis). The version here is modified + to allow streamed writing. + """ + + def __init__( + self, + file, + opt_subrectangle=True, + opt_loop=0, + opt_quantizer=0, + opt_palette_size=256, + ): + self.fp = file + + self.opt_subrectangle = opt_subrectangle + self.opt_loop = opt_loop + self.opt_quantizer = opt_quantizer + self.opt_palette_size = opt_palette_size + + self._previous_image = None # as np array + self._global_palette = None # as bytes + self._count = 0 + + from PIL.GifImagePlugin import getdata + + self.getdata = getdata + + def add_image(self, im, duration, dispose): + # Prepare image + im_rect, rect = im, (0, 0) + if self.opt_subrectangle: + im_rect, rect = self.getSubRectangle(im) + im_pil = self.converToPIL(im_rect, self.opt_quantizer, self.opt_palette_size) + + # Get pallette - apparently, this is the 3d element of the header + # (but it has not always been). Best we've got. Its not the same + # as im_pil.palette.tobytes(). + from PIL.GifImagePlugin import getheader + + palette = getheader(im_pil)[0][3] + + # Write image + if self._count == 0: + self.write_header(im_pil, palette, self.opt_loop) + self._global_palette = palette + self.write_image(im_pil, palette, rect, duration, dispose) + # assert len(palette) == len(self._global_palette) + + # Bookkeeping + self._previous_image = im + self._count += 1 + + def write_header(self, im, globalPalette, loop): + # Gather info + header = self.getheaderAnim(im) + appext = self.getAppExt(loop) + # Write + self.fp.write(header) + self.fp.write(globalPalette) + self.fp.write(appext) + + def close(self): + self.fp.write(";".encode("utf-8")) # end gif + + def write_image(self, im, palette, rect, duration, dispose): + fp = self.fp + + # Gather local image header and data, using PIL's getdata. That + # function returns a list of bytes objects, but which parts are + # what has changed multiple times, so we put together the first + # parts until we have enough to form the image header. + data = self.getdata(im) + imdes = b"" + while data and len(imdes) < 11: + imdes += data.pop(0) + assert len(imdes) == 11 + + # Make image descriptor suitable for using 256 local color palette + lid = self.getImageDescriptor(im, rect) + graphext = self.getGraphicsControlExt(duration, dispose) + + # Write local header + if (palette != self._global_palette) or (dispose != 2): + # Use local color palette + fp.write(graphext) + fp.write(lid) # write suitable image descriptor + fp.write(palette) # write local color table + fp.write(b"\x08") # LZW minimum size code + else: + # Use global color palette + fp.write(graphext) + fp.write(imdes) # write suitable image descriptor + + # Write image data + for d in data: + fp.write(d) + + def getheaderAnim(self, im): + """Get animation header. To replace PILs getheader()[0]""" + bb = b"GIF89a" + bb += intToBin(im.size[0]) + bb += intToBin(im.size[1]) + bb += b"\x87\x00\x00" + return bb + + def getImageDescriptor(self, im, xy=None): + """Used for the local color table properties per image. + Otherwise global color table applies to all frames irrespective of + whether additional colors comes in play that require a redefined + palette. Still a maximum of 256 color per frame, obviously. + + Written by Ant1 on 2010-08-22 + Modified by Alex Robinson in Janurari 2011 to implement subrectangles. + """ + + # Defaule use full image and place at upper left + if xy is None: + xy = (0, 0) + + # Image separator, + bb = b"\x2C" + + # Image position and size + bb += intToBin(xy[0]) # Left position + bb += intToBin(xy[1]) # Top position + bb += intToBin(im.size[0]) # image width + bb += intToBin(im.size[1]) # image height + + # packed field: local color table flag1, interlace0, sorted table0, + # reserved00, lct size111=7=2^(7 + 1)=256. + bb += b"\x87" + + # LZW minimum size code now comes later, begining of [imagedata] blocks + return bb + + def getAppExt(self, loop): + """Application extension. This part specifies the amount of loops. + If loop is 0 or inf, it goes on infinitely. + """ + if loop == 1: + return b"" + if loop == 0: + loop = 2**16 - 1 + bb = b"" + if loop != 0: # omit the extension if we would like a nonlooping gif + bb = b"\x21\xFF\x0B" # application extension + bb += b"NETSCAPE2.0" + bb += b"\x03\x01" + bb += intToBin(loop) + bb += b"\x00" # end + return bb + + def getGraphicsControlExt(self, duration=0.1, dispose=2): + """Graphics Control Extension. A sort of header at the start of + each image. Specifies duration and transparancy. + + Dispose + ------- + * 0 - No disposal specified. + * 1 - Do not dispose. The graphic is to be left in place. + * 2 - Restore to background color. The area used by the graphic + must be restored to the background color. + * 3 - Restore to previous. The decoder is required to restore the + area overwritten by the graphic with what was there prior to + rendering the graphic. + * 4-7 -To be defined. + """ + + bb = b"\x21\xF9\x04" + bb += chr((dispose & 3) << 2).encode("utf-8") + # low bit 1 == transparency, + # 2nd bit 1 == user input , next 3 bits, the low two of which are used, + # are dispose. + bb += intToBin(int(duration * 100 + 0.5)) # in 100th of seconds + bb += b"\x00" # no transparant color + bb += b"\x00" # end + return bb + + def getSubRectangle(self, im): + """Calculate the minimal rectangle that need updating. Returns + a two-element tuple containing the cropped image and an x-y tuple. + + Calculating the subrectangles takes extra time, obviously. However, + if the image sizes were reduced, the actual writing of the GIF + goes faster. In some cases applying this method produces a GIF faster. + """ + + # Cannot do subrectangle for first image + if self._count == 0: + return im, (0, 0) + + prev = self._previous_image + + # Get difference, sum over colors + diff = np.abs(im - prev) + if diff.ndim == 3: + diff = diff.sum(2) + # Get begin and end for both dimensions + X = np.argwhere(diff.sum(0)) + Y = np.argwhere(diff.sum(1)) + # Get rect coordinates + if X.size and Y.size: + x0, x1 = int(X[0]), int(X[-1] + 1) + y0, y1 = int(Y[0]), int(Y[-1] + 1) + else: # No change ... make it minimal + x0, x1 = 0, 2 + y0, y1 = 0, 2 + + return im[y0:y1, x0:x1], (x0, y0) + + def converToPIL(self, im, quantizer, palette_size=256): + """Convert image to Paletted PIL image. + + PIL used to not do a very good job at quantization, but I guess + this has improved a lot (at least in Pillow). I don't think we need + neuqant (and we can add it later if we really want). + """ + + im_pil = ndarray_to_pil(im, "gif") + + if quantizer in ("nq", "neuquant"): + # NeuQuant algorithm + nq_samplefac = 10 # 10 seems good in general + im_pil = im_pil.convert("RGBA") # NQ assumes RGBA + nqInstance = NeuQuant(im_pil, nq_samplefac) # Learn colors + im_pil = nqInstance.quantize(im_pil, colors=palette_size) + elif quantizer in (0, 1, 2): + # Adaptive PIL algorithm + if quantizer == 2: + im_pil = im_pil.convert("RGBA") + else: + im_pil = im_pil.convert("RGB") + im_pil = im_pil.quantize(colors=palette_size, method=quantizer) + else: + raise ValueError("Invalid value for quantizer: %r" % quantizer) + return im_pil diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/pyav.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/pyav.py new file mode 100644 index 0000000000000000000000000000000000000000..32007761a7c8984cb2a292b1f4672ffa68a09911 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/pyav.py @@ -0,0 +1,1199 @@ +"""Read/Write Videos (and images) using PyAV. + +.. note:: + To use this plugin you need to have `PyAV `_ + installed:: + + pip install av + +This plugin wraps pyAV, a pythonic binding for the FFMPEG library. It is similar +to our FFMPEG plugin, has improved performance, features a robust interface, and +aims to supersede the FFMPEG plugin in the future. + + +Methods +------- +.. note:: + Check the respective function for a list of supported kwargs and detailed + documentation. + +.. autosummary:: + :toctree: + + PyAVPlugin.read + PyAVPlugin.iter + PyAVPlugin.write + PyAVPlugin.properties + PyAVPlugin.metadata + +Additional methods available inside the :func:`imopen ` +context: + +.. autosummary:: + :toctree: + + PyAVPlugin.init_video_stream + PyAVPlugin.write_frame + PyAVPlugin.set_video_filter + PyAVPlugin.container_metadata + PyAVPlugin.video_stream_metadata + +Advanced API +------------ + +In addition to the default ImageIO v3 API this plugin exposes custom functions +that are specific to reading/writing video and its metadata. These are available +inside the :func:`imopen ` context and allow fine-grained +control over how the video is processed. The functions are documented above and +below you can find a usage example:: + + import imageio.v3 as iio + + with iio.imopen("test.mp4", "w", plugin="pyav") as file: + file.init_video_stream("libx264") + file.container_metadata["comment"] = "This video was created using ImageIO." + + for _ in range(5): + for frame in iio.imiter("imageio:newtonscradle.gif"): + file.write_frame(frame) + + meta = iio.immeta("test.mp4", plugin="pyav") + assert meta["comment"] == "This video was created using ImageIO." + + + +Pixel Formats (Colorspaces) +--------------------------- + +By default, this plugin converts the video into 8-bit RGB (called ``rgb24`` in +ffmpeg). This is a useful behavior for many use-cases, but sometimes you may +want to use the video's native colorspace or you may wish to convert the video +into an entirely different colorspace. This is controlled using the ``format`` +kwarg. You can use ``format=None`` to leave the image in its native colorspace +or specify any colorspace supported by FFMPEG as long as it is stridable, i.e., +as long as it can be represented by a single numpy array. Some useful choices +include: + +- rgb24 (default; 8-bit RGB) +- rgb48le (16-bit lower-endian RGB) +- bgr24 (8-bit BGR; openCVs default colorspace) +- gray (8-bit grayscale) +- yuv444p (8-bit channel-first YUV) + +Further, FFMPEG maintains a list of available formats, albeit not as part of the +narrative docs. It can be `found here +`_ (warning: C source +code). + +Filters +------- + +On top of providing basic read/write functionality, this plugin allows you to +use the full collection of `video filters available in FFMPEG +`_. This means that you +can apply excessive preprocessing to your video before retrieving it as a numpy +array or apply excessive post-processing before you encode your data. + +Filters come in two forms: sequences or graphs. Filter sequences are, as the +name suggests, sequences of filters that are applied one after the other. They +are specified using the ``filter_sequence`` kwarg. Filter graphs, on the other +hand, come in the form of a directed graph and are specified using the +``filter_graph`` kwarg. + +.. note:: + All filters are either sequences or graphs. If all you want is to apply a + single filter, you can do this by specifying a filter sequence with a single + entry. + +A ``filter_sequence`` is a list of filters, each defined through a 2-element +tuple of the form ``(filter_name, filter_parameters)``. The first element of the +tuple is the name of the filter. The second element are the filter parameters, +which can be given either as a string or a dict. The string matches the same +format that you would use when specifying the filter using the ffmpeg +command-line tool and the dict has entries of the form ``parameter:value``. For +example:: + + import imageio.v3 as iio + + # using a filter_parameters str + img1 = iio.imread( + "imageio:cockatoo.mp4", + plugin="pyav", + filter_sequence=[ + ("rotate", "45*PI/180") + ] + ) + + # using a filter_parameters dict + img2 = iio.imread( + "imageio:cockatoo.mp4", + plugin="pyav", + filter_sequence=[ + ("rotate", {"angle":"45*PI/180", "fillcolor":"AliceBlue"}) + ] + ) + +A ``filter_graph``, on the other hand, is specified using a ``(nodes, edges)`` +tuple. It is best explained using an example:: + + img = iio.imread( + "imageio:cockatoo.mp4", + plugin="pyav", + filter_graph=( + { + "split": ("split", ""), + "scale_overlay":("scale", "512:-1"), + "overlay":("overlay", "x=25:y=25:enable='between(t,1,8)'"), + }, + [ + ("video_in", "split", 0, 0), + ("split", "overlay", 0, 0), + ("split", "scale_overlay", 1, 0), + ("scale_overlay", "overlay", 0, 1), + ("overlay", "video_out", 0, 0), + ] + ) + ) + +The above transforms the video to have picture-in-picture of itself in the top +left corner. As you can see, nodes are specified using a dict which has names as +its keys and filter tuples as values; the same tuples as the ones used when +defining a filter sequence. Edges are a list of a 4-tuples of the form +``(node_out, node_in, output_idx, input_idx)`` and specify which two filters are +connected and which inputs/outputs should be used for this. + +Further, there are two special nodes in a filter graph: ``video_in`` and +``video_out``, which represent the graph's input and output respectively. These +names can not be chosen for other nodes (those nodes would simply be +overwritten), and for a graph to be valid there must be a path from the input to +the output and all nodes in the graph must be connected. + +While most graphs are quite simple, they can become very complex and we +recommend that you read through the `FFMPEG documentation +`_ and their +examples to better understand how to use them. + +""" + +from fractions import Fraction +from math import ceil +from typing import Any, Dict, List, Optional, Tuple, Union, Generator + +import av +import av.filter +import numpy as np +from numpy.lib.stride_tricks import as_strided + +from ..core import Request +from ..core.request import URI_BYTES, InitializationError, IOMode +from ..core.v3_plugin_api import ImageProperties, PluginV3 + + +def _format_to_dtype(format: av.VideoFormat) -> np.dtype: + """Convert a pyAV video format into a numpy dtype""" + + if len(format.components) == 0: + # fake format + raise ValueError( + f"Can't determine dtype from format `{format.name}`. It has no channels." + ) + + endian = ">" if format.is_big_endian else "<" + dtype = "f" if "f32" in format.name else "u" + bits_per_channel = [x.bits for x in format.components] + n_bytes = str(int(ceil(bits_per_channel[0] / 8))) + + return np.dtype(endian + dtype + n_bytes) + + +def _get_frame_shape(frame: av.VideoFrame) -> Tuple[int, ...]: + """Compute the frame's array shape + + Parameters + ---------- + frame : av.VideoFrame + A frame for which the resulting shape should be computed. + + Returns + ------- + shape : Tuple[int, ...] + A tuple describing the shape of the image data in the frame. + + """ + + widths = [component.width for component in frame.format.components] + heights = [component.height for component in frame.format.components] + bits = np.array([component.bits for component in frame.format.components]) + line_sizes = [plane.line_size for plane in frame.planes] + + subsampled_width = widths[:-1] != widths[1:] + subsampled_height = heights[:-1] != heights[1:] + unaligned_components = np.any(bits % 8 != 0) or (line_sizes[:-1] != line_sizes[1:]) + if subsampled_width or subsampled_height or unaligned_components: + raise IOError( + f"{frame.format.name} can't be expressed as a strided array." + "Use `format=` to select a format to convert into." + ) + + shape = [frame.height, frame.width] + + # ffmpeg doesn't have a notion of channel-first or channel-last formats + # instead it stores frames in one or more planes which contain individual + # components of a pixel depending on the pixel format. For channel-first + # formats each component lives on a separate plane (n_planes) and for + # channel-last formats all components are packed on a single plane + # (n_channels) + n_planes = max([component.plane for component in frame.format.components]) + 1 + if n_planes > 1: + shape = [n_planes] + shape + + channels_per_plane = [0] * n_planes + for component in frame.format.components: + channels_per_plane[component.plane] += 1 + n_channels = max(channels_per_plane) + + if n_channels > 1: + shape = shape + [n_channels] + + return tuple(shape) + + +class PyAVPlugin(PluginV3): + """Support for pyAV as backend. + + Parameters + ---------- + request : iio.Request + A request object that represents the users intent. It provides a + standard interface to access various the various ImageResources and + serves them to the plugin as a file object (or file). Check the docs for + details. + container : str + Only used during `iio_mode="w"`! If not None, overwrite the default container + format chosen by pyav. + kwargs : Any + Additional kwargs are forwarded to PyAV's constructor. + + """ + + def __init__(self, request: Request, *, container: str = None, **kwargs) -> None: + """Initialize a new Plugin Instance. + + See Plugin's docstring for detailed documentation. + + Notes + ----- + The implementation here stores the request as a local variable that is + exposed using a @property below. If you inherit from PluginV3, remember + to call ``super().__init__(request)``. + + """ + + super().__init__(request) + + self._container = None + self._video_stream = None + self._video_filter = None + + if request.mode.io_mode == IOMode.read: + self._next_idx = 0 + try: + if request._uri_type == 5: # 5 is the value of URI_HTTP + # pyav should read from HTTP by itself. This enables reading + # HTTP-based streams like DASH. Note that solving streams + # like this is temporary until the new request object gets + # implemented. + self._container = av.open(request.raw_uri, **kwargs) + else: + self._container = av.open(request.get_file(), **kwargs) + self._video_stream = self._container.streams.video[0] + self._decoder = self._container.decode(video=0) + except av.AVError: + if isinstance(request.raw_uri, bytes): + msg = "PyAV does not support these ``" + else: + msg = f"PyAV does not support `{request.raw_uri}`" + raise InitializationError(msg) from None + else: + self.frames_written = 0 + file_handle = self.request.get_file() + filename = getattr(file_handle, "name", None) + extension = self.request.extension or self.request.format_hint + if extension is None: + raise InitializationError("Can't determine output container to use.") + + # hacky, but beats running our own format selection logic + # (since av_guess_format is not exposed) + try: + setattr(file_handle, "name", filename or "tmp" + extension) + except AttributeError: + pass # read-only, nothing we can do + + try: + self._container = av.open( + file_handle, mode="w", format=container, **kwargs + ) + except ValueError: + raise InitializationError( + f"PyAV can not write to `{self.request.raw_uri}`" + ) + + # --------------------- + # Standard V3 Interface + # --------------------- + + def read( + self, + *, + index: int = ..., + format: str = "rgb24", + filter_sequence: List[Tuple[str, Union[str, dict]]] = None, + filter_graph: Tuple[dict, List] = None, + constant_framerate: bool = None, + thread_count: int = 0, + thread_type: str = None, + ) -> np.ndarray: + """Read frames from the video. + + If ``index`` is an integer, this function reads the index-th frame from + the file. If ``index`` is ... (Ellipsis), this function reads all frames + from the video, stacks them along the first dimension, and returns a + batch of frames. + + Parameters + ---------- + index : int + The index of the frame to read, e.g. ``index=5`` reads the 5th + frame. If ``...``, read all the frames in the video and stack them + along a new, prepended, batch dimension. + format : str + Set the returned colorspace. If not None (default: rgb24), convert + the data into the given format before returning it. If ``None`` + return the data in the encoded format if it can be expressed as a + strided array; otherwise raise an Exception. + filter_sequence : List[str, str, dict] + If not None, apply the given sequence of FFmpeg filters to each + ndimage. Check the (module-level) plugin docs for details and + examples. + filter_graph : (dict, List) + If not None, apply the given graph of FFmpeg filters to each + ndimage. The graph is given as a tuple of two dicts. The first dict + contains a (named) set of nodes, and the second dict contains a set + of edges between nodes of the previous dict. Check the (module-level) + plugin docs for details and examples. + constant_framerate : bool + If True assume the video's framerate is constant. This allows for + faster seeking inside the file. If False, the video is reset before + each read and searched from the beginning. If None (default), this + value will be read from the container format. + thread_count : int + How many threads to use when decoding a frame. The default is 0, + which will set the number using ffmpeg's default, which is based on + the codec, number of available cores, threadding model, and other + considerations. + thread_type : str + The threading model to be used. One of + + - `"SLICE"`: threads assemble parts of the current frame + - `"FRAME"`: threads may assemble future frames + - None (default): Uses ``"FRAME"`` if ``index=...`` and ffmpeg's + default otherwise. + + + Returns + ------- + frame : np.ndarray + A numpy array containing loaded frame data. + + Notes + ----- + Accessing random frames repeatedly is costly (O(k), where k is the + average distance between two keyframes). You should do so only sparingly + if possible. In some cases, it can be faster to bulk-read the video (if + it fits into memory) and to then access the returned ndarray randomly. + + The current implementation may cause problems for b-frames, i.e., + bidirectionaly predicted pictures. I lack test videos to write unit + tests for this case. + + Reading from an index other than ``...``, i.e. reading a single frame, + currently doesn't support filters that introduce delays. + + """ + + if index is ...: + props = self.properties(format=format) + uses_filter = ( + self._video_filter is not None + or filter_graph is not None + or filter_sequence is not None + ) + + self._container.seek(0) + if not uses_filter and props.shape[0] != 0: + frames = np.empty(props.shape, dtype=props.dtype) + for idx, frame in enumerate( + self.iter( + format=format, + filter_sequence=filter_sequence, + filter_graph=filter_graph, + thread_count=thread_count, + thread_type=thread_type or "FRAME", + ) + ): + frames[idx] = frame + else: + frames = np.stack( + [ + x + for x in self.iter( + format=format, + filter_sequence=filter_sequence, + filter_graph=filter_graph, + thread_count=thread_count, + thread_type=thread_type or "FRAME", + ) + ] + ) + + # reset stream container, because threading model can't change after + # first access + self._video_stream.close() + self._video_stream = self._container.streams.video[0] + + return frames + + if thread_type is not None and thread_type != self._video_stream.thread_type: + self._video_stream.thread_type = thread_type + if ( + thread_count != 0 + and thread_count != self._video_stream.codec_context.thread_count + ): + # in FFMPEG thread_count == 0 means use the default count, which we + # change to mean don't change the thread count. + self._video_stream.codec_context.thread_count = thread_count + + if constant_framerate is None: + constant_framerate = not self._container.format.variable_fps + + # note: cheap for contigous incremental reads + self._seek(index, constant_framerate=constant_framerate) + desired_frame = next(self._decoder) + self._next_idx += 1 + + self.set_video_filter(filter_sequence, filter_graph) + if self._video_filter is not None: + desired_frame = self._video_filter.send(desired_frame) + + return self._unpack_frame(desired_frame, format=format) + + def iter( + self, + *, + format: str = "rgb24", + filter_sequence: List[Tuple[str, Union[str, dict]]] = None, + filter_graph: Tuple[dict, List] = None, + thread_count: int = 0, + thread_type: str = None, + ) -> np.ndarray: + """Yield frames from the video. + + Parameters + ---------- + frame : np.ndarray + A numpy array containing loaded frame data. + format : str + Convert the data into the given format before returning it. If None, + return the data in the encoded format if it can be expressed as a + strided array; otherwise raise an Exception. + filter_sequence : List[str, str, dict] + Set the returned colorspace. If not None (default: rgb24), convert + the data into the given format before returning it. If ``None`` + return the data in the encoded format if it can be expressed as a + strided array; otherwise raise an Exception. + filter_graph : (dict, List) + If not None, apply the given graph of FFmpeg filters to each + ndimage. The graph is given as a tuple of two dicts. The first dict + contains a (named) set of nodes, and the second dict contains a set + of edges between nodes of the previous dict. Check the (module-level) + plugin docs for details and examples. + thread_count : int + How many threads to use when decoding a frame. The default is 0, + which will set the number using ffmpeg's default, which is based on + the codec, number of available cores, threadding model, and other + considerations. + thread_type : str + The threading model to be used. One of + + - `"SLICE"` (default): threads assemble parts of the current frame + - `"FRAME"`: threads may assemble future frames (faster for bulk reading) + + + Yields + ------ + frame : np.ndarray + A (decoded) video frame. + + + """ + + self._video_stream.thread_type = thread_type or "SLICE" + self._video_stream.codec_context.thread_count = thread_count + + self.set_video_filter(filter_sequence, filter_graph) + + for frame in self._decoder: + self._next_idx += 1 + + if self._video_filter is not None: + try: + frame = self._video_filter.send(frame) + except StopIteration: + break + + if frame is None: + continue + + yield self._unpack_frame(frame, format=format) + + if self._video_filter is not None: + for frame in self._video_filter: + yield self._unpack_frame(frame, format=format) + + def write( + self, + ndimage: Union[np.ndarray, List[np.ndarray]], + *, + codec: str = None, + is_batch: bool = True, + fps: int = 24, + in_pixel_format: str = "rgb24", + out_pixel_format: str = None, + filter_sequence: List[Tuple[str, Union[str, dict]]] = None, + filter_graph: Tuple[dict, List] = None, + ) -> Optional[bytes]: + """Save a ndimage as a video. + + Given a batch of frames (stacked along the first axis) or a list of + frames, encode them and add the result to the ImageResource. + + Parameters + ---------- + ndimage : ArrayLike, List[ArrayLike] + The ndimage to encode and write to the ImageResource. + codec : str + The codec to use when encoding frames. Only needed on first write + and ignored on subsequent writes. + is_batch : bool + If True (default), the ndimage is a batch of images, otherwise it is + a single image. This parameter has no effect on lists of ndimages. + fps : str + The resulting videos frames per second. + in_pixel_format : str + The pixel format of the incoming ndarray. Defaults to "rgb24" and can + be any stridable pix_fmt supported by FFmpeg. + out_pixel_format : str + The pixel format to use while encoding frames. If None (default) + use the codec's default. + filter_sequence : List[str, str, dict] + If not None, apply the given sequence of FFmpeg filters to each + ndimage. Check the (module-level) plugin docs for details and + examples. + filter_graph : (dict, List) + If not None, apply the given graph of FFmpeg filters to each + ndimage. The graph is given as a tuple of two dicts. The first dict + contains a (named) set of nodes, and the second dict contains a set + of edges between nodes of the previous dict. Check the (module-level) + plugin docs for details and examples. + + Returns + ------- + encoded_image : bytes or None + If the chosen ImageResource is the special target ``""`` then + write will return a byte string containing the encoded image data. + Otherwise, it returns None. + + Notes + ----- + When writing ````, the video is finalized immediately after the + first write call and calling write multiple times to append frames is + not possible. + + """ + + if isinstance(ndimage, list): + # frames shapes must agree for video + if any(f.shape != ndimage[0].shape for f in ndimage): + raise ValueError("All frames should have the same shape") + elif not is_batch: + ndimage = np.asarray(ndimage)[None, ...] + else: + ndimage = np.asarray(ndimage) + + if self._video_stream is None: + self.init_video_stream(codec, fps=fps, pixel_format=out_pixel_format) + + self.set_video_filter(filter_sequence, filter_graph) + + for img in ndimage: + self.write_frame(img, pixel_format=in_pixel_format) + + if self.request._uri_type == URI_BYTES: + # bytes are immutuable, so we have to flush immediately + # and can't support appending + self._flush_writer() + self._container.close() + + return self.request.get_file().getvalue() + + def properties(self, index: int = ..., *, format: str = "rgb24") -> ImageProperties: + """Standardized ndimage metadata. + + Parameters + ---------- + index : int + The index of the ndimage for which to return properties. If ``...`` + (Ellipsis, default), return the properties for the resulting batch + of frames. + format : str + If not None (default: rgb24), convert the data into the given format + before returning it. If None return the data in the encoded format + if that can be expressed as a strided array; otherwise raise an + Exception. + + Returns + ------- + properties : ImageProperties + A dataclass filled with standardized image metadata. + + Notes + ----- + This function is efficient and won't process any pixel data. + + The provided metadata does not include modifications by any filters + (through ``filter_sequence`` or ``filter_graph``). + + """ + + video_width = self._video_stream.codec_context.width + video_height = self._video_stream.codec_context.height + pix_format = format or self._video_stream.codec_context.pix_fmt + frame_template = av.VideoFrame(video_width, video_height, pix_format) + + shape = _get_frame_shape(frame_template) + if index is ...: + n_frames = self._video_stream.frames + shape = (n_frames,) + shape + + return ImageProperties( + shape=tuple(shape), + dtype=_format_to_dtype(frame_template.format), + n_images=shape[0] if index is ... else None, + is_batch=index is ..., + ) + + def metadata( + self, + index: int = ..., + exclude_applied: bool = True, + constant_framerate: bool = None, + ) -> Dict[str, Any]: + """Format-specific metadata. + + Returns a dictionary filled with metadata that is either stored in the + container, the video stream, or the frame's side-data. + + Parameters + ---------- + index : int + If ... (Ellipsis, default) return global metadata (the metadata + stored in the container and video stream). If not ..., return the + side data stored in the frame at the given index. + exclude_applied : bool + Currently, this parameter has no effect. It exists for compliance with + the ImageIO v3 API. + constant_framerate : bool + If True assume the video's framerate is constant. This allows for + faster seeking inside the file. If False, the video is reset before + each read and searched from the beginning. If None (default), this + value will be read from the container format. + + Returns + ------- + metadata : dict + A dictionary filled with format-specific metadata fields and their + values. + + """ + + metadata = dict() + + if index is ...: + # useful flags defined on the container and/or video stream + metadata.update( + { + "video_format": self._video_stream.codec_context.pix_fmt, + "codec": self._video_stream.codec.name, + "long_codec": self._video_stream.codec.long_name, + "profile": self._video_stream.profile, + "fps": float(self._video_stream.guessed_rate), + } + ) + if self._video_stream.duration is not None: + duration = float( + self._video_stream.duration * self._video_stream.time_base + ) + metadata.update({"duration": duration}) + + metadata.update(self.container_metadata) + metadata.update(self.video_stream_metadata) + return metadata + + if constant_framerate is None: + constant_framerate = not self._container.format.variable_fps + + self._seek(index, constant_framerate=constant_framerate) + desired_frame = next(self._decoder) + self._next_idx += 1 + + # useful flags defined on the frame + metadata.update( + { + "key_frame": bool(desired_frame.key_frame), + "time": desired_frame.time, + "interlaced_frame": bool(desired_frame.interlaced_frame), + "frame_type": desired_frame.pict_type.name, + } + ) + + # side data + metadata.update( + {item.type.name: bytes(item) for item in desired_frame.side_data} + ) + + return metadata + + def close(self) -> None: + """Close the Video.""" + + is_write = self.request.mode.io_mode == IOMode.write + if is_write and self._video_stream is not None: + self._flush_writer() + + if self._video_stream is not None: + try: + self._video_stream.close() + except ValueError: + pass # stream already closed + + if self._container is not None: + self._container.close() + + self.request.finish() + + def __enter__(self) -> "PyAVPlugin": + return super().__enter__() + + # ------------------------------ + # Add-on Interface inside imopen + # ------------------------------ + + def init_video_stream( + self, + codec: str, + *, + fps: float = 24, + pixel_format: str = None, + max_keyframe_interval: int = None, + force_keyframes: bool = None, + ) -> None: + """Initialize a new video stream. + + This function adds a new video stream to the ImageResource using the + selected encoder (codec), framerate, and colorspace. + + Parameters + ---------- + codec : str + The codec to use, e.g. ``"libx264"`` or ``"vp9"``. + fps : float + The desired framerate of the video stream (frames per second). + pixel_format : str + The pixel format to use while encoding frames. If None (default) use + the codec's default. + max_keyframe_interval : int + The maximum distance between two intra frames (I-frames). Also known + as GOP size. If unspecified use the codec's default. Note that not + every I-frame is a keyframe; see the notes for details. + force_keyframes : bool + If True, limit inter frames dependency to frames within the current + keyframe interval (GOP), i.e., force every I-frame to be a keyframe. + If unspecified, use the codec's default. + + Notes + ----- + You can usually leave ``max_keyframe_interval`` and ``force_keyframes`` + at their default values, unless you try to generate seek-optimized video + or have a similar specialist use-case. In this case, ``force_keyframes`` + controls the ability to seek to _every_ I-frame, and + ``max_keyframe_interval`` controls how close to a random frame you can + seek. Low values allow more fine-grained seek at the expense of + file-size (and thus I/O performance). + + """ + + fps = Fraction.from_float(fps) + stream = self._container.add_stream(codec, fps) + stream.time_base = Fraction(1 / fps).limit_denominator(int(2**16 - 1)) + if pixel_format is not None: + stream.pix_fmt = pixel_format + if max_keyframe_interval is not None: + stream.gop_size = max_keyframe_interval + if force_keyframes is not None: + stream.closed_gop = force_keyframes + + self._video_stream = stream + + def write_frame(self, frame: np.ndarray, *, pixel_format: str = "rgb24") -> None: + """Add a frame to the video stream. + + This function appends a new frame to the video. It assumes that the + stream previously has been initialized. I.e., ``init_video_stream`` has + to be called before calling this function for the write to succeed. + + Parameters + ---------- + frame : np.ndarray + The image to be appended/written to the video stream. + pixel_format : str + The colorspace (pixel format) of the incoming frame. + + Notes + ----- + Frames may be held in a buffer, e.g., by the filter pipeline used during + writing or by FFMPEG to batch them prior to encoding. Make sure to + ``.close()`` the plugin or to use a context manager to ensure that all + frames are written to the ImageResource. + + """ + + # manual packing of ndarray into frame + # (this should live in pyAV, but it doesn't support all the formats we + # want and PRs there are slow) + pixel_format = av.VideoFormat(pixel_format) + img_dtype = _format_to_dtype(pixel_format) + width = frame.shape[2 if pixel_format.is_planar else 1] + height = frame.shape[1 if pixel_format.is_planar else 0] + av_frame = av.VideoFrame(width, height, pixel_format.name) + if pixel_format.is_planar: + for idx, plane in enumerate(av_frame.planes): + plane_array = np.frombuffer(plane, dtype=img_dtype) + plane_array = as_strided( + plane_array, + shape=(plane.height, plane.width), + strides=(plane.line_size, img_dtype.itemsize), + ) + plane_array[...] = frame[idx] + else: + if pixel_format.name.startswith("bayer_"): + # ffmpeg doesn't describe bayer formats correctly + # see https://github.com/imageio/imageio/issues/761#issuecomment-1059318851 + # and following for details. + n_channels = 1 + else: + n_channels = len(pixel_format.components) + + plane = av_frame.planes[0] + plane_shape = (plane.height, plane.width) + plane_strides = (plane.line_size, n_channels * img_dtype.itemsize) + if n_channels > 1: + plane_shape += (n_channels,) + plane_strides += (img_dtype.itemsize,) + + plane_array = as_strided( + np.frombuffer(plane, dtype=img_dtype), + shape=plane_shape, + strides=plane_strides, + ) + plane_array[...] = frame + + stream = self._video_stream + av_frame.time_base = stream.codec_context.time_base + av_frame.pts = self.frames_written + self.frames_written += 1 + + if self._video_filter is not None: + av_frame = self._video_filter.send(av_frame) + if av_frame is None: + return + + if stream.frames == 0: + stream.width = av_frame.width + stream.height = av_frame.height + + for packet in stream.encode(av_frame): + self._container.mux(packet) + + def set_video_filter( + self, + filter_sequence: List[Tuple[str, Union[str, dict]]] = None, + filter_graph: Tuple[dict, List] = None, + ) -> None: + """Set the filter(s) to use. + + This function creates a new FFMPEG filter graph to use when reading or + writing video. In the case of reading, frames are passed through the + filter graph before begin returned and, in case of writing, frames are + passed through the filter before being written to the video. + + Parameters + ---------- + filter_sequence : List[str, str, dict] + If not None, apply the given sequence of FFmpeg filters to each + ndimage. Check the (module-level) plugin docs for details and + examples. + filter_graph : (dict, List) + If not None, apply the given graph of FFmpeg filters to each + ndimage. The graph is given as a tuple of two dicts. The first dict + contains a (named) set of nodes, and the second dict contains a set + of edges between nodes of the previous dict. Check the + (module-level) plugin docs for details and examples. + + Notes + ----- + Changing a filter graph with lag during reading or writing will + currently cause frames in the filter queue to be lost. + + """ + + if filter_sequence is None and filter_graph is None: + self._video_filter = None + return + + if filter_sequence is None: + filter_sequence = list() + + node_descriptors: Dict[str, Tuple[str, Union[str, Dict]]] + edges: List[Tuple[str, str, int, int]] + if filter_graph is None: + node_descriptors, edges = dict(), [("video_in", "video_out", 0, 0)] + else: + node_descriptors, edges = filter_graph + + graph = av.filter.Graph() + + previous_node = graph.add_buffer(template=self._video_stream) + for filter_name, argument in filter_sequence: + if isinstance(argument, str): + current_node = graph.add(filter_name, argument) + else: + current_node = graph.add(filter_name, **argument) + previous_node.link_to(current_node) + previous_node = current_node + + nodes = dict() + nodes["video_in"] = previous_node + nodes["video_out"] = graph.add("buffersink") + for name, (filter_name, arguments) in node_descriptors.items(): + if isinstance(arguments, str): + nodes[name] = graph.add(filter_name, arguments) + else: + nodes[name] = graph.add(filter_name, **arguments) + + for from_note, to_node, out_idx, in_idx in edges: + nodes[from_note].link_to(nodes[to_node], out_idx, in_idx) + + graph.configure() + + def video_filter(): + # this starts a co-routine + # send frames using graph.send() + frame = yield None + + # send and receive frames in "parallel" + while frame is not None: + graph.push(frame) + try: + frame = yield graph.pull() + except av.error.BlockingIOError: + # filter has lag and needs more frames + frame = yield None + except av.error.EOFError: + break + + try: + # send EOF in av>=9.0 + graph.push(None) + except ValueError: # pragma: no cover + # handle av<9.0 + pass + + # all frames have been sent, empty the filter + while True: + try: + yield graph.pull() + except av.error.EOFError: + break # EOF + except av.error.BlockingIOError: # pragma: no cover + # handle av<9.0 + break + + self._video_filter = video_filter() + self._video_filter.send(None) + + @property + def container_metadata(self): + """Container-specific metadata. + + A dictionary containing metadata stored at the container level. + + """ + return self._container.metadata + + @property + def video_stream_metadata(self): + """Stream-specific metadata. + + A dictionary containing metadata stored at the stream level. + + """ + return self._video_stream.metadata + + # ------------------------------- + # Internals and private functions + # ------------------------------- + + def _unpack_frame(self, frame: av.VideoFrame, *, format: str = None) -> np.ndarray: + """Convert a av.VideoFrame into a ndarray + + Parameters + ---------- + frame : av.VideoFrame + The frame to unpack. + format : str + If not None, convert the frame to the given format before unpacking. + + """ + + if format is not None: + frame = frame.reformat(format=format) + + dtype = _format_to_dtype(frame.format) + shape = _get_frame_shape(frame) + + planes = list() + for idx in range(len(frame.planes)): + n_channels = sum( + [ + x.bits // (dtype.itemsize * 8) + for x in frame.format.components + if x.plane == idx + ] + ) + av_plane = frame.planes[idx] + plane_shape = (av_plane.height, av_plane.width) + plane_strides = (av_plane.line_size, n_channels * dtype.itemsize) + if n_channels > 1: + plane_shape += (n_channels,) + plane_strides += (dtype.itemsize,) + + np_plane = as_strided( + np.frombuffer(av_plane, dtype=dtype), + shape=plane_shape, + strides=plane_strides, + ) + planes.append(np_plane) + + if len(planes) > 1: + # Note: the planes *should* exist inside a contigous memory block + # somewhere inside av.Frame however pyAV does not appear to expose this, + # so we are forced to copy the planes individually instead of wrapping + # them :( + out = np.concatenate(planes).reshape(shape) + else: + out = planes[0] + + return out + + def _seek(self, index, *, constant_framerate: bool = True) -> Generator: + """Seeks to the frame at the given index.""" + + if index == self._next_idx: + return # fast path :) + + # we must decode at least once before we seek otherwise the + # returned frames become corrupt. + if self._next_idx == 0: + next(self._decoder) + self._next_idx += 1 + + if index == self._next_idx: + return # fast path :) + + # remove this branch until I find a way to efficiently find the next + # keyframe. keeping this as a reminder + # if self._next_idx < index and index < self._next_keyframe_idx: + # frames_to_yield = index - self._next_idx + if not constant_framerate and index > self._next_idx: + frames_to_yield = index - self._next_idx + elif not constant_framerate: + # seek backwards and can't link idx and pts + self._container.seek(0) + self._decoder = self._container.decode(video=0) + self._next_idx = 0 + + frames_to_yield = index + else: + # we know that the time between consecutive frames is constant + # hence we can link index and pts + + # how many pts lie between two frames + sec_delta = 1 / self._video_stream.guessed_rate + pts_delta = sec_delta / self._video_stream.time_base + + index_pts = int(index * pts_delta) + + # this only seeks to the closed (preceeding) keyframe + self._container.seek(index_pts, stream=self._video_stream) + self._decoder = self._container.decode(video=0) + + # this may be made faster if we could get the keyframe's time without + # decoding it + keyframe = next(self._decoder) + keyframe_time = keyframe.pts * keyframe.time_base + keyframe_pts = int(keyframe_time / self._video_stream.time_base) + keyframe_index = keyframe_pts // pts_delta + + self._container.seek(index_pts, stream=self._video_stream) + self._next_idx = keyframe_index + + frames_to_yield = index - keyframe_index + + for _ in range(frames_to_yield): + next(self._decoder) + self._next_idx += 1 + + def _flush_writer(self): + """Flush the filter and encoder + + This will reset the filter to `None` and send EoF to the encoder, + i.e., after calling, no more frames may be written. + + """ + + stream = self._video_stream + + if self._video_filter is not None: + # flush encoder + for av_frame in self._video_filter: + if stream.frames == 0: + stream.width = av_frame.width + stream.height = av_frame.height + for packet in stream.encode(av_frame): + self._container.mux(packet) + self._video_filter = None + + # flush stream + for packet in stream.encode(): + self._container.mux(packet) + self._video_stream = None diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/rawpy.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/rawpy.py new file mode 100644 index 0000000000000000000000000000000000000000..bde908f20f0476f4aabffe504127a8e9acc52fbd --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/rawpy.py @@ -0,0 +1,191 @@ +""" Read/Write images using rawpy. + +rawpy is an easy-to-use Python wrapper for the LibRaw library. +It also contains some extra functionality for finding and repairing hot/dead pixels. +""" + +from typing import Any, Dict, Iterator, List, Optional, Tuple, Union +import rawpy +import numpy as np + +from ..core.request import URI_BYTES, InitializationError, IOMode, Request +from ..core.v3_plugin_api import ImageProperties, PluginV3 +from ..typing import ArrayLike + + +class RawPyPlugin(PluginV3): + """A class representing the rawpy plugin. + + Methods + ------- + + .. autosummary:: + :toctree: _plugins/rawpy + + RawPyPlugin.read + """ + + def __init__(self, request: Request) -> None: + """Instantiates a new rawpy plugin object + + Parameters + ---------- + request: Request + A request object representing the resource to be operated on. + """ + + super().__init__(request) + + self._image_file = None + + if request.mode.io_mode == IOMode.read: + try: + self._image_file = rawpy.imread(request.get_file()) + except ( + rawpy.NotSupportedError, + rawpy.LibRawFileUnsupportedError, + rawpy.LibRawIOError, + ): + if request._uri_type == URI_BYTES: + raise InitializationError( + "RawPy can not read the provided bytes." + ) from None + else: + raise InitializationError( + f"RawPy can not read {request.raw_uri}." + ) from None + elif request.mode.io_mode == IOMode.write: + raise InitializationError("RawPy does not support writing.") from None + + def close(self) -> None: + if self._image_file: + self._image_file.close() + + self._request.finish() + + def read(self, *, index: int = 0, **kwargs) -> np.ndarray: + """Read Raw Image. + + Returns + ------- + nd_image: ndarray + The image data + """ + + nd_image: np.ndarray + + try: + nd_image = self._image_file.postprocess(**kwargs) + except Exception: + pass + + if index is Ellipsis: + nd_image = nd_image[None, ...] + + return nd_image + + def write(self, ndimage: Union[ArrayLike, List[ArrayLike]]) -> Optional[bytes]: + """RawPy does not support writing.""" + raise NotImplementedError() + + def iter(self) -> Iterator[np.ndarray]: + """Load the image. + + Returns + ------- + nd_image: ndarray + The image data + """ + + try: + yield self.read() + except Exception: + pass + + def metadata( + self, index: int = None, exclude_applied: bool = True + ) -> Dict[str, Any]: + """Read ndimage metadata. + + Parameters + ---------- + exclude_applied : bool + If True, exclude metadata fields that are applied to the image while + reading. For example, if the binary data contains a rotation flag, + the image is rotated by default and the rotation flag is excluded + from the metadata to avoid confusion. + + Returns + ------- + metadata : dict + A dictionary of format-specific metadata. + + """ + + metadata = {} + + image_size = self._image_file.sizes + + metadata["black_level_per_channel"] = self._image_file.black_level_per_channel + metadata["camera_white_level_per_channel"] = ( + self._image_file.camera_white_level_per_channel + ) + metadata["color_desc"] = self._image_file.color_desc + metadata["color_matrix"] = self._image_file.color_matrix + metadata["daylight_whitebalance"] = self._image_file.daylight_whitebalance + metadata["dtype"] = self._image_file.raw_image.dtype + metadata["flip"] = image_size.flip + metadata["num_colors"] = self._image_file.num_colors + metadata["tone_curve"] = self._image_file.tone_curve + metadata["width"] = image_size.width + metadata["height"] = image_size.height + metadata["raw_width"] = image_size.raw_width + metadata["raw_height"] = image_size.raw_height + metadata["raw_shape"] = self._image_file.raw_image.shape + metadata["iwidth"] = image_size.iwidth + metadata["iheight"] = image_size.iheight + metadata["pixel_aspect"] = image_size.pixel_aspect + metadata["white_level"] = self._image_file.white_level + + if exclude_applied: + metadata.pop("black_level_per_channel", None) + metadata.pop("camera_white_level_per_channel", None) + metadata.pop("color_desc", None) + metadata.pop("color_matrix", None) + metadata.pop("daylight_whitebalance", None) + metadata.pop("dtype", None) + metadata.pop("flip", None) + metadata.pop("num_colors", None) + metadata.pop("tone_curve", None) + metadata.pop("raw_width", None) + metadata.pop("raw_height", None) + metadata.pop("raw_shape", None) + metadata.pop("iwidth", None) + metadata.pop("iheight", None) + metadata.pop("white_level", None) + + return metadata + + def properties(self, index: int = None) -> ImageProperties: + """Standardized ndimage metadata + + Returns + ------- + properties : ImageProperties + A dataclass filled with standardized image metadata. + + Notes + ----- + This does not decode pixel data and is fast for large images. + + """ + + ImageSize = self._image_file.sizes + + width: int = ImageSize.width + height: int = ImageSize.height + shape: Tuple[int, ...] = (height, width) + + dtype = self._image_file.raw_image.dtype + + return ImageProperties(shape=shape, dtype=dtype) diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/swf.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/swf.py new file mode 100644 index 0000000000000000000000000000000000000000..9d507ddeeb8576de8fc3e11b5cdb865e448db17e --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/plugins/swf.py @@ -0,0 +1,336 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +""" Read/Write SWF files. + +Backend: internal + +Shockwave flash (SWF) is a media format designed for rich and +interactive animations. This plugin makes use of this format to +store a series of images in a lossless format with good compression +(zlib). The resulting images can be shown as an animation using +a flash player (such as the browser). + +SWF stores images in RGBA format. RGB or grayscale images are +automatically converted. SWF does not support meta data. + +Parameters for reading +---------------------- +loop : bool + If True, the video will rewind as soon as a frame is requested + beyond the last frame. Otherwise, IndexError is raised. Default False. + +Parameters for saving +--------------------- +fps : int + The speed to play the animation. Default 12. +loop : bool + If True, add a tag to the end of the file to play again from + the first frame. Most flash players will then play the movie + in a loop. Note that the imageio SWF Reader does not check this + tag. Default True. +html : bool + If the output is a file on the file system, write an html file + (in HTML5) that shows the animation. Default False. +compress : bool + Whether to compress the swf file. Default False. You probably don't + want to use this. This does not decrease the file size since + the images are already compressed. It will result in slower + read and write time. The only purpose of this feature is to + create compressed SWF files, so that we can test the + functionality to read them. + +""" + +import os +import zlib +import logging +from io import BytesIO + +import numpy as np + +from ..core import Format, read_n_bytes, image_as_uint + + +logger = logging.getLogger(__name__) + +_swf = None # lazily loaded in lib() + + +def load_lib(): + global _swf + from . import _swf + + return _swf + + +class SWFFormat(Format): + """See :mod:`imageio.plugins.swf`""" + + def _can_read(self, request): + tmp = request.firstbytes[0:3].decode("ascii", "ignore") + if tmp in ("FWS", "CWS"): + return True + + def _can_write(self, request): + if request.extension in self.extensions: + return True + + # -- reader + + class Reader(Format.Reader): + def _open(self, loop=False): + if not _swf: + load_lib() + + self._arg_loop = bool(loop) + + self._fp = self.request.get_file() + + # Check file ... + tmp = self.request.firstbytes[0:3].decode("ascii", "ignore") + if tmp == "FWS": + pass # OK + elif tmp == "CWS": + # Compressed, we need to decompress + bb = self._fp.read() + bb = bb[:8] + zlib.decompress(bb[8:]) + # Wrap up in a file object + self._fp = BytesIO(bb) + else: + raise IOError("This does not look like a valid SWF file") + + # Skip first bytes. This also tests support got seeking ... + try: + self._fp.seek(8) + self._streaming_mode = False + except Exception: + self._streaming_mode = True + self._fp_read(8) + + # Skip header + # Note that the number of frames is there, which we could + # potentially use, but the number of frames does not necessarily + # correspond to the number of images. + nbits = _swf.bits2int(self._fp_read(1), 5) + nbits = 5 + nbits * 4 + Lrect = nbits / 8.0 + if Lrect % 1: + Lrect += 1 + Lrect = int(Lrect) + self._fp_read(Lrect + 3) + + # Now the rest is basically tags ... + self._imlocs = [] # tuple (loc, sze, T, L1) + if not self._streaming_mode: + # Collect locations of frame, while skipping through the data + # This does not read any of the tag *data*. + try: + while True: + isimage, sze, T, L1 = self._read_one_tag() + loc = self._fp.tell() + if isimage: + # Still need to check if the format is right + format = ord(self._fp_read(3)[2:]) + if format == 5: # RGB or RGBA lossless + self._imlocs.append((loc, sze, T, L1)) + self._fp.seek(loc + sze) # Skip over tag + except IndexError: + pass # done reading + + def _fp_read(self, n): + return read_n_bytes(self._fp, n) + + def _close(self): + pass + + def _get_length(self): + if self._streaming_mode: + return np.inf + else: + return len(self._imlocs) + + def _get_data(self, index): + # Check index + if index < 0: + raise IndexError("Index in swf file must be > 0") + if not self._streaming_mode: + if self._arg_loop and self._imlocs: + index = index % len(self._imlocs) + if index >= len(self._imlocs): + raise IndexError("Index out of bounds") + + if self._streaming_mode: + # Walk over tags until we find an image + while True: + isimage, sze, T, L1 = self._read_one_tag() + bb = self._fp_read(sze) # always read data + if isimage: + im = _swf.read_pixels(bb, 0, T, L1) # can be None + if im is not None: + return im, {} + + else: + # Go to corresponding location, read data, and convert to image + loc, sze, T, L1 = self._imlocs[index] + self._fp.seek(loc) + bb = self._fp_read(sze) + # Read_pixels should return ndarry, since we checked format + im = _swf.read_pixels(bb, 0, T, L1) + return im, {} + + def _read_one_tag(self): + """ + Return (True, loc, size, T, L1) if an image that we can read. + Return (False, loc, size, T, L1) if any other tag. + """ + + # Get head + head = self._fp_read(6) + if not head: # pragma: no cover + raise IndexError("Reached end of swf movie") + + # Determine type and length + T, L1, L2 = _swf.get_type_and_len(head) + if not L2: # pragma: no cover + raise RuntimeError("Invalid tag length, could not proceed") + + # Read data + isimage = False + sze = L2 - 6 + # bb = self._fp_read(L2 - 6) + + # Parse tag + if T == 0: + raise IndexError("Reached end of swf movie") + elif T in [20, 36]: + isimage = True + # im = _swf.read_pixels(bb, 0, T, L1) # can be None + elif T in [6, 21, 35, 90]: # pragma: no cover + logger.warning("Ignoring JPEG image: cannot read JPEG.") + else: + pass # Not an image tag + + # Done. Return image. Can be None + # return im + return isimage, sze, T, L1 + + def _get_meta_data(self, index): + return {} # This format does not support meta data + + # -- writer + + class Writer(Format.Writer): + def _open(self, fps=12, loop=True, html=False, compress=False): + if not _swf: + load_lib() + + self._arg_fps = int(fps) + self._arg_loop = bool(loop) + self._arg_html = bool(html) + self._arg_compress = bool(compress) + + self._fp = self.request.get_file() + self._framecounter = 0 + self._framesize = (100, 100) + + # For compress, we use an in-memory file object + if self._arg_compress: + self._fp_real = self._fp + self._fp = BytesIO() + + def _close(self): + self._complete() + # Get size of (uncompressed) file + sze = self._fp.tell() + # set nframes, this is in the potentially compressed region + self._fp.seek(self._location_to_save_nframes) + self._fp.write(_swf.int2uint16(self._framecounter)) + # Compress body? + if self._arg_compress: + bb = self._fp.getvalue() + self._fp = self._fp_real + self._fp.write(bb[:8]) + self._fp.write(zlib.compress(bb[8:])) + sze = self._fp.tell() # renew sze value + # set size + self._fp.seek(4) + self._fp.write(_swf.int2uint32(sze)) + self._fp = None # Disable + + # Write html? + if self._arg_html and os.path.isfile(self.request.filename): + dirname, fname = os.path.split(self.request.filename) + filename = os.path.join(dirname, fname[:-4] + ".html") + w, h = self._framesize + html = HTML % (fname, w, h, fname) + with open(filename, "wb") as f: + f.write(html.encode("utf-8")) + + def _write_header(self, framesize, fps): + self._framesize = framesize + # Called as soon as we know framesize; when we get first frame + bb = b"" + bb += "FC"[self._arg_compress].encode("ascii") + bb += "WS".encode("ascii") # signature bytes + bb += _swf.int2uint8(8) # version + bb += "0000".encode("ascii") # FileLength (leave open for now) + bb += ( + _swf.Tag().make_rect_record(0, framesize[0], 0, framesize[1]).tobytes() + ) + bb += _swf.int2uint8(0) + _swf.int2uint8(fps) # FrameRate + self._location_to_save_nframes = len(bb) + bb += "00".encode("ascii") # nframes (leave open for now) + self._fp.write(bb) + + # Write some initial tags + taglist = _swf.FileAttributesTag(), _swf.SetBackgroundTag(0, 0, 0) + for tag in taglist: + self._fp.write(tag.get_tag()) + + def _complete(self): + # What if no images were saved? + if not self._framecounter: + self._write_header((10, 10), self._arg_fps) + # Write stop tag if we do not loop + if not self._arg_loop: + self._fp.write(_swf.DoActionTag("stop").get_tag()) + # finish with end tag + self._fp.write("\x00\x00".encode("ascii")) + + def _append_data(self, im, meta): + # Correct shape and type + if im.ndim == 3 and im.shape[-1] == 1: + im = im[:, :, 0] + im = image_as_uint(im, bitdepth=8) + # Get frame size + wh = im.shape[1], im.shape[0] + # Write header on first frame + isfirstframe = False + if self._framecounter == 0: + isfirstframe = True + self._write_header(wh, self._arg_fps) + # Create tags + bm = _swf.BitmapTag(im) + sh = _swf.ShapeTag(bm.id, (0, 0), wh) + po = _swf.PlaceObjectTag(1, sh.id, move=(not isfirstframe)) + sf = _swf.ShowFrameTag() + # Write tags + for tag in [bm, sh, po, sf]: + self._fp.write(tag.get_tag()) + self._framecounter += 1 + + def set_meta_data(self, meta): + pass + + +HTML = """ + + + + Show Flash animation %s + + + + +""" diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/py.typed b/evalkit_tf446/lib/python3.10/site-packages/imageio/py.typed new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/testing.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/testing.py new file mode 100644 index 0000000000000000000000000000000000000000..535b1386d92d5f452826d3d05f7e93059607a759 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/testing.py @@ -0,0 +1,69 @@ +# -*- coding: utf-8 -*- +# Distributed under the (new) BSD License. See LICENSE.txt for more info. + +""" Functionality used for testing. This code itself is not covered in tests. +""" + +import os +import sys +import pytest + +# Get root dir +THIS_DIR = os.path.abspath(os.path.dirname(__file__)) +ROOT_DIR = THIS_DIR +for i in range(9): + ROOT_DIR = os.path.dirname(ROOT_DIR) + if os.path.isfile(os.path.join(ROOT_DIR, ".gitignore")): + break + + +# Functions to use from invoke tasks + + +def test_unit(cov_report="term"): + """Run all unit tests. Returns exit code.""" + orig_dir = os.getcwd() + os.chdir(ROOT_DIR) + try: + _clear_imageio() + _enable_faulthandler() + return pytest.main( + [ + "-v", + "--cov", + "imageio", + "--cov-config", + ".coveragerc", + "--cov-report", + cov_report, + "tests", + ] + ) + finally: + os.chdir(orig_dir) + import imageio + + print("Tests were performed on", str(imageio)) + + +# Requirements + + +def _enable_faulthandler(): + """Enable faulthandler (if we can), so that we get tracebacks + on segfaults. + """ + try: + import faulthandler + + faulthandler.enable() + print("Faulthandler enabled") + except Exception: + print("Could not enable faulthandler") + + +def _clear_imageio(): + # Remove ourselves from sys.modules to force an import + for key in list(sys.modules.keys()): + if key.startswith("imageio"): + del sys.modules[key] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/typing.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/typing.py new file mode 100644 index 0000000000000000000000000000000000000000..1e97d5b1d8079059a2e3b1f4674b878e17534f24 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/typing.py @@ -0,0 +1,17 @@ +from io import BytesIO +from typing import Union, BinaryIO +from pathlib import Path + +try: + from numpy.typing import ArrayLike +except ImportError: + # numpy<1.20 fall back to using ndarray + from numpy import ndarray as ArrayLike + +ImageResource = Union[str, bytes, BytesIO, Path, BinaryIO] + + +__all__ = [ + "ArrayLike", + "ImageResource", +] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/v2.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/v2.py new file mode 100644 index 0000000000000000000000000000000000000000..db2963b7cb3a634bbb9d25ddbb0f64f95dd9391a --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/v2.py @@ -0,0 +1,676 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +import re +import warnings +from numbers import Number +from pathlib import Path +from typing import Dict + +import numpy as np + +from imageio.core.legacy_plugin_wrapper import LegacyPlugin +from imageio.core.util import Array +from imageio.core.v3_plugin_api import PluginV3 + +from . import formats +from .config import known_extensions, known_plugins +from .core import RETURN_BYTES +from .core.imopen import imopen + +MEMTEST_DEFAULT_MIM = "256MB" +MEMTEST_DEFAULT_MVOL = "1GB" + + +mem_re = re.compile(r"^(\d+\.?\d*)\s*([kKMGTPEZY]?i?)B?$") +sizes = {"": 1, None: 1} +for i, si in enumerate([""] + list("kMGTPEZY")): + sizes[si] = 1000**i + if si: + sizes[si.upper() + "i"] = 1024**i + + +def to_nbytes(arg, default=None): + if not arg: + arg = float("inf") + + if arg is True: + arg = default + + if isinstance(arg, Number): + return arg + + match = mem_re.match(arg) + if match is None: + raise ValueError( + "Memory size could not be parsed " + "(is your capitalisation correct?): {}".format(arg) + ) + + num, unit = match.groups() + + try: + return float(num) * sizes[unit] + except KeyError: # pragma: no cover + # Note: I don't think we can reach this + raise ValueError( + "Memory size unit not recognised " + "(is your capitalisation correct?): {}".format(unit) + ) + + +def help(name=None): + """help(name=None) + + Print the documentation of the format specified by name, or a list + of supported formats if name is omitted. + + Parameters + ---------- + name : str + Can be the name of a format, a filename extension, or a full + filename. See also the :doc:`formats page <../formats/index>`. + """ + if not name: + print(formats) + else: + print(formats[name]) + + +def decypher_format_arg(format_name: str) -> Dict[str, str]: + """Split format into plugin and format + + The V2 API aliases plugins and supported formats. This function + splits these so that they can be fed separately to `iio.imopen`. + + """ + + plugin = None + extension = None + + if format_name is None: + pass # nothing to do + elif Path(format_name).suffix.lower() in known_extensions: + extension = Path(format_name).suffix.lower() + elif format_name in known_plugins: + plugin = format_name + elif format_name.upper() in known_plugins: + plugin = format_name.upper() + elif format_name.lower() in known_extensions: + extension = format_name.lower() + elif "." + format_name.lower() in known_extensions: + extension = "." + format_name.lower() + else: + raise IndexError(f"No format known by name `{plugin}`.") + + return {"plugin": plugin, "extension": extension} + + +class LegacyReader: + def __init__(self, plugin_instance: PluginV3, **kwargs): + self.instance = plugin_instance + self.last_index = 0 + self.closed = False + + if ( + type(self.instance).__name__ == "PillowPlugin" + and kwargs.get("pilmode") is not None + ): + kwargs["mode"] = kwargs["pilmode"] + del kwargs["pilmode"] + + self.read_args = kwargs + + def close(self): + if not self.closed: + self.instance.close() + self.closed = True + + def __enter__(self): + return self + + def __exit__(self, type, value, traceback): + self.close() + + def __del__(self): + self.close() + + @property + def request(self): + return self.instance.request + + @property + def format(self): + raise TypeError("V3 Plugins don't have a format.") + + def get_length(self): + return self.instance.properties(index=...).n_images + + def get_data(self, index): + self.last_index = index + img = self.instance.read(index=index, **self.read_args) + metadata = self.instance.metadata(index=index, exclude_applied=False) + return Array(img, metadata) + + def get_next_data(self): + return self.get_data(self.last_index + 1) + + def set_image_index(self, index): + self.last_index = index - 1 + + def get_meta_data(self, index=None): + return self.instance.metadata(index=index, exclude_applied=False) + + def iter_data(self): + for idx, img in enumerate(self.instance.iter()): + metadata = self.instance.metadata(index=idx, exclude_applied=False) + yield Array(img, metadata) + + def __iter__(self): + return self.iter_data() + + def __len__(self): + return self.get_length() + + +class LegacyWriter: + def __init__(self, plugin_instance: PluginV3, **kwargs): + self.instance = plugin_instance + self.last_index = 0 + self.closed = False + + if type(self.instance).__name__ == "PillowPlugin" and "pilmode" in kwargs: + kwargs["mode"] = kwargs["pilmode"] + del kwargs["pilmode"] + + self.write_args = kwargs + + def close(self): + if not self.closed: + self.instance.close() + self.closed = True + + def __enter__(self): + return self + + def __exit__(self, type, value, traceback): + self.close() + + def __del__(self): + self.close() + + @property + def request(self): + return self.instance.request + + @property + def format(self): + raise TypeError("V3 Plugins don't have a format.") + + def append_data(self, im, meta=None): + # TODO: write metadata in the future; there is currently no + # generic way to do this with v3 plugins :( + if meta is not None: + warnings.warn( + "V3 Plugins currently don't have a uniform way to" + " write metadata, so any metadata is ignored." + ) + + # total_meta = dict() + # if meta is None: + # meta = {} + # if hasattr(im, "meta") and isinstance(im.meta, dict): + # total_meta.update(im.meta) + # total_meta.update(meta) + + return self.instance.write(im, **self.write_args) + + def set_meta_data(self, meta): + # TODO: write metadata + raise NotImplementedError( + "V3 Plugins don't have a uniform way to write metadata (yet)." + ) + + +def is_batch(ndimage): + if isinstance(ndimage, (list, tuple)): + return True + + ndimage = np.asarray(ndimage) + if ndimage.ndim <= 2: + return False + elif ndimage.ndim == 3 and ndimage.shape[2] < 5: + return False + + return True + + +def is_volume(ndimage): + ndimage = np.asarray(ndimage) + if not is_batch(ndimage): + return False + + if ndimage.ndim == 3 and ndimage.shape[2] >= 5: + return True + elif ndimage.ndim == 4 and ndimage.shape[3] < 5: + return True + else: + return False + + +# Base functions that return a reader/writer + + +def get_reader(uri, format=None, mode="?", **kwargs): + """get_reader(uri, format=None, mode='?', **kwargs) + + Returns a :class:`.Reader` object which can be used to read data + and meta data from the specified file. + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the image from, e.g. a filename, pathlib.Path, + http address or file object, see the docs for more info. + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + mode : {'i', 'I', 'v', 'V', '?'} + Used to give the reader a hint on what the user expects (default "?"): + "i" for an image, "I" for multiple images, "v" for a volume, + "V" for multiple volumes, "?" for don't care. + kwargs : ... + Further keyword arguments are passed to the reader. See :func:`.help` + to see what arguments are available for a particular format. + """ + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + + image_file = imopen(uri, "r" + mode, **imopen_args) + + if isinstance(image_file, LegacyPlugin): + return image_file.legacy_get_reader(**kwargs) + else: + return LegacyReader(image_file, **kwargs) + + +def get_writer(uri, format=None, mode="?", **kwargs): + """get_writer(uri, format=None, mode='?', **kwargs) + + Returns a :class:`.Writer` object which can be used to write data + and meta data to the specified file. + + Parameters + ---------- + uri : {str, pathlib.Path, file} + The resource to write the image to, e.g. a filename, pathlib.Path + or file object, see the docs for more info. + format : str + The format to use to write the file. By default imageio selects + the appropriate for you based on the filename. + mode : {'i', 'I', 'v', 'V', '?'} + Used to give the writer a hint on what the user expects (default '?'): + "i" for an image, "I" for multiple images, "v" for a volume, + "V" for multiple volumes, "?" for don't care. + kwargs : ... + Further keyword arguments are passed to the writer. See :func:`.help` + to see what arguments are available for a particular format. + """ + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + + image_file = imopen(uri, "w" + mode, **imopen_args) + if isinstance(image_file, LegacyPlugin): + return image_file.legacy_get_writer(**kwargs) + else: + return LegacyWriter(image_file, **kwargs) + + +# Images + + +def imread(uri, format=None, **kwargs): + """imread(uri, format=None, **kwargs) + + Reads an image from the specified file. Returns a numpy array, which + comes with a dict of meta data at its 'meta' attribute. + + Note that the image data is returned as-is, and may not always have + a dtype of uint8 (and thus may differ from what e.g. PIL returns). + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the image from, e.g. a filename, pathlib.Path, + http address or file object, see the docs for more info. + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + kwargs : ... + Further keyword arguments are passed to the reader. See :func:`.help` + to see what arguments are available for a particular format. + """ + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + + with imopen(uri, "ri", **imopen_args) as file: + result = file.read(index=0, **kwargs) + + return result + + +def imwrite(uri, im, format=None, **kwargs): + """imwrite(uri, im, format=None, **kwargs) + + Write an image to the specified file. + + Parameters + ---------- + uri : {str, pathlib.Path, file} + The resource to write the image to, e.g. a filename, pathlib.Path + or file object, see the docs for more info. + im : numpy.ndarray + The image data. Must be NxM, NxMx3 or NxMx4. + format : str + The format to use to write the file. By default imageio selects + the appropriate for you based on the filename and its contents. + kwargs : ... + Further keyword arguments are passed to the writer. See :func:`.help` + to see what arguments are available for a particular format. + """ + + # Test image + imt = type(im) + im = np.asarray(im) + if not np.issubdtype(im.dtype, np.number): + raise ValueError("Image is not numeric, but {}.".format(imt.__name__)) + + if is_batch(im) or im.ndim < 2: + raise ValueError("Image must be 2D (grayscale, RGB, or RGBA).") + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + with imopen(uri, "wi", **imopen_args) as file: + return file.write(im, **kwargs) + + +# Multiple images + + +def mimread(uri, format=None, memtest=MEMTEST_DEFAULT_MIM, **kwargs): + """mimread(uri, format=None, memtest="256MB", **kwargs) + + Reads multiple images from the specified file. Returns a list of + numpy arrays, each with a dict of meta data at its 'meta' attribute. + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the images from, e.g. a filename,pathlib.Path, + http address or file object, see the docs for more info. + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + memtest : {bool, int, float, str} + If truthy, this function will raise an error if the resulting + list of images consumes greater than the amount of memory specified. + This is to protect the system from using so much memory that it needs + to resort to swapping, and thereby stall the computer. E.g. + ``mimread('hunger_games.avi')``. + + If the argument is a number, that will be used as the threshold number + of bytes. + + If the argument is a string, it will be interpreted as a number of bytes with + SI/IEC prefixed units (e.g. '1kB', '250MiB', '80.3YB'). + + - Units are case sensitive + - k, M etc. represent a 1000-fold change, where Ki, Mi etc. represent 1024-fold + - The "B" is optional, but if present, must be capitalised + + If the argument is True, the default will be used, for compatibility reasons. + + Default: '256MB' + kwargs : ... + Further keyword arguments are passed to the reader. See :func:`.help` + to see what arguments are available for a particular format. + """ + + # used for mimread and mvolread + nbyte_limit = to_nbytes(memtest, MEMTEST_DEFAULT_MIM) + + images = list() + nbytes = 0 + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + with imopen(uri, "rI", **imopen_args) as file: + for image in file.iter(**kwargs): + images.append(image) + nbytes += image.nbytes + if nbytes > nbyte_limit: + raise RuntimeError( + "imageio.mimread() has read over {}B of " + "image data.\nStopped to avoid memory problems." + " Use imageio.get_reader(), increase threshold, or memtest=False".format( + int(nbyte_limit) + ) + ) + + if len(images) == 1 and is_batch(images[0]): + images = [*images[0]] + + return images + + +def mimwrite(uri, ims, format=None, **kwargs): + """mimwrite(uri, ims, format=None, **kwargs) + + Write multiple images to the specified file. + + Parameters + ---------- + uri : {str, pathlib.Path, file} + The resource to write the images to, e.g. a filename, pathlib.Path + or file object, see the docs for more info. + ims : sequence of numpy arrays + The image data. Each array must be NxM, NxMx3 or NxMx4. + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + kwargs : ... + Further keyword arguments are passed to the writer. See :func:`.help` + to see what arguments are available for a particular format. + """ + + if not is_batch(ims): + raise ValueError("Image data must be a sequence of ndimages.") + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + with imopen(uri, "wI", **imopen_args) as file: + return file.write(ims, is_batch=True, **kwargs) + + +# Volumes + + +def volread(uri, format=None, **kwargs): + """volread(uri, format=None, **kwargs) + + Reads a volume from the specified file. Returns a numpy array, which + comes with a dict of meta data at its 'meta' attribute. + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the volume from, e.g. a filename, pathlib.Path, + http address or file object, see the docs for more info. + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + kwargs : ... + Further keyword arguments are passed to the reader. See :func:`.help` + to see what arguments are available for a particular format. + """ + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + with imopen(uri, "rv", **imopen_args) as file: + return file.read(index=0, **kwargs) + + +def volwrite(uri, im, format=None, **kwargs): + """volwrite(uri, vol, format=None, **kwargs) + + Write a volume to the specified file. + + Parameters + ---------- + uri : {str, pathlib.Path, file} + The resource to write the image to, e.g. a filename, pathlib.Path + or file object, see the docs for more info. + vol : numpy.ndarray + The image data. Must be NxMxL (or NxMxLxK if each voxel is a tuple). + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + kwargs : ... + Further keyword arguments are passed to the writer. See :func:`.help` + to see what arguments are available for a particular format. + """ + + # Test image + im = np.asarray(im) + if not is_volume(im): + raise ValueError("Image must be 3D, or 4D if each voxel is a tuple.") + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + + with imopen(uri, "wv", **imopen_args) as file: + return file.write(im, is_batch=False, **kwargs) + + +# Multiple volumes + + +def mvolread(uri, format=None, memtest=MEMTEST_DEFAULT_MVOL, **kwargs): + """mvolread(uri, format=None, memtest='1GB', **kwargs) + + Reads multiple volumes from the specified file. Returns a list of + numpy arrays, each with a dict of meta data at its 'meta' attribute. + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the volumes from, e.g. a filename, pathlib.Path, + http address or file object, see the docs for more info. + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + memtest : {bool, int, float, str} + If truthy, this function will raise an error if the resulting + list of images consumes greater than the amount of memory specified. + This is to protect the system from using so much memory that it needs + to resort to swapping, and thereby stall the computer. E.g. + ``mimread('hunger_games.avi')``. + + If the argument is a number, that will be used as the threshold number + of bytes. + + If the argument is a string, it will be interpreted as a number of bytes with + SI/IEC prefixed units (e.g. '1kB', '250MiB', '80.3YB'). + + - Units are case sensitive + - k, M etc. represent a 1000-fold change, where Ki, Mi etc. represent 1024-fold + - The "B" is optional, but if present, must be capitalised + + If the argument is True, the default will be used, for compatibility reasons. + + Default: '1GB' + kwargs : ... + Further keyword arguments are passed to the reader. See :func:`.help` + to see what arguments are available for a particular format. + """ + + # used for mimread and mvolread + nbyte_limit = to_nbytes(memtest, MEMTEST_DEFAULT_MVOL) + + images = list() + nbytes = 0 + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + with imopen(uri, "rV", **imopen_args) as file: + for image in file.iter(**kwargs): + images.append(image) + nbytes += image.nbytes + if nbytes > nbyte_limit: + raise RuntimeError( + "imageio.mimread() has read over {}B of " + "image data.\nStopped to avoid memory problems." + " Use imageio.get_reader(), increase threshold, or memtest=False".format( + int(nbyte_limit) + ) + ) + + return images + + +def mvolwrite(uri, ims, format=None, **kwargs): + """mvolwrite(uri, vols, format=None, **kwargs) + + Write multiple volumes to the specified file. + + Parameters + ---------- + uri : {str, pathlib.Path, file} + The resource to write the volumes to, e.g. a filename, pathlib.Path + or file object, see the docs for more info. + ims : sequence of numpy arrays + The image data. Each array must be NxMxL (or NxMxLxK if each + voxel is a tuple). + format : str + The format to use to read the file. By default imageio selects + the appropriate for you based on the filename and its contents. + kwargs : ... + Further keyword arguments are passed to the writer. See :func:`.help` + to see what arguments are available for a particular format. + """ + + for im in ims: + if not is_volume(im): + raise ValueError("Image must be 3D, or 4D if each voxel is a tuple.") + + imopen_args = decypher_format_arg(format) + imopen_args["legacy_mode"] = True + with imopen(uri, "wV", **imopen_args) as file: + return file.write(ims, is_batch=True, **kwargs) + + +# aliases +read = get_reader +save = get_writer +imsave = imwrite +mimsave = mimwrite +volsave = volwrite +mvolsave = mvolwrite + +__all__ = [ + "imread", + "mimread", + "volread", + "mvolread", + "imwrite", + "mimwrite", + "volwrite", + "mvolwrite", + # misc + "help", + "get_reader", + "get_writer", + "RETURN_BYTES", +] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/v2.pyi b/evalkit_tf446/lib/python3.10/site-packages/imageio/v2.pyi new file mode 100644 index 0000000000000000000000000000000000000000..19adc32ef07c8864679a9d70578342bfd7823037 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/v2.pyi @@ -0,0 +1,75 @@ +# -*- coding: utf-8 -*- +# imageio is distributed under the terms of the (new) BSD License. + +from typing import Dict, Literal, Union, List, overload + +import numpy as np + +from .core.imopen import imopen +from .core import RETURN_BYTES, Array +from .typing import ImageResource, ArrayLike +from .core.format import Format + +MEMTEST_DEFAULT_MIM = "256MB" +MEMTEST_DEFAULT_MVOL = "1GB" + +def to_nbytes(arg: float = None, default=None) -> float: ... +def help(name=None) -> None: ... +def decypher_format_arg(format_name: Union[str, None]) -> Dict[str, str]: ... +def get_reader( + uri: ImageResource, format: Format = None, mode: str = "?", **kwargs +) -> Format.Reader: ... +def get_writer( + uri: ImageResource, format: Format = None, mode: str = "?", **kwargs +) -> Format.Writer: ... +def imread(uri: ImageResource, format: Format = None, **kwargs) -> Array: ... +@overload +def imwrite( + uri: Literal[""], im: ArrayLike, format: Format = None, **kwargs +) -> bytes: ... +@overload +def imwrite( + uri: ImageResource, im: ArrayLike, format: Format = None, **kwargs +) -> None: ... +def mimread( + uri: ImageResource, format: Format = None, memtest=MEMTEST_DEFAULT_MIM, **kwargs +) -> List[Array]: ... +@overload +def mimwrite( + uri: Literal[""], ims: List[ArrayLike], format: Format = None, **kwargs +) -> bytes: ... +@overload +def mimwrite( + uri: ImageResource, ims: List[ArrayLike], format: Format = None, **kwargs +) -> None: ... +def volread(uri: ImageResource, format: Format = None, **kwargs) -> Array: ... +@overload +def volwrite( + uri: Literal[""], im: ArrayLike, format: Format = None, **kwargs +) -> bytes: ... +@overload +def volwrite( + uri: ImageResource, im: ArrayLike, format: Format = None, **kwargs +) -> None: ... +def mvolread( + uri: ImageResource, + format: Format = None, + memtest: float = MEMTEST_DEFAULT_MVOL, + **kwargs +) -> List[Array]: ... +@overload +def mvolwrite( + uri: Literal[""], ims: List[ArrayLike], format: Format = None, **kwargs +) -> bytes: ... +@overload +def mvolwrite( + uri: ImageResource, ims: List[ArrayLike], format: Format = None, **kwargs +) -> None: ... + +# aliases +read = get_reader +save = get_writer +imsave = imwrite +mimsave = mimwrite +volsave = volwrite +mvolsave = mvolwrite diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/v3.py b/evalkit_tf446/lib/python3.10/site-packages/imageio/v3.py new file mode 100644 index 0000000000000000000000000000000000000000..65d36e57fbf6f935981cbeeb710f078df8872206 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/v3.py @@ -0,0 +1,259 @@ +import numpy as np + +from .core.imopen import imopen + + +def imread(uri, *, index=None, plugin=None, extension=None, format_hint=None, **kwargs): + """Read an ndimage from a URI. + + Opens the given URI and reads an ndimage from it. The exact behavior + depends on both the file type and plugin used to open the file. To learn + about the exact behavior, check the documentation of the relevant plugin. + Typically, imread attempts to read all data stored in the URI. + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the image from, e.g. a filename, pathlib.Path, + http address or file object, see the docs for more info. + index : {int, Ellipsis, None} + If the ImageResource contains multiple ndimages, and index is an + integer, select the index-th ndimage from among them and return it. If + index is an ellipsis (...), read all ndimages in the file and stack them + along a new batch dimension. If index is None, let the plugin decide. + plugin : {str, None} + The plugin to use. If set to None (default) imread will perform a + search for a matching plugin. If not None, this takes priority over + the provided format hint (if present). + extension : str + If not None, treat the provided ImageResource as if it had the given + extension. This affects the order in which backends are considered. + format_hint : str + Deprecated. Use `extension` instead. + **kwargs : + Additional keyword arguments will be passed to the plugin's read call. + + Returns + ------- + image : ndimage + The ndimage located at the given URI. + """ + + plugin_kwargs = { + "legacy_mode": False, + "plugin": plugin, + "format_hint": format_hint, + "extension": extension, + } + + call_kwargs = kwargs + if index is not None: + call_kwargs["index"] = index + + with imopen(uri, "r", **plugin_kwargs) as img_file: + return np.asarray(img_file.read(**call_kwargs)) + + +def imiter(uri, *, plugin=None, extension=None, format_hint=None, **kwargs): + """Read a sequence of ndimages from a URI. + + Returns an iterable that yields ndimages from the given URI. The exact + behavior depends on both, the file type and plugin used to open the file. + To learn about the exact behavior, check the documentation of the relevant + plugin. + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the image from, e.g. a filename, pathlib.Path, + http address or file object, see the docs for more info. + plugin : {str, None} + The plugin to use. If set to None (default) imiter will perform a + search for a matching plugin. If not None, this takes priority over + the provided format hint (if present). + extension : str + If not None, treat the provided ImageResource as if it had the given + extension. This affects the order in which backends are considered. + format_hint : str + Deprecated. Use `extension` instead. + **kwargs : + Additional keyword arguments will be passed to the plugin's ``iter`` + call. + + Yields + ------ + image : ndimage + The next ndimage located at the given URI. + + """ + + with imopen( + uri, + "r", + legacy_mode=False, + plugin=plugin, + format_hint=format_hint, + extension=extension, + ) as img_file: + for image in img_file.iter(**kwargs): + # Note: casting to ndarray here to ensure compatibility + # with the v2.9 API + yield np.asarray(image) + + +def imwrite(uri, image, *, plugin=None, extension=None, format_hint=None, **kwargs): + """Write an ndimage to the given URI. + + The exact behavior depends on the file type and plugin used. To learn about + the exact behavior, check the documentation of the relevant plugin. + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to save the image to, e.g. a filename, pathlib.Path, + http address or file object, check the docs for more info. + image : np.ndarray + The image to write to disk. + plugin : {str, None} + The plugin to use. If set to None (default) imwrite will perform a + search for a matching plugin. If not None, this takes priority over + the provided format hint (if present). + extension : str + If not None, treat the provided ImageResource as if it had the given + extension. This affects the order in which backends are considered, and + may also influence the format used when encoding. + format_hint : str + Deprecated. Use `extension` instead. + **kwargs : + Additional keyword arguments will be passed to the plugin's ``write`` + call. + + Returns + ------- + encoded_image : None or Bytes + Returns ``None`` in all cases, except when ``uri`` is set to ````. + In this case it returns the encoded ndimage as a bytes string. + + """ + + with imopen( + uri, + "w", + legacy_mode=False, + plugin=plugin, + format_hint=format_hint, + extension=extension, + ) as img_file: + encoded = img_file.write(image, **kwargs) + + return encoded + + +def improps(uri, *, index=None, plugin=None, extension=None, **kwargs): + """Read standardized metadata. + + Opens the given URI and reads the properties of an ndimage from it. The + properties represent standardized metadata. This means that they will have + the same name regardless of the format being read or plugin/backend being + used. Further, any field will be, where possible, populated with a sensible + default (may be `None`) if the ImageResource does not declare a value in its + metadata. + + Parameters + ---------- + index : int + If the ImageResource contains multiple ndimages, and index is an + integer, select the index-th ndimage from among them and return its + properties. If index is an ellipsis (...), read all ndimages in the file + and stack them along a new batch dimension and return their properties. + If index is None, let the plugin decide. + plugin : {str, None} + The plugin to be used. If None, performs a search for a matching + plugin. + extension : str + If not None, treat the provided ImageResource as if it had the given + extension. This affects the order in which backends are considered. + **kwargs : + Additional keyword arguments will be passed to the plugin's ``properties`` + call. + + Returns + ------- + properties : ImageProperties + A dataclass filled with standardized image metadata. + + Notes + ----- + Where possible, this will avoid loading pixel data. + + See Also + -------- + imageio.core.v3_plugin_api.ImageProperties + + """ + + plugin_kwargs = {"legacy_mode": False, "plugin": plugin, "extension": extension} + + call_kwargs = kwargs + if index is not None: + call_kwargs["index"] = index + + with imopen(uri, "r", **plugin_kwargs) as img_file: + properties = img_file.properties(**call_kwargs) + + return properties + + +def immeta( + uri, *, index=None, plugin=None, extension=None, exclude_applied=True, **kwargs +): + """Read format-specific metadata. + + Opens the given URI and reads metadata for an ndimage from it. The contents + of the returned metadata dictionary is specific to both the image format and + plugin used to open the ImageResource. To learn about the exact behavior, + check the documentation of the relevant plugin. Typically, immeta returns a + dictionary specific to the image format, where keys match metadata field + names and values are a field's contents. + + Parameters + ---------- + uri : {str, pathlib.Path, bytes, file} + The resource to load the image from, e.g. a filename, pathlib.Path, http + address or file object, see the docs for more info. + index : {int, None} + If the ImageResource contains multiple ndimages, and index is an + integer, select the index-th ndimage from among them and return its + metadata. If index is an ellipsis (...), return global metadata. If + index is None, let the plugin decide the default. + plugin : {str, None} + The plugin to be used. If None (default), performs a search for a + matching plugin. + extension : str + If not None, treat the provided ImageResource as if it had the given + extension. This affects the order in which backends are considered. + **kwargs : + Additional keyword arguments will be passed to the plugin's metadata + method. + + Returns + ------- + image : ndimage + The ndimage located at the given URI. + + """ + + plugin_kwargs = {"legacy_mode": False, "plugin": plugin, "extension": extension} + + call_kwargs = kwargs + call_kwargs["exclude_applied"] = exclude_applied + if index is not None: + call_kwargs["index"] = index + + with imopen(uri, "r", **plugin_kwargs) as img_file: + metadata = img_file.metadata(**call_kwargs) + + return metadata + + +__all__ = ["imopen", "imread", "imwrite", "imiter", "improps", "immeta"] diff --git a/evalkit_tf446/lib/python3.10/site-packages/imageio/v3.pyi b/evalkit_tf446/lib/python3.10/site-packages/imageio/v3.pyi new file mode 100644 index 0000000000000000000000000000000000000000..339e33e12f67af086b671ccf4f2e638ae914799e --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/imageio/v3.pyi @@ -0,0 +1,62 @@ +from typing import Any, Dict, Iterator, List, Literal, Optional, Union, overload + +import numpy as np + +from .core.imopen import imopen as imopen +from .core.v3_plugin_api import ImageProperties +from .typing import ArrayLike, ImageResource + +def imread( + uri: ImageResource, + *, + index: Optional[int] = 0, + plugin: str = None, + extension: str = None, + format_hint: str = None, + **kwargs +) -> np.ndarray: ... +def imiter( + uri: ImageResource, + *, + plugin: str = None, + extension: str = None, + format_hint: str = None, + **kwargs +) -> Iterator[np.ndarray]: ... +@overload +def imwrite( + uri: Literal[""], + image: Union[ArrayLike, List[ArrayLike]], + *, + plugin: str = None, + extension: str = None, + format_hint: str = None, + **kwargs +) -> bytes: ... +@overload +def imwrite( + uri: ImageResource, + image: Union[ArrayLike, List[ArrayLike]], + *, + plugin: str = None, + extension: str = None, + format_hint: str = None, + **kwargs +) -> None: ... +def improps( + uri, + *, + index: Optional[int] = 0, + plugin: str = None, + extension: str = None, + **kwargs +) -> ImageProperties: ... +def immeta( + uri, + *, + index: Optional[int] = 0, + plugin: str = None, + extension: str = None, + exclude_applied: bool = True, + **kwargs +) -> Dict[str, Any]: ... diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/__init__.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/__init__.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..77c003da944d646d409c0c6eff12be73750003ba Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/__init__.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/gammazeta.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/gammazeta.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..aa85b0a2fb36480f5c523fe8baad7e9f55775104 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/gammazeta.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libelefun.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libelefun.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..a299697982df87ba57ec7874bf116c43de998f0b Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libelefun.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libhyper.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libhyper.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..c379035544d945ab5a5cd59dc253acd024f792af Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libhyper.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libintmath.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libintmath.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..a52b4c2f161e4eeff56f8318ec4bdebf68ae54ea Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libintmath.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpc.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpc.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..8848957b7f706740b32dac827b4dfe43fc693cea Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpc.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpf.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpf.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..4d8e6c9207c2a47121b1e655277305586eaa827e Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpf.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpi.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpi.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..a43b2fbfdefd55019c83c1c76c5be2639c741f94 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/__pycache__/libmpi.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/libintmath.py b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/libintmath.py new file mode 100644 index 0000000000000000000000000000000000000000..7880546e135639208d136488408b102ad41682a2 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/libintmath.py @@ -0,0 +1,584 @@ +""" +Utility functions for integer math. + +TODO: rename, cleanup, perhaps move the gmpy wrapper code +here from settings.py + +""" + +import math +from bisect import bisect + +from .backend import xrange +from .backend import BACKEND, gmpy, sage, sage_utils, MPZ, MPZ_ONE, MPZ_ZERO + +small_trailing = [0] * 256 +for j in range(1,8): + small_trailing[1<>> giant_steps(50,1000) + [66, 128, 253, 502, 1000] + >>> giant_steps(50,1000,4) + [65, 252, 1000] + + """ + L = [target] + while L[-1] > start*n: + L = L + [L[-1]//n + 2] + return L[::-1] + +def rshift(x, n): + """For an integer x, calculate x >> n with the fastest (floor) + rounding. Unlike the plain Python expression (x >> n), n is + allowed to be negative, in which case a left shift is performed.""" + if n >= 0: return x >> n + else: return x << (-n) + +def lshift(x, n): + """For an integer x, calculate x << n. Unlike the plain Python + expression (x << n), n is allowed to be negative, in which case a + right shift with default (floor) rounding is performed.""" + if n >= 0: return x << n + else: return x >> (-n) + +if BACKEND == 'sage': + import operator + rshift = operator.rshift + lshift = operator.lshift + +def python_trailing(n): + """Count the number of trailing zero bits in abs(n).""" + if not n: + return 0 + low_byte = n & 0xff + if low_byte: + return small_trailing[low_byte] + t = 8 + n >>= 8 + while not n & 0xff: + n >>= 8 + t += 8 + return t + small_trailing[n & 0xff] + +if BACKEND == 'gmpy': + if gmpy.version() >= '2': + def gmpy_trailing(n): + """Count the number of trailing zero bits in abs(n) using gmpy.""" + if n: return MPZ(n).bit_scan1() + else: return 0 + else: + def gmpy_trailing(n): + """Count the number of trailing zero bits in abs(n) using gmpy.""" + if n: return MPZ(n).scan1() + else: return 0 + +# Small powers of 2 +powers = [1<<_ for _ in range(300)] + +def python_bitcount(n): + """Calculate bit size of the nonnegative integer n.""" + bc = bisect(powers, n) + if bc != 300: + return bc + bc = int(math.log(n, 2)) - 4 + return bc + bctable[n>>bc] + +def gmpy_bitcount(n): + """Calculate bit size of the nonnegative integer n.""" + if n: return MPZ(n).numdigits(2) + else: return 0 + +#def sage_bitcount(n): +# if n: return MPZ(n).nbits() +# else: return 0 + +def sage_trailing(n): + return MPZ(n).trailing_zero_bits() + +if BACKEND == 'gmpy': + bitcount = gmpy_bitcount + trailing = gmpy_trailing +elif BACKEND == 'sage': + sage_bitcount = sage_utils.bitcount + bitcount = sage_bitcount + trailing = sage_trailing +else: + bitcount = python_bitcount + trailing = python_trailing + +if BACKEND == 'gmpy' and 'bit_length' in dir(gmpy): + bitcount = gmpy.bit_length + +# Used to avoid slow function calls as far as possible +trailtable = [trailing(n) for n in range(256)] +bctable = [bitcount(n) for n in range(1024)] + +# TODO: speed up for bases 2, 4, 8, 16, ... + +def bin_to_radix(x, xbits, base, bdigits): + """Changes radix of a fixed-point number; i.e., converts + x * 2**xbits to floor(x * 10**bdigits).""" + return x * (MPZ(base)**bdigits) >> xbits + +stddigits = '0123456789abcdefghijklmnopqrstuvwxyz' + +def small_numeral(n, base=10, digits=stddigits): + """Return the string numeral of a positive integer in an arbitrary + base. Most efficient for small input.""" + if base == 10: + return str(n) + digs = [] + while n: + n, digit = divmod(n, base) + digs.append(digits[digit]) + return "".join(digs[::-1]) + +def numeral_python(n, base=10, size=0, digits=stddigits): + """Represent the integer n as a string of digits in the given base. + Recursive division is used to make this function about 3x faster + than Python's str() for converting integers to decimal strings. + + The 'size' parameters specifies the number of digits in n; this + number is only used to determine splitting points and need not be + exact.""" + if n <= 0: + if not n: + return "0" + return "-" + numeral(-n, base, size, digits) + # Fast enough to do directly + if size < 250: + return small_numeral(n, base, digits) + # Divide in half + half = (size // 2) + (size & 1) + A, B = divmod(n, base**half) + ad = numeral(A, base, half, digits) + bd = numeral(B, base, half, digits).rjust(half, "0") + return ad + bd + +def numeral_gmpy(n, base=10, size=0, digits=stddigits): + """Represent the integer n as a string of digits in the given base. + Recursive division is used to make this function about 3x faster + than Python's str() for converting integers to decimal strings. + + The 'size' parameters specifies the number of digits in n; this + number is only used to determine splitting points and need not be + exact.""" + if n < 0: + return "-" + numeral(-n, base, size, digits) + # gmpy.digits() may cause a segmentation fault when trying to convert + # extremely large values to a string. The size limit may need to be + # adjusted on some platforms, but 1500000 works on Windows and Linux. + if size < 1500000: + return gmpy.digits(n, base) + # Divide in half + half = (size // 2) + (size & 1) + A, B = divmod(n, MPZ(base)**half) + ad = numeral(A, base, half, digits) + bd = numeral(B, base, half, digits).rjust(half, "0") + return ad + bd + +if BACKEND == "gmpy": + numeral = numeral_gmpy +else: + numeral = numeral_python + +_1_800 = 1<<800 +_1_600 = 1<<600 +_1_400 = 1<<400 +_1_200 = 1<<200 +_1_100 = 1<<100 +_1_50 = 1<<50 + +def isqrt_small_python(x): + """ + Correctly (floor) rounded integer square root, using + division. Fast up to ~200 digits. + """ + if not x: + return x + if x < _1_800: + # Exact with IEEE double precision arithmetic + if x < _1_50: + return int(x**0.5) + # Initial estimate can be any integer >= the true root; round up + r = int(x**0.5 * 1.00000000000001) + 1 + else: + bc = bitcount(x) + n = bc//2 + r = int((x>>(2*n-100))**0.5+2)<<(n-50) # +2 is to round up + # The following iteration now precisely computes floor(sqrt(x)) + # See e.g. Crandall & Pomerance, "Prime Numbers: A Computational + # Perspective" + while 1: + y = (r+x//r)>>1 + if y >= r: + return r + r = y + +def isqrt_fast_python(x): + """ + Fast approximate integer square root, computed using division-free + Newton iteration for large x. For random integers the result is almost + always correct (floor(sqrt(x))), but is 1 ulp too small with a roughly + 0.1% probability. If x is very close to an exact square, the answer is + 1 ulp wrong with high probability. + + With 0 guard bits, the largest error over a set of 10^5 random + inputs of size 1-10^5 bits was 3 ulp. The use of 10 guard bits + almost certainly guarantees a max 1 ulp error. + """ + # Use direct division-based iteration if sqrt(x) < 2^400 + # Assume floating-point square root accurate to within 1 ulp, then: + # 0 Newton iterations good to 52 bits + # 1 Newton iterations good to 104 bits + # 2 Newton iterations good to 208 bits + # 3 Newton iterations good to 416 bits + if x < _1_800: + y = int(x**0.5) + if x >= _1_100: + y = (y + x//y) >> 1 + if x >= _1_200: + y = (y + x//y) >> 1 + if x >= _1_400: + y = (y + x//y) >> 1 + return y + bc = bitcount(x) + guard_bits = 10 + x <<= 2*guard_bits + bc += 2*guard_bits + bc += (bc&1) + hbc = bc//2 + startprec = min(50, hbc) + # Newton iteration for 1/sqrt(x), with floating-point starting value + r = int(2.0**(2*startprec) * (x >> (bc-2*startprec)) ** -0.5) + pp = startprec + for p in giant_steps(startprec, hbc): + # r**2, scaled from real size 2**(-bc) to 2**p + r2 = (r*r) >> (2*pp - p) + # x*r**2, scaled from real size ~1.0 to 2**p + xr2 = ((x >> (bc-p)) * r2) >> p + # New value of r, scaled from real size 2**(-bc/2) to 2**p + r = (r * ((3<> (pp+1) + pp = p + # (1/sqrt(x))*x = sqrt(x) + return (r*(x>>hbc)) >> (p+guard_bits) + +def sqrtrem_python(x): + """Correctly rounded integer (floor) square root with remainder.""" + # to check cutoff: + # plot(lambda x: timing(isqrt, 2**int(x)), [0,2000]) + if x < _1_600: + y = isqrt_small_python(x) + return y, x - y*y + y = isqrt_fast_python(x) + 1 + rem = x - y*y + # Correct remainder + while rem < 0: + y -= 1 + rem += (1+2*y) + else: + if rem: + while rem > 2*(1+y): + y += 1 + rem -= (1+2*y) + return y, rem + +def isqrt_python(x): + """Integer square root with correct (floor) rounding.""" + return sqrtrem_python(x)[0] + +def sqrt_fixed(x, prec): + return isqrt_fast(x<= '2': + isqrt_small = isqrt_fast = isqrt = gmpy.isqrt + sqrtrem = gmpy.isqrt_rem + else: + isqrt_small = isqrt_fast = isqrt = gmpy.sqrt + sqrtrem = gmpy.sqrtrem +elif BACKEND == 'sage': + isqrt_small = isqrt_fast = isqrt = \ + getattr(sage_utils, "isqrt", lambda n: MPZ(n).isqrt()) + sqrtrem = lambda n: MPZ(n).sqrtrem() +else: + isqrt_small = isqrt_small_python + isqrt_fast = isqrt_fast_python + isqrt = isqrt_python + sqrtrem = sqrtrem_python + + +def ifib(n, _cache={}): + """Computes the nth Fibonacci number as an integer, for + integer n.""" + if n < 0: + return (-1)**(-n+1) * ifib(-n) + if n in _cache: + return _cache[n] + m = n + # Use Dijkstra's logarithmic algorithm + # The following implementation is basically equivalent to + # http://en.literateprograms.org/Fibonacci_numbers_(Scheme) + a, b, p, q = MPZ_ONE, MPZ_ZERO, MPZ_ZERO, MPZ_ONE + while n: + if n & 1: + aq = a*q + a, b = b*q+aq+a*p, b*p+aq + n -= 1 + else: + qq = q*q + p, q = p*p+qq, qq+2*p*q + n >>= 1 + if m < 250: + _cache[m] = b + return b + +MAX_FACTORIAL_CACHE = 1000 + +def ifac(n, memo={0:1, 1:1}): + """Return n factorial (for integers n >= 0 only).""" + f = memo.get(n) + if f: + return f + k = len(memo) + p = memo[k-1] + MAX = MAX_FACTORIAL_CACHE + while k <= n: + p *= k + if k <= MAX: + memo[k] = p + k += 1 + return p + +def ifac2(n, memo_pair=[{0:1}, {1:1}]): + """Return n!! (double factorial), integers n >= 0 only.""" + memo = memo_pair[n&1] + f = memo.get(n) + if f: + return f + k = max(memo) + p = memo[k] + MAX = MAX_FACTORIAL_CACHE + while k < n: + k += 2 + p *= k + if k <= MAX: + memo[k] = p + return p + +if BACKEND == 'gmpy': + ifac = gmpy.fac +elif BACKEND == 'sage': + ifac = lambda n: int(sage.factorial(n)) + ifib = sage.fibonacci + +def list_primes(n): + n = n + 1 + sieve = list(xrange(n)) + sieve[:2] = [0, 0] + for i in xrange(2, int(n**0.5)+1): + if sieve[i]: + for j in xrange(i**2, n, i): + sieve[j] = 0 + return [p for p in sieve if p] + +if BACKEND == 'sage': + # Note: it is *VERY* important for performance that we convert + # the list to Python ints. + def list_primes(n): + return [int(_) for _ in sage.primes(n+1)] + +small_odd_primes = (3,5,7,11,13,17,19,23,29,31,37,41,43,47) +small_odd_primes_set = set(small_odd_primes) + +def isprime(n): + """ + Determines whether n is a prime number. A probabilistic test is + performed if n is very large. No special trick is used for detecting + perfect powers. + + >>> sum(list_primes(100000)) + 454396537 + >>> sum(n*isprime(n) for n in range(100000)) + 454396537 + + """ + n = int(n) + if not n & 1: + return n == 2 + if n < 50: + return n in small_odd_primes_set + for p in small_odd_primes: + if not n % p: + return False + m = n-1 + s = trailing(m) + d = m >> s + def test(a): + x = pow(a,d,n) + if x == 1 or x == m: + return True + for r in xrange(1,s): + x = x**2 % n + if x == m: + return True + return False + # See http://primes.utm.edu/prove/prove2_3.html + if n < 1373653: + witnesses = [2,3] + elif n < 341550071728321: + witnesses = [2,3,5,7,11,13,17] + else: + witnesses = small_odd_primes + for a in witnesses: + if not test(a): + return False + return True + +def moebius(n): + """ + Evaluates the Moebius function which is `mu(n) = (-1)^k` if `n` + is a product of `k` distinct primes and `mu(n) = 0` otherwise. + + TODO: speed up using factorization + """ + n = abs(int(n)) + if n < 2: + return n + factors = [] + for p in xrange(2, n+1): + if not (n % p): + if not (n % p**2): + return 0 + if not sum(p % f for f in factors): + factors.append(p) + return (-1)**len(factors) + +def gcd(*args): + a = 0 + for b in args: + if a: + while b: + a, b = b, a % b + else: + a = b + return a + + +# Comment by Juan Arias de Reyna: +# +# I learn this method to compute EulerE[2n] from van de Lune. +# +# We apply the formula EulerE[2n] = (-1)^n 2**(-2n) sum_{j=0}^n a(2n,2j+1) +# +# where the numbers a(n,j) vanish for j > n+1 or j <= -1 and satisfies +# +# a(0,-1) = a(0,0) = 0; a(0,1)= 1; a(0,2) = a(0,3) = 0 +# +# a(n,j) = a(n-1,j) when n+j is even +# a(n,j) = (j-1) a(n-1,j-1) + (j+1) a(n-1,j+1) when n+j is odd +# +# +# But we can use only one array unidimensional a(j) since to compute +# a(n,j) we only need to know a(n-1,k) where k and j are of different parity +# and we have not to conserve the used values. +# +# We cached up the values of Euler numbers to sufficiently high order. +# +# Important Observation: If we pretend to use the numbers +# EulerE[1], EulerE[2], ... , EulerE[n] +# it is convenient to compute first EulerE[n], since the algorithm +# computes first all +# the previous ones, and keeps them in the CACHE + +MAX_EULER_CACHE = 500 + +def eulernum(m, _cache={0:MPZ_ONE}): + r""" + Computes the Euler numbers `E(n)`, which can be defined as + coefficients of the Taylor expansion of `1/cosh x`: + + .. math :: + + \frac{1}{\cosh x} = \sum_{n=0}^\infty \frac{E_n}{n!} x^n + + Example:: + + >>> [int(eulernum(n)) for n in range(11)] + [1, 0, -1, 0, 5, 0, -61, 0, 1385, 0, -50521] + >>> [int(eulernum(n)) for n in range(11)] # test cache + [1, 0, -1, 0, 5, 0, -61, 0, 1385, 0, -50521] + + """ + # for odd m > 1, the Euler numbers are zero + if m & 1: + return MPZ_ZERO + f = _cache.get(m) + if f: + return f + MAX = MAX_EULER_CACHE + n = m + a = [MPZ(_) for _ in [0,0,1,0,0,0]] + for n in range(1, m+1): + for j in range(n+1, -1, -2): + a[j+1] = (j-1)*a[j] + (j+1)*a[j+2] + a.append(0) + suma = 0 + for k in range(n+1, -1, -2): + suma += a[k+1] + if n <= MAX: + _cache[n] = ((-1)**(n//2))*(suma // 2**n) + if n == m: + return ((-1)**(n//2))*suma // 2**n + +def stirling1(n, k): + """ + Stirling number of the first kind. + """ + if n < 0 or k < 0: + raise ValueError + if k >= n: + return MPZ(n == k) + if k < 1: + return MPZ_ZERO + L = [MPZ_ZERO] * (k+1) + L[1] = MPZ_ONE + for m in xrange(2, n+1): + for j in xrange(min(k, m), 0, -1): + L[j] = (m-1) * L[j] + L[j-1] + return (-1)**(n+k) * L[k] + +def stirling2(n, k): + """ + Stirling number of the second kind. + """ + if n < 0 or k < 0: + raise ValueError + if k >= n: + return MPZ(n == k) + if k <= 1: + return MPZ(k == 1) + s = MPZ_ZERO + t = MPZ_ONE + for j in xrange(k+1): + if (k + j) & 1: + s -= t * MPZ(j)**n + else: + s += t * MPZ(j)**n + t = t * (k - j) // (j + 1) + return s // ifac(k) diff --git a/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/libmpi.py b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/libmpi.py new file mode 100644 index 0000000000000000000000000000000000000000..31377642b50b7e7a1e430e0cad5c84eeb00ec19c --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/mpmath/libmp/libmpi.py @@ -0,0 +1,935 @@ +""" +Computational functions for interval arithmetic. + +""" + +from .backend import xrange + +from .libmpf import ( + ComplexResult, + round_down, round_up, round_floor, round_ceiling, round_nearest, + prec_to_dps, repr_dps, dps_to_prec, + bitcount, + from_float, + fnan, finf, fninf, fzero, fhalf, fone, fnone, + mpf_sign, mpf_lt, mpf_le, mpf_gt, mpf_ge, mpf_eq, mpf_cmp, + mpf_min_max, + mpf_floor, from_int, to_int, to_str, from_str, + mpf_abs, mpf_neg, mpf_pos, mpf_add, mpf_sub, mpf_mul, mpf_mul_int, + mpf_div, mpf_shift, mpf_pow_int, + from_man_exp, MPZ_ONE) + +from .libelefun import ( + mpf_log, mpf_exp, mpf_sqrt, mpf_atan, mpf_atan2, + mpf_pi, mod_pi2, mpf_cos_sin +) + +from .gammazeta import mpf_gamma, mpf_rgamma, mpf_loggamma, mpc_loggamma + +def mpi_str(s, prec): + sa, sb = s + dps = prec_to_dps(prec) + 5 + return "[%s, %s]" % (to_str(sa, dps), to_str(sb, dps)) + #dps = prec_to_dps(prec) + #m = mpi_mid(s, prec) + #d = mpf_shift(mpi_delta(s, 20), -1) + #return "%s +/- %s" % (to_str(m, dps), to_str(d, 3)) + +mpi_zero = (fzero, fzero) +mpi_one = (fone, fone) + +def mpi_eq(s, t): + return s == t + +def mpi_ne(s, t): + return s != t + +def mpi_lt(s, t): + sa, sb = s + ta, tb = t + if mpf_lt(sb, ta): return True + if mpf_ge(sa, tb): return False + return None + +def mpi_le(s, t): + sa, sb = s + ta, tb = t + if mpf_le(sb, ta): return True + if mpf_gt(sa, tb): return False + return None + +def mpi_gt(s, t): return mpi_lt(t, s) +def mpi_ge(s, t): return mpi_le(t, s) + +def mpi_add(s, t, prec=0): + sa, sb = s + ta, tb = t + a = mpf_add(sa, ta, prec, round_floor) + b = mpf_add(sb, tb, prec, round_ceiling) + if a == fnan: a = fninf + if b == fnan: b = finf + return a, b + +def mpi_sub(s, t, prec=0): + sa, sb = s + ta, tb = t + a = mpf_sub(sa, tb, prec, round_floor) + b = mpf_sub(sb, ta, prec, round_ceiling) + if a == fnan: a = fninf + if b == fnan: b = finf + return a, b + +def mpi_delta(s, prec): + sa, sb = s + return mpf_sub(sb, sa, prec, round_up) + +def mpi_mid(s, prec): + sa, sb = s + return mpf_shift(mpf_add(sa, sb, prec, round_nearest), -1) + +def mpi_pos(s, prec): + sa, sb = s + a = mpf_pos(sa, prec, round_floor) + b = mpf_pos(sb, prec, round_ceiling) + return a, b + +def mpi_neg(s, prec=0): + sa, sb = s + a = mpf_neg(sb, prec, round_floor) + b = mpf_neg(sa, prec, round_ceiling) + return a, b + +def mpi_abs(s, prec=0): + sa, sb = s + sas = mpf_sign(sa) + sbs = mpf_sign(sb) + # Both points nonnegative? + if sas >= 0: + a = mpf_pos(sa, prec, round_floor) + b = mpf_pos(sb, prec, round_ceiling) + # Upper point nonnegative? + elif sbs >= 0: + a = fzero + negsa = mpf_neg(sa) + if mpf_lt(negsa, sb): + b = mpf_pos(sb, prec, round_ceiling) + else: + b = mpf_pos(negsa, prec, round_ceiling) + # Both negative? + else: + a = mpf_neg(sb, prec, round_floor) + b = mpf_neg(sa, prec, round_ceiling) + return a, b + +# TODO: optimize +def mpi_mul_mpf(s, t, prec): + return mpi_mul(s, (t, t), prec) + +def mpi_div_mpf(s, t, prec): + return mpi_div(s, (t, t), prec) + +def mpi_mul(s, t, prec=0): + sa, sb = s + ta, tb = t + sas = mpf_sign(sa) + sbs = mpf_sign(sb) + tas = mpf_sign(ta) + tbs = mpf_sign(tb) + if sas == sbs == 0: + # Should maybe be undefined + if ta == fninf or tb == finf: + return fninf, finf + return fzero, fzero + if tas == tbs == 0: + # Should maybe be undefined + if sa == fninf or sb == finf: + return fninf, finf + return fzero, fzero + if sas >= 0: + # positive * positive + if tas >= 0: + a = mpf_mul(sa, ta, prec, round_floor) + b = mpf_mul(sb, tb, prec, round_ceiling) + if a == fnan: a = fzero + if b == fnan: b = finf + # positive * negative + elif tbs <= 0: + a = mpf_mul(sb, ta, prec, round_floor) + b = mpf_mul(sa, tb, prec, round_ceiling) + if a == fnan: a = fninf + if b == fnan: b = fzero + # positive * both signs + else: + a = mpf_mul(sb, ta, prec, round_floor) + b = mpf_mul(sb, tb, prec, round_ceiling) + if a == fnan: a = fninf + if b == fnan: b = finf + elif sbs <= 0: + # negative * positive + if tas >= 0: + a = mpf_mul(sa, tb, prec, round_floor) + b = mpf_mul(sb, ta, prec, round_ceiling) + if a == fnan: a = fninf + if b == fnan: b = fzero + # negative * negative + elif tbs <= 0: + a = mpf_mul(sb, tb, prec, round_floor) + b = mpf_mul(sa, ta, prec, round_ceiling) + if a == fnan: a = fzero + if b == fnan: b = finf + # negative * both signs + else: + a = mpf_mul(sa, tb, prec, round_floor) + b = mpf_mul(sa, ta, prec, round_ceiling) + if a == fnan: a = fninf + if b == fnan: b = finf + else: + # General case: perform all cross-multiplications and compare + # Since the multiplications can be done exactly, we need only + # do 4 (instead of 8: two for each rounding mode) + cases = [mpf_mul(sa, ta), mpf_mul(sa, tb), mpf_mul(sb, ta), mpf_mul(sb, tb)] + if fnan in cases: + a, b = (fninf, finf) + else: + a, b = mpf_min_max(cases) + a = mpf_pos(a, prec, round_floor) + b = mpf_pos(b, prec, round_ceiling) + return a, b + +def mpi_square(s, prec=0): + sa, sb = s + if mpf_ge(sa, fzero): + a = mpf_mul(sa, sa, prec, round_floor) + b = mpf_mul(sb, sb, prec, round_ceiling) + elif mpf_le(sb, fzero): + a = mpf_mul(sb, sb, prec, round_floor) + b = mpf_mul(sa, sa, prec, round_ceiling) + else: + sa = mpf_neg(sa) + sa, sb = mpf_min_max([sa, sb]) + a = fzero + b = mpf_mul(sb, sb, prec, round_ceiling) + return a, b + +def mpi_div(s, t, prec): + sa, sb = s + ta, tb = t + sas = mpf_sign(sa) + sbs = mpf_sign(sb) + tas = mpf_sign(ta) + tbs = mpf_sign(tb) + # 0 / X + if sas == sbs == 0: + # 0 / + if (tas < 0 and tbs > 0) or (tas == 0 or tbs == 0): + return fninf, finf + return fzero, fzero + # Denominator contains both negative and positive numbers; + # this should properly be a multi-interval, but the closest + # match is the entire (extended) real line + if tas < 0 and tbs > 0: + return fninf, finf + # Assume denominator to be nonnegative + if tas < 0: + return mpi_div(mpi_neg(s), mpi_neg(t), prec) + # Division by zero + # XXX: make sure all results make sense + if tas == 0: + # Numerator contains both signs? + if sas < 0 and sbs > 0: + return fninf, finf + if tas == tbs: + return fninf, finf + # Numerator positive? + if sas >= 0: + a = mpf_div(sa, tb, prec, round_floor) + b = finf + if sbs <= 0: + a = fninf + b = mpf_div(sb, tb, prec, round_ceiling) + # Division with positive denominator + # We still have to handle nans resulting from inf/0 or inf/inf + else: + # Nonnegative numerator + if sas >= 0: + a = mpf_div(sa, tb, prec, round_floor) + b = mpf_div(sb, ta, prec, round_ceiling) + if a == fnan: a = fzero + if b == fnan: b = finf + # Nonpositive numerator + elif sbs <= 0: + a = mpf_div(sa, ta, prec, round_floor) + b = mpf_div(sb, tb, prec, round_ceiling) + if a == fnan: a = fninf + if b == fnan: b = fzero + # Numerator contains both signs? + else: + a = mpf_div(sa, ta, prec, round_floor) + b = mpf_div(sb, ta, prec, round_ceiling) + if a == fnan: a = fninf + if b == fnan: b = finf + return a, b + +def mpi_pi(prec): + a = mpf_pi(prec, round_floor) + b = mpf_pi(prec, round_ceiling) + return a, b + +def mpi_exp(s, prec): + sa, sb = s + # exp is monotonic + a = mpf_exp(sa, prec, round_floor) + b = mpf_exp(sb, prec, round_ceiling) + return a, b + +def mpi_log(s, prec): + sa, sb = s + # log is monotonic + a = mpf_log(sa, prec, round_floor) + b = mpf_log(sb, prec, round_ceiling) + return a, b + +def mpi_sqrt(s, prec): + sa, sb = s + # sqrt is monotonic + a = mpf_sqrt(sa, prec, round_floor) + b = mpf_sqrt(sb, prec, round_ceiling) + return a, b + +def mpi_atan(s, prec): + sa, sb = s + a = mpf_atan(sa, prec, round_floor) + b = mpf_atan(sb, prec, round_ceiling) + return a, b + +def mpi_pow_int(s, n, prec): + sa, sb = s + if n < 0: + return mpi_div((fone, fone), mpi_pow_int(s, -n, prec+20), prec) + if n == 0: + return (fone, fone) + if n == 1: + return s + if n == 2: + return mpi_square(s, prec) + # Odd -- signs are preserved + if n & 1: + a = mpf_pow_int(sa, n, prec, round_floor) + b = mpf_pow_int(sb, n, prec, round_ceiling) + # Even -- important to ensure positivity + else: + sas = mpf_sign(sa) + sbs = mpf_sign(sb) + # Nonnegative? + if sas >= 0: + a = mpf_pow_int(sa, n, prec, round_floor) + b = mpf_pow_int(sb, n, prec, round_ceiling) + # Nonpositive? + elif sbs <= 0: + a = mpf_pow_int(sb, n, prec, round_floor) + b = mpf_pow_int(sa, n, prec, round_ceiling) + # Mixed signs? + else: + a = fzero + # max(-a,b)**n + sa = mpf_neg(sa) + if mpf_ge(sa, sb): + b = mpf_pow_int(sa, n, prec, round_ceiling) + else: + b = mpf_pow_int(sb, n, prec, round_ceiling) + return a, b + +def mpi_pow(s, t, prec): + ta, tb = t + if ta == tb and ta not in (finf, fninf): + if ta == from_int(to_int(ta)): + return mpi_pow_int(s, to_int(ta), prec) + if ta == fhalf: + return mpi_sqrt(s, prec) + u = mpi_log(s, prec + 20) + v = mpi_mul(u, t, prec + 20) + return mpi_exp(v, prec) + +def MIN(x, y): + if mpf_le(x, y): + return x + return y + +def MAX(x, y): + if mpf_ge(x, y): + return x + return y + +def cos_sin_quadrant(x, wp): + sign, man, exp, bc = x + if x == fzero: + return fone, fzero, 0 + # TODO: combine evaluation code to avoid duplicate modulo + c, s = mpf_cos_sin(x, wp) + t, n, wp_ = mod_pi2(man, exp, exp+bc, 15) + if sign: + n = -1-n + return c, s, n + +def mpi_cos_sin(x, prec): + a, b = x + if a == b == fzero: + return (fone, fone), (fzero, fzero) + # Guaranteed to contain both -1 and 1 + if (finf in x) or (fninf in x): + return (fnone, fone), (fnone, fone) + wp = prec + 20 + ca, sa, na = cos_sin_quadrant(a, wp) + cb, sb, nb = cos_sin_quadrant(b, wp) + ca, cb = mpf_min_max([ca, cb]) + sa, sb = mpf_min_max([sa, sb]) + # Both functions are monotonic within one quadrant + if na == nb: + pass + # Guaranteed to contain both -1 and 1 + elif nb - na >= 4: + return (fnone, fone), (fnone, fone) + else: + # cos has maximum between a and b + if na//4 != nb//4: + cb = fone + # cos has minimum + if (na-2)//4 != (nb-2)//4: + ca = fnone + # sin has maximum + if (na-1)//4 != (nb-1)//4: + sb = fone + # sin has minimum + if (na-3)//4 != (nb-3)//4: + sa = fnone + # Perturb to force interval rounding + more = from_man_exp((MPZ_ONE<= 1: + if sign: + return fnone + return fone + return v + ca = finalize(ca, round_floor) + cb = finalize(cb, round_ceiling) + sa = finalize(sa, round_floor) + sb = finalize(sb, round_ceiling) + return (ca,cb), (sa,sb) + +def mpi_cos(x, prec): + return mpi_cos_sin(x, prec)[0] + +def mpi_sin(x, prec): + return mpi_cos_sin(x, prec)[1] + +def mpi_tan(x, prec): + cos, sin = mpi_cos_sin(x, prec+20) + return mpi_div(sin, cos, prec) + +def mpi_cot(x, prec): + cos, sin = mpi_cos_sin(x, prec+20) + return mpi_div(cos, sin, prec) + +def mpi_from_str_a_b(x, y, percent, prec): + wp = prec + 20 + xa = from_str(x, wp, round_floor) + xb = from_str(x, wp, round_ceiling) + #ya = from_str(y, wp, round_floor) + y = from_str(y, wp, round_ceiling) + assert mpf_ge(y, fzero) + if percent: + y = mpf_mul(MAX(mpf_abs(xa), mpf_abs(xb)), y, wp, round_ceiling) + y = mpf_div(y, from_int(100), wp, round_ceiling) + a = mpf_sub(xa, y, prec, round_floor) + b = mpf_add(xb, y, prec, round_ceiling) + return a, b + +def mpi_from_str(s, prec): + """ + Parse an interval number given as a string. + + Allowed forms are + + "-1.23e-27" + Any single decimal floating-point literal. + "a +- b" or "a (b)" + a is the midpoint of the interval and b is the half-width + "a +- b%" or "a (b%)" + a is the midpoint of the interval and the half-width + is b percent of a (`a \times b / 100`). + "[a, b]" + The interval indicated directly. + "x[y,z]e" + x are shared digits, y and z are unequal digits, e is the exponent. + + """ + e = ValueError("Improperly formed interval number '%s'" % s) + s = s.replace(" ", "") + wp = prec + 20 + if "+-" in s: + x, y = s.split("+-") + return mpi_from_str_a_b(x, y, False, prec) + # case 2 + elif "(" in s: + # Don't confuse with a complex number (x,y) + if s[0] == "(" or ")" not in s: + raise e + s = s.replace(")", "") + percent = False + if "%" in s: + if s[-1] != "%": + raise e + percent = True + s = s.replace("%", "") + x, y = s.split("(") + return mpi_from_str_a_b(x, y, percent, prec) + elif "," in s: + if ('[' not in s) or (']' not in s): + raise e + if s[0] == '[': + # case 3 + s = s.replace("[", "") + s = s.replace("]", "") + a, b = s.split(",") + a = from_str(a, prec, round_floor) + b = from_str(b, prec, round_ceiling) + return a, b + else: + # case 4 + x, y = s.split('[') + y, z = y.split(',') + if 'e' in s: + z, e = z.split(']') + else: + z, e = z.rstrip(']'), '' + a = from_str(x+y+e, prec, round_floor) + b = from_str(x+z+e, prec, round_ceiling) + return a, b + else: + a = from_str(s, prec, round_floor) + b = from_str(s, prec, round_ceiling) + return a, b + +def mpi_to_str(x, dps, use_spaces=True, brackets='[]', mode='brackets', error_dps=4, **kwargs): + """ + Convert a mpi interval to a string. + + **Arguments** + + *dps* + decimal places to use for printing + *use_spaces* + use spaces for more readable output, defaults to true + *brackets* + pair of strings (or two-character string) giving left and right brackets + *mode* + mode of display: 'plusminus', 'percent', 'brackets' (default) or 'diff' + *error_dps* + limit the error to *error_dps* digits (mode 'plusminus and 'percent') + + Additional keyword arguments are forwarded to the mpf-to-string conversion + for the components of the output. + + **Examples** + + >>> from mpmath import mpi, mp + >>> mp.dps = 30 + >>> x = mpi(1, 2)._mpi_ + >>> mpi_to_str(x, 2, mode='plusminus') + '1.5 +- 0.5' + >>> mpi_to_str(x, 2, mode='percent') + '1.5 (33.33%)' + >>> mpi_to_str(x, 2, mode='brackets') + '[1.0, 2.0]' + >>> mpi_to_str(x, 2, mode='brackets' , brackets=('<', '>')) + '<1.0, 2.0>' + >>> x = mpi('5.2582327113062393041', '5.2582327113062749951')._mpi_ + >>> mpi_to_str(x, 15, mode='diff') + '5.2582327113062[4, 7]' + >>> mpi_to_str(mpi(0)._mpi_, 2, mode='percent') + '0.0 (0.0%)' + + """ + prec = dps_to_prec(dps) + wp = prec + 20 + a, b = x + mid = mpi_mid(x, prec) + delta = mpi_delta(x, prec) + a_str = to_str(a, dps, **kwargs) + b_str = to_str(b, dps, **kwargs) + mid_str = to_str(mid, dps, **kwargs) + sp = "" + if use_spaces: + sp = " " + br1, br2 = brackets + if mode == 'plusminus': + delta_str = to_str(mpf_shift(delta,-1), dps, **kwargs) + s = mid_str + sp + "+-" + sp + delta_str + elif mode == 'percent': + if mid == fzero: + p = fzero + else: + # p = 100 * delta(x) / (2*mid(x)) + p = mpf_mul(delta, from_int(100)) + p = mpf_div(p, mpf_mul(mid, from_int(2)), wp) + s = mid_str + sp + "(" + to_str(p, error_dps) + "%)" + elif mode == 'brackets': + s = br1 + a_str + "," + sp + b_str + br2 + elif mode == 'diff': + # use more digits if str(x.a) and str(x.b) are equal + if a_str == b_str: + a_str = to_str(a, dps+3, **kwargs) + b_str = to_str(b, dps+3, **kwargs) + # separate mantissa and exponent + a = a_str.split('e') + if len(a) == 1: + a.append('') + b = b_str.split('e') + if len(b) == 1: + b.append('') + if a[1] == b[1]: + if a[0] != b[0]: + for i in xrange(len(a[0]) + 1): + if a[0][i] != b[0][i]: + break + s = (a[0][:i] + br1 + a[0][i:] + ',' + sp + b[0][i:] + br2 + + 'e'*min(len(a[1]), 1) + a[1]) + else: # no difference + s = a[0] + br1 + br2 + 'e'*min(len(a[1]), 1) + a[1] + else: + s = br1 + 'e'.join(a) + ',' + sp + 'e'.join(b) + br2 + else: + raise ValueError("'%s' is unknown mode for printing mpi" % mode) + return s + +def mpci_add(x, y, prec): + a, b = x + c, d = y + return mpi_add(a, c, prec), mpi_add(b, d, prec) + +def mpci_sub(x, y, prec): + a, b = x + c, d = y + return mpi_sub(a, c, prec), mpi_sub(b, d, prec) + +def mpci_neg(x, prec=0): + a, b = x + return mpi_neg(a, prec), mpi_neg(b, prec) + +def mpci_pos(x, prec): + a, b = x + return mpi_pos(a, prec), mpi_pos(b, prec) + +def mpci_mul(x, y, prec): + # TODO: optimize for real/imag cases + a, b = x + c, d = y + r1 = mpi_mul(a,c) + r2 = mpi_mul(b,d) + re = mpi_sub(r1,r2,prec) + i1 = mpi_mul(a,d) + i2 = mpi_mul(b,c) + im = mpi_add(i1,i2,prec) + return re, im + +def mpci_div(x, y, prec): + # TODO: optimize for real/imag cases + a, b = x + c, d = y + wp = prec+20 + m1 = mpi_square(c) + m2 = mpi_square(d) + m = mpi_add(m1,m2,wp) + re = mpi_add(mpi_mul(a,c), mpi_mul(b,d), wp) + im = mpi_sub(mpi_mul(b,c), mpi_mul(a,d), wp) + re = mpi_div(re, m, prec) + im = mpi_div(im, m, prec) + return re, im + +def mpci_exp(x, prec): + a, b = x + wp = prec+20 + r = mpi_exp(a, wp) + c, s = mpi_cos_sin(b, wp) + a = mpi_mul(r, c, prec) + b = mpi_mul(r, s, prec) + return a, b + +def mpi_shift(x, n): + a, b = x + return mpf_shift(a,n), mpf_shift(b,n) + +def mpi_cosh_sinh(x, prec): + # TODO: accuracy for small x + wp = prec+20 + e1 = mpi_exp(x, wp) + e2 = mpi_div(mpi_one, e1, wp) + c = mpi_add(e1, e2, prec) + s = mpi_sub(e1, e2, prec) + c = mpi_shift(c, -1) + s = mpi_shift(s, -1) + return c, s + +def mpci_cos(x, prec): + a, b = x + wp = prec+10 + c, s = mpi_cos_sin(a, wp) + ch, sh = mpi_cosh_sinh(b, wp) + re = mpi_mul(c, ch, prec) + im = mpi_mul(s, sh, prec) + return re, mpi_neg(im) + +def mpci_sin(x, prec): + a, b = x + wp = prec+10 + c, s = mpi_cos_sin(a, wp) + ch, sh = mpi_cosh_sinh(b, wp) + re = mpi_mul(s, ch, prec) + im = mpi_mul(c, sh, prec) + return re, im + +def mpci_abs(x, prec): + a, b = x + if a == mpi_zero: + return mpi_abs(b) + if b == mpi_zero: + return mpi_abs(a) + # Important: nonnegative + a = mpi_square(a) + b = mpi_square(b) + t = mpi_add(a, b, prec+20) + return mpi_sqrt(t, prec) + +def mpi_atan2(y, x, prec): + ya, yb = y + xa, xb = x + # Constrained to the real line + if ya == yb == fzero: + if mpf_ge(xa, fzero): + return mpi_zero + return mpi_pi(prec) + # Right half-plane + if mpf_ge(xa, fzero): + if mpf_ge(ya, fzero): + a = mpf_atan2(ya, xb, prec, round_floor) + else: + a = mpf_atan2(ya, xa, prec, round_floor) + if mpf_ge(yb, fzero): + b = mpf_atan2(yb, xa, prec, round_ceiling) + else: + b = mpf_atan2(yb, xb, prec, round_ceiling) + # Upper half-plane + elif mpf_ge(ya, fzero): + b = mpf_atan2(ya, xa, prec, round_ceiling) + if mpf_le(xb, fzero): + a = mpf_atan2(yb, xb, prec, round_floor) + else: + a = mpf_atan2(ya, xb, prec, round_floor) + # Lower half-plane + elif mpf_le(yb, fzero): + a = mpf_atan2(yb, xa, prec, round_floor) + if mpf_le(xb, fzero): + b = mpf_atan2(ya, xb, prec, round_ceiling) + else: + b = mpf_atan2(yb, xb, prec, round_ceiling) + # Covering the origin + else: + b = mpf_pi(prec, round_ceiling) + a = mpf_neg(b) + return a, b + +def mpci_arg(z, prec): + x, y = z + return mpi_atan2(y, x, prec) + +def mpci_log(z, prec): + x, y = z + re = mpi_log(mpci_abs(z, prec+20), prec) + im = mpci_arg(z, prec) + return re, im + +def mpci_pow(x, y, prec): + # TODO: recognize/speed up real cases, integer y + yre, yim = y + if yim == mpi_zero: + ya, yb = yre + if ya == yb: + sign, man, exp, bc = yb + if man and exp >= 0: + return mpci_pow_int(x, (-1)**sign * int(man<>= 1 + return mpci_pos(result, prec) + +gamma_min_a = from_float(1.46163214496) +gamma_min_b = from_float(1.46163214497) +gamma_min = (gamma_min_a, gamma_min_b) +gamma_mono_imag_a = from_float(-1.1) +gamma_mono_imag_b = from_float(1.1) + +def mpi_overlap(x, y): + a, b = x + c, d = y + if mpf_lt(d, a): return False + if mpf_gt(c, b): return False + return True + +# type = 0 -- gamma +# type = 1 -- factorial +# type = 2 -- 1/gamma +# type = 3 -- log-gamma + +def mpi_gamma(z, prec, type=0): + a, b = z + wp = prec+20 + + if type == 1: + return mpi_gamma(mpi_add(z, mpi_one, wp), prec, 0) + + # increasing + if mpf_gt(a, gamma_min_b): + if type == 0: + c = mpf_gamma(a, prec, round_floor) + d = mpf_gamma(b, prec, round_ceiling) + elif type == 2: + c = mpf_rgamma(b, prec, round_floor) + d = mpf_rgamma(a, prec, round_ceiling) + elif type == 3: + c = mpf_loggamma(a, prec, round_floor) + d = mpf_loggamma(b, prec, round_ceiling) + # decreasing + elif mpf_gt(a, fzero) and mpf_lt(b, gamma_min_a): + if type == 0: + c = mpf_gamma(b, prec, round_floor) + d = mpf_gamma(a, prec, round_ceiling) + elif type == 2: + c = mpf_rgamma(a, prec, round_floor) + d = mpf_rgamma(b, prec, round_ceiling) + elif type == 3: + c = mpf_loggamma(b, prec, round_floor) + d = mpf_loggamma(a, prec, round_ceiling) + else: + # TODO: reflection formula + znew = mpi_add(z, mpi_one, wp) + if type == 0: return mpi_div(mpi_gamma(znew, prec+2, 0), z, prec) + if type == 2: return mpi_mul(mpi_gamma(znew, prec+2, 2), z, prec) + if type == 3: return mpi_sub(mpi_gamma(znew, prec+2, 3), mpi_log(z, prec+2), prec) + return c, d + +def mpci_gamma(z, prec, type=0): + (a1,a2), (b1,b2) = z + + # Real case + if b1 == b2 == fzero and (type != 3 or mpf_gt(a1,fzero)): + return mpi_gamma(z, prec, type), mpi_zero + + # Estimate precision + wp = prec+20 + if type != 3: + amag = a2[2]+a2[3] + bmag = b2[2]+b2[3] + if a2 != fzero: + mag = max(amag, bmag) + else: + mag = bmag + an = abs(to_int(a2)) + bn = abs(to_int(b2)) + absn = max(an, bn) + gamma_size = max(0,absn*mag) + wp += bitcount(gamma_size) + + # Assume type != 1 + if type == 1: + (a1,a2) = mpi_add((a1,a2), mpi_one, wp); z = (a1,a2), (b1,b2) + type = 0 + + # Avoid non-monotonic region near the negative real axis + if mpf_lt(a1, gamma_min_b): + if mpi_overlap((b1,b2), (gamma_mono_imag_a, gamma_mono_imag_b)): + # TODO: reflection formula + #if mpf_lt(a2, mpf_shift(fone,-1)): + # znew = mpci_sub((mpi_one,mpi_zero),z,wp) + # ... + # Recurrence: + # gamma(z) = gamma(z+1)/z + znew = mpi_add((a1,a2), mpi_one, wp), (b1,b2) + if type == 0: return mpci_div(mpci_gamma(znew, prec+2, 0), z, prec) + if type == 2: return mpci_mul(mpci_gamma(znew, prec+2, 2), z, prec) + if type == 3: return mpci_sub(mpci_gamma(znew, prec+2, 3), mpci_log(z,prec+2), prec) + + # Use monotonicity (except for a small region close to the + # origin and near poles) + # upper half-plane + if mpf_ge(b1, fzero): + minre = mpc_loggamma((a1,b2), wp, round_floor) + maxre = mpc_loggamma((a2,b1), wp, round_ceiling) + minim = mpc_loggamma((a1,b1), wp, round_floor) + maxim = mpc_loggamma((a2,b2), wp, round_ceiling) + # lower half-plane + elif mpf_le(b2, fzero): + minre = mpc_loggamma((a1,b1), wp, round_floor) + maxre = mpc_loggamma((a2,b2), wp, round_ceiling) + minim = mpc_loggamma((a2,b1), wp, round_floor) + maxim = mpc_loggamma((a1,b2), wp, round_ceiling) + # crosses real axis + else: + maxre = mpc_loggamma((a2,fzero), wp, round_ceiling) + # stretches more into the lower half-plane + if mpf_gt(mpf_neg(b1), b2): + minre = mpc_loggamma((a1,b1), wp, round_ceiling) + else: + minre = mpc_loggamma((a1,b2), wp, round_ceiling) + minim = mpc_loggamma((a2,b1), wp, round_floor) + maxim = mpc_loggamma((a2,b2), wp, round_floor) + + w = (minre[0], maxre[0]), (minim[1], maxim[1]) + if type == 3: + return mpi_pos(w[0], prec), mpi_pos(w[1], prec) + if type == 2: + w = mpci_neg(w) + return mpci_exp(w, prec) + +def mpi_loggamma(z, prec): return mpi_gamma(z, prec, type=3) +def mpci_loggamma(z, prec): return mpci_gamma(z, prec, type=3) + +def mpi_rgamma(z, prec): return mpi_gamma(z, prec, type=2) +def mpci_rgamma(z, prec): return mpci_gamma(z, prec, type=2) + +def mpi_factorial(z, prec): return mpi_gamma(z, prec, type=1) +def mpci_factorial(z, prec): return mpci_gamma(z, prec, type=1) diff --git a/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/INSTALLER b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/INSTALLER new file mode 100644 index 0000000000000000000000000000000000000000..a1b589e38a32041e49332e5e81c2d363dc418d68 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/INSTALLER @@ -0,0 +1 @@ +pip diff --git a/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/License.txt b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/License.txt new file mode 100644 index 0000000000000000000000000000000000000000..b491c70e0aef319022ded661e111ddbd45b8a17f --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/License.txt @@ -0,0 +1,1568 @@ +End User License Agreement +-------------------------- + + +Preface +------- + +The Software License Agreement in Chapter 1 and the Supplement +in Chapter 2 contain license terms and conditions that govern +the use of NVIDIA software. By accepting this agreement, you +agree to comply with all the terms and conditions applicable +to the product(s) included herein. + + +NVIDIA Driver + + +Description + +This package contains the operating system driver and +fundamental system software components for NVIDIA GPUs. + + +NVIDIA CUDA Toolkit + + +Description + +The NVIDIA CUDA Toolkit provides command-line and graphical +tools for building, debugging and optimizing the performance +of applications accelerated by NVIDIA GPUs, runtime and math +libraries, and documentation including programming guides, +user manuals, and API references. + + +Default Install Location of CUDA Toolkit + +Windows platform: + +%ProgramFiles%\NVIDIA GPU Computing Toolkit\CUDA\v#.# + +Linux platform: + +/usr/local/cuda-#.# + +Mac platform: + +/Developer/NVIDIA/CUDA-#.# + + +NVIDIA CUDA Samples + + +Description + +This package includes over 100+ CUDA examples that demonstrate +various CUDA programming principles, and efficient CUDA +implementation of algorithms in specific application domains. + + +Default Install Location of CUDA Samples + +Windows platform: + +%ProgramData%\NVIDIA Corporation\CUDA Samples\v#.# + +Linux platform: + +/usr/local/cuda-#.#/samples + +and + +$HOME/NVIDIA_CUDA-#.#_Samples + +Mac platform: + +/Developer/NVIDIA/CUDA-#.#/samples + + +NVIDIA Nsight Visual Studio Edition (Windows only) + + +Description + +NVIDIA Nsight Development Platform, Visual Studio Edition is a +development environment integrated into Microsoft Visual +Studio that provides tools for debugging, profiling, analyzing +and optimizing your GPU computing and graphics applications. + + +Default Install Location of Nsight Visual Studio Edition + +Windows platform: + +%ProgramFiles(x86)%\NVIDIA Corporation\Nsight Visual Studio Edition #.# + + +1. License Agreement for NVIDIA Software Development Kits +--------------------------------------------------------- + + +Release Date: July 26, 2018 +--------------------------- + + +Important NoticeRead before downloading, installing, +copying or using the licensed software: +------------------------------------------------------- + +This license agreement, including exhibits attached +("Agreement”) is a legal agreement between you and NVIDIA +Corporation ("NVIDIA") and governs your use of a NVIDIA +software development kit (“SDK”). + +Each SDK has its own set of software and materials, but here +is a description of the types of items that may be included in +a SDK: source code, header files, APIs, data sets and assets +(examples include images, textures, models, scenes, videos, +native API input/output files), binary software, sample code, +libraries, utility programs, programming code and +documentation. + +This Agreement can be accepted only by an adult of legal age +of majority in the country in which the SDK is used. + +If you are entering into this Agreement on behalf of a company +or other legal entity, you represent that you have the legal +authority to bind the entity to this Agreement, in which case +“you” will mean the entity you represent. + +If you don’t have the required age or authority to accept +this Agreement, or if you don’t accept all the terms and +conditions of this Agreement, do not download, install or use +the SDK. + +You agree to use the SDK only for purposes that are permitted +by (a) this Agreement, and (b) any applicable law, regulation +or generally accepted practices or guidelines in the relevant +jurisdictions. + + +1.1. License + + +1.1.1. License Grant + +Subject to the terms of this Agreement, NVIDIA hereby grants +you a non-exclusive, non-transferable license, without the +right to sublicense (except as expressly provided in this +Agreement) to: + + 1. Install and use the SDK, + + 2. Modify and create derivative works of sample source code + delivered in the SDK, and + + 3. Distribute those portions of the SDK that are identified + in this Agreement as distributable, as incorporated in + object code format into a software application that meets + the distribution requirements indicated in this Agreement. + + +1.1.2. Distribution Requirements + +These are the distribution requirements for you to exercise +the distribution grant: + + 1. Your application must have material additional + functionality, beyond the included portions of the SDK. + + 2. The distributable portions of the SDK shall only be + accessed by your application. + + 3. The following notice shall be included in modifications + and derivative works of sample source code distributed: + “This software contains source code provided by NVIDIA + Corporation.” + + 4. Unless a developer tool is identified in this Agreement + as distributable, it is delivered for your internal use + only. + + 5. The terms under which you distribute your application + must be consistent with the terms of this Agreement, + including (without limitation) terms relating to the + license grant and license restrictions and protection of + NVIDIA’s intellectual property rights. Additionally, you + agree that you will protect the privacy, security and + legal rights of your application users. + + 6. You agree to notify NVIDIA in writing of any known or + suspected distribution or use of the SDK not in compliance + with the requirements of this Agreement, and to enforce + the terms of your agreements with respect to distributed + SDK. + + +1.1.3. Authorized Users + +You may allow employees and contractors of your entity or of +your subsidiary(ies) to access and use the SDK from your +secure network to perform work on your behalf. + +If you are an academic institution you may allow users +enrolled or employed by the academic institution to access and +use the SDK from your secure network. + +You are responsible for the compliance with the terms of this +Agreement by your authorized users. If you become aware that +your authorized users didn’t follow the terms of this +Agreement, you agree to take reasonable steps to resolve the +non-compliance and prevent new occurrences. + + +1.1.4. Pre-Release SDK + +The SDK versions identified as alpha, beta, preview or +otherwise as pre-release, may not be fully functional, may +contain errors or design flaws, and may have reduced or +different security, privacy, accessibility, availability, and +reliability standards relative to commercial versions of +NVIDIA software and materials. Use of a pre-release SDK may +result in unexpected results, loss of data, project delays or +other unpredictable damage or loss. + +You may use a pre-release SDK at your own risk, understanding +that pre-release SDKs are not intended for use in production +or business-critical systems. + +NVIDIA may choose not to make available a commercial version +of any pre-release SDK. NVIDIA may also choose to abandon +development and terminate the availability of a pre-release +SDK at any time without liability. + + +1.1.5. Updates + +NVIDIA may, at its option, make available patches, workarounds +or other updates to this SDK. Unless the updates are provided +with their separate governing terms, they are deemed part of +the SDK licensed to you as provided in this Agreement. You +agree that the form and content of the SDK that NVIDIA +provides may change without prior notice to you. While NVIDIA +generally maintains compatibility between versions, NVIDIA may +in some cases make changes that introduce incompatibilities in +future versions of the SDK. + + +1.1.6. Third Party Licenses + +The SDK may come bundled with, or otherwise include or be +distributed with, third party software licensed by a NVIDIA +supplier and/or open source software provided under an open +source license. Use of third party software is subject to the +third-party license terms, or in the absence of third party +terms, the terms of this Agreement. Copyright to third party +software is held by the copyright holders indicated in the +third-party software or license. + + +1.1.7. Reservation of Rights + +NVIDIA reserves all rights, title, and interest in and to the +SDK, not expressly granted to you under this Agreement. + + +1.2. Limitations + +The following license limitations apply to your use of the +SDK: + + 1. You may not reverse engineer, decompile or disassemble, + or remove copyright or other proprietary notices from any + portion of the SDK or copies of the SDK. + + 2. Except as expressly provided in this Agreement, you may + not copy, sell, rent, sublicense, transfer, distribute, + modify, or create derivative works of any portion of the + SDK. For clarity, you may not distribute or sublicense the + SDK as a stand-alone product. + + 3. Unless you have an agreement with NVIDIA for this + purpose, you may not indicate that an application created + with the SDK is sponsored or endorsed by NVIDIA. + + 4. You may not bypass, disable, or circumvent any + encryption, security, digital rights management or + authentication mechanism in the SDK. + + 5. You may not use the SDK in any manner that would cause it + to become subject to an open source software license. As + examples, licenses that require as a condition of use, + modification, and/or distribution that the SDK be: + + a. Disclosed or distributed in source code form; + + b. Licensed for the purpose of making derivative works; + or + + c. Redistributable at no charge. + + 6. Unless you have an agreement with NVIDIA for this + purpose, you may not use the SDK with any system or + application where the use or failure of the system or + application can reasonably be expected to threaten or + result in personal injury, death, or catastrophic loss. + Examples include use in avionics, navigation, military, + medical, life support or other life critical applications. + NVIDIA does not design, test or manufacture the SDK for + these critical uses and NVIDIA shall not be liable to you + or any third party, in whole or in part, for any claims or + damages arising from such uses. + + 7. You agree to defend, indemnify and hold harmless NVIDIA + and its affiliates, and their respective employees, + contractors, agents, officers and directors, from and + against any and all claims, damages, obligations, losses, + liabilities, costs or debt, fines, restitutions and + expenses (including but not limited to attorney’s fees + and costs incident to establishing the right of + indemnification) arising out of or related to your use of + the SDK outside of the scope of this Agreement, or not in + compliance with its terms. + + +1.3. Ownership + + 1. NVIDIA or its licensors hold all rights, title and + interest in and to the SDK and its modifications and + derivative works, including their respective intellectual + property rights, subject to your rights described in this + section. This SDK may include software and materials from + NVIDIA’s licensors, and these licensors are intended + third party beneficiaries that may enforce this Agreement + with respect to their intellectual property rights. + + 2. You hold all rights, title and interest in and to your + applications and your derivative works of the sample + source code delivered in the SDK, including their + respective intellectual property rights, subject to + NVIDIA’s rights described in this section. + + 3. You may, but don’t have to, provide to NVIDIA + suggestions, feature requests or other feedback regarding + the SDK, including possible enhancements or modifications + to the SDK. For any feedback that you voluntarily provide, + you hereby grant NVIDIA and its affiliates a perpetual, + non-exclusive, worldwide, irrevocable license to use, + reproduce, modify, license, sublicense (through multiple + tiers of sublicensees), and distribute (through multiple + tiers of distributors) it without the payment of any + royalties or fees to you. NVIDIA will use feedback at its + choice. NVIDIA is constantly looking for ways to improve + its products, so you may send feedback to NVIDIA through + the developer portal at https://developer.nvidia.com. + + +1.4. No Warranties + +THE SDK IS PROVIDED BY NVIDIA “AS IS” AND “WITH ALL +FAULTS.” TO THE MAXIMUM EXTENT PERMITTED BY LAW, NVIDIA AND +ITS AFFILIATES EXPRESSLY DISCLAIM ALL WARRANTIES OF ANY KIND +OR NATURE, WHETHER EXPRESS, IMPLIED OR STATUTORY, INCLUDING, +BUT NOT LIMITED TO, ANY WARRANTIES OF MERCHANTABILITY, FITNESS +FOR A PARTICULAR PURPOSE, TITLE, NON-INFRINGEMENT, OR THE +ABSENCE OF ANY DEFECTS THEREIN, WHETHER LATENT OR PATENT. NO +WARRANTY IS MADE ON THE BASIS OF TRADE USAGE, COURSE OF +DEALING OR COURSE OF TRADE. + + +1.5. Limitation of Liability + +TO THE MAXIMUM EXTENT PERMITTED BY LAW, NVIDIA AND ITS +AFFILIATES SHALL NOT BE LIABLE FOR ANY SPECIAL, INCIDENTAL, +PUNITIVE OR CONSEQUENTIAL DAMAGES, OR ANY LOST PROFITS, LOSS +OF USE, LOSS OF DATA OR LOSS OF GOODWILL, OR THE COSTS OF +PROCURING SUBSTITUTE PRODUCTS, ARISING OUT OF OR IN CONNECTION +WITH THIS AGREEMENT OR THE USE OR PERFORMANCE OF THE SDK, +WHETHER SUCH LIABILITY ARISES FROM ANY CLAIM BASED UPON BREACH +OF CONTRACT, BREACH OF WARRANTY, TORT (INCLUDING NEGLIGENCE), +PRODUCT LIABILITY OR ANY OTHER CAUSE OF ACTION OR THEORY OF +LIABILITY. IN NO EVENT WILL NVIDIA’S AND ITS AFFILIATES +TOTAL CUMULATIVE LIABILITY UNDER OR ARISING OUT OF THIS +AGREEMENT EXCEED US$10.00. THE NATURE OF THE LIABILITY OR THE +NUMBER OF CLAIMS OR SUITS SHALL NOT ENLARGE OR EXTEND THIS +LIMIT. + +These exclusions and limitations of liability shall apply +regardless if NVIDIA or its affiliates have been advised of +the possibility of such damages, and regardless of whether a +remedy fails its essential purpose. These exclusions and +limitations of liability form an essential basis of the +bargain between the parties, and, absent any of these +exclusions or limitations of liability, the provisions of this +Agreement, including, without limitation, the economic terms, +would be substantially different. + + +1.6. Termination + + 1. This Agreement will continue to apply until terminated by + either you or NVIDIA as described below. + + 2. If you want to terminate this Agreement, you may do so by + stopping to use the SDK. + + 3. NVIDIA may, at any time, terminate this Agreement if: + + a. (i) you fail to comply with any term of this + Agreement and the non-compliance is not fixed within + thirty (30) days following notice from NVIDIA (or + immediately if you violate NVIDIA’s intellectual + property rights); + + b. (ii) you commence or participate in any legal + proceeding against NVIDIA with respect to the SDK; or + + c. (iii) NVIDIA decides to no longer provide the SDK in + a country or, in NVIDIA’s sole discretion, the + continued use of it is no longer commercially viable. + + 4. Upon any termination of this Agreement, you agree to + promptly discontinue use of the SDK and destroy all copies + in your possession or control. Your prior distributions in + accordance with this Agreement are not affected by the + termination of this Agreement. Upon written request, you + will certify in writing that you have complied with your + commitments under this section. Upon any termination of + this Agreement all provisions survive except for the + license grant provisions. + + +1.7. General + +If you wish to assign this Agreement or your rights and +obligations, including by merger, consolidation, dissolution +or operation of law, contact NVIDIA to ask for permission. Any +attempted assignment not approved by NVIDIA in writing shall +be void and of no effect. NVIDIA may assign, delegate or +transfer this Agreement and its rights and obligations, and if +to a non-affiliate you will be notified. + +You agree to cooperate with NVIDIA and provide reasonably +requested information to verify your compliance with this +Agreement. + +This Agreement will be governed in all respects by the laws of +the United States and of the State of Delaware as those laws +are applied to contracts entered into and performed entirely +within Delaware by Delaware residents, without regard to the +conflicts of laws principles. The United Nations Convention on +Contracts for the International Sale of Goods is specifically +disclaimed. You agree to all terms of this Agreement in the +English language. + +The state or federal courts residing in Santa Clara County, +California shall have exclusive jurisdiction over any dispute +or claim arising out of this Agreement. Notwithstanding this, +you agree that NVIDIA shall still be allowed to apply for +injunctive remedies or an equivalent type of urgent legal +relief in any jurisdiction. + +If any court of competent jurisdiction determines that any +provision of this Agreement is illegal, invalid or +unenforceable, such provision will be construed as limited to +the extent necessary to be consistent with and fully +enforceable under the law and the remaining provisions will +remain in full force and effect. Unless otherwise specified, +remedies are cumulative. + +Each party acknowledges and agrees that the other is an +independent contractor in the performance of this Agreement. + +The SDK has been developed entirely at private expense and is +“commercial items” consisting of “commercial computer +software” and “commercial computer software +documentation” provided with RESTRICTED RIGHTS. Use, +duplication or disclosure by the U.S. Government or a U.S. +Government subcontractor is subject to the restrictions in +this Agreement pursuant to DFARS 227.7202-3(a) or as set forth +in subparagraphs (c)(1) and (2) of the Commercial Computer +Software - Restricted Rights clause at FAR 52.227-19, as +applicable. Contractor/manufacturer is NVIDIA, 2788 San Tomas +Expressway, Santa Clara, CA 95051. + +The SDK is subject to United States export laws and +regulations. You agree that you will not ship, transfer or +export the SDK into any country, or use the SDK in any manner, +prohibited by the United States Bureau of Industry and +Security or economic sanctions regulations administered by the +U.S. Department of Treasury’s Office of Foreign Assets +Control (OFAC), or any applicable export laws, restrictions or +regulations. These laws include restrictions on destinations, +end users and end use. By accepting this Agreement, you +confirm that you are not a resident or citizen of any country +currently embargoed by the U.S. and that you are not otherwise +prohibited from receiving the SDK. + +Any notice delivered by NVIDIA to you under this Agreement +will be delivered via mail, email or fax. You agree that any +notices that NVIDIA sends you electronically will satisfy any +legal communication requirements. Please direct your legal +notices or other correspondence to NVIDIA Corporation, 2788 +San Tomas Expressway, Santa Clara, California 95051, United +States of America, Attention: Legal Department. + +This Agreement and any exhibits incorporated into this +Agreement constitute the entire agreement of the parties with +respect to the subject matter of this Agreement and supersede +all prior negotiations or documentation exchanged between the +parties relating to this SDK license. Any additional and/or +conflicting terms on documents issued by you are null, void, +and invalid. Any amendment or waiver under this Agreement +shall be in writing and signed by representatives of both +parties. + + +2. CUDA Toolkit Supplement to Software License Agreement for +NVIDIA Software Development Kits +------------------------------------------------------------ + + +Release date: August 16, 2018 +----------------------------- + +The terms in this supplement govern your use of the NVIDIA +CUDA Toolkit SDK under the terms of your license agreement +(“Agreement”) as modified by this supplement. Capitalized +terms used but not defined below have the meaning assigned to +them in the Agreement. + +This supplement is an exhibit to the Agreement and is +incorporated as an integral part of the Agreement. In the +event of conflict between the terms in this supplement and the +terms in the Agreement, the terms in this supplement govern. + + +2.1. License Scope + +The SDK is licensed for you to develop applications only for +use in systems with NVIDIA GPUs. + + +2.2. Distribution + +The portions of the SDK that are distributable under the +Agreement are listed in Attachment A. + + +2.3. Operating Systems + +Those portions of the SDK designed exclusively for use on the +Linux or FreeBSD operating systems, or other operating systems +derived from the source code to these operating systems, may +be copied and redistributed for use in accordance with this +Agreement, provided that the object code files are not +modified in any way (except for unzipping of compressed +files). + + +2.4. Audio and Video Encoders and Decoders + +You acknowledge and agree that it is your sole responsibility +to obtain any additional third-party licenses required to +make, have made, use, have used, sell, import, and offer for +sale your products or services that include or incorporate any +third-party software and content relating to audio and/or +video encoders and decoders from, including but not limited +to, Microsoft, Thomson, Fraunhofer IIS, Sisvel S.p.A., +MPEG-LA, and Coding Technologies. NVIDIA does not grant to you +under this Agreement any necessary patent or other rights with +respect to any audio and/or video encoders and decoders. + + +2.5. Licensing + +If the distribution terms in this Agreement are not suitable +for your organization, or for any questions regarding this +Agreement, please contact NVIDIA at +nvidia-compute-license-questions@nvidia.com. + + +2.6. Attachment A + +The following portions of the SDK are distributable under the +Agreement: + +Component + +CUDA Runtime + +Windows + +cudart.dll, cudart_static.lib, cudadevrt.lib + +Mac OSX + +libcudart.dylib, libcudart_static.a, libcudadevrt.a + +Linux + +libcudart.so, libcudart_static.a, libcudadevrt.a + +Android + +libcudart.so, libcudart_static.a, libcudadevrt.a + +Component + +CUDA FFT Library + +Windows + +cufft.dll, cufftw.dll, cufft.lib, cufftw.lib + +Mac OSX + +libcufft.dylib, libcufft_static.a, libcufftw.dylib, +libcufftw_static.a + +Linux + +libcufft.so, libcufft_static.a, libcufftw.so, +libcufftw_static.a + +Android + +libcufft.so, libcufft_static.a, libcufftw.so, +libcufftw_static.a + +Component + +CUDA BLAS Library + +Windows + +cublas.dll, cublasLt.dll + +Mac OSX + +libcublas.dylib, libcublasLt.dylib, libcublas_static.a, +libcublasLt_static.a + +Linux + +libcublas.so, libcublasLt.so, libcublas_static.a, +libcublasLt_static.a + +Android + +libcublas.so, libcublasLt.so, libcublas_static.a, +libcublasLt_static.a + +Component + +NVIDIA "Drop-in" BLAS Library + +Windows + +nvblas.dll + +Mac OSX + +libnvblas.dylib + +Linux + +libnvblas.so + +Component + +CUDA Sparse Matrix Library + +Windows + +cusparse.dll, cusparse.lib + +Mac OSX + +libcusparse.dylib, libcusparse_static.a + +Linux + +libcusparse.so, libcusparse_static.a + +Android + +libcusparse.so, libcusparse_static.a + +Component + +CUDA Linear Solver Library + +Windows + +cusolver.dll, cusolver.lib + +Mac OSX + +libcusolver.dylib, libcusolver_static.a + +Linux + +libcusolver.so, libcusolver_static.a + +Android + +libcusolver.so, libcusolver_static.a + +Component + +CUDA Random Number Generation Library + +Windows + +curand.dll, curand.lib + +Mac OSX + +libcurand.dylib, libcurand_static.a + +Linux + +libcurand.so, libcurand_static.a + +Android + +libcurand.so, libcurand_static.a + +Component + +CUDA Accelerated Graph Library + +Component + +NVIDIA Performance Primitives Library + +Windows + +nppc.dll, nppc.lib, nppial.dll, nppial.lib, nppicc.dll, +nppicc.lib, nppicom.dll, nppicom.lib, nppidei.dll, +nppidei.lib, nppif.dll, nppif.lib, nppig.dll, nppig.lib, +nppim.dll, nppim.lib, nppist.dll, nppist.lib, nppisu.dll, +nppisu.lib, nppitc.dll, nppitc.lib, npps.dll, npps.lib + +Mac OSX + +libnppc.dylib, libnppc_static.a, libnppial.dylib, +libnppial_static.a, libnppicc.dylib, libnppicc_static.a, +libnppicom.dylib, libnppicom_static.a, libnppidei.dylib, +libnppidei_static.a, libnppif.dylib, libnppif_static.a, +libnppig.dylib, libnppig_static.a, libnppim.dylib, +libnppisu_static.a, libnppitc.dylib, libnppitc_static.a, +libnpps.dylib, libnpps_static.a + +Linux + +libnppc.so, libnppc_static.a, libnppial.so, +libnppial_static.a, libnppicc.so, libnppicc_static.a, +libnppicom.so, libnppicom_static.a, libnppidei.so, +libnppidei_static.a, libnppif.so, libnppif_static.a +libnppig.so, libnppig_static.a, libnppim.so, +libnppim_static.a, libnppist.so, libnppist_static.a, +libnppisu.so, libnppisu_static.a, libnppitc.so +libnppitc_static.a, libnpps.so, libnpps_static.a + +Android + +libnppc.so, libnppc_static.a, libnppial.so, +libnppial_static.a, libnppicc.so, libnppicc_static.a, +libnppicom.so, libnppicom_static.a, libnppidei.so, +libnppidei_static.a, libnppif.so, libnppif_static.a +libnppig.so, libnppig_static.a, libnppim.so, +libnppim_static.a, libnppist.so, libnppist_static.a, +libnppisu.so, libnppisu_static.a, libnppitc.so +libnppitc_static.a, libnpps.so, libnpps_static.a + +Component + +NVIDIA JPEG Library + +Linux + +libnvjpeg.so, libnvjpeg_static.a + +Component + +Internal common library required for statically linking to +cuBLAS, cuSPARSE, cuFFT, cuRAND, nvJPEG and NPP + +Mac OSX + +libculibos.a + +Linux + +libculibos.a + +Component + +NVIDIA Runtime Compilation Library and Header + +All + +nvrtc.h + +Windows + +nvrtc.dll, nvrtc-builtins.dll + +Mac OSX + +libnvrtc.dylib, libnvrtc-builtins.dylib + +Linux + +libnvrtc.so, libnvrtc-builtins.so + +Component + +NVIDIA Optimizing Compiler Library + +Windows + +nvvm.dll + +Mac OSX + +libnvvm.dylib + +Linux + +libnvvm.so + +Component + +NVIDIA Common Device Math Functions Library + +Windows + +libdevice.10.bc + +Mac OSX + +libdevice.10.bc + +Linux + +libdevice.10.bc + +Component + +CUDA Occupancy Calculation Header Library + +All + +cuda_occupancy.h + +Component + +CUDA Half Precision Headers + +All + +cuda_fp16.h, cuda_fp16.hpp + +Component + +CUDA Profiling Tools Interface (CUPTI) Library + +Windows + +cupti.dll + +Mac OSX + +libcupti.dylib + +Linux + +libcupti.so + +Component + +NVIDIA Tools Extension Library + +Windows + +nvToolsExt.dll, nvToolsExt.lib + +Mac OSX + +libnvToolsExt.dylib + +Linux + +libnvToolsExt.so + +Component + +NVIDIA CUDA Driver Libraries + +Linux + +libcuda.so, libnvidia-fatbinaryloader.so, +libnvidia-ptxjitcompiler.so + +The NVIDIA CUDA Driver Libraries are only distributable in +applications that meet this criteria: + + 1. The application was developed starting from a NVIDIA CUDA + container obtained from Docker Hub or the NVIDIA GPU + Cloud, and + + 2. The resulting application is packaged as a Docker + container and distributed to users on Docker Hub or the + NVIDIA GPU Cloud only. + + +2.7. Attachment B + + +Additional Licensing Obligations + +The following third party components included in the SOFTWARE +are licensed to Licensee pursuant to the following terms and +conditions: + + 1. Licensee's use of the GDB third party component is + subject to the terms and conditions of GNU GPL v3: + + This product includes copyrighted third-party software licensed + under the terms of the GNU General Public License v3 ("GPL v3"). + All third-party software packages are copyright by their respective + authors. GPL v3 terms and conditions are hereby incorporated into + the Agreement by this reference: http://www.gnu.org/licenses/gpl.txt + + Consistent with these licensing requirements, the software + listed below is provided under the terms of the specified + open source software licenses. To obtain source code for + software provided under licenses that require + redistribution of source code, including the GNU General + Public License (GPL) and GNU Lesser General Public License + (LGPL), contact oss-requests@nvidia.com. This offer is + valid for a period of three (3) years from the date of the + distribution of this product by NVIDIA CORPORATION. + + Component License + CUDA-GDB GPL v3 + + 2. Licensee represents and warrants that any and all third + party licensing and/or royalty payment obligations in + connection with Licensee's use of the H.264 video codecs + are solely the responsibility of Licensee. + + 3. Licensee's use of the Thrust library is subject to the + terms and conditions of the Apache License Version 2.0. + All third-party software packages are copyright by their + respective authors. Apache License Version 2.0 terms and + conditions are hereby incorporated into the Agreement by + this reference. + http://www.apache.org/licenses/LICENSE-2.0.html + + In addition, Licensee acknowledges the following notice: + Thrust includes source code from the Boost Iterator, + Tuple, System, and Random Number libraries. + + Boost Software License - Version 1.0 - August 17th, 2003 + . . . . + + Permission is hereby granted, free of charge, to any person or + organization obtaining a copy of the software and accompanying + documentation covered by this license (the "Software") to use, + reproduce, display, distribute, execute, and transmit the Software, + and to prepare derivative works of the Software, and to permit + third-parties to whom the Software is furnished to do so, all + subject to the following: + + The copyright notices in the Software and this entire statement, + including the above license grant, this restriction and the following + disclaimer, must be included in all copies of the Software, in whole + or in part, and all derivative works of the Software, unless such + copies or derivative works are solely in the form of machine-executable + object code generated by a source language processor. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, + EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF + MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, TITLE AND + NON-INFRINGEMENT. IN NO EVENT SHALL THE COPYRIGHT HOLDERS OR + ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE FOR ANY DAMAGES OR + OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE, ARISING + FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR + OTHER DEALINGS IN THE SOFTWARE. + + 4. Licensee's use of the LLVM third party component is + subject to the following terms and conditions: + + ====================================================== + LLVM Release License + ====================================================== + University of Illinois/NCSA + Open Source License + + Copyright (c) 2003-2010 University of Illinois at Urbana-Champaign. + All rights reserved. + + Developed by: + + LLVM Team + + University of Illinois at Urbana-Champaign + + http://llvm.org + + Permission is hereby granted, free of charge, to any person obtaining a copy + of this software and associated documentation files (the "Software"), to + deal with the Software without restriction, including without limitation the + rights to use, copy, modify, merge, publish, distribute, sublicense, and/or + sell copies of the Software, and to permit persons to whom the Software is + furnished to do so, subject to the following conditions: + + * Redistributions of source code must retain the above copyright notice, + this list of conditions and the following disclaimers. + + * Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimers in the + documentation and/or other materials provided with the distribution. + + * Neither the names of the LLVM Team, University of Illinois at Urbana- + Champaign, nor the names of its contributors may be used to endorse or + promote products derived from this Software without specific prior + written permission. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL + THE CONTRIBUTORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR + OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, + ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER + DEALINGS WITH THE SOFTWARE. + + 5. Licensee's use (e.g. nvprof) of the PCRE third party + component is subject to the following terms and + conditions: + + ------------ + PCRE LICENCE + ------------ + PCRE is a library of functions to support regular expressions whose syntax + and semantics are as close as possible to those of the Perl 5 language. + Release 8 of PCRE is distributed under the terms of the "BSD" licence, as + specified below. The documentation for PCRE, supplied in the "doc" + directory, is distributed under the same terms as the software itself. The + basic library functions are written in C and are freestanding. Also + included in the distribution is a set of C++ wrapper functions, and a just- + in-time compiler that can be used to optimize pattern matching. These are + both optional features that can be omitted when the library is built. + + THE BASIC LIBRARY FUNCTIONS + --------------------------- + Written by: Philip Hazel + Email local part: ph10 + Email domain: cam.ac.uk + University of Cambridge Computing Service, + Cambridge, England. + Copyright (c) 1997-2012 University of Cambridge + All rights reserved. + + PCRE JUST-IN-TIME COMPILATION SUPPORT + ------------------------------------- + Written by: Zoltan Herczeg + Email local part: hzmester + Emain domain: freemail.hu + Copyright(c) 2010-2012 Zoltan Herczeg + All rights reserved. + + STACK-LESS JUST-IN-TIME COMPILER + -------------------------------- + Written by: Zoltan Herczeg + Email local part: hzmester + Emain domain: freemail.hu + Copyright(c) 2009-2012 Zoltan Herczeg + All rights reserved. + + THE C++ WRAPPER FUNCTIONS + ------------------------- + Contributed by: Google Inc. + Copyright (c) 2007-2012, Google Inc. + All rights reserved. + + THE "BSD" LICENCE + ----------------- + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions are met: + + * Redistributions of source code must retain the above copyright notice, + this list of conditions and the following disclaimer. + + * Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in the + documentation and/or other materials provided with the distribution. + + * Neither the name of the University of Cambridge nor the name of Google + Inc. nor the names of their contributors may be used to endorse or + promote products derived from this software without specific prior + written permission. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" + AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE + IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE + ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE + LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR + CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF + SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS + INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN + CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) + ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE + POSSIBILITY OF SUCH DAMAGE. + + 6. Some of the cuBLAS library routines were written by or + derived from code written by Vasily Volkov and are subject + to the Modified Berkeley Software Distribution License as + follows: + + Copyright (c) 2007-2009, Regents of the University of California + + All rights reserved. + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions are + met: + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above + copyright notice, this list of conditions and the following + disclaimer in the documentation and/or other materials provided + with the distribution. + * Neither the name of the University of California, Berkeley nor + the names of its contributors may be used to endorse or promote + products derived from this software without specific prior + written permission. + + THIS SOFTWARE IS PROVIDED BY THE AUTHOR "AS IS" AND ANY EXPRESS OR + IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED + WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE + DISCLAIMED. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, + INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES + (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR + SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) + HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, + STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING + IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE + POSSIBILITY OF SUCH DAMAGE. + + 7. Some of the cuBLAS library routines were written by or + derived from code written by Davide Barbieri and are + subject to the Modified Berkeley Software Distribution + License as follows: + + Copyright (c) 2008-2009 Davide Barbieri @ University of Rome Tor Vergata. + + All rights reserved. + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions are + met: + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above + copyright notice, this list of conditions and the following + disclaimer in the documentation and/or other materials provided + with the distribution. + * The name of the author may not be used to endorse or promote + products derived from this software without specific prior + written permission. + + THIS SOFTWARE IS PROVIDED BY THE AUTHOR "AS IS" AND ANY EXPRESS OR + IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED + WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE + DISCLAIMED. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, + INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES + (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR + SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) + HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, + STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING + IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE + POSSIBILITY OF SUCH DAMAGE. + + 8. Some of the cuBLAS library routines were derived from + code developed by the University of Tennessee and are + subject to the Modified Berkeley Software Distribution + License as follows: + + Copyright (c) 2010 The University of Tennessee. + + All rights reserved. + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions are + met: + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above + copyright notice, this list of conditions and the following + disclaimer listed in this license in the documentation and/or + other materials provided with the distribution. + * Neither the name of the copyright holders nor the names of its + contributors may be used to endorse or promote products derived + from this software without specific prior written permission. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS + "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT + LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR + A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT + OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, + SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT + LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, + DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY + THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT + (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE + OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + 9. Some of the cuBLAS library routines were written by or + derived from code written by Jonathan Hogg and are subject + to the Modified Berkeley Software Distribution License as + follows: + + Copyright (c) 2012, The Science and Technology Facilities Council (STFC). + + All rights reserved. + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions are + met: + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above + copyright notice, this list of conditions and the following + disclaimer in the documentation and/or other materials provided + with the distribution. + * Neither the name of the STFC nor the names of its contributors + may be used to endorse or promote products derived from this + software without specific prior written permission. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS + "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT + LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR + A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE STFC BE + LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR + CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF + SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR + BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, + WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE + OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN + IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + 10. Some of the cuBLAS library routines were written by or + derived from code written by Ahmad M. Abdelfattah, David + Keyes, and Hatem Ltaief, and are subject to the Apache + License, Version 2.0, as follows: + + -- (C) Copyright 2013 King Abdullah University of Science and Technology + Authors: + Ahmad Abdelfattah (ahmad.ahmad@kaust.edu.sa) + David Keyes (david.keyes@kaust.edu.sa) + Hatem Ltaief (hatem.ltaief@kaust.edu.sa) + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions + are met: + + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in the + documentation and/or other materials provided with the distribution. + * Neither the name of the King Abdullah University of Science and + Technology nor the names of its contributors may be used to endorse + or promote products derived from this software without specific prior + written permission. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS + ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT + LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR + A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT + HOLDERS OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, + SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT + LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, + DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY + THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT + (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE + OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE + + 11. Some of the cuSPARSE library routines were written by or + derived from code written by Li-Wen Chang and are subject + to the NCSA Open Source License as follows: + + Copyright (c) 2012, University of Illinois. + + All rights reserved. + + Developed by: IMPACT Group, University of Illinois, http://impact.crhc.illinois.edu + + Permission is hereby granted, free of charge, to any person obtaining + a copy of this software and associated documentation files (the + "Software"), to deal with the Software without restriction, including + without limitation the rights to use, copy, modify, merge, publish, + distribute, sublicense, and/or sell copies of the Software, and to + permit persons to whom the Software is furnished to do so, subject to + the following conditions: + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above + copyright notice, this list of conditions and the following + disclaimers in the documentation and/or other materials provided + with the distribution. + * Neither the names of IMPACT Group, University of Illinois, nor + the names of its contributors may be used to endorse or promote + products derived from this Software without specific prior + written permission. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, + EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF + MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND + NONINFRINGEMENT. IN NO EVENT SHALL THE CONTRIBUTORS OR COPYRIGHT + HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER + IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR + IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS WITH THE + SOFTWARE. + + 12. Some of the cuRAND library routines were written by or + derived from code written by Mutsuo Saito and Makoto + Matsumoto and are subject to the following license: + + Copyright (c) 2009, 2010 Mutsuo Saito, Makoto Matsumoto and Hiroshima + University. All rights reserved. + + Copyright (c) 2011 Mutsuo Saito, Makoto Matsumoto, Hiroshima + University and University of Tokyo. All rights reserved. + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions are + met: + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above + copyright notice, this list of conditions and the following + disclaimer in the documentation and/or other materials provided + with the distribution. + * Neither the name of the Hiroshima University nor the names of + its contributors may be used to endorse or promote products + derived from this software without specific prior written + permission. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS + "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT + LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR + A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT + OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, + SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT + LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, + DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY + THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT + (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE + OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + 13. Some of the cuRAND library routines were derived from + code developed by D. E. Shaw Research and are subject to + the following license: + + Copyright 2010-2011, D. E. Shaw Research. + + All rights reserved. + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions are + met: + * Redistributions of source code must retain the above copyright + notice, this list of conditions, and the following disclaimer. + * Redistributions in binary form must reproduce the above + copyright notice, this list of conditions, and the following + disclaimer in the documentation and/or other materials provided + with the distribution. + * Neither the name of D. E. Shaw Research nor the names of its + contributors may be used to endorse or promote products derived + from this software without specific prior written permission. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS + "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT + LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR + A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT + OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, + SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT + LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, + DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY + THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT + (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE + OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + 14. Some of the Math library routines were written by or + derived from code developed by Norbert Juffa and are + subject to the following license: + + Copyright (c) 2015-2017, Norbert Juffa + All rights reserved. + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions + are met: + + 1. Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + + 2. Redistributions in binary form must reproduce the above copyright + notice, this list of conditions and the following disclaimer in the + documentation and/or other materials provided with the distribution. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS + "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT + LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR + A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT + HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, + SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT + LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, + DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY + THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT + (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE + OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + 15. Licensee's use of the lz4 third party component is + subject to the following terms and conditions: + + Copyright (C) 2011-2013, Yann Collet. + BSD 2-Clause License (http://www.opensource.org/licenses/bsd-license.php) + + Redistribution and use in source and binary forms, with or without + modification, are permitted provided that the following conditions are + met: + + * Redistributions of source code must retain the above copyright + notice, this list of conditions and the following disclaimer. + * Redistributions in binary form must reproduce the above + copyright notice, this list of conditions and the following disclaimer + in the documentation and/or other materials provided with the + distribution. + + THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS + "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT + LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR + A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT + OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, + SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT + LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, + DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY + THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT + (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE + OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + + 16. The NPP library uses code from the Boost Math Toolkit, + and is subject to the following license: + + Boost Software License - Version 1.0 - August 17th, 2003 + . . . . + + Permission is hereby granted, free of charge, to any person or + organization obtaining a copy of the software and accompanying + documentation covered by this license (the "Software") to use, + reproduce, display, distribute, execute, and transmit the Software, + and to prepare derivative works of the Software, and to permit + third-parties to whom the Software is furnished to do so, all + subject to the following: + + The copyright notices in the Software and this entire statement, + including the above license grant, this restriction and the following + disclaimer, must be included in all copies of the Software, in whole + or in part, and all derivative works of the Software, unless such + copies or derivative works are solely in the form of machine-executable + object code generated by a source language processor. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, + EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF + MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, TITLE AND + NON-INFRINGEMENT. IN NO EVENT SHALL THE COPYRIGHT HOLDERS OR + ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE FOR ANY DAMAGES OR + OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE, ARISING + FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR + OTHER DEALINGS IN THE SOFTWARE. + + 17. Portions of the Nsight Eclipse Edition is subject to the + following license: + + The Eclipse Foundation makes available all content in this plug-in + ("Content"). Unless otherwise indicated below, the Content is provided + to you under the terms and conditions of the Eclipse Public License + Version 1.0 ("EPL"). A copy of the EPL is available at http:// + www.eclipse.org/legal/epl-v10.html. For purposes of the EPL, "Program" + will mean the Content. + + If you did not receive this Content directly from the Eclipse + Foundation, the Content is being redistributed by another party + ("Redistributor") and different terms and conditions may apply to your + use of any object code in the Content. Check the Redistributor's + license that was provided with the Content. If no such license exists, + contact the Redistributor. Unless otherwise indicated below, the terms + and conditions of the EPL still apply to any source code in the + Content and such source code may be obtained at http://www.eclipse.org. + + 18. Some of the cuBLAS library routines uses code from + OpenAI, which is subject to the following license: + + License URL + https://github.com/openai/openai-gemm/blob/master/LICENSE + + License Text + The MIT License + + Copyright (c) 2016 OpenAI (http://openai.com), 2016 Google Inc. + + Permission is hereby granted, free of charge, to any person obtaining a copy + of this software and associated documentation files (the "Software"), to deal + in the Software without restriction, including without limitation the rights + to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + copies of the Software, and to permit persons to whom the Software is + furnished to do so, subject to the following conditions: + + The above copyright notice and this permission notice shall be included in + all copies or substantial portions of the Software. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + THE SOFTWARE. + + 19. Licensee's use of the Visual Studio Setup Configuration + Samples is subject to the following license: + + The MIT License (MIT) + Copyright (C) Microsoft Corporation. All rights reserved. + + Permission is hereby granted, free of charge, to any person + obtaining a copy of this software and associated documentation + files (the "Software"), to deal in the Software without restriction, + including without limitation the rights to use, copy, modify, merge, + publish, distribute, sublicense, and/or sell copies of the Software, + and to permit persons to whom the Software is furnished to do so, + subject to the following conditions: + + The above copyright notice and this permission notice shall be included + in all copies or substantial portions of the Software. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS + OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. + + 20. Licensee's use of linmath.h header for CPU functions for + GL vector/matrix operations from lunarG is subject to the + Apache License Version 2.0. + + 21. The DX12-CUDA sample uses the d3dx12.h header, which is + subject to the MIT license . + +----------------- diff --git a/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/METADATA b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/METADATA new file mode 100644 index 0000000000000000000000000000000000000000..f68ecd51e33433972513aa313409942fd0752924 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/METADATA @@ -0,0 +1,35 @@ +Metadata-Version: 2.1 +Name: nvidia-cuda-runtime-cu12 +Version: 12.1.105 +Summary: CUDA Runtime native Libraries +Home-page: https://developer.nvidia.com/cuda-zone +Author: Nvidia CUDA Installer Team +Author-email: cuda_installer@nvidia.com +License: NVIDIA Proprietary Software +Keywords: cuda,nvidia,runtime,machine learning,deep learning +Classifier: Development Status :: 4 - Beta +Classifier: Intended Audience :: Developers +Classifier: Intended Audience :: Education +Classifier: Intended Audience :: Science/Research +Classifier: License :: Other/Proprietary License +Classifier: Natural Language :: English +Classifier: Programming Language :: Python :: 3 +Classifier: Programming Language :: Python :: 3.5 +Classifier: Programming Language :: Python :: 3.6 +Classifier: Programming Language :: Python :: 3.7 +Classifier: Programming Language :: Python :: 3.8 +Classifier: Programming Language :: Python :: 3.9 +Classifier: Programming Language :: Python :: 3.10 +Classifier: Programming Language :: Python :: 3.11 +Classifier: Programming Language :: Python :: 3 :: Only +Classifier: Topic :: Scientific/Engineering +Classifier: Topic :: Scientific/Engineering :: Mathematics +Classifier: Topic :: Scientific/Engineering :: Artificial Intelligence +Classifier: Topic :: Software Development +Classifier: Topic :: Software Development :: Libraries +Classifier: Operating System :: Microsoft :: Windows +Classifier: Operating System :: POSIX :: Linux +Requires-Python: >=3 +License-File: License.txt + +CUDA Runtime native Libraries diff --git a/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/RECORD b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/RECORD new file mode 100644 index 0000000000000000000000000000000000000000..f4e985d9e076d856208058012edfc95d35751fa8 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/RECORD @@ -0,0 +1,107 @@ +nvidia/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +nvidia/__pycache__/__init__.cpython-310.pyc,, +nvidia/cuda_runtime/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +nvidia/cuda_runtime/__pycache__/__init__.cpython-310.pyc,, +nvidia/cuda_runtime/include/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +nvidia/cuda_runtime/include/__pycache__/__init__.cpython-310.pyc,, +nvidia/cuda_runtime/include/builtin_types.h,sha256=JxT9Vf2q2snxTBOL9ACzNmYzTWACO2VOVUu1KdFt7_g,3150 +nvidia/cuda_runtime/include/channel_descriptor.h,sha256=no_vNky02LeMLI0CF8GDVGHaPm_uRUGcVUMYdt_Xn4U,21482 +nvidia/cuda_runtime/include/common_functions.h,sha256=22LTZRVcPZzEH6MJda7nNMCvMgIjSTe0OKR7sEQj6kc,3410 +nvidia/cuda_runtime/include/cooperative_groups.h,sha256=JCMxtl4cNUFnymguM4_bTywhcfyxGqu_zOQIUh_Tc_g,59328 +nvidia/cuda_runtime/include/cooperative_groups/details/async.h,sha256=xsEHCZP3nuEY3l2p8SU2d1226XiXumUvDP_Gyh8PdVY,19122 +nvidia/cuda_runtime/include/cooperative_groups/details/coalesced_reduce.h,sha256=vWv1tyxMjSMM2Oc0SdxXhCug_PwaBM6u8iMLjKyeqjE,4561 +nvidia/cuda_runtime/include/cooperative_groups/details/coalesced_scan.h,sha256=DfZv5d5W0XJv-tZVhgrIdjLjs6aCx_u0oy1lDIpjo1Q,7314 +nvidia/cuda_runtime/include/cooperative_groups/details/driver_abi.h,sha256=v-ZUb4UgGKJk6NR2WCWHD3x_42y-togI1urFn70Gi-g,3964 +nvidia/cuda_runtime/include/cooperative_groups/details/functional.h,sha256=2BV8i8Bidz0kgxuYkJCAbwFxOIZRyzHgG-c_rVKhRzc,8905 +nvidia/cuda_runtime/include/cooperative_groups/details/helpers.h,sha256=GHIy-8awPZObSmP_FFWAnX7RQG9s1SD6L3yw5dNzhlM,23569 +nvidia/cuda_runtime/include/cooperative_groups/details/info.h,sha256=LSrEe6iTHuQRfc7RD3EHQbNqpED8eAbX4HLNyxXgKFA,12286 +nvidia/cuda_runtime/include/cooperative_groups/details/invoke.h,sha256=Osq3K-tZuXHVCMQJ708PjPo-BwMhjhjApO4b0TYLFJg,8616 +nvidia/cuda_runtime/include/cooperative_groups/details/memory.h,sha256=WU28eUcYLA1z131VYGulR4eVCSN9xK9KSxbV656YPs0,5484 +nvidia/cuda_runtime/include/cooperative_groups/details/partitioning.h,sha256=8hCh6F8sfkyfRgMirC37Nqv-b-gIY3A_J0eMYqmD2zU,6001 +nvidia/cuda_runtime/include/cooperative_groups/details/reduce.h,sha256=cbDjVSJVQ2_2pf2aP-X_rBkRVEWEFSYkc6oCx1fRQsQ,22744 +nvidia/cuda_runtime/include/cooperative_groups/details/scan.h,sha256=-Ttwb2AfEEY_tsmqJjR2dojkPpoRx387SoqxgvfdBtQ,17166 +nvidia/cuda_runtime/include/cooperative_groups/details/sync.h,sha256=fIEOjj7h3MoPqSOP3rkTNeedgS-0ZRkAHkzTAJDwJUA,10340 +nvidia/cuda_runtime/include/cooperative_groups/memcpy_async.h,sha256=erOIHuObdfxRhBWfrXE3wsZF4B2GUuqwzQrsPwKPpbg,2960 +nvidia/cuda_runtime/include/cooperative_groups/reduce.h,sha256=B0hgDkqM-6ueqTTgb3b34A0RH4vGz8mBf5e2jT1dJ1o,2949 +nvidia/cuda_runtime/include/cooperative_groups/scan.h,sha256=2EU6T5cWNwftm2B7FicV31PojoI61yo5fHXGRYkGk40,2940 +nvidia/cuda_runtime/include/cuComplex.h,sha256=WpcgpaiPhU_o9sTPMcNTEZuyXDIc8x3sz4dUWSztL2g,12186 +nvidia/cuda_runtime/include/cuda.h,sha256=CAY_j4D9qgEVLDxRftRObCI-vCpTTkSrLq9zBRVNwJI,933009 +nvidia/cuda_runtime/include/cudaEGL.h,sha256=_CwaQ4cEP1vfNyBSSd5qFxznPCYOovF6Cpj-QWSIBq4,39544 +nvidia/cuda_runtime/include/cudaEGLTypedefs.h,sha256=xF_FAN1Kar9oyHJ3cCU7jztTpxX8WylpiuYyYpGGHek,5645 +nvidia/cuda_runtime/include/cudaGL.h,sha256=gMT1HPGa-siuji0gAsKYr4X45Lc29HKglC_ttNSGyUM,22501 +nvidia/cuda_runtime/include/cudaGLTypedefs.h,sha256=dClpQI-LuXgF9rPSBsj7OkIg8g_fXDjT0hLZS8TGpOg,6576 +nvidia/cuda_runtime/include/cudaProfilerTypedefs.h,sha256=F2aWLIKv_AhNbxNOaZVcRsxIh0kuscnV8UMWWxkBAlY,3297 +nvidia/cuda_runtime/include/cudaTypedefs.h,sha256=guPSBrr4jNU6WBaBCqRiTuCbOYQDLMqYoz7bemoofWI,101855 +nvidia/cuda_runtime/include/cudaVDPAU.h,sha256=Np7Nc2Wjaz--hkpbhW6f9aapr-NbcPDAgkot0sJerco,12694 +nvidia/cuda_runtime/include/cudaVDPAUTypedefs.h,sha256=wz8nyOUdwM9mH9JO3QZW-A9dyxt-IufSX7nggSXpCNs,4144 +nvidia/cuda_runtime/include/cuda_awbarrier.h,sha256=3ZH-ZlXODhSiwSY9rqSni_EQwi25QMHP6Tm-zOdxBwE,9340 +nvidia/cuda_runtime/include/cuda_awbarrier_helpers.h,sha256=OCskCts5bCKl_RKBe9M74zKSIsVpePn44S_aJp1tFXE,12489 +nvidia/cuda_runtime/include/cuda_awbarrier_primitives.h,sha256=n5__E1jYYDhlgH-f3u8MQjtz57UZ7v5VshhMye1eicM,4699 +nvidia/cuda_runtime/include/cuda_bf16.h,sha256=zQ2idK7w0w7tRlgL_5Nyvy3FSrsOnu2W9Ya2YSFFT-E,149245 +nvidia/cuda_runtime/include/cuda_bf16.hpp,sha256=JlKs0yOZvJQPM6yFO3klxrhPTNN83e7um3ZFHMlYOKI,104876 +nvidia/cuda_runtime/include/cuda_device_runtime_api.h,sha256=2ZuNnXkRON3VchHM-OcKCdhljApIlfh-xKwupEfp5N4,39755 +nvidia/cuda_runtime/include/cuda_egl_interop.h,sha256=PNWYns30MIytJQHSOh7UbZYlaTX5e0bavzK14tde_C8,37109 +nvidia/cuda_runtime/include/cuda_fp16.h,sha256=aFLciB3o9QH3trYFl_P_dX58342UPfHXZGy2OeqEv1s,141782 +nvidia/cuda_runtime/include/cuda_fp16.hpp,sha256=kyHQA_rvZWpGq7sb2k3iTT3Zs1KYtr7TlEVvkGbQ61E,98606 +nvidia/cuda_runtime/include/cuda_fp8.h,sha256=Q3OP5o_3rSYbKtVIlcXVr_CncU3SPM-09j605e2Zegw,13833 +nvidia/cuda_runtime/include/cuda_fp8.hpp,sha256=pgYF_hzC2uAr7KNVyxBqrHTuM2bMaUPMUj7cY0kG3OU,56491 +nvidia/cuda_runtime/include/cuda_gl_interop.h,sha256=VQEswFeOBF6JN6Q0pdlkvc5WT7bD1FnTfKewvANulCc,19150 +nvidia/cuda_runtime/include/cuda_occupancy.h,sha256=Kr9HyOe-hlRjBAzbINwUYkNgbbIgIjuvKs09UZhMYQo,67179 +nvidia/cuda_runtime/include/cuda_pipeline.h,sha256=0enXG49wN4JajlQi3ahbp2ei_ufTY_Mznic7zfWmKHM,8130 +nvidia/cuda_runtime/include/cuda_pipeline_helpers.h,sha256=bo1L7e6vCuM-K3Il8K1z4wJUja5DyXQKdo_hSWUME-E,13852 +nvidia/cuda_runtime/include/cuda_pipeline_primitives.h,sha256=FnJJtuV6rHr6LgL56XDwilcSbFr6W1Hj6mf1AJaMI20,8675 +nvidia/cuda_runtime/include/cuda_runtime.h,sha256=NKUshOJapRWSe0CPJx-KllF9y3ZibUd9bM1OVUU52H4,88281 +nvidia/cuda_runtime/include/cuda_runtime_api.h,sha256=rUQw7deoB1R5LKEgLKwqFdoX6eke4bcp98CJ6iCk_uk,560622 +nvidia/cuda_runtime/include/cuda_surface_types.h,sha256=Mw5Lo4b8Q-f9mogOvATGyHhu9d2t2K6XOxuqtZrSh3A,3688 +nvidia/cuda_runtime/include/cuda_texture_types.h,sha256=ITbX-JNnP7Rm-JSgNVdJ9pq6k8FVor8RbnruDsKq6sk,3688 +nvidia/cuda_runtime/include/cuda_vdpau_interop.h,sha256=bXQanWc2IFXZAKWNGl2xAz9nLvFmQpWyGrsDvfeS9FA,7727 +nvidia/cuda_runtime/include/cudart_platform.h,sha256=YN6sKhB0b9w5tGX1IYL7ulJVPrWAiX9A44qLv4EtW5Q,2717 +nvidia/cuda_runtime/include/device_atomic_functions.h,sha256=o448l6Ep35UHnqcPSQXICvK4Vusc9mVjkyQDq0vV14E,11883 +nvidia/cuda_runtime/include/device_atomic_functions.hpp,sha256=_UsoVsyP7U-9CUUCbC1QLw6IbFFkKzxk458vLbAXzOY,8149 +nvidia/cuda_runtime/include/device_double_functions.h,sha256=KUxId5Z1fx8SWfLRTxPD7RB-zN7zslzb4n7JaJLfL3I,3452 +nvidia/cuda_runtime/include/device_functions.h,sha256=bWSrhTYE9NQlss7xMSMEVusvto9j2fgUDXWVH2W_cOA,3410 +nvidia/cuda_runtime/include/device_launch_parameters.h,sha256=H1_CC-vvAaS26ys4XsTFkMgTxUTciAjdjswjizkisvQ,3846 +nvidia/cuda_runtime/include/device_types.h,sha256=2LFxoZBJPoA5V0H1EbKTEaXDi3GDJPtzOPdRHDaucIQ,3588 +nvidia/cuda_runtime/include/driver_functions.h,sha256=cN3IjRAz2Mj2Pj35SyxJIkZNDDusnJqaqzBdMzpQKbA,4625 +nvidia/cuda_runtime/include/driver_types.h,sha256=Oti6YeNU-DHsXp6r1wu5JSIGOUWgCXiED-N0DEWVlK0,144785 +nvidia/cuda_runtime/include/host_config.h,sha256=BscH_GazAZbbotddVzL5RmafbQ-QjRx8f-I1O01IBW8,3380 +nvidia/cuda_runtime/include/host_defines.h,sha256=bBQwQF5C1N1c2qpLV56g1c-weu9Ysgz-gIf2Kn3uz_A,3386 +nvidia/cuda_runtime/include/library_types.h,sha256=yJvoLFw5oBdRqkQgEhIaX-stsMGlxQW9sZoJ4vbQHwI,4766 +nvidia/cuda_runtime/include/math_constants.h,sha256=cV6hAyQe8X7f7MBtaKjjIJq3BycOUDp6I5cizJX5HLw,7608 +nvidia/cuda_runtime/include/math_functions.h,sha256=5XcC6j-fJKttvhwc4hZNoLHNw808a2ZYIOtZ7ry7yd0,3398 +nvidia/cuda_runtime/include/mma.h,sha256=IY_VenxuEncwGq92MhrWUb-Xswh0ekAXLy9Rbxhxa2Y,2932 +nvidia/cuda_runtime/include/sm_20_atomic_functions.h,sha256=j5zuwIb71KmDLf43RoOjwiudGYvBk_k2PRsj8sy5xXI,4942 +nvidia/cuda_runtime/include/sm_20_atomic_functions.hpp,sha256=Cx__BPJKUPeG5qMxZs9ztfIyqWqt0wZDZi4V_5EV4LQ,3929 +nvidia/cuda_runtime/include/sm_20_intrinsics.h,sha256=cQbeg-K9zWgOI4jAVeUmV1WiWOMF5sHPz_nb3CWdAjU,51052 +nvidia/cuda_runtime/include/sm_20_intrinsics.hpp,sha256=BhEBuXSKBsNGJDBJDtYL0cGRI3wX_w_OIgA5D-YxIWk,7694 +nvidia/cuda_runtime/include/sm_30_intrinsics.h,sha256=kafRv2e_iMvwNfGEP5yIyjRBFx97tdkpT5me9RvbOuo,16375 +nvidia/cuda_runtime/include/sm_30_intrinsics.hpp,sha256=yX0ebd265tJ-BDhvluP2BhadPuWXpRZPI2eeQFFt5ys,24567 +nvidia/cuda_runtime/include/sm_32_atomic_functions.h,sha256=V1VteWKbW09qoItfQp0DbHj7R_e3bxX24NRGnd18Jc4,6812 +nvidia/cuda_runtime/include/sm_32_atomic_functions.hpp,sha256=HcKoB3ujG_AVTzIaD_MjRCaaRZL8khqI_cJqHwCaP5g,5416 +nvidia/cuda_runtime/include/sm_32_intrinsics.h,sha256=o7IwBBKu2lDZwzHHb2pOLAvyCNpCoEKSHPt0dFaSspI,33390 +nvidia/cuda_runtime/include/sm_32_intrinsics.hpp,sha256=Gl8aSLDLcit4W3pKQS19GsDG8RYcwD65HwYB_CeZe8M,70616 +nvidia/cuda_runtime/include/sm_35_atomic_functions.h,sha256=a3XoEsKRCEOf0Q_5Y__rMfmC4pScv4VkUggVgVJVn44,2909 +nvidia/cuda_runtime/include/sm_35_intrinsics.h,sha256=BEiPNO03ZSv5XtMMul5jiTH4oLWlOu3CYkIAgrWslnk,2952 +nvidia/cuda_runtime/include/sm_60_atomic_functions.h,sha256=E5nwZxyIL48AMUIFxZmwzfWaPXOMpjJsoEIQcY7LzPM,20902 +nvidia/cuda_runtime/include/sm_60_atomic_functions.hpp,sha256=bSnj2_G8asEbiu8aPuf3OACDuT_-kw6TuBlU1QtLLfY,15081 +nvidia/cuda_runtime/include/sm_61_intrinsics.h,sha256=eEL9MmGSOpD9DohErXPflc0k2loEcMzDVKZYiUZx7hY,6030 +nvidia/cuda_runtime/include/sm_61_intrinsics.hpp,sha256=N-nQvcBsPMT2Umy5zR69c9K1q366W-Jqe7NpoLTqTmg,6787 +nvidia/cuda_runtime/include/surface_functions.h,sha256=b1O82SAvEgWWxA9uZTWQcGimzZUoem2QbAET3wh3fZc,6782 +nvidia/cuda_runtime/include/surface_indirect_functions.h,sha256=vy9QuFVV-ezZP-x2RT9RLp2qIUgdngACOCmalSfVFPA,10877 +nvidia/cuda_runtime/include/surface_types.h,sha256=Di766cyRUqNN4JkOnYM3teFqrwMZ02hXMDB_R_2_vz4,4460 +nvidia/cuda_runtime/include/texture_fetch_functions.h,sha256=KLCmUxf5aY5_UalX8tSFB6e4TrjA8hyUPxLOkMFltAo,12468 +nvidia/cuda_runtime/include/texture_indirect_functions.h,sha256=lH_y3Ni-hq4RZ0_PMFbBM0th5-OmTn3TtqtpkHHhA8w,21163 +nvidia/cuda_runtime/include/texture_types.h,sha256=cFqQ6sC4y79Q6YxjLSY_bknwMgKJAOwPdKDARLPFrDI,6290 +nvidia/cuda_runtime/include/vector_functions.h,sha256=R5plWOkFciltO_AS5if8NcmsgDp3cFNq6zFFDd3oofk,7847 +nvidia/cuda_runtime/include/vector_functions.hpp,sha256=afXhNSd3LFTZo96EPtesTLfvxd4nTmLVzgkj967rTRg,10060 +nvidia/cuda_runtime/include/vector_types.h,sha256=ruVFRp8RioWR9mrvLXX9S15ZSJ97wqTjA8ORCJKKzOQ,13206 +nvidia/cuda_runtime/lib/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +nvidia/cuda_runtime/lib/__pycache__/__init__.cpython-310.pyc,, +nvidia/cuda_runtime/lib/libcudart.so.12,sha256=kzX2opypEBDi2p9A6C-0so46SuIv04XhKT6TvzxGyeY,679264 +nvidia_cuda_runtime_cu12-12.1.105.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4 +nvidia_cuda_runtime_cu12-12.1.105.dist-info/License.txt,sha256=rW9YU_ugyg0VnQ9Y1JrkmDDC-Mk_epJki5zpCttMbM0,59262 +nvidia_cuda_runtime_cu12-12.1.105.dist-info/METADATA,sha256=9_P2cqjEZ020xhA9HzY1klL7YVuIjKETxs1wKAXeYoQ,1507 +nvidia_cuda_runtime_cu12-12.1.105.dist-info/RECORD,, +nvidia_cuda_runtime_cu12-12.1.105.dist-info/REQUESTED,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0 +nvidia_cuda_runtime_cu12-12.1.105.dist-info/WHEEL,sha256=-kQi_VMfvRQozZJT7HUPMfY-5vLo0LVTmAylNJ3Ft98,106 +nvidia_cuda_runtime_cu12-12.1.105.dist-info/top_level.txt,sha256=fTkAtiFuL16nUrB9ytDDtpytz2t0B4NvYTnRzwAhO14,7 diff --git a/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/REQUESTED b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/REQUESTED new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/WHEEL b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/WHEEL new file mode 100644 index 0000000000000000000000000000000000000000..06e355fe0e3ed7077903f119ae6928a17da8eb6f --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/WHEEL @@ -0,0 +1,5 @@ +Wheel-Version: 1.0 +Generator: bdist_wheel (0.37.1) +Root-Is-Purelib: true +Tag: py3-none-manylinux1_x86_64 + diff --git a/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/top_level.txt b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/top_level.txt new file mode 100644 index 0000000000000000000000000000000000000000..862f7abf232cdfbb928609856247292e81c9decb --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/nvidia_cuda_runtime_cu12-12.1.105.dist-info/top_level.txt @@ -0,0 +1 @@ +nvidia diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/__init__.py b/evalkit_tf446/lib/python3.10/site-packages/sty/__init__.py new file mode 100644 index 0000000000000000000000000000000000000000..1aa433eef9f273de2caaf87a3c8a6c4f418c12be --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/sty/__init__.py @@ -0,0 +1,51 @@ +""" +String styling for your terminal. + +Documentation: https://sty.mewo.dev +Source Code: https://github.com/feluxe/sty + +Example: Print bold text with red foreground, green background and reset: + + from sty import fg, bg, ef, rs + + print(f"{ef.b}{fg.red}{bg.green}My String{rs.all}") + +Example: Create custom style: + + from sty import RgbFg, Style + + fg.orange = Style(RgbFg(255, 150, 50)) + +Example: Create your own register: + + from sty import FgRegister, RgbFg, Sgr + + class MyFgRegister(FgRegister): + def __init__(self): + super().__init__() + + self.purple = Style(Sgr(35)) + self.blue = Style(Sgr(34)) + # ... + + fg = MyFgRegister() + +For more info see the docs. +""" + +# NOTE: These are PEP-484 compatible exports using "*" and "... as ...". +from sty.lib import * + +from sty.primitive import Register as Register +from sty.primitive import Style as Style + +from sty.register import BgRegister as BgRegister +from sty.register import EfRegister as EfRegister +from sty.register import FgRegister as FgRegister +from sty.register import RsRegister as RsRegister +from sty.register import bg as bg +from sty.register import ef as ef +from sty.register import fg as fg +from sty.register import rs as rs + +from sty.rendertype import * diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/__init__.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/__init__.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..be3e0142549c2cb03a5286e47bac9e92fce73c65 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/__init__.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/lib.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/lib.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..a844ee1208b625045d4caa80da7135b6e003e2ab Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/lib.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/primitive.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/primitive.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..273f83251fabbdac8103e229f90699924d05d263 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/primitive.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/register.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/register.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..33a2e86db32cc275b8e2ecf28e68186eae32e256 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/register.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/renderfunc.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/renderfunc.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..662fe688137089e570e4960e929e7fc5ace88a43 Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/renderfunc.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/rendertype.cpython-310.pyc b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/rendertype.cpython-310.pyc new file mode 100644 index 0000000000000000000000000000000000000000..af8d7273fb17bdd032ca3b965d8457845b1f5e1b Binary files /dev/null and b/evalkit_tf446/lib/python3.10/site-packages/sty/__pycache__/rendertype.cpython-310.pyc differ diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/lib.py b/evalkit_tf446/lib/python3.10/site-packages/sty/lib.py new file mode 100644 index 0000000000000000000000000000000000000000..9d29b8cb404c1758241021e63057e5f2748c79cb --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/sty/lib.py @@ -0,0 +1,37 @@ +""" +Utility funcitons go here. +This module is private. You shouldn't import it when using sty. +""" +from sty.primitive import Register + + +def mute(*objects: Register) -> None: + """ + Use this function to mute multiple register-objects at once. + + :param objects: Pass multiple register-objects to the function. + """ + err = ValueError( + "The mute() method can only be used with objects that inherit " + "from the 'Register class'." + ) + for obj in objects: + if not isinstance(obj, Register): + raise err + obj.mute() + + +def unmute(*objects: Register) -> None: + """ + Use this function to unmute multiple register-objects at once. + + :param objects: Pass multiple register-objects to the function. + """ + err = ValueError( + "The unmute() method can only be used with objects that inherit " + "from the 'Register class'." + ) + for obj in objects: + if not isinstance(obj, Register): + raise err + obj.unmute() diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/primitive.py b/evalkit_tf446/lib/python3.10/site-packages/sty/primitive.py new file mode 100644 index 0000000000000000000000000000000000000000..f1900c93d929d1e76313293bdf254832693e4bf4 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/sty/primitive.py @@ -0,0 +1,198 @@ +""" +The Register class: Sty's heart. +""" +from collections import namedtuple +from copy import deepcopy +from typing import Callable, Dict, Iterable, List, NamedTuple, Tuple, Type, Union + +from sty.rendertype import RenderType + +Renderfuncs = Dict[Type[RenderType], Callable] + +StylingRule = Union["Style", RenderType] + + +class Style(str): + """ + This type stores the different styling rules for the registers and the resulting + ANSI-sequence as a string. + + For example: + + fg.orange = Style(RgbFg(1,5,10), Sgr(1)) + + isinstance(fg.orange, Style) # True + + isinstance(fg.orange, str) # True + + str(fg.orange) # '\x1b[38;2;1;5;10m\x1b[1m' (The ASNI sequence for orange and bold) + """ + + rules: Iterable[StylingRule] + + def __new__(cls, *rules: StylingRule, value: str = "") -> "Style": + new_cls = str.__new__(cls, value) # type: ignore + setattr(new_cls, "rules", rules) + return new_cls + + +def _render_rules( + renderfuncs: Renderfuncs, + rules: Iterable[StylingRule], +) -> Tuple[str, Iterable[StylingRule]]: + rendered: str = "" + flattened_rules: List[StylingRule] = [] + + for rule in rules: + if isinstance(rule, RenderType): + f1: Callable = renderfuncs[type(rule)] + rendered += f1(*rule.args) + flattened_rules.append(rule) + + elif isinstance(rule, Style): + r1, r2 = _render_rules(renderfuncs, rule.rules) + rendered += r1 + flattened_rules.extend(r2) + + else: + raise ValueError("Parameter 'rules' must be of type Iterable[Rule].") + + return rendered, flattened_rules + + +class Register: + """ + This is the base Register class. All default registers (fg, bg, ef, rs) are + created from this class. You can use it to create your own custom registers. + """ + + def __init__(self): + self.renderfuncs: Renderfuncs = {} + self.is_muted = False + self.eightbit_call = lambda x: x + self.rgb_call = lambda r, g, b: (r, g, b) + + def __setattr__(self, name: str, value: Style): + if isinstance(value, Style): + if self.is_muted: + rendered_style = Style(*value.rules, value="") + else: + rendered, rules = _render_rules(self.renderfuncs, value.rules) + rendered_style = Style(*rules, value=rendered) + + return super().__setattr__(name, rendered_style) + else: + # TODO: Why do we need this??? What should be set here? + return super().__setattr__(name, value) + + def __call__(self, *args: Union[int, str], **kwargs) -> str: + """ + This function is to handle calls such as `fg(42)`, `bg(102, 49, 42)`, `fg('red')`. + """ + + # Return empty str if object is muted. + if self.is_muted: + return "" + + len_args = len(args) + + if len_args == 1: + # If input is an 8bit color code, run 8bit render function. + if isinstance(args[0], int): + return self.eightbit_call(*args, **kwargs) + + # If input is a string, return attribute with the name that matches + # input. + else: + return getattr(self, args[0]) + + # If input is an 24bit color code, run 24bit render function. + elif len_args == 3: + return self.rgb_call(*args, **kwargs) + + else: + return "" + + def set_eightbit_call(self, rendertype: Type[RenderType]) -> None: + """ + You can call a register-object directly. A call like this ``fg(144)`` + is a Eightbit-call. With this method you can define the render-type for such calls. + + :param rendertype: The new rendertype that is used for Eightbit-calls. + """ + func: Callable = self.renderfuncs[rendertype] + self.eightbit_call = func + + def set_rgb_call(self, rendertype: Type[RenderType]) -> None: + """ + You can call a register-object directly. A call like this ``fg(10, 42, 255)`` + is a RGB-call. With this method you can define the render-type for such calls. + + :param rendertype: The new rendertype that is used for RGB-calls. + """ + func: Callable = self.renderfuncs[rendertype] + self.rgb_call = func + + def set_renderfunc(self, rendertype: Type[RenderType], func: Callable) -> None: + """ + With this method you can add or replace render-functions for a given register-object: + + :param rendertype: The render type for which the new renderfunc is used. + :param func: The new render function. + """ + # Save new render-func in register + self.renderfuncs.update({rendertype: func}) + + # Update style atributes and styles with the new renderfunc. + for attr_name in dir(self): + val = getattr(self, attr_name) + if isinstance(val, Style): + setattr(self, attr_name, val) + + def mute(self) -> None: + """ + Sometimes it is useful to disable the formatting for a register-object. You can + do so by invoking this method. + """ + self.is_muted = True + + for attr_name in dir(self): + val = getattr(self, attr_name) + if isinstance(val, Style): + setattr(self, attr_name, val) + + def unmute(self) -> None: + """ + Use this method to unmute a previously muted register object. + """ + self.is_muted = False + + for attr_name in dir(self): + val = getattr(self, attr_name) + if isinstance(val, Style): + setattr(self, attr_name, val) + + def as_dict(self) -> Dict[str, str]: + """ + Export color register as dict. + """ + items: Dict[str, str] = {} + + for name in dir(self): + if not name.startswith("_") and isinstance(getattr(self, name), str): + items.update({name: str(getattr(self, name))}) + + return items + + def as_namedtuple(self): + """ + Export color register as namedtuple. + """ + d = self.as_dict() + return namedtuple("StyleRegister", d.keys())(*d.values()) + + def copy(self) -> "Register": + """ + Make a deepcopy of a register-object. + """ + return deepcopy(self) diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/py.typed b/evalkit_tf446/lib/python3.10/site-packages/sty/py.typed new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/register.py b/evalkit_tf446/lib/python3.10/site-packages/sty/register.py new file mode 100644 index 0000000000000000000000000000000000000000..4fdbc74493501bc77684fa6dd5e8d642426d111c --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/sty/register.py @@ -0,0 +1,195 @@ +""" +These are the default registers that sty provides out of the box. +""" +from sty import renderfunc +from sty.primitive import Register, Style +from sty.rendertype import EightbitBg, EightbitFg, RgbBg, RgbFg, Sgr + + +class EfRegister(Register): + """ + The default effect register. + + Instances from this class can be used to create effects like 'bold', 'dim', + 'italic', 'blink', etc. + + For example: + + print(f"{ef.bold}Bold Text{ef.rs}") + print(f"{ef.italic}Italic Text{ef.rs}") + """ + + def __init__(self): + super().__init__() + + self.renderfuncs[Sgr] = renderfunc.sgr + + self.b = Style(Sgr(1)) + self.bold = Style(Sgr(1)) + self.dim = Style(Sgr(2)) + self.i = Style(Sgr(3)) + self.italic = Style(Sgr(3)) + self.u = Style(Sgr(4)) + self.underl = Style(Sgr(4)) + self.blink = Style(Sgr(5)) + self.inverse = Style(Sgr(7)) + self.hidden = Style(Sgr(8)) + self.strike = Style(Sgr(9)) + + # Reset all effects (Unfortunately there is no single Escape Sequence for this) + self.rs = Style(Sgr(22), Sgr(23), Sgr(24), Sgr(25), Sgr(27), Sgr(28), Sgr(29)) + + +class FgRegister(Register): + """ + The default 'foreground register'. + + Instances from this class can be used to create colored text. + + For example: + + print(f"{fg.red}Red Text{fg.rs}") + print(f"{fg.green}Green Text{fg.rs}") + """ + + def __init__(self): + super().__init__() + + self.renderfuncs[Sgr] = renderfunc.sgr + self.renderfuncs[EightbitFg] = renderfunc.eightbit_fg + self.renderfuncs[RgbFg] = renderfunc.rgb_fg + + self.set_eightbit_call(EightbitFg) + self.set_rgb_call(RgbFg) + + # Classic terminal foreground color preset. + # These are well supported. + self.black = Style(Sgr(30)) + self.red = Style(Sgr(31)) + self.green = Style(Sgr(32)) + self.yellow = Style(Sgr(33)) + self.blue = Style(Sgr(34)) + self.magenta = Style(Sgr(35)) + self.cyan = Style(Sgr(36)) + self.li_grey = Style(Sgr(37)) + + self.rs = Style(Sgr(39)) + + # These are less supported. + self.da_grey = Style(Sgr(90)) + self.li_red = Style(Sgr(91)) + self.li_green = Style(Sgr(92)) + self.li_yellow = Style(Sgr(93)) + self.li_blue = Style(Sgr(94)) + self.li_magenta = Style(Sgr(95)) + self.li_cyan = Style(Sgr(96)) + self.white = Style(Sgr(97)) + + # These are least supported. + self.da_black = Style(EightbitFg(0)) + self.da_red = Style(EightbitFg(88)) + self.da_green = Style(EightbitFg(22)) + self.da_yellow = Style(EightbitFg(58)) + self.da_blue = Style(EightbitFg(18)) + self.da_magenta = Style(EightbitFg(89)) + self.da_cyan = Style(EightbitFg(23)) + self.grey = Style(EightbitFg(249)) + + +class BgRegister(Register): + """ + The default 'background register'. + + Instances from this class can be used to create text with colored backgrounds. + + For example: + + print(f"{bg.red}Text With Red Background{bg.rs}") + print(f"{bg.green}Text With Green Background{bg.rs}") + """ + + def __init__(self): + super().__init__() + + self.renderfuncs[Sgr] = renderfunc.sgr + self.renderfuncs[EightbitBg] = renderfunc.eightbit_bg + self.renderfuncs[RgbBg] = renderfunc.rgb_bg + + self.set_eightbit_call(EightbitBg) + self.set_rgb_call(RgbBg) + + # Classic terminal background color preset. + # These are well supported. + self.black = Style(Sgr(40)) + self.red = Style(Sgr(41)) + self.green = Style(Sgr(42)) + self.yellow = Style(Sgr(43)) + self.blue = Style(Sgr(44)) + self.magenta = Style(Sgr(45)) + self.cyan = Style(Sgr(46)) + self.li_grey = Style(Sgr(47)) + + self.rs = Style(Sgr(49)) + + # These are less supported. + self.da_grey = Style(Sgr(100)) + self.li_red = Style(Sgr(101)) + self.li_green = Style(Sgr(102)) + self.li_yellow = Style(Sgr(103)) + self.li_blue = Style(Sgr(104)) + self.li_magenta = Style(Sgr(105)) + self.li_cyan = Style(Sgr(106)) + self.white = Style(Sgr(107)) + + # These are least supported. + self.da_black = Style(EightbitBg(0)) + self.da_red = Style(EightbitBg(88)) + self.da_green = Style(EightbitBg(22)) + self.da_yellow = Style(EightbitBg(58)) + self.da_blue = Style(EightbitBg(18)) + self.da_magenta = Style(EightbitBg(89)) + self.da_cyan = Style(EightbitBg(23)) + self.grey = Style(EightbitBg(249)) + + +class RsRegister(Register): + """ + The default 'reset register'. + + Instances from this class can be used to reset single effects, foregrounds + and backgrounds. + + For example: + + print(f"{ef.italic}Italic Text{rs.italic}") + print(f"{ef.underl}Underlined Text{rs.underl}") + print(f"{fg.red}{ef.italic}Red Italic Text{rs.all}") + """ + + def __init__(self): + super().__init__() + + self.renderfuncs[Sgr] = renderfunc.sgr + + self.all = Style(Sgr(0)) + self.fg = Style(Sgr(39)) + self.bg = Style(Sgr(49)) + # Reset all effects (Unfortunately there is no single Escape Sequence for this) + self.ef = Style(Sgr(22), Sgr(23), Sgr(24), Sgr(25), Sgr(27), Sgr(28), Sgr(29)) + + self.bold_dim = Style(Sgr(22)) + self.dim_bold = Style(Sgr(22)) + self.i = Style(Sgr(23)) + self.italic = Style(Sgr(23)) + self.u = Style(Sgr(24)) + self.underl = Style(Sgr(24)) + self.blink = Style(Sgr(25)) + self.inverse = Style(Sgr(27)) + self.hidden = Style(Sgr(28)) + self.strike = Style(Sgr(29)) + + +ef = EfRegister() +fg = FgRegister() +bg = BgRegister() +rs = RsRegister() diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/renderfunc.py b/evalkit_tf446/lib/python3.10/site-packages/sty/renderfunc.py new file mode 100644 index 0000000000000000000000000000000000000000..ddb0b57695ffb42499c9f62e9b1d0ea6b3dedc6e --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/sty/renderfunc.py @@ -0,0 +1,41 @@ +""" +A selection of render functions. + +These functions generate the escape-sequences that trigger certain colors/effects in +the terminals. +""" + + +def sgr(num: int) -> str: + """ + Create a SGR escape sequence. + """ + return "\033[" + str(num) + "m" + + +def eightbit_fg(num: int) -> str: + """ + Create a 8bit (256-color) foreground escape sequence. + """ + return "\033[38;5;" + str(num) + "m" + + +def eightbit_bg(num: int) -> str: + """ + Create a 8bit (256-color) background escape sequence. + """ + return "\033[48;5;" + str(num) + "m" + + +def rgb_fg(r: int, g: int, b: int) -> str: + """ + Create a 24bit (true color) foreground escape sequence. + """ + return "\x1b[38;2;" + str(r) + ";" + str(g) + ";" + str(b) + "m" + + +def rgb_bg(r: int, g: int, b: int) -> str: + """ + Create a 24bit (true color) background escape sequence. + """ + return "\x1b[48;2;" + str(r) + ";" + str(g) + ";" + str(b) + "m" diff --git a/evalkit_tf446/lib/python3.10/site-packages/sty/rendertype.py b/evalkit_tf446/lib/python3.10/site-packages/sty/rendertype.py new file mode 100644 index 0000000000000000000000000000000000000000..00e77bc3fdc5c60cbbf6d5e9e0bd8c3bf905f430 --- /dev/null +++ b/evalkit_tf446/lib/python3.10/site-packages/sty/rendertype.py @@ -0,0 +1,78 @@ +""" +This module contains the default render types. + +These can be used to create register classes and custom styling rules. +""" + + +class RenderType: + args: list = [] + + +class Sgr(RenderType): + """ + Define SGR styling rule. + + More info about SGR parameters: https://en.wikipedia.org/wiki/ANSI_escape_code#SGR + + :param num: A SGR number. + """ + + def __init__(self, num: int): + self.args = [num] + + +class EightbitFg(RenderType): + """ + Define Eightbit Foreground. + + More info about 8-bit terminal colors: https://en.wikipedia.org/wiki/ANSI_escape_code#8-bit + + :param num: Eightbit number. + """ + + def __init__(self, num: int): + self.args = [num] + + +class EightbitBg(RenderType): + """ + Define Eightbit Background. + + More info about 8-bit terminal colors: https://en.wikipedia.org/wiki/ANSI_escape_code#8-bit + + :param num: Eightbit number. + """ + + def __init__(self, num: int): + self.args = [num] + + +class RgbFg(RenderType): + """ + Define RGB Foreground. + + More info about 24-bit terminal colors: https://en.wikipedia.org/wiki/ANSI_escape_code#24-bit + + :param r: Red. + :param g: Green. + :param b: Blue. + """ + + def __init__(self, r: int, g: int, b: int): + self.args = [r, g, b] + + +class RgbBg(RenderType): + """ + Define RGB Background. + + More info about 24-bit terminal colors: https://en.wikipedia.org/wiki/ANSI_escape_code#24-bit + + :param r: Red. + :param g: Green. + :param b: Blue. + """ + + def __init__(self, r: int, g: int, b: int): + self.args = [r, g, b]