diff --git a/MANIFEST.in b/MANIFEST.in index d5f004c..4b8a20e 100644 --- a/MANIFEST.in +++ b/MANIFEST.in @@ -1,5 +1,8 @@ recursive-include lollms/configs * -recursive-include lollms/apps/playground * +recursive-include lollms/apps/playground/dist * +recursive-include lollms/apps/playground/public * +recursive-include lollms/apps/playground/presets * +global-exclude *.bin global-exclude *.bin global-exclude *.pyc global-exclude local_config.yaml diff --git a/lollms/apps/playground2/.env.development b/lollms/apps/playground/.env.development similarity index 100% rename from lollms/apps/playground2/.env.development rename to lollms/apps/playground/.env.development diff --git a/lollms/apps/playground2/.eslintrc.cjs b/lollms/apps/playground/.eslintrc.cjs similarity index 100% rename from lollms/apps/playground2/.eslintrc.cjs rename to lollms/apps/playground/.eslintrc.cjs diff --git a/lollms/apps/playground2/.gitignore b/lollms/apps/playground/.gitignore similarity index 100% rename from lollms/apps/playground2/.gitignore rename to lollms/apps/playground/.gitignore diff --git a/lollms/apps/playground2/.prettierrc.json b/lollms/apps/playground/.prettierrc.json similarity index 100% rename from lollms/apps/playground2/.prettierrc.json rename to lollms/apps/playground/.prettierrc.json diff --git a/lollms/apps/playground2/LICENSE b/lollms/apps/playground/LICENSE similarity index 100% rename from lollms/apps/playground2/LICENSE rename to lollms/apps/playground/LICENSE diff --git a/lollms/apps/playground/__init__.py b/lollms/apps/playground/__init__.py index 840149f..b76c997 100644 --- a/lollms/apps/playground/__init__.py +++ b/lollms/apps/playground/__init__.py @@ -1,7 +1,19 @@ -from flask import Flask, send_from_directory +from flask import Flask, send_from_directory, request, jsonify +from lollms.helpers import get_trace_exception +from lollms.paths import LollmsPaths +from lollms.main_config import LOLLMSConfig +from pathlib import Path +import requests +import json +import shutil +import yaml import os -app = Flask(__name__, static_folder='static/') + +lollms_paths = LollmsPaths.find_paths(force_local=False, tool_prefix="lollms_server_") +config = LOLLMSConfig.autoload(lollms_paths) + +app = Flask(__name__, static_folder='dist/') @app.route('/') def index(): @@ -9,9 +21,138 @@ def index(): @app.route('/') def serve_file(filename): - root_dir = "static/" + root_dir = "dist/" return send_from_directory(root_dir, filename) + +@app.route("/execute_python_code", methods=["POST"]) +def execute_python_code(): + """Executes Python code and returns the output.""" + data = request.get_json() + code = data["code"] + # Import the necessary modules. + import io + import sys + import time + + # Create a Python interpreter. + interpreter = io.StringIO() + sys.stdout = interpreter + + # Execute the code. + start_time = time.time() + try: + exec(code) + # Get the output. + output = interpreter.getvalue() + except Exception as ex: + output = str(ex)+"\n"+get_trace_exception(ex) + end_time = time.time() + + return jsonify({"output":output,"execution_time":end_time - start_time}) + + + +def copy_files(src, dest): + for item in os.listdir(src): + src_file = os.path.join(src, item) + dest_file = os.path.join(dest, item) + + if os.path.isfile(src_file): + shutil.copy2(src_file, dest_file) + +@app.route("/get_presets", methods=["GET"]) +def get_presets(): + presets_folder = lollms_paths.personal_databases_path/"lollms_playground_presets" + if not presets_folder.exists(): + presets_folder.mkdir(exist_ok=True, parents=True) + path = Path(__file__).parent/"presets" + copy_files(str(path),presets_folder) + presets = [] + for filename in presets_folder.glob('*.yaml'): + print(filename) + with open(filename, 'r', encoding='utf-8') as file: + preset = yaml.safe_load(file) + if preset is not None: + presets.append(preset) + return jsonify(presets) + +@app.route("/add_preset", methods=["POST"]) +def add_preset(): + # Get the JSON data from the POST request. + preset_data = request.get_json() + presets_folder = lollms_paths.personal_databases_path/"lollms_playground_presets" + if not presets_folder.exists(): + presets_folder.mkdir(exist_ok=True, parents=True) + copy_files("presets",presets_folder) + fn = preset_data.name.lower().replace(" ","_") + filename = presets_folder/f"{fn}.yaml" + with open(filename, 'w', encoding='utf-8') as file: + yaml.dump(preset_data) + return jsonify({"status": True}) + +@app.route("/del_preset", methods=["POST"]) +def del_preset(): + presets_folder = lollms_paths.personal_databases_path/"lollms_playground_presets" + if not presets_folder.exists(): + presets_folder.mkdir(exist_ok=True, parents=True) + copy_files("presets",presets_folder) + presets = [] + for filename in presets_folder.glob('*.yaml'): + print(filename) + with open(filename, 'r') as file: + preset = yaml.safe_load(file) + if preset is not None: + presets.append(preset) + return jsonify(presets) + +@app.route("/save_preset", methods=["POST"]) +def save_presets(): + """Saves a preset to a file. + + Args: + None. + + Returns: + None. + """ + + # Get the JSON data from the POST request. + preset_data = request.get_json() + + presets_file = lollms_paths.personal_databases_path/"presets.json" + # Save the JSON data to a file. + with open(presets_file, "w") as f: + json.dump(preset_data, f, indent=4) + + return jsonify({"status":True,"message":"Preset saved successfully!"}) + +@app.route("/list_models", methods=["GET"]) +def list_models(): + host = f"http://{config.host}:{config.port}" + response = requests.get(f"{host}/list_models") + data = response.json() + return jsonify(data) + + +@app.route("/get_active_model", methods=["GET"]) +def get_active_model(): + host = f"http://{config.host}:{config.port}" + response = requests.get(f"{host}/get_active_model") + data = response.json() + return jsonify(data) + + +@app.route("/update_setting", methods=["POST"]) +def update_setting(): + host = f"http://{config.host}:{config.port}" + response = requests.post(f"{host}/update_setting", headers={'Content-Type': 'application/json'}, data=request.data) + data = response.json() + return jsonify(data) + + + + def main(): app.run() diff --git a/lollms/apps/playground2/index.html b/lollms/apps/playground/index.html similarity index 100% rename from lollms/apps/playground2/index.html rename to lollms/apps/playground/index.html diff --git a/lollms/apps/playground2/package-lock.json b/lollms/apps/playground/package-lock.json similarity index 100% rename from lollms/apps/playground2/package-lock.json rename to lollms/apps/playground/package-lock.json diff --git a/lollms/apps/playground2/package.json b/lollms/apps/playground/package.json similarity index 100% rename from lollms/apps/playground2/package.json rename to lollms/apps/playground/package.json diff --git a/lollms/apps/playground2/postcss.config.js b/lollms/apps/playground/postcss.config.js similarity index 100% rename from lollms/apps/playground2/postcss.config.js rename to lollms/apps/playground/postcss.config.js diff --git a/lollms/apps/playground2/presets.json b/lollms/apps/playground/presets.json similarity index 100% rename from lollms/apps/playground2/presets.json rename to lollms/apps/playground/presets.json diff --git a/lollms/apps/playground2/public/chime_aud.wav b/lollms/apps/playground/public/chime_aud.wav similarity index 100% rename from lollms/apps/playground2/public/chime_aud.wav rename to lollms/apps/playground/public/chime_aud.wav diff --git a/lollms/apps/playground2/public/favicon.ico b/lollms/apps/playground/public/favicon.ico similarity index 100% rename from lollms/apps/playground2/public/favicon.ico rename to lollms/apps/playground/public/favicon.ico diff --git a/lollms/apps/playground/static/.gitignore b/lollms/apps/playground/static/.gitignore deleted file mode 100644 index c6bba59..0000000 --- a/lollms/apps/playground/static/.gitignore +++ /dev/null @@ -1,130 +0,0 @@ -# Logs -logs -*.log -npm-debug.log* -yarn-debug.log* -yarn-error.log* -lerna-debug.log* -.pnpm-debug.log* - -# Diagnostic reports (https://nodejs.org/api/report.html) -report.[0-9]*.[0-9]*.[0-9]*.[0-9]*.json - -# Runtime data -pids -*.pid -*.seed -*.pid.lock - -# Directory for instrumented libs generated by jscoverage/JSCover -lib-cov - -# Coverage directory used by tools like istanbul -coverage -*.lcov - -# nyc test coverage -.nyc_output - -# Grunt intermediate storage (https://gruntjs.com/creating-plugins#storing-task-files) -.grunt - -# Bower dependency directory (https://bower.io/) -bower_components - -# node-waf configuration -.lock-wscript - -# Compiled binary addons (https://nodejs.org/api/addons.html) -build/Release - -# Dependency directories -node_modules/ -jspm_packages/ - -# Snowpack dependency directory (https://snowpack.dev/) -web_modules/ - -# TypeScript cache -*.tsbuildinfo - -# Optional npm cache directory -.npm - -# Optional eslint cache -.eslintcache - -# Optional stylelint cache -.stylelintcache - -# Microbundle cache -.rpt2_cache/ -.rts2_cache_cjs/ -.rts2_cache_es/ -.rts2_cache_umd/ - -# Optional REPL history -.node_repl_history - -# Output of 'npm pack' -*.tgz - -# Yarn Integrity file -.yarn-integrity - -# dotenv environment variable files -.env -.env.development.local -.env.test.local -.env.production.local -.env.local - -# parcel-bundler cache (https://parceljs.org/) -.cache -.parcel-cache - -# Next.js build output -.next -out - -# Nuxt.js build / generate output -.nuxt -dist - -# Gatsby files -.cache/ -# Comment in the public line in if your project uses Gatsby and not Next.js -# https://nextjs.org/blog/next-9-1#public-directory-support -# public - -# vuepress build output -.vuepress/dist - -# vuepress v2.x temp and cache directory -.temp -.cache - -# Docusaurus cache and generated files -.docusaurus - -# Serverless directories -.serverless/ - -# FuseBox cache -.fusebox/ - -# DynamoDB Local files -.dynamodb/ - -# TernJS port file -.tern-port - -# Stores VSCode versions used for testing VSCode extensions -.vscode-test - -# yarn v2 -.yarn/cache -.yarn/unplugged -.yarn/build-state.yml -.yarn/install-state.gz -.pnp.* diff --git a/lollms/apps/playground/static/LICENSE b/lollms/apps/playground/static/LICENSE deleted file mode 100644 index 261eeb9..0000000 --- a/lollms/apps/playground/static/LICENSE +++ /dev/null @@ -1,201 +0,0 @@ - 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/lollms/apps/playground/static/README.md b/lollms/apps/playground/static/README.md deleted file mode 100644 index 0358381..0000000 --- a/lollms/apps/playground/static/README.md +++ /dev/null @@ -1,96 +0,0 @@ - -# LoLLMs Playground - -
- Logo -
- -![GitHub license](https://img.shields.io/github/license/ParisNeo/lollms-playground) -![GitHub issues](https://img.shields.io/github/issues/ParisNeo/lollms-playground) -![GitHub stars](https://img.shields.io/github/stars/ParisNeo/lollms-playground) -![GitHub forks](https://img.shields.io/github/forks/ParisNeo/lollms-playground) -[![Discord](https://img.shields.io/discord/1092918764925882418?color=7289da&label=Discord&logo=discord&logoColor=ffffff)](https://discord.gg/4rR282WJb6) -[![Follow me on Twitter](https://img.shields.io/twitter/follow/SpaceNerduino?style=social)](https://twitter.com/SpaceNerduino) -[![Follow Me on YouTube](https://img.shields.io/badge/Follow%20Me%20on-YouTube-red?style=flat&logo=youtube)](https://www.youtube.com/user/Parisneo) -[![pages-build-deployment](https://github.com/ParisNeo/lollms-playground/actions/workflows/pages/pages-build-deployment/badge.svg)](https://github.com/ParisNeo/lollms-playground/actions/workflows/pages/pages-build-deployment) - - -This tool provides a web-based interface to test LoLLMs endpoints and generate text using a LoLLMs server. - -## Prerequisites - -To use this tool, you need to have [Node.js](https://nodejs.org) installed on your machine. - -## Installation - -1. Clone this repository or download the source code. - - ```bash - git clone https://github.com/ParisNeo/lollms-playground.git - ``` - -2. Install the dependencies. - - ```bash - npm install -g http-server - ``` - -Now you are ready for some action. - -## Usage - -1. Start the LoLLMs server. You can use `lollms-server` to run the server with the desired configuration. Here are a few examples: - - - To run the server on `localhost` and port `9600`: - - ```bash - lollms-server --host localhost --port 9600 - ``` - - - To run the server on a different host and port: - - ```bash - lollms-server --host mydomain.com --port 8080 - ``` - - - For more information on the available options, you can use the `--help` flag: - - ```bash - lollms-server --help - ``` - -2. Start the web server for the LoLLMs Playground. - - ```bash - http-server - ``` - -3. Open your web browser and visit `http://localhost:8081` (or the appropriate URL) to access the LoLLMs Playground. -![image](https://github.com/ParisNeo/lollms-playground/assets/827993/f69811c5-b029-4321-b31a-e4699b57ff49) -4. Press the icon to get to the connection ui. -![image](https://github.com/ParisNeo/lollms-playground/assets/827993/df7de411-8017-4f8a-a86a-c9482f62ef94) - -4. Fill in the host and port fields with the appropriate values for your LoLLMs server. - -5. Click the "Connect" button to establish a connection with the LoLLMs server. -![image](https://github.com/ParisNeo/lollms-playground/assets/827993/bb112985-b55a-4b31-9aa4-e42c0e703610) - -6. Once connected, you can enter a prompt and click the "Generate Text" button to initiate text generation. -![image](https://github.com/ParisNeo/lollms-playground/assets/827993/6c91dc3a-887f-410f-a0ff-c10331f5a6a6) - -7. The generated text will be displayed in the output section of the page. -![image](https://github.com/ParisNeo/lollms-playground/assets/827993/ae7733ab-f7aa-4fe8-8f51-33afa6ab903b) -![image](https://github.com/ParisNeo/lollms-playground/assets/827993/33e95e4e-3763-4d4c-b1a7-1e3620f416bc) - -## Customization - -You can customize the appearance and behavior of the tool by modifying the HTML, CSS, and JavaScript code in the `lollms_playground.html` file. - -## Contributing - -Contributions are welcome! If you find any issues or want to add new features, feel free to open an issue or submit a pull request. - -## License - -This project is licensed under the [Apache 2.0](LICENSE). -``` diff --git a/lollms/apps/playground/static/index.html b/lollms/apps/playground/static/index.html deleted file mode 100644 index 659805f..0000000 --- a/lollms/apps/playground/static/index.html +++ /dev/null @@ -1,22 +0,0 @@ - - - - - - - Logo Page - - - - - Logo - - - diff --git a/lollms/apps/playground/static/logo.png b/lollms/apps/playground/static/logo.png deleted file mode 100644 index 4ffb47c..0000000 Binary files a/lollms/apps/playground/static/logo.png and /dev/null differ diff --git a/lollms/apps/playground/static/lollms_playground.html b/lollms/apps/playground/static/lollms_playground.html deleted file mode 100644 index 85f425f..0000000 --- a/lollms/apps/playground/static/lollms_playground.html +++ /dev/null @@ -1,388 +0,0 @@ - - - - - - - LoLLMs Endpoint Test - - - - - - -
-
-

LogoLoLLMs Playground

-
-
- - -
-
- - -
- - -
- - -
-
- - - - - - - - diff --git a/lollms/apps/playground/static/package.json b/lollms/apps/playground/static/package.json deleted file mode 100644 index f72c21f..0000000 --- a/lollms/apps/playground/static/package.json +++ /dev/null @@ -1,5 +0,0 @@ -{ - "dependencies": { - "http-server": "^14.1.1" - } -} diff --git a/lollms/apps/playground2/tailwind.config.js b/lollms/apps/playground/tailwind.config.js similarity index 100% rename from lollms/apps/playground2/tailwind.config.js rename to lollms/apps/playground/tailwind.config.js diff --git a/lollms/apps/playground2/vite.config.mjs b/lollms/apps/playground/vite.config.mjs similarity index 100% rename from lollms/apps/playground2/vite.config.mjs rename to lollms/apps/playground/vite.config.mjs diff --git a/lollms/apps/playground2/__init__.py b/lollms/apps/playground2/__init__.py deleted file mode 100644 index c57675f..0000000 --- a/lollms/apps/playground2/__init__.py +++ /dev/null @@ -1,101 +0,0 @@ -from flask import Flask, send_from_directory, request, jsonify -from lollms.helpers import get_trace_exception -import json -import shutil -import os - -app = Flask(__name__, static_folder='dist/') - -@app.route('/') -def index(): - return app.send_static_file('index.html') - -@app.route('/') -def serve_file(filename): - root_dir = "dist/" - return send_from_directory(root_dir, filename) - -@app.route("/save_preset", methods=["POST"]) -def save_preset(): - """Saves a preset to a file. - - Args: - None. - - Returns: - None. - """ - - # Get the JSON data from the POST request. - preset_data = request.get_json() - - # Save the JSON data to a file. - with open("presets.json", "w") as f: - json.dump(preset_data, f) - - return "Preset saved successfully!" - -@app.route("/execute_python_code", methods=["POST"]) -def execute_python_code(): - """Executes Python code and returns the output.""" - data = request.get_json() - code = data["code"] - # Import the necessary modules. - import io - import sys - import time - - # Create a Python interpreter. - interpreter = io.StringIO() - sys.stdout = interpreter - - # Execute the code. - start_time = time.time() - try: - exec(code) - # Get the output. - output = interpreter.getvalue() - except Exception as ex: - output = str(ex)+"\n"+get_trace_exception(ex) - end_time = time.time() - - return jsonify({"output":output,"execution_time":end_time - start_time}) - - -@app.route("/get_presets", methods=["GET"]) -def get_presets(self): - presets_file = self.lollms_paths.personal_databases_path/"presets.json" - if not presets_file.exists(): - shutil.copy("presets/presets.json",presets_file) - with open(presets_file) as f: - data = json.loads(f.read()) - return jsonify(data) - - -@app.route("/save_presets", methods=["POST"]) -def save_presets(self): - """Saves a preset to a file. - - Args: - None. - - Returns: - None. - """ - - # Get the JSON data from the POST request. - preset_data = request.get_json() - - presets_file = self.lollms_paths.personal_databases_path/"presets.json" - # Save the JSON data to a file. - with open(presets_file, "w") as f: - json.dump(preset_data, f, indent=4) - - return "Preset saved successfully!" - - -def main(): - app.run() - -if __name__ == '__main__': - main() diff --git a/lollms/apps/playground2/src/App.vue b/lollms/apps/playground2/src/App.vue deleted file mode 100644 index 66ee0c0..0000000 --- a/lollms/apps/playground2/src/App.vue +++ /dev/null @@ -1,22 +0,0 @@ - - - diff --git a/lollms/apps/playground2/src/assets/default_model.png b/lollms/apps/playground2/src/assets/default_model.png deleted file mode 100644 index d670b56..0000000 Binary files a/lollms/apps/playground2/src/assets/default_model.png and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/default_user.svg b/lollms/apps/playground2/src/assets/default_user.svg deleted file mode 100644 index 3d0248b..0000000 --- a/lollms/apps/playground2/src/assets/default_user.svg +++ /dev/null @@ -1,32 +0,0 @@ - - - - diff --git a/lollms/apps/playground2/src/assets/fonts/PTSans/OFL.txt b/lollms/apps/playground2/src/assets/fonts/PTSans/OFL.txt deleted file mode 100644 index adf9d01..0000000 --- a/lollms/apps/playground2/src/assets/fonts/PTSans/OFL.txt +++ /dev/null @@ -1,94 +0,0 @@ -Copyright (c) 2010, ParaType Ltd. (http://www.paratype.com/public), -with Reserved Font Names "PT Sans" and "ParaType". - -This Font Software is licensed under the SIL Open Font License, Version 1.1. -This license is copied below, and is also available with a FAQ at: -http://scripts.sil.org/OFL - - ------------------------------------------------------------ -SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 ------------------------------------------------------------ - -PREAMBLE -The goals of the Open Font License (OFL) are to stimulate worldwide -development of collaborative font projects, to support the font creation -efforts of academic and linguistic communities, and to provide a free and -open framework in which fonts may be shared and improved in partnership -with others. - -The OFL allows the licensed fonts to be used, studied, modified and -redistributed freely as long as they are not sold by themselves. The -fonts, including any derivative works, can be bundled, embedded, -redistributed and/or sold with any software provided that any reserved -names are not used by derivative works. The fonts and derivatives, -however, cannot be released under any other type of license. The -requirement for fonts to remain under this license does not apply -to any document created using the fonts or their derivatives. - -DEFINITIONS -"Font Software" refers to the set of files released by the Copyright -Holder(s) under this license and clearly marked as such. This may -include source files, build scripts and documentation. - -"Reserved Font Name" refers to any names specified as such after the -copyright statement(s). - -"Original Version" refers to the collection of Font Software components as -distributed by the Copyright Holder(s). - -"Modified Version" refers to any derivative made by adding to, deleting, -or substituting -- in part or in whole -- any of the components of the -Original Version, by changing formats or by porting the Font Software to a -new environment. - -"Author" refers to any designer, engineer, programmer, technical -writer or other person who contributed to the Font Software. - -PERMISSION & CONDITIONS -Permission is hereby granted, free of charge, to any person obtaining -a copy of the Font Software, to use, study, copy, merge, embed, modify, -redistribute, and sell modified and unmodified copies of the Font -Software, subject to the following conditions: - -1) Neither the Font Software nor any of its individual components, -in Original or Modified Versions, may be sold by itself. - -2) Original or Modified Versions of the Font Software may be bundled, -redistributed and/or sold with any software, provided that each copy -contains the above copyright notice and this license. These can be -included either as stand-alone text files, human-readable headers or -in the appropriate machine-readable metadata fields within text or -binary files as long as those fields can be easily viewed by the user. - -3) No Modified Version of the Font Software may use the Reserved Font -Name(s) unless explicit written permission is granted by the corresponding -Copyright Holder. This restriction only applies to the primary font name as -presented to the users. - -4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font -Software shall not be used to promote, endorse or advertise any -Modified Version, except to acknowledge the contribution(s) of the -Copyright Holder(s) and the Author(s) or with their explicit written -permission. - -5) The Font Software, modified or unmodified, in part or in whole, -must be distributed entirely under this license, and must not be -distributed under any other license. The requirement for fonts to -remain under this license does not apply to any document created -using the Font Software. - -TERMINATION -This license becomes null and void if any of the above conditions are -not met. - -DISCLAIMER -THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, -EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF -MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT -OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE -COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, -INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL -DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING -FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM -OTHER DEALINGS IN THE FONT SOFTWARE. diff --git a/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Bold.ttf b/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Bold.ttf deleted file mode 100644 index f82c3bd..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Bold.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-BoldItalic.ttf b/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-BoldItalic.ttf deleted file mode 100644 index 3e6cf4e..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-BoldItalic.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Italic.ttf b/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Italic.ttf deleted file mode 100644 index b06ce61..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Italic.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Regular.ttf b/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Regular.ttf deleted file mode 100644 index adaf671..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/PTSans/PTSans-Regular.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/LICENSE.txt b/lollms/apps/playground2/src/assets/fonts/Roboto/LICENSE.txt deleted file mode 100644 index d645695..0000000 --- a/lollms/apps/playground2/src/assets/fonts/Roboto/LICENSE.txt +++ /dev/null @@ -1,202 +0,0 @@ - - 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/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Black.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Black.ttf deleted file mode 100644 index 96ddf00..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Black.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-BlackItalic.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-BlackItalic.ttf deleted file mode 100644 index 0a034f2..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-BlackItalic.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Bold.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Bold.ttf deleted file mode 100644 index 7a876e2..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Bold.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-BoldItalic.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-BoldItalic.ttf deleted file mode 100644 index 7fe66d2..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-BoldItalic.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Italic.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Italic.ttf deleted file mode 100644 index 55f55ec..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Italic.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Light.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Light.ttf deleted file mode 100644 index 46deecf..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Light.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-LightItalic.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-LightItalic.ttf deleted file mode 100644 index ba9aee5..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-LightItalic.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Medium.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Medium.ttf deleted file mode 100644 index 512af82..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Medium.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-MediumItalic.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-MediumItalic.ttf deleted file mode 100644 index 7e8d21f..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-MediumItalic.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Regular.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Regular.ttf deleted file mode 100644 index 3033308..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Regular.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Thin.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Thin.ttf deleted file mode 100644 index 5de65ce..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-Thin.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-ThinItalic.ttf b/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-ThinItalic.ttf deleted file mode 100644 index 4f84898..0000000 Binary files a/lollms/apps/playground2/src/assets/fonts/Roboto/Roboto-ThinItalic.ttf and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/logo.png b/lollms/apps/playground2/src/assets/logo.png deleted file mode 100644 index 4ffb47c..0000000 Binary files a/lollms/apps/playground2/src/assets/logo.png and /dev/null differ diff --git a/lollms/apps/playground2/src/assets/logo.svg b/lollms/apps/playground2/src/assets/logo.svg deleted file mode 100644 index 408dc4f..0000000 --- a/lollms/apps/playground2/src/assets/logo.svg +++ /dev/null @@ -1,66 +0,0 @@ - - - - diff --git a/lollms/apps/playground2/src/assets/tailwind.css b/lollms/apps/playground2/src/assets/tailwind.css deleted file mode 100644 index d3b06e4..0000000 --- a/lollms/apps/playground2/src/assets/tailwind.css +++ /dev/null @@ -1,33 +0,0 @@ -@tailwind base; -@tailwind components; -@tailwind utilities; - -@layer base { - html { - @apply scroll-smooth; - } - @font-face { - font-family: 'Roboto'; - src: url('./fonts/Roboto/Roboto-Regular.ttf') format('truetype'); - } - @font-face { - font-family: 'PTSans'; - src: url('./fonts/PTSans/PTSans-Regular.ttf') format('truetype'); - } -} -@layer utilities { - /* Hide scrollbar for Chrome, Safari and Opera */ - .no-scrollbar::-webkit-scrollbar { - display: none; - } - - /* Hide scrollbar for IE, Edge and Firefox */ - .no-scrollbar { - -ms-overflow-style: none; /* IE and Edge */ - scrollbar-width: none; /* Firefox */ - } - -} -.display-none { - @apply hidden; -} diff --git a/lollms/apps/playground2/src/components/Button.vue b/lollms/apps/playground2/src/components/Button.vue deleted file mode 100644 index b7f312a..0000000 --- a/lollms/apps/playground2/src/components/Button.vue +++ /dev/null @@ -1,12 +0,0 @@ - - - - \ No newline at end of file diff --git a/lollms/apps/playground2/src/components/Card.vue b/lollms/apps/playground2/src/components/Card.vue deleted file mode 100644 index 56b40a8..0000000 --- a/lollms/apps/playground2/src/components/Card.vue +++ /dev/null @@ -1,142 +0,0 @@ - - - - - diff --git a/lollms/apps/playground2/src/components/ClipBoardTextInput.vue b/lollms/apps/playground2/src/components/ClipBoardTextInput.vue deleted file mode 100644 index c7f4baa..0000000 --- a/lollms/apps/playground2/src/components/ClipBoardTextInput.vue +++ /dev/null @@ -1,189 +0,0 @@ - - - - - diff --git a/lollms/apps/playground2/src/components/MarkdownRenderer.vue b/lollms/apps/playground2/src/components/MarkdownRenderer.vue deleted file mode 100644 index 92c51b4..0000000 --- a/lollms/apps/playground2/src/components/MarkdownRenderer.vue +++ /dev/null @@ -1,271 +0,0 @@ - - - - - diff --git a/lollms/apps/playground2/src/components/Toast.vue b/lollms/apps/playground2/src/components/Toast.vue deleted file mode 100644 index 5d765cb..0000000 --- a/lollms/apps/playground2/src/components/Toast.vue +++ /dev/null @@ -1,128 +0,0 @@ - - - - \ No newline at end of file diff --git a/lollms/apps/playground2/src/components/TopBar.vue b/lollms/apps/playground2/src/components/TopBar.vue deleted file mode 100644 index e37b854..0000000 --- a/lollms/apps/playground2/src/components/TopBar.vue +++ /dev/null @@ -1,214 +0,0 @@ - - - - - \ No newline at end of file diff --git a/lollms/apps/playground2/src/main.js b/lollms/apps/playground2/src/main.js deleted file mode 100644 index e540747..0000000 --- a/lollms/apps/playground2/src/main.js +++ /dev/null @@ -1,377 +0,0 @@ -import { createApp, ref } from 'vue' -import { createStore } from 'vuex' -import axios from "axios"; -import App from './App.vue' -import router from './router' - -import './assets/tailwind.css' - -const app = createApp(App) -console.log("Loaded main.js") - -// Create a new store instance. -export const store = createStore({ - state () { - return { - // count: 0, - ready:false, - settingsChanged:false, - isConnected: false, // Add the isConnected property - config:null, - mountedPers:null, - mountedPersArr:null, - bindingsArr:null, - modelsArr:null, - models_zoo:null, - personalities:null, - diskUsage:null, - ramUsage:null, - vramUsage:null, - extensionsZoo:null, - } - }, - mutations: { - setIsConnected(state, isConnected) { - state.isConnected = isConnected; - }, - setConfig(state, config) { - state.config = config; - }, - setPersonalities(state, personalities) { - state.personalities = personalities; - }, - setMountedPers(state, mountedPers) { - state.mountedPers = mountedPers; - }, - setMountedPersArr(state, mountedPersArr) { - state.mountedPersArr = mountedPersArr; - }, - setBindingsArr(state, bindingsArr) { - state.bindingsArr = bindingsArr; - }, - setModelsArr(state, modelsArr) { - state.modelsArr = modelsArr; - }, - setDiskUsage(state, diskUsage) { - state.diskUsage = diskUsage; - }, - setRamUsage(state, ramUsage) { - state.ramUsage = ramUsage; - }, - setVramUsage(state, vramUsage) { - state.vramUsage = vramUsage; - }, - - setExtensionsZoo(state, extensionsZoo) { - state.extensionsZoo = extensionsZoo; - }, - setModelsZoo(state, modelsZoo) { - state.models_zoo = modelsZoo; - }, - // increment (state) { - // state.count++ - // } - }, - getters: { - getIsConnected(state) { - return state.isConnected - }, - getConfig(state) { - return state.config - }, - getPersonalities(state) { - return state.personalities; - }, - getMountedPersArr(state) { - return state.mountedPersArr; - }, - getMountedPers(state) { - return state.mountedPers; - }, - getbindingsArr(state) { - return state.bindingsArr; - }, - getModelsArr(state) { - return state.modelsArr; - }, - getDiskUsage(state) { - return state.diskUsage; - }, - getRamUsage(state) { - return state.ramUsage; - }, - getVramUsage(state) { - return state.vramUsage; - }, - getModelsZoo(state) { - return state.models_zoo; - }, - getExtensionsZoo(state) { - return state.extensionsZoo; - }, - }, - actions: { - - async refreshConfig({ commit }) { - console.log("Fetching configuration"); - try { - const configFile = await api_get_req('get_config') - let personality_path_infos = configFile.personalities[configFile.active_personality_id].split("/") - //let personality_path_infos = await this.api_get_req("get_current_personality_path_infos") - configFile.personality_category = personality_path_infos[0] - configFile.personality_folder = personality_path_infos[1] - - commit('setConfig', configFile); - } catch (error) { - console.log(error.message, 'refreshConfig'); - // Handle error - } - }, - async refreshPersonalitiesArr({ commit }) { - let personalities = [] - const catdictionary = await api_get_req("get_all_personalities") - const catkeys = Object.keys(catdictionary); // returns categories - - for (let j = 0; j < catkeys.length; j++) { - const catkey = catkeys[j]; - const personalitiesArray = catdictionary[catkey]; - const modPersArr = personalitiesArray.map((item) => { - - const isMounted = this.state.config.personalities.includes(catkey + '/' + item.folder) - // if (isMounted) { - // console.log(item) - // } - let newItem = {} - newItem = item - newItem.category = catkey // add new props to items - newItem.full_path = catkey + '/' + item.folder // add new props to items - newItem.isMounted = isMounted // add new props to items - return newItem - }) - - - if (personalities.length == 0) { - personalities = modPersArr - } else { - personalities = personalities.concat(modPersArr) - } - } - - personalities.sort((a, b) => a.name.localeCompare(b.name)) - - commit('setPersonalities', personalities); - - console.log("Done loading personalities") - }, - refreshMountedPersonalities({ commit }) { - let mountedPersArr = [] - // console.log('perrs listo',this.state.personalities) - for (let i = 0; i < this.state.config.personalities.length; i++) { - const full_path_item = this.state.config.personalities[i] - const index = this.state.personalities.findIndex(item => item.full_path == full_path_item) - - const pers = this.state.personalities[index] - if (pers) { - mountedPersArr.push(pers) - } - else { - mountedPersArr.push(this.state.personalities[this.state.personalities.findIndex(item => item.full_path == "english/generic/lollms")]) - } - } - console.log("Personalities list",this.state.personalities) - commit('setMountedPersArr', mountedPersArr); - - console.log("active_personality_id",this.state.config.active_personality_id) - console.log("selected pers",this.state.config.personalities[this.state.config.active_personality_id]) - this.state.mountedPers = this.state.personalities[this.state.personalities.findIndex(item => item.full_path == this.state.config.personalities[this.state.config.active_personality_id])] - console.log("selected pers",this.state.mountedPers) - - }, - async refreshBindings({ commit }) { - let bindingsArr = await api_get_req("list_bindings") - commit('setBindingsArr',bindingsArr) - }, - async refreshModels({ commit }) { - let modelsArr = await api_get_req("list_models") - commit('setModelsArr',modelsArr) - }, - async refreshExtensionsZoo({ commit }) { - let extensionsZoo = await api_get_req("list_extensions") - commit('setExtensionsZoo',extensionsZoo) - }, - - async refreshDiskUsage({ commit }) { - this.state.diskUsage = await api_get_req("disk_usage") - }, - async refreshRamUsage({ commit }) { - this.state.ramUsage = await api_get_req("ram_usage") - }, - async refreshVramUsage({ commit }) { - console.log("getting gpu data") - const resp = await api_get_req("vram_usage") - // { - // "gpu_0_total_vram": 11811160064, - // "gpu_0_used_vram": 3177185280, - // "nb_gpus": 1 - // } - - const gpuArr = [] - - if (resp.nb_gpus > 0) { - // Get keys - const keys = Object.keys(resp) - // for each gpu - for (let i = 0; i < resp.nb_gpus; i++) { - - - - - const total_vram = resp[`gpu_${i}_total_vram`]; - const used_vram = resp[`gpu_${i}_used_vram`]; - const model = resp[`gpu_${i}_model`]; - const percentage = (used_vram / total_vram) * 100 - const available_space = total_vram - used_vram - - - - gpuArr.push({ - total_vram: total_vram, - used_vram: used_vram, - gpu_index: i, - gpu_model: model, - percentage: percentage.toFixed(2), - available_space: available_space - }); - - } - const result = { - - "nb_gpus": resp.nb_gpus, - "gpus": gpuArr - } - console.log('gpu usage: ',result) - this.state.vramUsage = result - - } - else{ - const result = { - "nb_gpus": 0, - "gpus": [] - } - console.log('gpu usage: ',result) - this.state.vramUsage = result - - } - - }, - async refreshModelsZoo({ commit }) { - console.log("Refreshing models zoo") - axios.get('/get_available_models') - .then(response => { - console.log("found models") - let models_zoo = response.data - models_zoo.sort((a, b) => a.title.localeCompare(b.title)) - - // Returns array of model filenames which are = to title of models zoo entry - for (let i = 0; i < this.state.modelsArr.length; i++) { - const customModel = this.state.modelsArr[i] - const index = models_zoo.findIndex(x => x.title == customModel) - - if (index == -1) { - let newModelEntry = {} - newModelEntry.title = customModel - newModelEntry.path = customModel - newModelEntry.icon = "" - newModelEntry.isCustomModel = true - newModelEntry.isInstalled = true - models_zoo.push(newModelEntry) - } - } - models_zoo.sort((a, b) => { - if (a.isInstalled && !b.isInstalled) { - return -1; // a is installed, b is not installed, so a comes first - } else if (!a.isInstalled && b.isInstalled) { - return 1; // b is installed, a is not installed, so b comes first - } else { - return 0; // both models are either installed or not installed, maintain their original order - } - }); - - models_zoo.forEach(model => { - if (model.title == this.state.config["model_name"]) { - model.selected = true; - } - else{ - model.selected = false; - } - }); - commit('setModelsZoo', models_zoo) - console.log("Models zoo loaded successfully") - - }) - .catch(error => { - console.log(error.message, 'fetchModels'); - }); - }, - fetchCustomModels({ commit }) { - axios.get('/list_models') - .then(response => { - - - - }) - .catch(error => { - console.log(error.message, 'fetchCustomModels'); - }); - }, - } -}) -async function api_get_req(endpoint) { - try { - const res = await axios.get('/' + endpoint); - - if (res) { - return res.data; - } - } catch (error) { - console.log(error.message, 'api_get_req'); - throw error; - } -} - -let actionsExecuted = false; - -app.mixin({ - created() { - if (!actionsExecuted) { - actionsExecuted = true; - console.log("Calling") - this.$store.dispatch('refreshConfig').then(() => { - console.log("recovered config") - this.$store.dispatch('refreshPersonalitiesArr').then(() => { - this.$store.dispatch('refreshMountedPersonalities'); - this.$store.dispatch('refreshBindings'); - this.$store.dispatch('refreshModels'); - - this.$store.dispatch('refreshDiskUsage'); - this.$store.dispatch('refreshRamUsage'); - this.$store.dispatch('refreshVramUsage'); - this.$store.dispatch('refreshModelsZoo'); - this.$store.dispatch('refreshExtensionsZoo'); - - - this.$store.state.ready = true - console.log("done loading data") - - }); - }); - } - - }, - beforeMount() { - } -}) -app.use(router) -app.use(store) -app.mount('#app') - diff --git a/lollms/apps/playground2/src/plugins/filesize.js b/lollms/apps/playground2/src/plugins/filesize.js deleted file mode 100644 index b197a4b..0000000 --- a/lollms/apps/playground2/src/plugins/filesize.js +++ /dev/null @@ -1,31 +0,0 @@ - /** From https://stackoverflow.com/a/14919494/14106028 - * Format bytes as human-readable text. - * - * @param bytes Number of bytes. - * @param si True to use metric (SI) units, aka powers of 1000. False to use - * binary (IEC), aka powers of 1024. - * @param dp Number of decimal places to display. - * - * @return Formatted string. - */ - export default function humanFileSize(bytes, si = true, dp = 1) { - const thresh = si ? 1000 : 1024; - - if (Math.abs(bytes) < thresh) { - return bytes + ' B'; - } - - const units = si - ? ['kB', 'MB', 'GB', 'TB', 'PB', 'EB', 'ZB', 'YB'] - : ['KiB', 'MiB', 'GiB', 'TiB', 'PiB', 'EiB', 'ZiB', 'YiB']; - let u = -1; - const r = 10 ** dp; - - do { - bytes /= thresh; - ++u; - } while (Math.round(Math.abs(bytes) * r) / r >= thresh && u < units.length - 1); - - - return bytes.toFixed(dp) + ' ' + units[u]; - } \ No newline at end of file diff --git a/lollms/apps/playground2/src/router/index.js b/lollms/apps/playground2/src/router/index.js deleted file mode 100644 index 7fada16..0000000 --- a/lollms/apps/playground2/src/router/index.js +++ /dev/null @@ -1,19 +0,0 @@ -import { createRouter, createWebHistory } from 'vue-router' -import PlayGroundView from '../views/PlayGroundView.vue' - - -const router = createRouter({ - history: createWebHistory(import.meta.env.BASE_URL), - routes: [ - { - path: '/', - name: 'playground', - component: PlayGroundView - }, - - ], - -}) - - -export default router diff --git a/lollms/apps/playground2/src/services/websocket.js b/lollms/apps/playground2/src/services/websocket.js deleted file mode 100644 index 660e456..0000000 --- a/lollms/apps/playground2/src/services/websocket.js +++ /dev/null @@ -1,20 +0,0 @@ -// Project : lollms-webui -// Author : ParisNeo -// Description : -// All websocket stuff can be found here. -// More info can be found here https://socket.io/how-to/use-with-vue -// import { createApp } from 'vue'; -import io from 'socket.io-client'; - -// fixes issues when people not hosting this site on local network -const URL = process.env.NODE_ENV === "production" ? (import.meta.env.VITE_LOLLMS_API) : (import.meta.env.VITE_LOLLMS_API); -const socket = new io(URL); - -// const app = createApp(/* your root component */); - -// app.config.globalProperties.$socket = socket; - -// app.mount(/* your root element */); - -export default socket; - diff --git a/lollms/apps/playground2/src/views/PlayGroundView.vue b/lollms/apps/playground2/src/views/PlayGroundView.vue deleted file mode 100644 index fbffef4..0000000 --- a/lollms/apps/playground2/src/views/PlayGroundView.vue +++ /dev/null @@ -1,763 +0,0 @@ - - - - - - \ No newline at end of file diff --git a/lollms/apps/server/__init__.py b/lollms/apps/server/__init__.py index 1314ec8..8299041 100644 --- a/lollms/apps/server/__init__.py +++ b/lollms/apps/server/__init__.py @@ -23,6 +23,7 @@ import yaml import copy import gc import json +import traceback import shutil @@ -38,9 +39,6 @@ def reset_all_installs(lollms_paths:LollmsPaths): class LoLLMsServer(LollmsApplication): def __init__(self): - - host = "localhost" - port = "9601" self.clients = {} self.current_binding = None self.model = None @@ -50,8 +48,8 @@ class LoLLMsServer(LollmsApplication): parser = argparse.ArgumentParser() - parser.add_argument('--host', '-hst', default=host, help='Host name') - parser.add_argument('--port', '-prt', default=port, help='Port number') + parser.add_argument('--host', '-hst', default=None, help='Host name') + parser.add_argument('--port', '-prt', default=None, help='Port number') parser.add_argument('--reset_personal_path', action='store_true', help='Reset the personal path') @@ -81,6 +79,12 @@ class LoLLMsServer(LollmsApplication): # Configuration loading part config = LOLLMSConfig.autoload(lollms_paths, None) + if args.host is not None: + config.host = args.host + + if args.port is not None: + config.port = args.port + super().__init__("lollms-server", config, lollms_paths) self.menu.show_logo() @@ -96,6 +100,87 @@ class LoLLMsServer(LollmsApplication): "/get_config", "get_config", get_config, methods=["GET"] ) + def list_models(): + if self.binding is not None: + models = self.binding.list_models(self.config) + ASCIIColors.yellow("Listing models") + return jsonify(models) + else: + return jsonify([]) + + self.app.add_url_rule( + "/list_models", "list_models", list_models, methods=["GET"] + ) + + def get_active_model(): + if self.binding is not None: + models = self.binding.list_models(self.config) + index = models.index(self.config.model_name) + ASCIIColors.yellow(f"Recovering active model: {models[index]}") + return jsonify({"model":models[index],"index":index}) + else: + return jsonify(None) + + + + self.app.add_url_rule( + "/get_active_model", "get_active_model", get_active_model, methods=["GET"] + ) + + + def update_setting(): + data = request.get_json() + setting_name = data['setting_name'] + + if setting_name== "model_name": + self.config["model_name"]=data['setting_value'] + if self.config["model_name"] is not None: + try: + self.model = None + if self.binding: + del self.binding + + self.binding = None + for per in self.mounted_personalities: + per.model = None + gc.collect() + self.binding = BindingBuilder().build_binding(self.config, self.lollms_paths) + self.model = self.binding.build_model() + for per in self.mounted_personalities: + per.model = self.model + except Exception as ex: + # Catch the exception and get the traceback as a list of strings + traceback_lines = traceback.format_exception(type(ex), ex, ex.__traceback__) + + # Join the traceback lines into a single string + traceback_text = ''.join(traceback_lines) + ASCIIColors.error(f"Couldn't load model: [{ex}]") + ASCIIColors.error(traceback_text) + return jsonify({ "status":False, 'error':str(ex)}) + else: + ASCIIColors.warning("Trying to set a None model. Please select a model for the binding") + print("update_settings : New model selected") + + return jsonify({'setting_name': data['setting_name'], "status":True}) + + self.app.add_url_rule( + "/update_setting", "update_setting", update_setting, methods=["POST"] + ) + + + + def list_mounted_personalities(): + if self.binding is not None: + ASCIIColors.yellow("Listing mounted personalities") + return jsonify(self.config.personalities) + else: + return jsonify([]) + + self.app.add_url_rule( + "/list_mounted_personalities", "list_mounted_personalities", list_mounted_personalities, methods=["GET"] + ) + + self.socketio = SocketIO(self.app, cors_allowed_origins='*', ping_timeout=1200, ping_interval=4000) # Set log level to warning @@ -106,7 +191,7 @@ class LoLLMsServer(LollmsApplication): self.socketio_log.addHandler(logging.StreamHandler()) self.initialize_routes() - self.run(args.host, args.port) + self.run(self.config.host, self.config.port) def initialize_routes(self): diff --git a/lollms/configs/config.yaml b/lollms/configs/config.yaml index acf2a8f..2958266 100644 --- a/lollms/configs/config.yaml +++ b/lollms/configs/config.yaml @@ -8,7 +8,7 @@ enable_gpu: true # Host information host: localhost -port: 9600 +port: 9601 # Genreration parameters discussion_prompt_separator: "!@>" diff --git a/lollms/personality.py b/lollms/personality.py index 83caa6f..dbca1a4 100644 --- a/lollms/personality.py +++ b/lollms/personality.py @@ -284,7 +284,7 @@ Date: {{date}} def add_file(self, path, callback=None): self.files.append(path) - db_path = self.lollms_paths.personal_databases_path / self.name / "db.json" + db_path = self.lollms_paths.personal_databases_path / "personalities" / self.name / "db.json" db_path.parent.mkdir(parents=True, exist_ok=True) if self.vectorizer is None: self.vectorizer = TextVectorizer(self.config.data_vectorization_method, # supported "model_embedding" or "ftidf_vectorizer" diff --git a/lollms/terminal.py b/lollms/terminal.py index eed3c24..6fcb2ef 100644 --- a/lollms/terminal.py +++ b/lollms/terminal.py @@ -142,9 +142,21 @@ class MainMenu(Menu): def main_settings(self): self.show([ - {'name': 'Set user name', 'fn': self.set_user_name, 'help': "Sets the user name."}, + {'name': 'Set host', 'fn': self.set_host, 'help': "Sets the host name."}, + {'name': 'Set port', 'fn': self.set_port, 'help': "Sets the port number."}, + {'name': 'Set user name', 'fn': self.set_user_name, 'help': "Sets t1he user name."}, {'name': 'Set use user name in discussion', 'fn': self.set_use_user_name_in_discussions, 'help': "Sets the user name."}, ]) + def set_host(self): + print(f"Current host name : {self.lollms_app.config.host}") + self.lollms_app.config.host = input("New host name:") + self.lollms_app.config.save_config() + + def set_port(self): + print(f"Current port number : {self.lollms_app.config.port}") + self.lollms_app.config.port = int(input("New port number:")) + self.lollms_app.config.save_config() + def set_user_name(self): print(f"Current user name : {self.lollms_app.config.user_name}") diff --git a/setup.py b/setup.py index b70e2e6..1472957 100644 --- a/setup.py +++ b/setup.py @@ -26,7 +26,7 @@ def get_all_files(path): setuptools.setup( name="lollms", - version="4.2.2", + version="4.5.0", author="Saifeddine ALOUI", author_email="aloui.saifeddine@gmail.com", description="A python library for AI personality definition", @@ -41,7 +41,7 @@ setuptools.setup( 'lollms-server = lollms.apps.server:main', 'lollms-console = lollms.apps.console:main', 'lollms-settings = lollms.apps.settings:main', - 'lollms-playground = lollms.apps.playground2:main' + 'lollms-playground = lollms.apps.playground:main' ], }, extras_require={"dev": requirements_dev},