from flask import ( Flask, render_template, request, abort, redirect, send_from_directory, url_for, session) from flask_session import Session import openai from dotenv import load_dotenv from markdown import markdown import requests from glob import glob import json import os import sys import time import shutil import re import secrets RE_VID = re.compile("""\[video ["']([^['"]*?)["']\]""") TEMPLATE_VID = """""" def preprocess_content(defs): md = defs.get("markdown", "") if md: content = markdown(md) content = RE_VID.sub(lambda m: TEMPLATE_VID.format(m.group(1), m.group(1).split('.')[-1]), content) else: content = "" img = defs.get("image", {}) match img.get("placement", "none"): case "above": content = """{alt}
\n""".format(**img)+content case "left": content = """{alt}
\n""".format(**img)+content case "right": content = """{alt}
\n""".format(**img)+content case "below": content = content+"""
\n{alt}
\n""".format(**img) if defs.get("use_soundtrack"): content = """\n""".format( defs["soundtrack"], defs["soundtrack"].split(".")[-1])+content return content def preprocess_payload(payload): for column in payload.get("columns", []): column["content"] = preprocess_content(column) for slide in column.get("slides", []): slide["content"] = preprocess_content(slide) def deref_schema(val): "Deref all `$ref` entries in a json-schema" if type(val)==type([]): return [deref_schema(item) for item in val] elif type(val)==type({}): val = dict(val) if "$ref" in val: ref = val["$ref"] if ref.startswith("#"): pass # stub. Currently we don't have internal references... elif ref.startswith("/"): ref = url_for("home", _external=True)+ref[1:] val.update(requests.get(ref).json()) del val["$ref"] for key in val: val[key] = deref_schema(val[key]) return val else: return val def file2json(path): "returns json string without line breaks and indent" return json.dumps(json.load(open(path))) def make_prompt(): json_schema = json.dumps(schema()) json_example = file2json("static/chat-example.json") return render_template("prompt.txt", schema=json_schema, example=json_example) load_dotenv() openai.organization = "org-GFWgNyt7NSKpCv6GhzXYZTpi" application = Flask(__name__) application.config["SECRET_KEY"] = secrets.token_hex() application.config["SESSION_TYPE"] = 'filesystem' Session(application) @application.route("/", methods=['GET', 'POST']) def home(): if "messages" not in session: session["messages"] = [ {"role": "system", "content": make_prompt()}, {"role": "assistant", "content": file2json("static/initial-chat.json")} ] if request.method=='POST': prompt = request.form["prompt"].strip() or "Please continue..." session["messages"] += [{"role": "user", "content": prompt}] valid_reply = None while not valid_reply: reply = openai.ChatCompletion.create(model=os.environ["MODEL_NAME"], messages=session["messages"]) session["messages"] += [reply["choices"][0]["message"]] try: valid_reply = json.loads(reply["choices"][0]["message"]["content"]) except Exception as e: print(repr(e)) session["messages"] += [{"role": "system", "content": "reply was ignored because it's not a valid json. user is unaware. do not apologize to them"}] # session["messages"] += [{"role": "user", "content": prompt}] print("=====") print(reply["choices"][0]["message"]["content"]) print("-----") print(valid_reply) print("=====") print("*****") print(json.dumps(session["messages"], indent=4)) print("*****") payload = json.loads(session["messages"][-1]["content"]) payload["content"] = preprocess_content(payload) return render_template("chat.html", **payload) @application.get("/reset") def reset(): for key in ["messages", "history"]: if key in session: del session[key] return redirect(url_for('home')) @application.get("/schema.json") def schema(): "return deref_schema of `chat.schema.json` file's content" return deref_schema(json.load(open("static/chat.schema.json"))) @application.get("/messages.json") def dump_messages(): if "messages" not in session: session["messages"] = [ {"role": "system", "content": make_prompt()}, {"role": "assistant", "content": file2json("static/initial-chat.json")} ] return session["messages"] @application.get("/slides") def slides(): "Legacy multy-slide format" payload = json.load(open("static/slides.json")) preprocess_payload(payload) return render_template("slides.html", generate_indices=False, **payload) @application.post("/update") def update(): "Legacy multy-slide format" shutil.copy( "static/slides.json", time.strftime( "archive/slides-%Y-%m-%d-%H.%M.%S.json", time.localtime())) payload = request.get_json() print(type(payload)) json.dump(payload, sys.stdout, indent=4) json.dump(payload, open("static/slides.json", "w"), indent=4) return {"status": "success"} @application.post("/update-chat") def update_chat(): shutil.copy( "static/chat.json", time.strftime( "archive/chat-%Y-%m-%d-%H.%M.%S.json", time.localtime())) payload = request.get_json() print(type(payload)) json.dump(payload, sys.stdout, indent=4) json.dump(payload, open("static/chat.json", "w"), indent=4) return {"status": "success"} @application.get("/enum/") def choices(topic): if topic in ["img", "bg", "bg-video", "audio"]: choices = glob("static/media/{}/*.*".format(topic)) titles = [os.path.basename(c) for c in choices] try: descdir = json.load(open("static/media/{}.json".format(topic))) except FileNotFoundError: descdir = {} return { "type": "string", "enum": choices, "options": { "enum_titles": [descdir.get(t, t.rsplit(".", 1)[0]) for t in titles] } } abort(404) @application.get("/chat-editor") def chat_editor(): return render_template("chat-editor.html") @application.get("/editor") def editor(): "Legacy multy-slide format" return render_template("editor.html") @application.route("/img", methods=['GET', 'POST']) def image(): if request.method=='GET': src = "static/img/marble-question-mark.png" alt = "A question mark" prompt = "" else: prompt = request.form["prompt"] alt = prompt response = openai.Image.create(prompt=prompt, n=1, size="1024x1024") src = response['data'][0]['url'] return render_template("image.html", src=src, alt=alt, prompt=prompt) @application.route("/favicon.ico") def favicon(): return send_from_directory(os.path.join(application.root_path, "static"), "favicon.ico", mimetype="image/vnd.microsoft.icon")