wop's picture
Update app.py
0066b5e verified
raw
history blame
7.52 kB
import asyncio
import os
import threading
from threading import Event
from typing import Optional
import datetime
import requests
import discord
import gradio as gr
import gradio_client as grc
from discord import Permissions
from discord.ext import commands
from discord.utils import oauth_url
from gradio_client.utils import QueueError
event = Event()
DISCORD_TOKEN = os.getenv("DISCORD_TOKEN")
HF_TOKEN = os.getenv("HF_TOKEN")
async def wait(job):
while not job.done():
await asyncio.sleep(0.2)
def get_client(session: Optional[str] = None) -> grc.Client:
client = grc.Client("https://wop-xxx-opengpt.hf.space/", hf_token=HF_TOKEN)
if session:
client.session_hash = session
return client
def truncate_response(response: str) -> str:
ending = "...\nTruncating response to 2000 characters due to discord api limits."
if len(response) > 2000:
return response[: 2000 - len(ending)] + ending
else:
return response
intents = discord.Intents.all()
bot = commands.Bot(command_prefix="$", intents=intents, help_command=None)
@bot.command()
async def uptime(ctx):
"""Displays the uptime of the bot."""
delta = datetime.datetime.utcnow() - bot.start_time
hours, remainder = divmod(int(delta.total_seconds()), 3600)
minutes, seconds = divmod(remainder, 60)
days, hours = divmod(hours, 24)
# Create a fancy embed with emojis
embed = discord.Embed(title="Bot Uptime", color=discord.Color.green())
embed.add_field(name="Uptime", value=f"{days} days, {hours} hours, {minutes} minutes, {seconds} seconds", inline=False)
embed.set_footer(text="Created by Cosmos")
await ctx.send(embed=embed)
@bot.command()
async def verse(ctx):
"""Returns a random Bible verse."""
# Fetch a random Bible verse
bible_api_url = "https://labs.bible.org/api/?passage=random&type=json"
response = requests.get(bible_api_url)
if response.status_code == 200:
verse = response.json()[0]
passage = f"**{verse['bookname']} {verse['chapter']}:{verse['verse']}** - \n{verse['text']}"
else:
passage = "Unable to fetch Bible verse"
# Create an embed
embed = discord.Embed(title="Random Bible Verse", description=passage, color=discord.Color.blue())
embed.set_footer(text="Created by Cosmos")
await ctx.send(embed=embed)
@bot.command()
@commands.has_permissions(kick_members=True)
async def kick(ctx, member: discord.Member, *, reason: Optional[str] = "No reason provided"):
try:
await member.kick(reason=reason)
await ctx.send(f"{member.mention} has been kicked. Reason: {reason}")
except discord.Forbidden:
await ctx.send("I don't have permission to kick members.")
except discord.HTTPException:
await ctx.send("An error occurred while trying to kick the member. Please try again later.")
@bot.command()
@commands.has_permissions(ban_members=True)
async def ban(ctx, member: discord.Member, *, reason: Optional[str] = "No reason provided"):
try:
await member.ban(reason=reason)
await ctx.send(f"{member.mention} has been banned. Reason: {reason}")
except discord.Forbidden:
await ctx.send("I don't have permission to ban members.")
except discord.HTTPException:
await ctx.send("An error occurred while trying to ban the member. Please try again later.")
@bot.command()
async def cmds(ctx):
"""Returns a list of commands and bot information."""
# Get list of commands
command_list = [f"{command.name}: {command.help}" for command in bot.commands]
# Get bot information
bot_info = f"Bot Name: {bot.user.name}\nBot ID: {bot.user.id}"
# Create an embed
embed = discord.Embed(title="Bot prefix: $", color=discord.Color.blue())
embed.add_field(name="Commands", value="\n".join(command_list), inline=False)
embed.add_field(name="Bot Information", value=bot_info, inline=False)
embed.set_footer(text="Created by Cosmos")
await ctx.send(embed=embed)
async def update_status():
await bot.wait_until_ready() # Wait until the bot is fully ready
while True:
# Fetch the number of members in all guilds the bot is connected to
member_count = sum(guild.member_count for guild in bot.guilds)
# Update the bot's status
await bot.change_presence(activity=discord.Activity(type=discord.ActivityType.watching, name=f"{member_count} users"))
# Wait for 60 seconds before updating again
await asyncio.sleep(60)
@bot.event
async def on_ready():
bot.start_time = datetime.datetime.utcnow()
print(f"Logged in as {bot.user} (ID: {bot.user.id})")
event.set()
print("------")
bot.loop.create_task(update_status()) # Create the task within the on_ready event
@bot.event
async def on_member_join(member):
channel = discord.utils.get(member.guild.channels, name="👋wellcome-goodbye")
# Fetch a random Bible verse
bible_api_url = "https://labs.bible.org/api/?passage=random&type=json"
response = requests.get(bible_api_url)
if response.status_code == 200:
verse = response.json()[0]
passage = f"{verse['bookname']} {verse['chapter']}:{verse['verse']} - {verse['text']}"
else:
passage = "Unable to fetch Bible verse"
# Create an embed
embed = discord.Embed(title=f"Welcome to the server, {member.name}!", description=f"Hope you have a great stay here, <@{member.id}>!", color=discord.Color.blue())
embed.add_field(name="Random Bible Verse", value=passage, inline=False)
embed.set_footer(text="Created by Cosmos")
await channel.send(embed=embed)
@bot.event
async def on_command_error(ctx, error):
if isinstance(error, commands.CommandNotFound):
await ctx.send("Sorry, I couldn't find that command. Use `$cmds` to see the list of available commands.")
elif isinstance(error, commands.MissingRequiredArgument):
await ctx.send("Oops! Looks like you're missing some required arguments.")
elif isinstance(error, commands.CheckFailure):
await ctx.send("You do not have the permissions to execute this command.")
else:
# Log the error to console or your logging system
print(f"An error occurred: {error}")
# Additional error handling for unexpected errors
@bot.event
async def on_error(event_method, *args, **kwargs):
# Log the error to console or your logging system
print(f"An error occurred in {event_method}: {sys.exc_info()}")
# Error handling for unhandled exceptions
@bot.event
async def on_command_error(ctx, error):
if isinstance(error, commands.CommandInvokeError):
original_error = error.original
if isinstance(original_error, discord.Forbidden):
await ctx.send("I don't have permissions to do that.")
elif isinstance(original_error, discord.HTTPException):
await ctx.send("An error occurred while processing the command. Please try again later.")
else:
# Log the error to console or your logging system
print(f"Error: {original_error}")
await ctx.send("An unexpected error occurred.")
# running in thread
def run_bot():
if not DISCORD_TOKEN:
print("DISCORD_TOKEN NOT SET")
event.set()
else:
bot.run(DISCORD_TOKEN)
threading.Thread(target=run_bot).start()
event.wait()
with gr.Blocks() as demo:
gr.Markdown(
f"""
# Discord bot is online!
"""
)
demo.launch()