File size: 12,940 Bytes
b0d8cff ba5e9de b0d8cff e4e65d8 b0d8cff e4e65d8 b0d8cff 7b1582f b0d8cff 50b28d6 b0d8cff eb59ae9 b0d8cff 7b1582f 93a9fe8 b0d8cff 93a9fe8 b0d8cff 93a9fe8 b0d8cff 50b28d6 b0d8cff 93a9fe8 b0d8cff dd323bf b0d8cff 93a9fe8 b0d8cff 93a9fe8 b0d8cff 93a9fe8 b0d8cff 93a9fe8 b0d8cff b584cbf b0d8cff e4e65d8 b0d8cff 93a9fe8 e4e65d8 93a9fe8 7b1582f ba5e9de 7b1582f 7cda025 ba5e9de 7b1582f ba5e9de 7b1582f 0695e8e 7b1582f ba5e9de 7b1582f 93a9fe8 e4e65d8 7b1582f e4e65d8 b0d8cff 93a9fe8 e4e65d8 b0d8cff e4e65d8 b0d8cff b584cbf |
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 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 |
import asyncio
import logging
import os
import re
import sys
import datetime # For scheduling
from huggingface_hub import HfApi # For Hugging Face API
import discord
import requests
from aiohttp import web # Added missing import
from discord import Embed
from discord.ext import commands
from gradio_client import Client
from gradio_client.exceptions import AppError
# **Fetch Discord Bot Token and Hugging Face Token from Environment Variables**
DISCORD_BOT_TOKEN = os.environ.get('DISCORD_BOT_TOKEN')
HF_TOKEN = os.environ.get('HF_TOKEN') # Fetch the HF_TOKEN
if not DISCORD_BOT_TOKEN:
print("Error: The environment variable 'DISCORD_BOT_TOKEN' is not set.")
sys.exit(1)
if not HF_TOKEN:
print("Error: The environment variable 'HF_TOKEN' is not set.")
sys.exit(1)
# Configure logging
logging.basicConfig(
level=logging.INFO, # Change to DEBUG for more detailed logs
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s',
handlers=[
logging.StreamHandler(sys.stdout)
]
)
logger = logging.getLogger(__name__)
# Intents are required for accessing certain Discord gateway events
intents = discord.Intents.default()
intents.message_content = True # Enable access to message content
# Initialize the bot with command prefix '!' and the specified intents
bot = commands.Bot(command_prefix='!', intents=intents, help_command=None)
# Regular expression to parse the prompt parameter with DOTALL flag to include newlines
PROMPT_REGEX = re.compile(r'prompt\s*=\s*"(.*?)"', re.DOTALL)
# Initialize the Gradio client with hf_token
GRADIO_CLIENT = Client("Nevaehni/FLUX.1-schnell", hf_token=HF_TOKEN)
# Initialize Hugging Face API client
hf_api = HfApi()
@bot.event
async def on_ready():
"""Event handler triggered when the bot is ready."""
logger.info(f'Logged in as {bot.user} (ID: {bot.user.id})')
logger.info('------')
def parse_prompt(command: str) -> str:
"""
Parse the prompt from the command string.
Args:
command (str): The command message content.
Returns:
str: The extracted prompt or an empty string if not found.
"""
match = PROMPT_REGEX.search(command)
if match:
return match.group(1).strip()
return ''
def create_example_embed() -> Embed:
"""
Create an embed message with an example !generate command.
Returns:
Embed: The Discord embed object.
"""
# Example command with a newline character
example_command = '!generate prompt="High resolution serene landscape\nwith text \'cucolina\'. seed:1"'
embed = Embed(
description=f"```\n{example_command}\n```",
color=discord.Color.blue()
)
return embed
@bot.command(name='generate')
async def generate(ctx: commands.Context, *, args: str = None):
"""
Command handler for !generate. Generates content based on the provided prompt.
Args:
ctx (commands.Context): The context in which the command was invoked.
args (str, optional): The arguments passed with the command.
"""
if not args:
# No parameters provided, send example command without copy button
embed = create_example_embed()
await ctx.send(embed=embed)
return
# Parse the prompt from the arguments
prompt = parse_prompt(args)
if not prompt:
# Prompt parameter not found or empty
await ctx.send("β **Error:** Prompt cannot be empty. Please provide a valid input.")
return
# Acknowledge the command and indicate processing
processing_message = await ctx.send("π Generating your content, please wait...")
try:
logger.info(f"Received prompt: {prompt}")
# Non-blocking call to predict using asyncio.to_thread
response = await asyncio.wait_for(
asyncio.to_thread(GRADIO_CLIENT.predict, param_0=prompt, api_name="/predict"),
timeout=60
)
logger.info(f"API response: {response}")
# **Debugging: Log the actual response**
logger.debug(f"API Response: {response}")
# Reconstruct the exact command used by the user
command_used = ctx.message.content.strip()
# Handle different response structures
if isinstance(response, dict):
# Check if 'url' key exists
url = response.get('url')
if url:
if isinstance(url, str):
# Embed the image if it's an image URL
if url.lower().endswith(('.png', '.jpg', '.jpeg', '.gif', '.bmp', '.webp')):
embed = Embed(title="π¨ Generated Image", color=discord.Color.green())
embed.set_image(url=url)
# Add prompt as a field with code block
embed.add_field(name="Prompt", value=f"```\n{command_used}\n```", inline=False)
# Send the embed and mention the user
await ctx.send(content=f"{ctx.author.mention}", embed=embed)
else:
# If not an image, send the URL directly
embed = Embed(title="π Generated Content", description=url, color=discord.Color.green())
embed.add_field(name="Prompt", value=f"```\n{command_used}\n```", inline=False)
await ctx.send(content=f"{ctx.author.mention}", embed=embed)
else:
# 'url' exists but is not a string
await ctx.send("β **Error:** Received an invalid URL format from the API.")
else:
# 'url' key does not exist
await ctx.send("β **Error:** The API response does not contain a 'url' key.")
elif isinstance(response, str):
# Assume the response is a file path
file_path = response
if os.path.isfile(file_path):
try:
# Extract the file name
file_name = os.path.basename(file_path)
# Create a Discord File object
discord_file = discord.File(file_path, filename=file_name)
# Create an embed with the image
embed = Embed(title="π¨ Generated Image", color=discord.Color.green())
embed.set_image(url=f"attachment://{file_name}")
# Add prompt as a field with code block
embed.add_field(name="Prompt", value=f"```\n{command_used}\n```", inline=False)
# Send the embed with the file and mention the user
await ctx.send(content=f"{ctx.author.mention}", embed=embed, file=discord_file)
logger.info(f"Sent image from {file_path} to Discord.")
except Exception as e:
logger.error(f"Failed to send image to Discord: {e}")
await ctx.send("β **Error:** Failed to send the generated image to Discord.")
else:
await ctx.send("β **Error:** The API returned an invalid file path.")
elif isinstance(response, list):
# Handle list responses if applicable
if len(response) > 0 and isinstance(response[0], dict):
first_item = response[0]
url = first_item.get('url')
if url and isinstance(url, str):
if url.lower().endswith(('.png', '.jpg', '.jpeg', '.gif', '.bmp', '.webp')):
embed = Embed(title="π¨ Generated Image", color=discord.Color.green())
embed.set_image(url=url)
embed.add_field(name="Prompt", value=f"```\n{command_used}\n```", inline=False)
await ctx.send(content=f"{ctx.author.mention}", embed=embed)
else:
embed = Embed(title="π Generated Content", description=url, color=discord.Color.green())
embed.add_field(name="Prompt", value=f"```\n{command_used}\n```", inline=False)
await ctx.send(content=f"{ctx.author.mention}", embed=embed)
else:
await ctx.send("β **Error:** Received an invalid URL format from the API.")
else:
await ctx.send("β **Error:** The API response is an unexpected list structure.")
else:
# Response is neither dict, str, nor list
await ctx.send("β **Error:** Unexpected response format from the API.")
# **Delete the user's command message after successfully processing**
try:
await ctx.message.delete()
logger.info(f"Deleted command message from user {ctx.author} (ID: {ctx.author.id}).")
except discord.Forbidden:
logger.warning("Insufficient permissions to delete the user's message.")
await ctx.send("β οΈ **Warning:** I don't have permission to delete your command message.")
except discord.NotFound:
logger.warning("The message to delete was not found.")
except Exception as e:
logger.error(f"Unexpected error when trying to delete the message: {e}")
except asyncio.TimeoutError:
logger.error("API request timed out.")
await ctx.send("β° **Error:** The request to the API timed out. Please try again later.")
except AppError as e:
logger.error(f"API Error: {str(e)}")
await ctx.send(f"β **API Error:** {str(e)}")
except requests.exceptions.ConnectionError:
logger.error("Failed to connect to the API.")
await ctx.send("β οΈ **Error:** Failed to connect to the API. Please check your network connection.")
except Exception as e:
logger.exception("An unexpected error occurred.")
await ctx.send(f"β **Error:** An unexpected error occurred: {str(e)}")
finally:
# Delete the processing message
try:
await processing_message.delete()
logger.info("Deleted the processing message.")
except discord.Forbidden:
logger.warning("Insufficient permissions to delete the processing message.")
except discord.NotFound:
logger.warning("The processing message to delete was not found.")
except Exception as e:
logger.error(f"Unexpected error when trying to delete the processing message: {e}")
@bot.event
async def on_command_error(ctx: commands.Context, error):
"""
Global error handler for command errors.
Args:
ctx (commands.Context): The context in which the error occurred.
error (Exception): The exception that was raised.
"""
if isinstance(error, commands.CommandNotFound):
await ctx.send("β **Error:** Unknown command. Please use `!generate` to generate content.")
elif isinstance(error, commands.CommandOnCooldown):
await ctx.send(f"β³ **Please wait {error.retry_after:.2f} seconds before using this command again.**")
else:
await ctx.send(f"β **Error:** {str(error)}")
logger.error(f"Unhandled command error: {str(error)}")
async def handle_root(request):
return web.Response(text="DarkMuse GOES VROOOOM", status=200)
async def start_web_server():
app = web.Application()
app.router.add_get('/', handle_root)
runner = web.AppRunner(app)
await runner.setup()
site = web.TCPSite(runner, '0.0.0.0', 7860)
await site.start()
logger.info("Web server started on port 7860")
async def start_bot():
await bot.start(DISCORD_BOT_TOKEN)
async def schedule_restart():
"""
Schedule the bot to restart the Hugging Face Space at a specified interval.
For testing purposes, this function restarts the Space every minute.
"""
space_id = "Nevaehni/DarkMuse"
restart_interval_seconds = 43200
while True:
logger.info(f"Scheduled space restart in {restart_interval_seconds} seconds.")
await asyncio.sleep(restart_interval_seconds)
try:
logger.info("Attempting to restart the Hugging Face Space...")
hf_api.restart_space(repo_id=space_id, token=HF_TOKEN)
logger.info("Space restarted successfully.")
except Exception as e:
logger.error(f"Failed to restart space: {e}")
# Optional: Add a short delay to prevent rapid retries in case of failure
await asyncio.sleep(5) # Wait 5 seconds before the next restart cycle
async def main():
# Start the scheduler as a background task
asyncio.create_task(schedule_restart())
# Run the bot and web server concurrently
await asyncio.gather(
start_bot(),
start_web_server()
)
# Run the bot and web server concurrently
if __name__ == '__main__':
try:
asyncio.run(main())
except Exception as e:
logger.exception(f"Failed to run the bot: {e}")
|