Spaces:
No application file
No application file
File size: 7,090 Bytes
b043e7b | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 | import gradio as gr
import xxhash
from gradio.components import _Keywords
from ai import AI
from config import Config
from contents import *
from storage import Storage
def webui(cfg: Config):
"""Run the web UI."""
Webui(cfg).run()
class Webui:
def __init__(self, cfg: Config):
self.cfg = cfg
self.ai = AI(cfg)
def _save_to_storage(self, contents, hash_id):
print(f"Saving to storage {hash_id}")
print(f"Contents: \n{contents}")
self.storage = Storage.create_storage(self.cfg)
if self.storage.been_indexed(hash_id):
return 0
else:
embeddings, tokens = self.ai.create_embeddings(contents)
self.storage.add_all(embeddings, hash_id)
return tokens
def _get_hash_id(self, contents):
return xxhash.xxh3_128_hexdigest('\n'.join(contents))
def run(self):
with gr.Blocks() as demo:
hash_id_state = gr.State()
init_page = gr.Column()
chat_page = gr.Column(visible=False)
with init_page:
with gr.Tab("url"):
url_error_box = gr.Textbox(label="Input Error", visible=False)
url_box = gr.Textbox(label="URL")
url_submit_btn = gr.Button("Submit url", variant="primary")
def submit(url):
url = url.strip()
if len(url) == 0:
return {url_error_box: gr.update(value="Enter URL", visible=True)}
try:
print(f"Crawling URL {url}")
content, lang = web_crawler_newspaper(url)
if len(content) == 0:
return {url_error_box: gr.update(value="Can not crawl this url", visible=True)}
hash_id = self._get_hash_id(content)
self._save_to_storage(content, hash_id)
except Exception as e:
return {url_error_box: gr.update(value=str(e), visible=True)}
return {
url_error_box: gr.update(visible=False),
url_box: gr.update(value=""),
init_page: gr.update(visible=False),
chat_page: gr.update(visible=True),
hash_id_state: hash_id
}
url_submit_btn.click(
submit,
[url_box],
[init_page, url_error_box, chat_page, url_box, hash_id_state],
)
with gr.Tab("file"):
file_error_box = gr.Textbox(label="Input Error", visible=False)
file_box = gr.File(label="File", file_types=["pdf", "txt", "docx"])
file_submit_btn = gr.Button("Submit file", variant="primary")
def submit(file):
url = file.name
if url.endswith('.pdf'):
contents, lang = extract_text_from_pdf(url)
elif url.endswith('.txt'):
contents, lang = extract_text_from_txt(url)
elif url.endswith('.docx'):
contents, lang = extract_text_from_docx(url)
else:
return {file_error_box: gr.update(value="Can not read this file", visible=True)}
if len(contents) == 0:
return {file_error_box: gr.update(value="Empty file", visible=True)}
hash_id = self._get_hash_id(contents)
self._save_to_storage(contents, hash_id)
return {
init_page: gr.update(visible=False),
chat_page: gr.update(visible=True),
file_box: gr.update(value=_Keywords.NO_VALUE),
file_error_box: gr.update(visible=False),
hash_id_state: hash_id
}
file_submit_btn.click(
submit,
[file_box],
[init_page, chat_page, file_box, file_error_box, hash_id_state],
)
with chat_page:
with gr.Row():
with gr.Column():
chatbot = gr.Chatbot()
kw_box = gr.Dataset(components=[gr.Textbox(visible=False)],
label="Query keywords",
samples=[],
visible=False,
)
msg = gr.Textbox(label="Query")
submit_box = gr.Button("Submit", variant="primary")
reset_box = gr.Button("Reset")
with gr.Column():
dataset_box = gr.Dataset(components=[gr.Textbox(visible=False)],
label="Context",
samples=[],
visible=False,
)
def respond(message, chat_history, hash_id):
kw = self.ai.get_keywords(message)
if len(kw) == 0 or hash_id is None:
return "", chat_history
_, kw_ebd = self.ai.create_embedding(kw)
ctx = self.storage.get_texts(kw_ebd, hash_id)
print(f"Context: \n{ctx}")
bot_message = self.ai.completion(message, ctx)
chat_history.append((message, bot_message))
return "", chat_history, dataset_box.update(samples=[[item] for item in ctx][:20], visible=True), \
kw_box.update(samples=[[item.strip()] for item in kw.split(',')], visible=True)
def reset():
return {
init_page: gr.update(visible=True),
chat_page: gr.update(visible=False),
chatbot: gr.update(value=[]),
msg: gr.update(value=""),
hash_id_state: None,
}
msg.submit(respond, [msg, chatbot, hash_id_state], [msg, chatbot, dataset_box, kw_box])
submit_box.click(respond, [msg, chatbot, hash_id_state], [msg, chatbot, dataset_box, kw_box])
reset_box.click(reset, None, [init_page, chat_page, chatbot, msg, dataset_box, hash_id_state])
demo.title = "Chat Web"
#demo.launch(server_port=self.cfg.webui_port, server_name=self.cfg.webui_host, show_api=False)
demo.launch(share=True)
|