modified: templates/logs.html modified: templates/settings.html modified: templates/users.html
422 lines
14 KiB
Python
422 lines
14 KiB
Python
__version__ = "dev-0.4.6"
|
|
__all__ = ["Discordbot-chatai-webpanel (Discord)"]
|
|
__author__ = "SimolZimol"
|
|
|
|
from flask import Flask, render_template, redirect, url_for, request, session, jsonify, send_file
|
|
from requests_oauthlib import OAuth2Session
|
|
import os
|
|
import subprocess
|
|
import psutil
|
|
import mysql.connector
|
|
from datetime import datetime
|
|
|
|
app = Flask(__name__)
|
|
app.secret_key = os.getenv("FLASK_SECRET_KEY")
|
|
|
|
LOG_FILE_PATH = os.path.join("logs", f"{datetime.now().strftime('%Y-%m-%d')}.log")
|
|
|
|
# Verwende Umgebungsvariablen aus Coolify für die Datenbankverbindung
|
|
DB_HOST = os.getenv("DB_HOST")
|
|
DB_PORT = os.getenv("DB_PORT")
|
|
DB_USER = os.getenv("DB_USER")
|
|
DB_PASS = os.getenv("DB_PASSWORD")
|
|
DB_NAME = os.getenv("DB_DATABASE")
|
|
|
|
DISCORD_CLIENT_ID = os.getenv("DISCORD_CLIENT_ID")
|
|
DISCORD_CLIENT_SECRET = os.getenv("DISCORD_CLIENT_SECRET")
|
|
DISCORD_REDIRECT_URI = os.getenv("DISCORD_REDIRECT_URI")
|
|
DISCORD_OAUTH2_URL = "https://discord.com/api/oauth2/authorize"
|
|
DISCORD_TOKEN_URL = "https://discord.com/api/oauth2/token"
|
|
DISCORD_API_URL = "https://discord.com/api/users/@me"
|
|
os.environ['OAUTHLIB_INSECURE_TRANSPORT'] = '1'
|
|
|
|
# Globale Variablen für die Intros
|
|
INTRO_FILE = "introduction.txt"
|
|
ASKNOTES_INTRO_FILE = "asknotesintro.txt"
|
|
|
|
# Speichern der Prozess-ID
|
|
bot_process = None
|
|
|
|
def bot_status():
|
|
"""Überprüft, ob der Bot läuft."""
|
|
global bot_process
|
|
if bot_process is None:
|
|
return False
|
|
return bot_process.poll() is None # None bedeutet, dass der Prozess noch läuft
|
|
|
|
def start_bot():
|
|
"""Startet den Bot."""
|
|
global bot_process
|
|
if not bot_status():
|
|
bot_process = subprocess.Popen(["python", "bot.py"], cwd=os.path.dirname(os.path.abspath(__file__)))
|
|
else:
|
|
print("Bot läuft bereits.")
|
|
|
|
def stop_bot():
|
|
"""Stoppt den Bot."""
|
|
global bot_process
|
|
if bot_process and bot_status():
|
|
bot_process.terminate()
|
|
bot_process.wait() # Warten, bis der Prozess beendet ist
|
|
bot_process = None
|
|
else:
|
|
print("Bot läuft nicht.")
|
|
|
|
def load_text_file(file_path):
|
|
"""Lädt den Inhalt einer Textdatei."""
|
|
if os.path.exists(file_path):
|
|
with open(file_path, 'r', encoding='utf-8') as file:
|
|
return file.read()
|
|
return ""
|
|
|
|
def save_text_file(file_path, content):
|
|
"""Speichert den Inhalt in einer Textdatei."""
|
|
with open(file_path, 'w', encoding='utf-8') as file:
|
|
file.write(content)
|
|
|
|
def get_db_connection():
|
|
"""Stellt eine Verbindung zur MySQL-Datenbank her."""
|
|
return mysql.connector.connect(
|
|
host=DB_HOST,
|
|
port=DB_PORT,
|
|
user=DB_USER,
|
|
password=DB_PASS,
|
|
database=DB_NAME
|
|
)
|
|
|
|
def make_discord_session(token=None, state=None):
|
|
return OAuth2Session(
|
|
DISCORD_CLIENT_ID,
|
|
token=token,
|
|
state=state,
|
|
redirect_uri=DISCORD_REDIRECT_URI,
|
|
scope=["identify"]
|
|
)
|
|
|
|
|
|
@app.route("/")
|
|
def landing_page():
|
|
"""Ungeschützte Landing Page"""
|
|
return render_template("landing.html")
|
|
|
|
@app.route("/login")
|
|
def login():
|
|
"""Startet den Discord-OAuth2-Flow."""
|
|
discord = make_discord_session()
|
|
authorization_url, state = discord.authorization_url(DISCORD_OAUTH2_URL)
|
|
|
|
session['oauth_state'] = state
|
|
return redirect(authorization_url)
|
|
|
|
@app.route("/about")
|
|
def about():
|
|
"""Zeigt eine öffentliche Über uns Seite an."""
|
|
return render_template("about.html")
|
|
|
|
@app.route("/contact")
|
|
def contact():
|
|
"""Zeigt eine öffentliche Kontaktseite an."""
|
|
return render_template("contact.html")
|
|
|
|
@app.route("/faq")
|
|
def faq():
|
|
"""Zeigt eine öffentliche FAQ Seite an."""
|
|
return render_template("faq.html")
|
|
|
|
@app.route("/help")
|
|
def help_page():
|
|
"""Zeigt eine öffentliche Hilfeseite an."""
|
|
return render_template("help.html")
|
|
|
|
@app.route("/callback")
|
|
def callback():
|
|
"""Verarbeitet den OAuth2-Rückruf von Discord."""
|
|
discord = make_discord_session(state=session.get("oauth_state"))
|
|
token = discord.fetch_token(
|
|
DISCORD_TOKEN_URL,
|
|
client_secret=DISCORD_CLIENT_SECRET,
|
|
authorization_response=request.url,
|
|
)
|
|
|
|
session['oauth_token'] = token
|
|
|
|
# User-Informationen von Discord abrufen
|
|
user_info = discord.get(DISCORD_API_URL).json()
|
|
|
|
# Speichere die Benutzerinformationen in der Session
|
|
session['discord_user'] = user_info
|
|
|
|
# Hole Benutzerrollen und andere Daten aus der Datenbank
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor(dictionary=True)
|
|
|
|
cursor.execute("SELECT permission FROM user_data WHERE user_id = %s", (user_info["id"],))
|
|
user_data = cursor.fetchone()
|
|
|
|
cursor.close()
|
|
connection.close()
|
|
|
|
# Weiterleiten basierend auf den Berechtigungen
|
|
if user_data and user_data["permission"] >= 8:
|
|
return redirect(url_for("admin_dashboard"))
|
|
else:
|
|
return redirect(url_for("user_dashboard"))
|
|
|
|
@app.route("/admin_dashboard")
|
|
def admin_dashboard():
|
|
"""Zeigt das Admin-Dashboard an (nur für Admins)."""
|
|
if "discord_user" in session:
|
|
user_info = session["discord_user"]
|
|
user_id = user_info["id"]
|
|
|
|
# Überprüfe, ob der Benutzer Admin-Rechte hat
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor(dictionary=True)
|
|
|
|
cursor.execute("SELECT permission FROM user_data WHERE user_id = %s", (user_id,))
|
|
user_data = cursor.fetchone()
|
|
|
|
cursor.close()
|
|
connection.close()
|
|
|
|
if user_data and user_data["permission"] >= 8:
|
|
return render_template("admin_dashboard.html", user_info=user_info)
|
|
else:
|
|
return redirect(url_for("user_dashboard"))
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/user_dashboard")
|
|
def user_dashboard():
|
|
"""Zeigt das User-Dashboard an."""
|
|
if "discord_user" in session:
|
|
user_info = session["discord_user"]
|
|
user_id = user_info["id"]
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor(dictionary=True)
|
|
|
|
cursor.execute("SELECT points, permission, ban FROM user_data WHERE user_id = %s", (user_id,))
|
|
user_data = cursor.fetchone()
|
|
|
|
cursor.close()
|
|
connection.close()
|
|
|
|
if user_data:
|
|
return render_template("user_dashboard.html", user_info=user_info, user_data=user_data)
|
|
else:
|
|
return "User data not found", 404
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/logout")
|
|
def logout():
|
|
"""Löscht die Benutzersitzung und meldet den Benutzer ab."""
|
|
session.pop('discord_user', None)
|
|
session.pop('oauth_token', None)
|
|
return redirect(url_for('landing_page'))
|
|
|
|
@app.route("/start_bot")
|
|
def start():
|
|
if "username" in session:
|
|
start_bot()
|
|
return redirect(url_for("admin_dashboard"))
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/stop_bot")
|
|
def stop():
|
|
if "username" in session:
|
|
stop_bot()
|
|
return redirect(url_for("admin_dashboard"))
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/settings", methods=["GET", "POST"])
|
|
def settings():
|
|
if "username" in session:
|
|
if request.method == "POST":
|
|
introduction = request.form.get("introduction")
|
|
asknotes_introduction = request.form.get("asknotes_introduction")
|
|
|
|
# Speichern der Intros
|
|
save_text_file(INTRO_FILE, introduction)
|
|
save_text_file(ASKNOTES_INTRO_FILE, asknotes_introduction)
|
|
|
|
return redirect(url_for("settings"))
|
|
|
|
# Laden der aktuellen Inhalte aus den Textdateien
|
|
introduction = load_text_file(INTRO_FILE)
|
|
asknotes_introduction = load_text_file(ASKNOTES_INTRO_FILE)
|
|
|
|
return render_template("settings.html", introduction=introduction, asknotes_introduction=asknotes_introduction)
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/users")
|
|
def users():
|
|
"""Zeigt eine Liste aller Benutzer an."""
|
|
if "username" in session:
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor(dictionary=True)
|
|
|
|
cursor.execute("SELECT user_id, permission, points, ban FROM user_data")
|
|
users = cursor.fetchall()
|
|
|
|
cursor.close()
|
|
connection.close()
|
|
return render_template("users.html", users=users)
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/ban_user/<int:user_id>")
|
|
def ban_user(user_id):
|
|
"""Banned einen Benutzer."""
|
|
if "username" in session:
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor()
|
|
|
|
try:
|
|
cursor.execute("UPDATE user_data SET ban = 1 WHERE user_id = %s", (user_id,))
|
|
connection.commit()
|
|
return redirect(url_for("users"))
|
|
except Exception as e:
|
|
print(f"Error banning user: {e}")
|
|
connection.rollback()
|
|
return redirect(url_for("users"))
|
|
finally:
|
|
cursor.close()
|
|
connection.close()
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/update_points/<int:user_id>", methods=["POST"])
|
|
def update_points(user_id):
|
|
"""Aktualisiert die Punkte eines Benutzers."""
|
|
if "username" in session:
|
|
points_change = int(request.form["points_change"])
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor()
|
|
|
|
try:
|
|
cursor.execute("UPDATE user_data SET points = points + %s WHERE user_id = %s", (points_change, user_id))
|
|
connection.commit()
|
|
return redirect(url_for("users"))
|
|
except Exception as e:
|
|
print(f"Error updating points: {e}")
|
|
connection.rollback()
|
|
return redirect(url_for("users"))
|
|
finally:
|
|
cursor.close()
|
|
connection.close()
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/unban_user/<int:user_id>")
|
|
def unban_user(user_id):
|
|
"""Entbannt einen Benutzer."""
|
|
if "username" in session:
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor()
|
|
|
|
try:
|
|
cursor.execute("UPDATE user_data SET ban = 0 WHERE user_id = %s", (user_id,))
|
|
connection.commit()
|
|
return redirect(url_for("users"))
|
|
except Exception as e:
|
|
print(f"Error unbanning user: {e}")
|
|
connection.rollback()
|
|
return redirect(url_for("users"))
|
|
finally:
|
|
cursor.close()
|
|
connection.close()
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/update_role/<int:user_id>", methods=["POST"])
|
|
def update_role(user_id):
|
|
"""Aktualisiert die Rolle (Berechtigung) eines Benutzers."""
|
|
if "username" in session:
|
|
new_permission = request.form["permission"]
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor()
|
|
|
|
try:
|
|
cursor.execute("UPDATE user_data SET permission = %s WHERE user_id = %s", (new_permission, user_id))
|
|
connection.commit()
|
|
return redirect(url_for("users"))
|
|
except Exception as e:
|
|
print(f"Error updating role: {e}")
|
|
connection.rollback()
|
|
return redirect(url_for("users"))
|
|
finally:
|
|
cursor.close()
|
|
connection.close()
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/logs")
|
|
def view_logs():
|
|
"""Zeigt die Logs des Bots im Admin-Panel an."""
|
|
if "username" in session:
|
|
return render_template("logs.html")
|
|
return redirect(url_for("login"))
|
|
|
|
@app.route("/get_logs")
|
|
def get_logs():
|
|
"""Liest den Inhalt der Log-Datei und gibt ihn zurück."""
|
|
if "username" in session:
|
|
try:
|
|
with open(LOG_FILE_PATH, 'r', encoding='utf-8') as file:
|
|
logs = file.read()
|
|
return jsonify({"logs": logs})
|
|
except FileNotFoundError:
|
|
return jsonify({"logs": "Log file not found."})
|
|
return redirect(url_for("login"))
|
|
|
|
def get_bot_statistics():
|
|
"""Berechnet grundlegende Statistiken für den Bot."""
|
|
connection = get_db_connection()
|
|
cursor = connection.cursor(dictionary=True)
|
|
|
|
# Beispielabfragen, anpassen je nach Datenbankstruktur
|
|
cursor.execute("SELECT COUNT(*) AS total_messages FROM chat_history")
|
|
total_messages = cursor.fetchone()["total_messages"]
|
|
|
|
cursor.execute("""
|
|
SELECT command_name, COUNT(*) AS usage_count
|
|
FROM command_log
|
|
GROUP BY command_name
|
|
ORDER BY usage_count DESC
|
|
LIMIT 1
|
|
""")
|
|
most_used_command = cursor.fetchone()["command_name"]
|
|
|
|
cursor.close()
|
|
connection.close()
|
|
|
|
return {
|
|
"total_messages": total_messages,
|
|
"most_used_command": most_used_command,
|
|
}
|
|
|
|
@app.route("/download_logs")
|
|
def download_logs():
|
|
"""Bietet die Log-Datei zum Download an."""
|
|
if "username" in session:
|
|
return send_file(LOG_FILE_PATH, as_attachment=True)
|
|
return redirect(url_for("login"))
|
|
|
|
import shutil
|
|
|
|
ARCHIVE_DIR = "archive_logs"
|
|
if not os.path.exists(ARCHIVE_DIR):
|
|
os.makedirs(ARCHIVE_DIR)
|
|
|
|
@app.route("/archive_logs", methods=["POST"])
|
|
def archive_logs():
|
|
"""Archiviert die aktuelle Log-Datei und beginnt eine neue Log-Datei."""
|
|
if "username" in session:
|
|
if os.path.exists(LOG_FILE_PATH):
|
|
timestamp = datetime.now().strftime('%Y-%m-%d_%H-%M-%S')
|
|
archive_file = os.path.join(ARCHIVE_DIR, f"log_{timestamp}.log")
|
|
shutil.move(LOG_FILE_PATH, archive_file)
|
|
with open(LOG_FILE_PATH, 'w', encoding='utf-8') as file:
|
|
file.write("") # Neue leere Log-Datei starten
|
|
return jsonify({"status": "success", "message": "Logs archived successfully."})
|
|
else:
|
|
return jsonify({"status": "error", "message": "Log file not found."})
|
|
return redirect(url_for("login"))
|
|
|
|
if __name__ == "__main__":
|
|
app.run(host="0.0.0.0", port=5000, debug=True)
|