release the bot
This commit is contained in:
parent
ee492def7d
commit
34ffadf3c1
18 changed files with 1395 additions and 151 deletions
21
.dockerignore
Normal file
21
.dockerignore
Normal file
|
@ -0,0 +1,21 @@
|
|||
.gitignore
|
||||
images
|
||||
*.md
|
||||
Dockerfile
|
||||
Dockerfile-dev
|
||||
.dockerignore
|
||||
config.json
|
||||
config.json.sample
|
||||
.vscode
|
||||
bot.log
|
||||
venv
|
||||
.venv
|
||||
*.yaml
|
||||
*.yml
|
||||
.git
|
||||
.idea
|
||||
__pycache__
|
||||
.env
|
||||
.env.example
|
||||
.github
|
||||
settings.js
|
7
.env.example
Normal file
7
.env.example
Normal file
|
@ -0,0 +1,7 @@
|
|||
SERVER_URL="xxxxx.xxxxxx.xxxxxxxxx"
|
||||
ACCESS_TOKEN="xxxxxxxxxxxxxxxxx"
|
||||
USERNAME="@chatgpt"
|
||||
OPENAI_API_KEY="sk-xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"
|
||||
BING_API_ENDPOINT="http://api:3000/conversation"
|
||||
BARD_TOKEN="xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx."
|
||||
BING_AUTH_COOKIE="xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"
|
7
.gitignore
vendored
7
.gitignore
vendored
|
@ -101,6 +101,12 @@ celerybeat.pid
|
|||
# SageMath parsed files
|
||||
*.sage.py
|
||||
|
||||
# custom path
|
||||
images
|
||||
Dockerfile-dev
|
||||
compose-dev.yaml
|
||||
settings.js
|
||||
|
||||
# Environments
|
||||
.env
|
||||
.venv
|
||||
|
@ -109,6 +115,7 @@ venv/
|
|||
ENV/
|
||||
env.bak/
|
||||
venv.bak/
|
||||
config.json
|
||||
|
||||
# Spyder project settings
|
||||
.spyderproject
|
||||
|
|
3
.vscode/settings.json
vendored
Normal file
3
.vscode/settings.json
vendored
Normal file
|
@ -0,0 +1,3 @@
|
|||
{
|
||||
"python.formatting.provider": "black"
|
||||
}
|
165
BingImageGen.py
Normal file
165
BingImageGen.py
Normal file
|
@ -0,0 +1,165 @@
|
|||
"""
|
||||
Code derived from:
|
||||
https://github.com/acheong08/EdgeGPT/blob/f940cecd24a4818015a8b42a2443dd97c3c2a8f4/src/ImageGen.py
|
||||
"""
|
||||
from log import getlogger
|
||||
from uuid import uuid4
|
||||
import os
|
||||
import contextlib
|
||||
import aiohttp
|
||||
import asyncio
|
||||
import random
|
||||
import requests
|
||||
import regex
|
||||
|
||||
logger = getlogger()
|
||||
|
||||
BING_URL = "https://www.bing.com"
|
||||
# Generate random IP between range 13.104.0.0/14
|
||||
FORWARDED_IP = (
|
||||
f"13.{random.randint(104, 107)}.{random.randint(0, 255)}.{random.randint(0, 255)}"
|
||||
)
|
||||
HEADERS = {
|
||||
"accept": "text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8,application/signed-exchange;v=b3;q=0.7",
|
||||
"accept-language": "en-US,en;q=0.9",
|
||||
"cache-control": "max-age=0",
|
||||
"content-type": "application/x-www-form-urlencoded",
|
||||
"referrer": "https://www.bing.com/images/create/",
|
||||
"origin": "https://www.bing.com",
|
||||
"user-agent": "Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/110.0.0.0 Safari/537.36 Edg/110.0.1587.63",
|
||||
"x-forwarded-for": FORWARDED_IP,
|
||||
}
|
||||
|
||||
|
||||
class ImageGenAsync:
|
||||
"""
|
||||
Image generation by Microsoft Bing
|
||||
Parameters:
|
||||
auth_cookie: str
|
||||
"""
|
||||
|
||||
def __init__(self, auth_cookie: str, quiet: bool = True) -> None:
|
||||
self.session = aiohttp.ClientSession(
|
||||
headers=HEADERS,
|
||||
cookies={"_U": auth_cookie},
|
||||
)
|
||||
self.quiet = quiet
|
||||
|
||||
async def __aenter__(self):
|
||||
return self
|
||||
|
||||
async def __aexit__(self, *excinfo) -> None:
|
||||
await self.session.close()
|
||||
|
||||
def __del__(self):
|
||||
try:
|
||||
loop = asyncio.get_running_loop()
|
||||
except RuntimeError:
|
||||
loop = asyncio.new_event_loop()
|
||||
asyncio.set_event_loop(loop)
|
||||
loop.run_until_complete(self._close())
|
||||
|
||||
async def _close(self):
|
||||
await self.session.close()
|
||||
|
||||
async def get_images(self, prompt: str) -> list:
|
||||
"""
|
||||
Fetches image links from Bing
|
||||
Parameters:
|
||||
prompt: str
|
||||
"""
|
||||
if not self.quiet:
|
||||
print("Sending request...")
|
||||
url_encoded_prompt = requests.utils.quote(prompt)
|
||||
# https://www.bing.com/images/create?q=<PROMPT>&rt=3&FORM=GENCRE
|
||||
url = f"{BING_URL}/images/create?q={url_encoded_prompt}&rt=4&FORM=GENCRE"
|
||||
async with self.session.post(url, allow_redirects=False) as response:
|
||||
content = await response.text()
|
||||
if "this prompt has been blocked" in content.lower():
|
||||
raise Exception(
|
||||
"Your prompt has been blocked by Bing. Try to change any bad words and try again.",
|
||||
)
|
||||
if response.status != 302:
|
||||
# if rt4 fails, try rt3
|
||||
url = (
|
||||
f"{BING_URL}/images/create?q={url_encoded_prompt}&rt=3&FORM=GENCRE"
|
||||
)
|
||||
async with self.session.post(
|
||||
url,
|
||||
allow_redirects=False,
|
||||
timeout=200,
|
||||
) as response3:
|
||||
if response3.status != 302:
|
||||
print(f"ERROR: {response3.text}")
|
||||
raise Exception("Redirect failed")
|
||||
response = response3
|
||||
# Get redirect URL
|
||||
redirect_url = response.headers["Location"].replace("&nfy=1", "")
|
||||
request_id = redirect_url.split("id=")[-1]
|
||||
await self.session.get(f"{BING_URL}{redirect_url}")
|
||||
# https://www.bing.com/images/create/async/results/{ID}?q={PROMPT}
|
||||
polling_url = f"{BING_URL}/images/create/async/results/{request_id}?q={url_encoded_prompt}"
|
||||
# Poll for results
|
||||
if not self.quiet:
|
||||
print("Waiting for results...")
|
||||
while True:
|
||||
if not self.quiet:
|
||||
print(".", end="", flush=True)
|
||||
# By default, timeout is 300s, change as needed
|
||||
response = await self.session.get(polling_url)
|
||||
if response.status != 200:
|
||||
raise Exception("Could not get results")
|
||||
content = await response.text()
|
||||
if content and content.find("errorMessage") == -1:
|
||||
break
|
||||
|
||||
await asyncio.sleep(1)
|
||||
continue
|
||||
# Use regex to search for src=""
|
||||
image_links = regex.findall(r'src="([^"]+)"', content)
|
||||
# Remove size limit
|
||||
normal_image_links = [link.split("?w=")[0] for link in image_links]
|
||||
# Remove duplicates
|
||||
normal_image_links = list(set(normal_image_links))
|
||||
|
||||
# Bad images
|
||||
bad_images = [
|
||||
"https://r.bing.com/rp/in-2zU3AJUdkgFe7ZKv19yPBHVs.png",
|
||||
"https://r.bing.com/rp/TX9QuO3WzcCJz1uaaSwQAz39Kb0.jpg",
|
||||
]
|
||||
for im in normal_image_links:
|
||||
if im in bad_images:
|
||||
raise Exception("Bad images")
|
||||
# No images
|
||||
if not normal_image_links:
|
||||
raise Exception("No images")
|
||||
return normal_image_links
|
||||
|
||||
async def save_images(self, links: list, output_dir: str) -> str:
|
||||
"""
|
||||
Saves images to output directory
|
||||
"""
|
||||
if not self.quiet:
|
||||
print("\nDownloading images...")
|
||||
with contextlib.suppress(FileExistsError):
|
||||
os.mkdir(output_dir)
|
||||
|
||||
# image name
|
||||
image_name = str(uuid4())
|
||||
# we just need one image for better display in chat room
|
||||
if links:
|
||||
link = links.pop()
|
||||
|
||||
image_path = os.path.join(output_dir, f"{image_name}.jpeg")
|
||||
try:
|
||||
async with self.session.get(link, raise_for_status=True) as response:
|
||||
# save response to file
|
||||
with open(image_path, "wb") as output_file:
|
||||
async for chunk in response.content.iter_chunked(8192):
|
||||
output_file.write(chunk)
|
||||
return f"{output_dir}/{image_name}.jpeg"
|
||||
|
||||
except aiohttp.client_exceptions.InvalidURL as url_exception:
|
||||
raise Exception(
|
||||
"Inappropriate contents found in the generated images. Please try again or try another prompt.",
|
||||
) from url_exception
|
16
Dockerfile
Normal file
16
Dockerfile
Normal file
|
@ -0,0 +1,16 @@
|
|||
FROM python:3.11-alpine as base
|
||||
|
||||
FROM base as builder
|
||||
# RUN sed -i 's|v3\.\d*|edge|' /etc/apk/repositories
|
||||
RUN apk update && apk add --no-cache gcc musl-dev libffi-dev
|
||||
COPY requirements.txt .
|
||||
RUN pip install -U pip setuptools wheel && pip install --user -r ./requirements.txt && rm ./requirements.txt
|
||||
|
||||
FROM base as runner
|
||||
RUN apk update && apk add --no-cache libffi-dev
|
||||
COPY --from=builder /root/.local /usr/local
|
||||
COPY . /app
|
||||
|
||||
FROM runner
|
||||
WORKDIR /app
|
||||
CMD ["python", "main.py"]
|
25
README.md
25
README.md
|
@ -1 +1,24 @@
|
|||
# mattermost_bot
|
||||
## Introduction
|
||||
|
||||
This is a simple Mattermost Bot that uses OpenAI's GPT API and Bing AI and Google Bard to generate responses to user inputs. The bot responds to six types of prompts: `!gpt`, `!chat` and `!bing` and `!pic` and `!bard` and `!help` depending on the first word of the prompt.
|
||||
|
||||
## Feature
|
||||
|
||||
1. Support Openai ChatGPT and Bing AI and Google Bard(US only at the moment)
|
||||
2. Support Bing Image Creator
|
||||
|
||||
## Installation and Setup
|
||||
|
||||
See https://github.com/hibobmaster/mattermost_bot/wiki
|
||||
|
||||
Edit `config.json` or `.env` with proper values
|
||||
|
||||
```sh
|
||||
docker compose up -d
|
||||
```
|
||||
|
||||
## Demo
|
||||
|
||||
![demo1](https://i.imgur.com/XRAQB4B.jpg)
|
||||
![demo2](https://i.imgur.com/if72kyH.jpg)
|
||||
![demo3](https://i.imgur.com/GHczfkv.jpg)
|
46
askgpt.py
Normal file
46
askgpt.py
Normal file
|
@ -0,0 +1,46 @@
|
|||
import aiohttp
|
||||
import asyncio
|
||||
import json
|
||||
|
||||
from log import getlogger
|
||||
|
||||
logger = getlogger()
|
||||
|
||||
|
||||
class askGPT:
|
||||
def __init__(
|
||||
self, session: aiohttp.ClientSession, api_endpoint: str, headers: str
|
||||
) -> None:
|
||||
self.session = session
|
||||
self.api_endpoint = api_endpoint
|
||||
self.headers = headers
|
||||
|
||||
async def oneTimeAsk(self, prompt: str) -> str:
|
||||
jsons = {
|
||||
"model": "gpt-3.5-turbo",
|
||||
"messages": [
|
||||
{
|
||||
"role": "user",
|
||||
"content": prompt,
|
||||
},
|
||||
],
|
||||
}
|
||||
max_try = 2
|
||||
while max_try > 0:
|
||||
try:
|
||||
async with self.session.post(
|
||||
url=self.api_endpoint, json=jsons, headers=self.headers, timeout=120
|
||||
) as response:
|
||||
status_code = response.status
|
||||
if not status_code == 200:
|
||||
# print failed reason
|
||||
logger.warning(str(response.reason))
|
||||
max_try = max_try - 1
|
||||
# wait 2s
|
||||
await asyncio.sleep(2)
|
||||
continue
|
||||
|
||||
resp = await response.read()
|
||||
return json.loads(resp)["choices"][0]["message"]["content"]
|
||||
except Exception as e:
|
||||
raise Exception(e)
|
104
bard.py
Normal file
104
bard.py
Normal file
|
@ -0,0 +1,104 @@
|
|||
"""
|
||||
Code derived from: https://github.com/acheong08/Bard/blob/main/src/Bard.py
|
||||
"""
|
||||
|
||||
import random
|
||||
import string
|
||||
import re
|
||||
import json
|
||||
import requests
|
||||
|
||||
|
||||
class Bardbot:
|
||||
"""
|
||||
A class to interact with Google Bard.
|
||||
Parameters
|
||||
session_id: str
|
||||
The __Secure-1PSID cookie.
|
||||
"""
|
||||
|
||||
__slots__ = [
|
||||
"headers",
|
||||
"_reqid",
|
||||
"SNlM0e",
|
||||
"conversation_id",
|
||||
"response_id",
|
||||
"choice_id",
|
||||
"session",
|
||||
]
|
||||
|
||||
def __init__(self, session_id):
|
||||
headers = {
|
||||
"Host": "bard.google.com",
|
||||
"X-Same-Domain": "1",
|
||||
"User-Agent": "Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.114 Safari/537.36",
|
||||
"Content-Type": "application/x-www-form-urlencoded;charset=UTF-8",
|
||||
"Origin": "https://bard.google.com",
|
||||
"Referer": "https://bard.google.com/",
|
||||
}
|
||||
self._reqid = int("".join(random.choices(string.digits, k=4)))
|
||||
self.conversation_id = ""
|
||||
self.response_id = ""
|
||||
self.choice_id = ""
|
||||
self.session = requests.Session()
|
||||
self.session.headers = headers
|
||||
self.session.cookies.set("__Secure-1PSID", session_id)
|
||||
self.SNlM0e = self.__get_snlm0e()
|
||||
|
||||
def __get_snlm0e(self):
|
||||
resp = self.session.get(url="https://bard.google.com/", timeout=10)
|
||||
# Find "SNlM0e":"<ID>"
|
||||
if resp.status_code != 200:
|
||||
raise Exception("Could not get Google Bard")
|
||||
SNlM0e = re.search(r"SNlM0e\":\"(.*?)\"", resp.text).group(1)
|
||||
return SNlM0e
|
||||
|
||||
def ask(self, message: str) -> dict:
|
||||
"""
|
||||
Send a message to Google Bard and return the response.
|
||||
:param message: The message to send to Google Bard.
|
||||
:return: A dict containing the response from Google Bard.
|
||||
"""
|
||||
# url params
|
||||
params = {
|
||||
"bl": "boq_assistant-bard-web-server_20230326.21_p0",
|
||||
"_reqid": str(self._reqid),
|
||||
"rt": "c",
|
||||
}
|
||||
|
||||
# message arr -> data["f.req"]. Message is double json stringified
|
||||
message_struct = [
|
||||
[message],
|
||||
None,
|
||||
[self.conversation_id, self.response_id, self.choice_id],
|
||||
]
|
||||
data = {
|
||||
"f.req": json.dumps([None, json.dumps(message_struct)]),
|
||||
"at": self.SNlM0e,
|
||||
}
|
||||
|
||||
# do the request!
|
||||
resp = self.session.post(
|
||||
"https://bard.google.com/_/BardChatUi/data/assistant.lamda.BardFrontendService/StreamGenerate",
|
||||
params=params,
|
||||
data=data,
|
||||
timeout=120,
|
||||
)
|
||||
|
||||
chat_data = json.loads(resp.content.splitlines()[3])[0][2]
|
||||
if not chat_data:
|
||||
return {"content": f"Google Bard encountered an error: {resp.content}."}
|
||||
json_chat_data = json.loads(chat_data)
|
||||
results = {
|
||||
"content": json_chat_data[0][0],
|
||||
"conversation_id": json_chat_data[1][0],
|
||||
"response_id": json_chat_data[1][1],
|
||||
"factualityQueries": json_chat_data[3],
|
||||
"textQuery": json_chat_data[2][0] if json_chat_data[2] is not None else "",
|
||||
"choices": [{"id": i[0], "content": i[1]} for i in json_chat_data[4]],
|
||||
}
|
||||
self.conversation_id = results["conversation_id"]
|
||||
self.response_id = results["response_id"]
|
||||
self.choice_id = results["choices"][0]["id"]
|
||||
self._reqid += 100000
|
||||
return results
|
64
bing.py
Normal file
64
bing.py
Normal file
|
@ -0,0 +1,64 @@
|
|||
import aiohttp
|
||||
import json
|
||||
import asyncio
|
||||
from log import getlogger
|
||||
|
||||
# api_endpoint = "http://localhost:3000/conversation"
|
||||
from log import getlogger
|
||||
|
||||
logger = getlogger()
|
||||
|
||||
|
||||
class BingBot:
|
||||
def __init__(
|
||||
self,
|
||||
session: aiohttp.ClientSession,
|
||||
bing_api_endpoint: str,
|
||||
jailbreakEnabled: bool = True,
|
||||
):
|
||||
self.data = {
|
||||
"clientOptions.clientToUse": "bing",
|
||||
}
|
||||
self.bing_api_endpoint = bing_api_endpoint
|
||||
|
||||
self.session = session
|
||||
|
||||
self.jailbreakEnabled = jailbreakEnabled
|
||||
|
||||
if self.jailbreakEnabled:
|
||||
self.data["jailbreakConversationId"] = True
|
||||
|
||||
async def ask_bing(self, prompt) -> str:
|
||||
self.data["message"] = prompt
|
||||
max_try = 2
|
||||
while max_try > 0:
|
||||
try:
|
||||
resp = await self.session.post(
|
||||
url=self.bing_api_endpoint, json=self.data, timeout=120
|
||||
)
|
||||
status_code = resp.status
|
||||
body = await resp.read()
|
||||
if not status_code == 200:
|
||||
# print failed reason
|
||||
logger.warning(str(resp.reason))
|
||||
max_try = max_try - 1
|
||||
await asyncio.sleep(2)
|
||||
continue
|
||||
json_body = json.loads(body)
|
||||
if self.jailbreakEnabled:
|
||||
self.data["jailbreakConversationId"] = json_body[
|
||||
"jailbreakConversationId"
|
||||
]
|
||||
self.data["parentMessageId"] = json_body["messageId"]
|
||||
else:
|
||||
self.data["conversationSignature"] = json_body[
|
||||
"conversationSignature"
|
||||
]
|
||||
self.data["conversationId"] = json_body["conversationId"]
|
||||
self.data["clientId"] = json_body["clientId"]
|
||||
self.data["invocationId"] = json_body["invocationId"]
|
||||
return json_body["details"]["adaptiveCards"][0]["body"][0]["text"]
|
||||
except Exception as e:
|
||||
logger.error("Error Exception", exc_info=True)
|
||||
|
||||
return "Error, please retry"
|
326
bot.py
Normal file
326
bot.py
Normal file
|
@ -0,0 +1,326 @@
|
|||
from mattermostdriver import Driver
|
||||
from typing import Optional
|
||||
import json
|
||||
import asyncio
|
||||
import re
|
||||
import os
|
||||
import aiohttp
|
||||
from askgpt import askGPT
|
||||
from v3 import Chatbot
|
||||
from bing import BingBot
|
||||
from bard import Bardbot
|
||||
from BingImageGen import ImageGenAsync
|
||||
from log import getlogger
|
||||
|
||||
logger = getlogger()
|
||||
|
||||
|
||||
class Bot:
|
||||
def __init__(
|
||||
self,
|
||||
server_url: str,
|
||||
username: str,
|
||||
access_token: Optional[str] = None,
|
||||
login_id: Optional[str] = None,
|
||||
password: Optional[str] = None,
|
||||
openai_api_key: Optional[str] = None,
|
||||
openai_api_endpoint: Optional[str] = None,
|
||||
bing_api_endpoint: Optional[str] = None,
|
||||
bard_token: Optional[str] = None,
|
||||
bing_auth_cookie: Optional[str] = None,
|
||||
port: int = 443,
|
||||
timeout: int = 30,
|
||||
) -> None:
|
||||
if server_url is None:
|
||||
raise ValueError("server url must be provided")
|
||||
|
||||
if port is None:
|
||||
self.port = 443
|
||||
|
||||
if timeout is None:
|
||||
self.timeout = 30
|
||||
|
||||
# login relative info
|
||||
if access_token is None and password is None:
|
||||
raise ValueError("Either token or password must be provided")
|
||||
|
||||
if access_token is not None:
|
||||
self.driver = Driver(
|
||||
{
|
||||
"token": access_token,
|
||||
"url": server_url,
|
||||
"port": self.port,
|
||||
"request_timeout": self.timeout,
|
||||
}
|
||||
)
|
||||
else:
|
||||
self.driver = Driver(
|
||||
{
|
||||
"login_id": login_id,
|
||||
"password": password,
|
||||
"url": server_url,
|
||||
"port": self.port,
|
||||
"request_timeout": self.timeout,
|
||||
}
|
||||
)
|
||||
|
||||
# @chatgpt
|
||||
if username is None:
|
||||
raise ValueError("username must be provided")
|
||||
else:
|
||||
self.username = username
|
||||
|
||||
# openai_api_endpoint
|
||||
if openai_api_endpoint is None:
|
||||
self.openai_api_endpoint = "https://api.openai.com/v1/chat/completions"
|
||||
else:
|
||||
self.openai_api_endpoint = openai_api_endpoint
|
||||
|
||||
# aiohttp session
|
||||
self.session = aiohttp.ClientSession()
|
||||
|
||||
self.openai_api_key = openai_api_key
|
||||
# initialize chatGPT class
|
||||
if self.openai_api_key is not None:
|
||||
# request header for !gpt command
|
||||
self.headers = {
|
||||
"Content-Type": "application/json",
|
||||
"Authorization": f"Bearer {self.openai_api_key}",
|
||||
}
|
||||
|
||||
self.askgpt = askGPT(
|
||||
self.session,
|
||||
self.openai_api_endpoint,
|
||||
self.headers,
|
||||
)
|
||||
|
||||
self.chatbot = Chatbot(api_key=self.openai_api_key)
|
||||
else:
|
||||
logger.warning(
|
||||
"openai_api_key is not provided, !gpt and !chat command will not work"
|
||||
)
|
||||
|
||||
self.bing_api_endpoint = bing_api_endpoint
|
||||
# initialize bingbot
|
||||
if self.bing_api_endpoint is not None:
|
||||
self.bingbot = BingBot(
|
||||
session=self.session,
|
||||
bing_api_endpoint=self.bing_api_endpoint,
|
||||
)
|
||||
else:
|
||||
logger.warning(
|
||||
"bing_api_endpoint is not provided, !bing command will not work"
|
||||
)
|
||||
|
||||
self.bard_token = bard_token
|
||||
# initialize bard
|
||||
if self.bard_token is not None:
|
||||
self.bardbot = Bardbot(session_id=self.bard_token)
|
||||
else:
|
||||
logger.warning("bard_token is not provided, !bard command will not work")
|
||||
|
||||
self.bing_auth_cookie = bing_auth_cookie
|
||||
# initialize image generator
|
||||
if self.bing_auth_cookie is not None:
|
||||
self.imagegen = ImageGenAsync(auth_cookie=self.bing_auth_cookie)
|
||||
else:
|
||||
logger.warning(
|
||||
"bing_auth_cookie is not provided, !pic command will not work"
|
||||
)
|
||||
|
||||
# regular expression to match keyword [!gpt {prompt}] [!chat {prompt}] [!bing {prompt}] [!pic {prompt}] [!bard {prompt}]
|
||||
self.gpt_prog = re.compile(r"^\s*!gpt\s*(.+)$")
|
||||
self.chat_prog = re.compile(r"^\s*!chat\s*(.+)$")
|
||||
self.bing_prog = re.compile(r"^\s*!bing\s*(.+)$")
|
||||
self.bard_prog = re.compile(r"^\s*!bard\s*(.+)$")
|
||||
self.pic_prog = re.compile(r"^\s*!pic\s*(.+)$")
|
||||
self.help_prog = re.compile(r"^\s*!help\s*.*$")
|
||||
|
||||
# close session
|
||||
def __del__(self) -> None:
|
||||
self.driver.disconnect()
|
||||
|
||||
async def __aexit__(self, exc_type, exc_val, exc_tb):
|
||||
await self.session.close()
|
||||
|
||||
def login(self) -> None:
|
||||
self.driver.login()
|
||||
|
||||
async def run(self) -> None:
|
||||
await self.driver.init_websocket(self.websocket_handler)
|
||||
|
||||
# websocket handler
|
||||
async def websocket_handler(self, message) -> None:
|
||||
print(message)
|
||||
response = json.loads(message)
|
||||
if "event" in response:
|
||||
event_type = response["event"]
|
||||
if event_type == "posted":
|
||||
raw_data = response["data"]["post"]
|
||||
raw_data_dict = json.loads(raw_data)
|
||||
user_id = raw_data_dict["user_id"]
|
||||
channel_id = raw_data_dict["channel_id"]
|
||||
sender_name = response["data"]["sender_name"]
|
||||
raw_message = raw_data_dict["message"]
|
||||
try:
|
||||
asyncio.create_task(
|
||||
self.message_callback(
|
||||
raw_message, channel_id, user_id, sender_name
|
||||
)
|
||||
)
|
||||
except Exception as e:
|
||||
await asyncio.to_thread(self.send_message, channel_id, f"{e}")
|
||||
|
||||
# message callback
|
||||
async def message_callback(
|
||||
self, raw_message: str, channel_id: str, user_id: str, sender_name: str
|
||||
) -> None:
|
||||
# prevent command trigger loop
|
||||
if sender_name != self.username:
|
||||
message = raw_message
|
||||
|
||||
if self.openai_api_key is not None:
|
||||
# !gpt command trigger handler
|
||||
if self.gpt_prog.match(message):
|
||||
prompt = self.gpt_prog.match(message).group(1)
|
||||
try:
|
||||
response = await self.gpt(prompt)
|
||||
await asyncio.to_thread(
|
||||
self.send_message, channel_id, f"{response}"
|
||||
)
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
raise Exception(e)
|
||||
|
||||
# !chat command trigger handler
|
||||
elif self.chat_prog.match(message):
|
||||
prompt = self.chat_prog.match(message).group(1)
|
||||
try:
|
||||
response = await self.chat(prompt)
|
||||
await asyncio.to_thread(
|
||||
self.send_message, channel_id, f"{response}"
|
||||
)
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
raise Exception(e)
|
||||
|
||||
if self.bing_api_endpoint is not None:
|
||||
# !bing command trigger handler
|
||||
if self.bing_prog.match(message):
|
||||
prompt = self.bing_prog.match(message).group(1)
|
||||
try:
|
||||
response = await self.bingbot.ask_bing(prompt)
|
||||
await asyncio.to_thread(
|
||||
self.send_message, channel_id, f"{response}"
|
||||
)
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
raise Exception(e)
|
||||
|
||||
if self.bard_token is not None:
|
||||
# !bard command trigger handler
|
||||
if self.bard_prog.match(message):
|
||||
prompt = self.bard_prog.match(message).group(1)
|
||||
try:
|
||||
# response is dict object
|
||||
response = await self.bard(prompt)
|
||||
content = str(response["content"]).strip()
|
||||
await asyncio.to_thread(
|
||||
self.send_message, channel_id, f"{content}"
|
||||
)
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
raise Exception(e)
|
||||
|
||||
if self.bing_auth_cookie is not None:
|
||||
# !pic command trigger handler
|
||||
if self.pic_prog.match(message):
|
||||
prompt = self.pic_prog.match(message).group(1)
|
||||
# generate image
|
||||
try:
|
||||
links = await self.imagegen.get_images(prompt)
|
||||
image_path = await self.imagegen.save_images(links, "images")
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
raise Exception(e)
|
||||
|
||||
# send image
|
||||
try:
|
||||
await asyncio.to_thread(
|
||||
self.send_file, channel_id, prompt, image_path
|
||||
)
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
raise Exception(e)
|
||||
|
||||
# !help command trigger handler
|
||||
if self.help_prog.match(message):
|
||||
try:
|
||||
await asyncio.to_thread(self.send_message, channel_id, self.help())
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
|
||||
# send message to room
|
||||
def send_message(self, channel_id: str, message: str) -> None:
|
||||
self.driver.posts.create_post(
|
||||
options={
|
||||
"channel_id": channel_id,
|
||||
"message": message,
|
||||
}
|
||||
)
|
||||
|
||||
# send file to room
|
||||
def send_file(self, channel_id: str, message: str, filepath: str) -> None:
|
||||
filename = os.path.split(filepath)[-1]
|
||||
try:
|
||||
file_id = self.driver.files.upload_file(
|
||||
channel_id=channel_id,
|
||||
files={
|
||||
"files": (filename, open(filepath, "rb")),
|
||||
},
|
||||
)["file_infos"][0]["id"]
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
raise Exception(e)
|
||||
|
||||
try:
|
||||
self.driver.posts.create_post(
|
||||
options={
|
||||
"channel_id": channel_id,
|
||||
"message": message,
|
||||
"file_ids": [file_id],
|
||||
}
|
||||
)
|
||||
# remove image after posting
|
||||
os.remove(filepath)
|
||||
except Exception as e:
|
||||
logger.error(e, exc_info=True)
|
||||
raise Exception(e)
|
||||
|
||||
# !gpt command function
|
||||
async def gpt(self, prompt: str) -> str:
|
||||
return await self.askgpt.oneTimeAsk(prompt)
|
||||
|
||||
# !chat command function
|
||||
async def chat(self, prompt: str) -> str:
|
||||
return await self.chatbot.ask_async(prompt)
|
||||
|
||||
# !bing command function
|
||||
async def bing(self, prompt: str) -> str:
|
||||
return await self.bingbot.ask_bing(prompt)
|
||||
|
||||
# !bard command function
|
||||
async def bard(self, prompt: str) -> str:
|
||||
return await asyncio.to_thread(self.bardbot.ask, prompt)
|
||||
|
||||
# !help command function
|
||||
def help(self) -> str:
|
||||
help_info = (
|
||||
"!gpt [content], generate response without context conversation\n"
|
||||
+ "!chat [content], chat with context conversation\n"
|
||||
+ "!bing [content], chat with context conversation powered by Bing AI\n"
|
||||
+ "!bard [content], chat with Google's Bard\n"
|
||||
+ "!pic [prompt], Image generation by Microsoft Bing\n"
|
||||
+ "!help, help message"
|
||||
)
|
||||
return help_info
|
23
compose.yaml
Normal file
23
compose.yaml
Normal file
|
@ -0,0 +1,23 @@
|
|||
services:
|
||||
app:
|
||||
image: ghcr.io/hibobmaster/mattermost_bot:latest
|
||||
container_name: mattermost_bot
|
||||
restart: always
|
||||
env_file:
|
||||
- .env
|
||||
# volumes:
|
||||
# use env file or config.json
|
||||
# - ./config.json:/app/config.json
|
||||
networks:
|
||||
- mattermost_network
|
||||
|
||||
# api:
|
||||
# image: hibobmaster/node-chatgpt-api:latest
|
||||
# container_name: node-chatgpt-api
|
||||
# volumes:
|
||||
# - ./settings.js:/var/chatgpt-api/settings.js
|
||||
# networks:
|
||||
# - mattermost_network
|
||||
|
||||
networks:
|
||||
mattermost_network:
|
9
config.json.example
Normal file
9
config.json.example
Normal file
|
@ -0,0 +1,9 @@
|
|||
{
|
||||
"server_url": "xxxx.xxxx.xxxxx",
|
||||
"access_token": "xxxxxxxxxxxxxxxxxxxxxx",
|
||||
"username": "@chatgpt",
|
||||
"openai_api_key": "sk-xxxxxxxxxxxxxxxxxxx",
|
||||
"bing_api_endpoint": "http://api:3000/conversation",
|
||||
"bard_token": "xxxxxxxxxxxxxxxxxxxxxxxxxxxxx.",
|
||||
"bing_auth_cookie": "xxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"
|
||||
}
|
30
log.py
Normal file
30
log.py
Normal file
|
@ -0,0 +1,30 @@
|
|||
import logging
|
||||
|
||||
|
||||
def getlogger():
|
||||
# create a custom logger if not already created
|
||||
logger = logging.getLogger(__name__)
|
||||
if not logger.hasHandlers():
|
||||
logger.setLevel(logging.INFO)
|
||||
|
||||
# create handlers
|
||||
info_handler = logging.StreamHandler()
|
||||
error_handler = logging.FileHandler("bot.log", mode="a")
|
||||
error_handler.setLevel(logging.ERROR)
|
||||
info_handler.setLevel(logging.INFO)
|
||||
|
||||
# create formatters
|
||||
error_format = logging.Formatter(
|
||||
"%(asctime)s - %(name)s - %(funcName)s - %(levelname)s - %(message)s"
|
||||
)
|
||||
info_format = logging.Formatter("%(asctime)s - %(levelname)s - %(message)s")
|
||||
|
||||
# set formatter
|
||||
error_handler.setFormatter(error_format)
|
||||
info_handler.setFormatter(info_format)
|
||||
|
||||
# add handlers to logger
|
||||
logger.addHandler(error_handler)
|
||||
logger.addHandler(info_handler)
|
||||
|
||||
return logger
|
49
main.py
Normal file
49
main.py
Normal file
|
@ -0,0 +1,49 @@
|
|||
from bot import Bot
|
||||
import json
|
||||
import os
|
||||
import asyncio
|
||||
|
||||
|
||||
async def main():
|
||||
if os.path.exists("config.json"):
|
||||
fp = open("config.json", "r", encoding="utf-8")
|
||||
config = json.load(fp)
|
||||
|
||||
mattermost_bot = Bot(
|
||||
server_url=config.get("server_url"),
|
||||
access_token=config.get("access_token"),
|
||||
login_id=config.get("login_id"),
|
||||
password=config.get("password"),
|
||||
username=config.get("username"),
|
||||
openai_api_key=config.get("openai_api_key"),
|
||||
openai_api_endpoint=config.get("openai_api_endpoint"),
|
||||
bing_api_endpoint=config.get("bing_api_endpoint"),
|
||||
bard_token=config.get("bard_token"),
|
||||
bing_auth_cookie=config.get("bing_auth_cookie"),
|
||||
port=config.get("port"),
|
||||
timeout=config.get("timeout"),
|
||||
)
|
||||
|
||||
else:
|
||||
mattermost_bot = Bot(
|
||||
server_url=os.environ.get("SERVER_URL"),
|
||||
access_token=os.environ.get("ACCESS_TOKEN"),
|
||||
login_id=os.environ.get("LOGIN_ID"),
|
||||
password=os.environ.get("PASSWORD"),
|
||||
username=os.environ.get("USERNAME"),
|
||||
openai_api_key=os.environ.get("OPENAI_API_KEY"),
|
||||
openai_api_endpoint=os.environ.get("OPENAI_API_ENDPOINT"),
|
||||
bing_api_endpoint=os.environ.get("BING_API_ENDPOINT"),
|
||||
bard_token=os.environ.get("BARD_TOKEN"),
|
||||
bing_auth_cookie=os.environ.get("BING_AUTH_COOKIE"),
|
||||
port=os.environ.get("PORT"),
|
||||
timeout=os.environ.get("TIMEOUT"),
|
||||
)
|
||||
|
||||
mattermost_bot.login()
|
||||
|
||||
await mattermost_bot.run()
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
asyncio.run(main())
|
27
requirements.txt
Normal file
27
requirements.txt
Normal file
|
@ -0,0 +1,27 @@
|
|||
aiohttp==3.8.4
|
||||
aiosignal==1.3.1
|
||||
anyio==3.6.2
|
||||
async-timeout==4.0.2
|
||||
attrs==23.1.0
|
||||
certifi==2022.12.7
|
||||
charset-normalizer==3.1.0
|
||||
click==8.1.3
|
||||
colorama==0.4.6
|
||||
frozenlist==1.3.3
|
||||
h11==0.14.0
|
||||
httpcore==0.17.0
|
||||
httpx==0.24.0
|
||||
idna==3.4
|
||||
mattermostdriver @ git+https://github.com/hibobmaster/python-mattermost-driver
|
||||
multidict==6.0.4
|
||||
mypy-extensions==1.0.0
|
||||
packaging==23.1
|
||||
pathspec==0.11.1
|
||||
platformdirs==3.2.0
|
||||
regex==2023.3.23
|
||||
requests==2.28.2
|
||||
sniffio==1.3.0
|
||||
tiktoken==0.3.3
|
||||
urllib3==1.26.15
|
||||
websockets==11.0.1
|
||||
yarl==1.8.2
|
324
v3.py
Normal file
324
v3.py
Normal file
|
@ -0,0 +1,324 @@
|
|||
"""
|
||||
Code derived from: https://github.com/acheong08/ChatGPT/blob/main/src/revChatGPT/V3.py
|
||||
"""
|
||||
|
||||
import json
|
||||
import os
|
||||
from typing import AsyncGenerator
|
||||
import httpx
|
||||
import requests
|
||||
import tiktoken
|
||||
|
||||
|
||||
class Chatbot:
|
||||
"""
|
||||
Official ChatGPT API
|
||||
"""
|
||||
|
||||
def __init__(
|
||||
self,
|
||||
api_key: str,
|
||||
engine: str = os.environ.get("GPT_ENGINE") or "gpt-3.5-turbo",
|
||||
proxy: str = None,
|
||||
timeout: float = None,
|
||||
max_tokens: int = None,
|
||||
temperature: float = 0.5,
|
||||
top_p: float = 1.0,
|
||||
presence_penalty: float = 0.0,
|
||||
frequency_penalty: float = 0.0,
|
||||
reply_count: int = 1,
|
||||
system_prompt: str = "You are ChatGPT, a large language model trained by OpenAI. Respond conversationally",
|
||||
) -> None:
|
||||
"""
|
||||
Initialize Chatbot with API key (from https://platform.openai.com/account/api-keys)
|
||||
"""
|
||||
self.engine: str = engine
|
||||
self.api_key: str = api_key
|
||||
self.system_prompt: str = system_prompt
|
||||
self.max_tokens: int = max_tokens or (
|
||||
31000 if engine == "gpt-4-32k" else 7000 if engine == "gpt-4" else 4000
|
||||
)
|
||||
self.truncate_limit: int = (
|
||||
30500 if engine == "gpt-4-32k" else 6500 if engine == "gpt-4" else 3500
|
||||
)
|
||||
self.temperature: float = temperature
|
||||
self.top_p: float = top_p
|
||||
self.presence_penalty: float = presence_penalty
|
||||
self.frequency_penalty: float = frequency_penalty
|
||||
self.reply_count: int = reply_count
|
||||
self.timeout: float = timeout
|
||||
self.proxy = proxy
|
||||
self.session = requests.Session()
|
||||
self.session.proxies.update(
|
||||
{
|
||||
"http": proxy,
|
||||
"https": proxy,
|
||||
},
|
||||
)
|
||||
proxy = (
|
||||
proxy or os.environ.get("all_proxy") or os.environ.get("ALL_PROXY") or None
|
||||
)
|
||||
|
||||
if proxy:
|
||||
if "socks5h" not in proxy:
|
||||
self.aclient = httpx.AsyncClient(
|
||||
follow_redirects=True,
|
||||
proxies=proxy,
|
||||
timeout=timeout,
|
||||
)
|
||||
else:
|
||||
self.aclient = httpx.AsyncClient(
|
||||
follow_redirects=True,
|
||||
proxies=proxy,
|
||||
timeout=timeout,
|
||||
)
|
||||
|
||||
self.conversation: dict[str, list[dict]] = {
|
||||
"default": [
|
||||
{
|
||||
"role": "system",
|
||||
"content": system_prompt,
|
||||
},
|
||||
],
|
||||
}
|
||||
|
||||
def add_to_conversation(
|
||||
self,
|
||||
message: str,
|
||||
role: str,
|
||||
convo_id: str = "default",
|
||||
) -> None:
|
||||
"""
|
||||
Add a message to the conversation
|
||||
"""
|
||||
self.conversation[convo_id].append({"role": role, "content": message})
|
||||
|
||||
def __truncate_conversation(self, convo_id: str = "default") -> None:
|
||||
"""
|
||||
Truncate the conversation
|
||||
"""
|
||||
while True:
|
||||
if (
|
||||
self.get_token_count(convo_id) > self.truncate_limit
|
||||
and len(self.conversation[convo_id]) > 1
|
||||
):
|
||||
# Don't remove the first message
|
||||
self.conversation[convo_id].pop(1)
|
||||
else:
|
||||
break
|
||||
|
||||
def get_token_count(self, convo_id: str = "default") -> int:
|
||||
"""
|
||||
Get token count
|
||||
"""
|
||||
if self.engine not in [
|
||||
"gpt-3.5-turbo",
|
||||
"gpt-3.5-turbo-0301",
|
||||
"gpt-4",
|
||||
"gpt-4-0314",
|
||||
"gpt-4-32k",
|
||||
"gpt-4-32k-0314",
|
||||
]:
|
||||
raise NotImplementedError("Unsupported engine {self.engine}")
|
||||
|
||||
tiktoken.model.MODEL_TO_ENCODING["gpt-4"] = "cl100k_base"
|
||||
|
||||
encoding = tiktoken.encoding_for_model(self.engine)
|
||||
|
||||
num_tokens = 0
|
||||
for message in self.conversation[convo_id]:
|
||||
# every message follows <im_start>{role/name}\n{content}<im_end>\n
|
||||
num_tokens += 5
|
||||
for key, value in message.items():
|
||||
num_tokens += len(encoding.encode(value))
|
||||
if key == "name": # if there's a name, the role is omitted
|
||||
num_tokens += 5 # role is always required and always 1 token
|
||||
num_tokens += 5 # every reply is primed with <im_start>assistant
|
||||
return num_tokens
|
||||
|
||||
def get_max_tokens(self, convo_id: str) -> int:
|
||||
"""
|
||||
Get max tokens
|
||||
"""
|
||||
return self.max_tokens - self.get_token_count(convo_id)
|
||||
|
||||
def ask_stream(
|
||||
self,
|
||||
prompt: str,
|
||||
role: str = "user",
|
||||
convo_id: str = "default",
|
||||
**kwargs,
|
||||
):
|
||||
"""
|
||||
Ask a question
|
||||
"""
|
||||
# Make conversation if it doesn't exist
|
||||
if convo_id not in self.conversation:
|
||||
self.reset(convo_id=convo_id, system_prompt=self.system_prompt)
|
||||
self.add_to_conversation(prompt, "user", convo_id=convo_id)
|
||||
self.__truncate_conversation(convo_id=convo_id)
|
||||
# Get response
|
||||
response = self.session.post(
|
||||
os.environ.get("API_URL") or "https://api.openai.com/v1/chat/completions",
|
||||
headers={"Authorization": f"Bearer {kwargs.get('api_key', self.api_key)}"},
|
||||
json={
|
||||
"model": self.engine,
|
||||
"messages": self.conversation[convo_id],
|
||||
"stream": True,
|
||||
# kwargs
|
||||
"temperature": kwargs.get("temperature", self.temperature),
|
||||
"top_p": kwargs.get("top_p", self.top_p),
|
||||
"presence_penalty": kwargs.get(
|
||||
"presence_penalty",
|
||||
self.presence_penalty,
|
||||
),
|
||||
"frequency_penalty": kwargs.get(
|
||||
"frequency_penalty",
|
||||
self.frequency_penalty,
|
||||
),
|
||||
"n": kwargs.get("n", self.reply_count),
|
||||
"user": role,
|
||||
"max_tokens": self.get_max_tokens(convo_id=convo_id),
|
||||
},
|
||||
timeout=kwargs.get("timeout", self.timeout),
|
||||
stream=True,
|
||||
)
|
||||
|
||||
response_role: str = None
|
||||
full_response: str = ""
|
||||
for line in response.iter_lines():
|
||||
if not line:
|
||||
continue
|
||||
# Remove "data: "
|
||||
line = line.decode("utf-8")[6:]
|
||||
if line == "[DONE]":
|
||||
break
|
||||
resp: dict = json.loads(line)
|
||||
choices = resp.get("choices")
|
||||
if not choices:
|
||||
continue
|
||||
delta = choices[0].get("delta")
|
||||
if not delta:
|
||||
continue
|
||||
if "role" in delta:
|
||||
response_role = delta["role"]
|
||||
if "content" in delta:
|
||||
content = delta["content"]
|
||||
full_response += content
|
||||
yield content
|
||||
self.add_to_conversation(full_response, response_role, convo_id=convo_id)
|
||||
|
||||
async def ask_stream_async(
|
||||
self,
|
||||
prompt: str,
|
||||
role: str = "user",
|
||||
convo_id: str = "default",
|
||||
**kwargs,
|
||||
) -> AsyncGenerator[str, None]:
|
||||
"""
|
||||
Ask a question
|
||||
"""
|
||||
# Make conversation if it doesn't exist
|
||||
if convo_id not in self.conversation:
|
||||
self.reset(convo_id=convo_id, system_prompt=self.system_prompt)
|
||||
self.add_to_conversation(prompt, "user", convo_id=convo_id)
|
||||
self.__truncate_conversation(convo_id=convo_id)
|
||||
# Get response
|
||||
async with self.aclient.stream(
|
||||
"post",
|
||||
os.environ.get("API_URL") or "https://api.openai.com/v1/chat/completions",
|
||||
headers={"Authorization": f"Bearer {kwargs.get('api_key', self.api_key)}"},
|
||||
json={
|
||||
"model": self.engine,
|
||||
"messages": self.conversation[convo_id],
|
||||
"stream": True,
|
||||
# kwargs
|
||||
"temperature": kwargs.get("temperature", self.temperature),
|
||||
"top_p": kwargs.get("top_p", self.top_p),
|
||||
"presence_penalty": kwargs.get(
|
||||
"presence_penalty",
|
||||
self.presence_penalty,
|
||||
),
|
||||
"frequency_penalty": kwargs.get(
|
||||
"frequency_penalty",
|
||||
self.frequency_penalty,
|
||||
),
|
||||
"n": kwargs.get("n", self.reply_count),
|
||||
"user": role,
|
||||
"max_tokens": self.get_max_tokens(convo_id=convo_id),
|
||||
},
|
||||
timeout=kwargs.get("timeout", self.timeout),
|
||||
) as response:
|
||||
if response.status_code != 200:
|
||||
await response.aread()
|
||||
|
||||
response_role: str = ""
|
||||
full_response: str = ""
|
||||
async for line in response.aiter_lines():
|
||||
line = line.strip()
|
||||
if not line:
|
||||
continue
|
||||
# Remove "data: "
|
||||
line = line[6:]
|
||||
if line == "[DONE]":
|
||||
break
|
||||
resp: dict = json.loads(line)
|
||||
choices = resp.get("choices")
|
||||
if not choices:
|
||||
continue
|
||||
delta: dict[str, str] = choices[0].get("delta")
|
||||
if not delta:
|
||||
continue
|
||||
if "role" in delta:
|
||||
response_role = delta["role"]
|
||||
if "content" in delta:
|
||||
content: str = delta["content"]
|
||||
full_response += content
|
||||
yield content
|
||||
self.add_to_conversation(full_response, response_role, convo_id=convo_id)
|
||||
|
||||
async def ask_async(
|
||||
self,
|
||||
prompt: str,
|
||||
role: str = "user",
|
||||
convo_id: str = "default",
|
||||
**kwargs,
|
||||
) -> str:
|
||||
"""
|
||||
Non-streaming ask
|
||||
"""
|
||||
response = self.ask_stream_async(
|
||||
prompt=prompt,
|
||||
role=role,
|
||||
convo_id=convo_id,
|
||||
**kwargs,
|
||||
)
|
||||
full_response: str = "".join([r async for r in response])
|
||||
return full_response
|
||||
|
||||
def ask(
|
||||
self,
|
||||
prompt: str,
|
||||
role: str = "user",
|
||||
convo_id: str = "default",
|
||||
**kwargs,
|
||||
) -> str:
|
||||
"""
|
||||
Non-streaming ask
|
||||
"""
|
||||
response = self.ask_stream(
|
||||
prompt=prompt,
|
||||
role=role,
|
||||
convo_id=convo_id,
|
||||
**kwargs,
|
||||
)
|
||||
full_response: str = "".join(response)
|
||||
return full_response
|
||||
|
||||
def reset(self, convo_id: str = "default", system_prompt: str = None) -> None:
|
||||
"""
|
||||
Reset the conversation
|
||||
"""
|
||||
self.conversation[convo_id] = [
|
||||
{"role": "system", "content": system_prompt or self.system_prompt},
|
||||
]
|
Loading…
Reference in a new issue