mirror of
https://github.com/ParisNeo/lollms.git
synced 2025-02-15 23:22:43 +00:00
New lollms version with much more control
This commit is contained in:
parent
dac0bb39b2
commit
65adad84b3
@ -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
|
||||
|
@ -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('/<path:filename>')
|
||||
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()
|
||||
|
||||
|
Before Width: | Height: | Size: 66 KiB After Width: | Height: | Size: 66 KiB |
130
lollms/apps/playground/static/.gitignore
vendored
130
lollms/apps/playground/static/.gitignore
vendored
@ -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.*
|
@ -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.
|
@ -1,96 +0,0 @@
|
||||
|
||||
# LoLLMs Playground
|
||||
|
||||
<div align="center">
|
||||
<img src="https://github.com/ParisNeo/lollms/blob/main/lollms/assets/logo.png" alt="Logo" width="200" height="200">
|
||||
</div>
|
||||
|
||||

|
||||

|
||||

|
||||

|
||||
[](https://discord.gg/4rR282WJb6)
|
||||
[](https://twitter.com/SpaceNerduino)
|
||||
[](https://www.youtube.com/user/Parisneo)
|
||||
[](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.
|
||||

|
||||
4. Press the icon to get to the connection ui.
|
||||

|
||||
|
||||
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.
|
||||

|
||||
|
||||
6. Once connected, you can enter a prompt and click the "Generate Text" button to initiate text generation.
|
||||

|
||||
|
||||
7. The generated text will be displayed in the output section of the page.
|
||||

|
||||

|
||||
|
||||
## 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).
|
||||
```
|
@ -1,22 +0,0 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<link href="https://cdn.jsdelivr.net/npm/tailwindcss@2.2.19/dist/tailwind.min.css" rel="stylesheet">
|
||||
<title>Logo Page</title>
|
||||
<style>
|
||||
html, body {
|
||||
height: 100%;
|
||||
display: flex;
|
||||
justify-content: center;
|
||||
align-items: center;
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<a href="lollms_playground.html">
|
||||
<img src="logo.png" alt="Logo" class="cursor-pointer">
|
||||
</a>
|
||||
</body>
|
||||
</html>
|
Binary file not shown.
Before Width: | Height: | Size: 459 KiB |
@ -1,388 +0,0 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>LoLLMs Endpoint Test</title>
|
||||
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/noUiSlider/14.6.4/nouislider.min.css" />
|
||||
<script src="https://cdnjs.cloudflare.com/ajax/libs/noUiSlider/14.6.4/nouislider.min.js"></script>
|
||||
<link href="https://cdn.jsdelivr.net/npm/tailwindcss@2.2.19/dist/tailwind.min.css" rel="stylesheet">
|
||||
<style>
|
||||
.hover\:bg-blue-600:hover {
|
||||
background-color: #2563eb;
|
||||
}
|
||||
|
||||
.active\:bg-blue-700:active {
|
||||
background-color: #1d4ed8;
|
||||
}
|
||||
/* Custom slider handle style */
|
||||
.noUi-handle {
|
||||
background-color: #2563eb;
|
||||
border-color: #1d4ed8;
|
||||
box-shadow: 0 1px 2px rgba(0, 0, 0, 0.1), 0 1px 3px rgba(0, 0, 0, 0.15);
|
||||
width: 5px;
|
||||
height: 5px;
|
||||
border-radius: 15px;
|
||||
}
|
||||
|
||||
/* Custom slider track style */
|
||||
.noUi-connect {
|
||||
background-color: #2563eb;
|
||||
}
|
||||
|
||||
/* Custom slider tooltip style */
|
||||
.slider-value {
|
||||
display: inline-block;
|
||||
margin-left: 10px;
|
||||
color: #6b7280;
|
||||
font-size: 14px;
|
||||
}
|
||||
|
||||
/* Shrink the button size */
|
||||
.small-button {
|
||||
padding: 0.5rem 0.75rem;
|
||||
font-size: 0.875rem;
|
||||
}
|
||||
|
||||
</style>
|
||||
</head>
|
||||
<body class="bg-gray-100 w-full">
|
||||
<div class="flex items-center justify-center min-h-screen w-full">
|
||||
<div class="w-full bg-blue-300 p-6 rounded shadow m-4">
|
||||
<h1 class="text-2xl font-bold mb-4"><img src="logo.png" alt="Logo" class="w-10 h-10 mr-2">LoLLMs Playground</h1>
|
||||
<div id="connection-section">
|
||||
<div class="mb-4">
|
||||
<label for="host" class="block text-sm font-medium text-gray-700">Host:</label>
|
||||
<input id="host" type="text" class="mt-1 p-2 border border-gray-300 rounded-md w-full"
|
||||
value="localhost" />
|
||||
</div>
|
||||
<div class="mb-4">
|
||||
<label for="port" class="block text-sm font-medium text-gray-700">Port:</label>
|
||||
<input id="port" type="number" class="mt-1 p-2 border border-gray-300 rounded-md w-full" value="9601" />
|
||||
</div>
|
||||
<button id="connect-btn"
|
||||
class="bg-blue-500 hover:bg-blue-600 active:bg-blue-700 text-white font-bold py-2 px-4 rounded">Connect</button>
|
||||
<label class="hidden" id = "connecting">connecting ...</label>
|
||||
</div>
|
||||
<div id="generation-section" class="w-full hidden">
|
||||
<div>
|
||||
<button id="generate-btn" class="bg-blue-500 hover:bg-blue-600 active:bg-blue-700 text-white font-bold py-2 px-4 rounded">Generate Text</button>
|
||||
<button id="stop-btn" class="bg-red-500 hover:bg-red-600 active:bg-red-700 text-white font-bold py-2 px-4 rounded hidden">Stop Generation</button>
|
||||
<button id="export-btn" class="bg-green-500 hover:bg-green-600 active:bg-green-700 text-white font-bold py-2 px-4 rounded">Export Text</button>
|
||||
</div>
|
||||
<div class="flex flex-row">
|
||||
<div class="flex-grow">
|
||||
<div class="flex-grow">
|
||||
<div>
|
||||
<textarea id="text" class="mt-4 p-2 border border-gray-300 rounded-md h-64 overflow-y-scroll w-full" type="text"></textarea>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div id="settings" class="w-32 ml-4">
|
||||
<div class="mb-4">
|
||||
<label for="temperature" class="block text-sm font-medium text-gray-700">Temperature:<span id="temperature-value" class="slider-value">1</span></label>
|
||||
<div id="temperature-slider" class="mt-1 slider"></div>
|
||||
</div>
|
||||
<div class="mb-4">
|
||||
<label for="top-k" class="block text-sm font-medium text-gray-700">Top K:<span id="top-k-value" class="slider-value">1</span></label>
|
||||
<div id="top-k-slider" class="mt-1"></div>
|
||||
</div>
|
||||
<div class="mb-4">
|
||||
<label for="top-p" class="block text-sm font-medium text-gray-700">Top P:<span id="top-p-value" class="slider-value">1</span></label>
|
||||
<div id="top-p-slider" class="mt-1"></div>
|
||||
</div>
|
||||
<div class="mb-4">
|
||||
<label for="repeat-penalty" class="block text-sm font-medium text-gray-700">Repeat Penalty:<span id="repeat-penalty-value" class="slider-value">1</span></label>
|
||||
<div id="repeat-penalty-slider" class="mt-1"></div>
|
||||
</div>
|
||||
<div class="mb-4">
|
||||
<label for="repeat-last-n" class="block text-sm font-medium text-gray-700">Repeat Last N:<span id="repeat-last-n-value" class="slider-value">1</span></label>
|
||||
<div id="repeat-last-n-slider" class="mt-1"></div>
|
||||
</div>
|
||||
<div class="mb-4">
|
||||
<label for="repeat-last-n" class="block text-sm font-medium text-gray-700">Repeat Last N:<span id="repeat-last-n-value" class="slider-value">1</span></label>
|
||||
<input id="seed" class="mt-1 w-full" value="-1">
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<script src="https://cdn.socket.io/4.4.1/socket.io.min.js"></script>
|
||||
|
||||
|
||||
<script>
|
||||
let temperatureValue = 1;
|
||||
let topKValue = 50;
|
||||
let topPValue = 0.5;
|
||||
let repeatPenaltyValue = 1.6;
|
||||
let repeatLastNValue = 30;
|
||||
let seedValue = -1;
|
||||
// Initialize sliders
|
||||
const temperatureSlider = document.getElementById('temperature-slider');
|
||||
const topKSlider = document.getElementById('top-k-slider');
|
||||
const topPSlider = document.getElementById('top-p-slider');
|
||||
const repeatPenaltySlider = document.getElementById('repeat-penalty-slider');
|
||||
const repeatLastNSlider = document.getElementById('repeat-last-n-slider');
|
||||
|
||||
const temperatureValue_ui = document.getElementById('temperature-value');
|
||||
const topKValue_ui = document.getElementById('top-k-value');
|
||||
const topPValue_ui = document.getElementById('top-p-value');
|
||||
const repeatPenaltyValue_ui = document.getElementById('repeat-penalty-value');
|
||||
const repeatLastNValue_ui = document.getElementById('repeat-last-n-value');
|
||||
|
||||
temperatureValue_ui.innerText = temperatureValue
|
||||
topKValue_ui.innerText = topKValue
|
||||
topPValue_ui.innerText = topPValue
|
||||
repeatPenaltyValue_ui.innerText = repeatPenaltyValue
|
||||
repeatLastNValue_ui.innerText = repeatLastNValue
|
||||
|
||||
|
||||
noUiSlider.create(temperatureSlider, {
|
||||
start: 1,
|
||||
step: 0.1,
|
||||
range: {
|
||||
min: 0.1,
|
||||
max: 5
|
||||
},
|
||||
format: {
|
||||
to: value => parseFloat(value.toFixed(1)),
|
||||
from: value => parseFloat(value)
|
||||
},
|
||||
value:temperatureValue
|
||||
});
|
||||
|
||||
noUiSlider.create(topKSlider, {
|
||||
start: 50,
|
||||
step: 1,
|
||||
range: {
|
||||
min: 1,
|
||||
max: 300
|
||||
},
|
||||
format: {
|
||||
to: value => Math.round(value),
|
||||
from: value => parseFloat(value)
|
||||
},
|
||||
value:topKValue
|
||||
});
|
||||
|
||||
noUiSlider.create(topPSlider, {
|
||||
start: 0.5,
|
||||
step: 0.01,
|
||||
range: {
|
||||
min: 0,
|
||||
max: 1
|
||||
},
|
||||
format: {
|
||||
to: value => parseFloat(value.toFixed(2)),
|
||||
from: value => parseFloat(value)
|
||||
},
|
||||
value:topPValue
|
||||
});
|
||||
|
||||
|
||||
|
||||
noUiSlider.create(repeatPenaltySlider, {
|
||||
start: 1.5,
|
||||
step: 0.1,
|
||||
range: {
|
||||
min: 0.3,
|
||||
max: 10.0
|
||||
},
|
||||
format: {
|
||||
to: value => parseFloat(value.toFixed(1)),
|
||||
from: value => parseFloat(value)
|
||||
},
|
||||
value:repeatPenaltyValue
|
||||
});
|
||||
|
||||
noUiSlider.create(repeatLastNSlider, {
|
||||
start: 10,
|
||||
step: 1,
|
||||
range: {
|
||||
min: 1,
|
||||
max: 100
|
||||
},
|
||||
format: {
|
||||
to: value => Math.round(value),
|
||||
from: value => parseFloat(value)
|
||||
},
|
||||
value:repeatLastNValue
|
||||
});
|
||||
|
||||
|
||||
// Event handler for temperature slider value change
|
||||
temperatureSlider.noUiSlider.on('change', (values, handle) => {
|
||||
temperatureValue = parseFloat(values[handle]);
|
||||
temperatureValue_ui.innerText = temperatureValue
|
||||
// Update the temperature value in your code or send it to the server
|
||||
console.log('Temperature:', temperatureValue);
|
||||
});
|
||||
|
||||
// Event handler for top-k slider value change
|
||||
topKSlider.noUiSlider.on('change', (values, handle) => {
|
||||
topKValue = Math.round(values[handle]);
|
||||
topKValue_ui.innerText = topKValue
|
||||
// Update the top-k value in your code or send it to the server
|
||||
console.log('Top K:', topKValue);
|
||||
});
|
||||
|
||||
// Event handler for top-p slider value change
|
||||
topPSlider.noUiSlider.on('change', (values, handle) => {
|
||||
topPValue = parseFloat(values[handle]);
|
||||
topPValue_ui.innerText = topPValue
|
||||
// Update the top-p value in your code or send it to the server
|
||||
console.log('Top P:', topPValue);
|
||||
});
|
||||
|
||||
|
||||
// Event handler for repeat penalty slider value change
|
||||
repeatPenaltySlider.noUiSlider.on('change', (values, handle) => {
|
||||
repeatPenaltyValue = parseFloat(values[handle]);
|
||||
repeatPenaltyValue_ui.innerText = repeatPenaltyValue
|
||||
console.log('Repeat Penalty:', repeatPenaltyValue);
|
||||
});
|
||||
|
||||
// Event handler for repeat last N slider value change
|
||||
repeatLastNSlider.noUiSlider.on('change', (values, handle) => {
|
||||
repeatLastNValue = Math.round(values[handle]);
|
||||
repeatLastNValue_ui.innerText = repeatLastNValue
|
||||
console.log('Repeat Last N:', repeatLastNValue);
|
||||
});
|
||||
|
||||
|
||||
const socket = io();
|
||||
const connectButton = document.getElementById('connect-btn');
|
||||
const generateButton = document.getElementById('generate-btn');
|
||||
const stopButton = document.getElementById('stop-btn');
|
||||
const connectionSection = document.getElementById('connection-section');
|
||||
const generationSection = document.getElementById('generation-section');
|
||||
const connectingText = document.getElementById('connecting');
|
||||
|
||||
// Append the received chunks to the text div
|
||||
function appendToOutput(chunk) {
|
||||
const outputDiv = document.getElementById('text');
|
||||
outputDiv.value += chunk;
|
||||
outputDiv.scrollTop = outputDiv.scrollHeight;
|
||||
}
|
||||
|
||||
// Event handler for receiving generated text chunks
|
||||
socket.on('text_chunk', data => {
|
||||
console.log('Received chunk:', data.chunk);
|
||||
appendToOutput(data.chunk);
|
||||
});
|
||||
|
||||
// Event handler for receiving generated text chunks
|
||||
socket.on('text_generated', data => {
|
||||
console.log('text generated:', data.text);
|
||||
// Toggle button visibility
|
||||
generateButton.classList.remove('hidden');
|
||||
stopButton.classList.add('hidden');
|
||||
});
|
||||
|
||||
socket.on('generation_error', data => {
|
||||
console.log('generation_error:', data);
|
||||
// Toggle button visibility
|
||||
generateButton.classList.remove('hidden');
|
||||
stopButton.classList.add('hidden');
|
||||
});
|
||||
|
||||
|
||||
|
||||
// Event handler for successful connection
|
||||
socket.on('connect', () => {
|
||||
console.log('Connected to LoLLMs server');
|
||||
connectButton.disabled = true;
|
||||
connectingText.classList.add("hidden")
|
||||
connectionSection.classList.add('hidden');
|
||||
generationSection.classList.remove('hidden');
|
||||
});
|
||||
|
||||
// Event handler for error during text generation
|
||||
socket.on('buzzy', error => {
|
||||
console.error('Server is busy. Wait for your turn', error);
|
||||
const outputDiv = document.getElementById('text');
|
||||
outputDiv.value += `<p class="text-red-500">Error: ${error.message}</p>`;
|
||||
outputDiv.scrollTop = outputDiv.scrollHeight;
|
||||
// Toggle button visibility
|
||||
generateButton.classList.remove('hidden');
|
||||
stopButton.classList.add('hidden');
|
||||
|
||||
});
|
||||
|
||||
// Event handler for error during text generation
|
||||
socket.on('generation_canceled', error => {
|
||||
// Toggle button visibility
|
||||
generateButton.classList.remove('hidden');
|
||||
stopButton.classList.add('hidden');
|
||||
console.log("Generation canceled OK")
|
||||
});
|
||||
|
||||
|
||||
|
||||
// Triggered when the "Connect" button is clicked
|
||||
connectButton.addEventListener('click', () => {
|
||||
const hostInput = document.getElementById('host');
|
||||
const portInput = document.getElementById('port');
|
||||
const host = hostInput.value.trim();
|
||||
const port = parseInt(portInput.value);
|
||||
|
||||
if (host && port) {
|
||||
socket.io.uri = `http://${host}:${port}`;
|
||||
socket.connect();
|
||||
connectingText.classList.remove("hidden")
|
||||
}
|
||||
});
|
||||
|
||||
// Triggered when the "Generate Text" button is clicked
|
||||
generateButton.addEventListener('click', () => {
|
||||
const outputDiv = document.getElementById('text');
|
||||
var prompt = outputDiv.value
|
||||
console.log(prompt)
|
||||
// Trigger the 'generate_text' event with the prompt
|
||||
socket.emit('generate_text', { prompt, personality: -1, n_predicts: 1024 ,
|
||||
parameters: {
|
||||
temperature: temperatureValue,
|
||||
top_k: topKValue,
|
||||
top_p: topPValue,
|
||||
repeat_penalty: repeatPenaltyValue, // Update with desired repeat penalty value
|
||||
repeat_last_n: repeatLastNValue, // Update with desired repeat_last_n value
|
||||
seed: parseInt(seedValue)
|
||||
}});
|
||||
|
||||
// Toggle button visibility
|
||||
generateButton.classList.add('hidden');
|
||||
stopButton.classList.remove('hidden');
|
||||
});
|
||||
|
||||
// Triggered when the "Stop Generation" button is clicked
|
||||
stopButton.addEventListener('click', () => {
|
||||
// Trigger the 'cancel_generation' event
|
||||
socket.emit('cancel_generation',{});
|
||||
|
||||
});
|
||||
|
||||
// Function to export text as a text file
|
||||
function exportTextToFile() {
|
||||
const outputDiv = document.getElementById('text');
|
||||
const textToExport = outputDiv.value;
|
||||
const element = document.createElement('a');
|
||||
const file = new Blob([textToExport], {type: 'text/plain'});
|
||||
element.href = URL.createObjectURL(file);
|
||||
element.download = 'exported_text.txt';
|
||||
document.body.appendChild(element);
|
||||
element.click();
|
||||
document.body.removeChild(element);
|
||||
}
|
||||
|
||||
// Triggered when the "Export Text" button is clicked
|
||||
const exportButton = document.getElementById('export-btn');
|
||||
exportButton.addEventListener('click', exportTextToFile);
|
||||
|
||||
</script>
|
||||
</body>
|
||||
|
||||
</html>
|
@ -1,5 +0,0 @@
|
||||
{
|
||||
"dependencies": {
|
||||
"http-server": "^14.1.1"
|
||||
}
|
||||
}
|
@ -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('/<path:filename>')
|
||||
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()
|
@ -1,22 +0,0 @@
|
||||
<template>
|
||||
<div class="flex flex-col h-screen font-sans bg-bg-light text-slate-950 dark:bg-bg-dark dark:text-slate-50">
|
||||
<TopBar />
|
||||
|
||||
<div class="flex overflow-hidden flex-grow">
|
||||
<!-- VIEW CONTAINER -->
|
||||
<RouterView v-slot="{ Component }">
|
||||
<KeepAlive>
|
||||
<component :is="Component" />
|
||||
</KeepAlive>
|
||||
</RouterView>
|
||||
</div>
|
||||
|
||||
<!-- FOOTER -->
|
||||
<!-- <Footer /> -->
|
||||
</div>
|
||||
</template>
|
||||
|
||||
<script setup>
|
||||
import { RouterView } from 'vue-router'
|
||||
import TopBar from './components/TopBar.vue'
|
||||
</script>
|
Binary file not shown.
Before Width: | Height: | Size: 245 KiB |
File diff suppressed because one or more lines are too long
Before Width: | Height: | Size: 7.5 KiB |
@ -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.
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
@ -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.
|
Binary file not shown.