added translations + finnish 1
This commit is contained in:
parent
59c7494675
commit
01ba29c944
12 changed files with 591 additions and 521 deletions
321
bot.py
321
bot.py
|
@ -21,28 +21,123 @@ from better_profanity import profanity
|
||||||
from config import *
|
from config import *
|
||||||
import traceback
|
import traceback
|
||||||
import shutil
|
import shutil
|
||||||
|
|
||||||
print(splashtext) # you can use https://patorjk.com/software/taag/ for 3d text or just remove this entirely
|
print(splashtext) # you can use https://patorjk.com/software/taag/ for 3d text or just remove this entirely
|
||||||
|
|
||||||
|
def download_json():
|
||||||
|
response = requests.get(f"{VERSION_URL}/goob/locales/{LOCALE}.json")
|
||||||
|
if response.status_code == 200:
|
||||||
|
locales_dir = "locales"
|
||||||
|
if not os.path.exists(locales_dir):
|
||||||
|
os.makedirs(locales_dir)
|
||||||
|
file_path = os.path.join(locales_dir, f"{LOCALE}.json")
|
||||||
|
if os.path.exists(file_path):
|
||||||
|
return
|
||||||
|
else:
|
||||||
|
with open(file_path, "w", encoding="utf-8") as file:
|
||||||
|
file.write(response.text)
|
||||||
|
|
||||||
|
if not os.path.exists(os.path.join(locales_dir, "en.json")):
|
||||||
|
response = requests.get(f"{VERSION_URL}/goob/locales/en.json")
|
||||||
|
if response.status_code == 200:
|
||||||
|
with open(os.path.join(locales_dir, "en.json"), "w", encoding="utf-8") as file:
|
||||||
|
file.write(response.text)
|
||||||
|
|
||||||
|
download_json()
|
||||||
|
def load_translations():
|
||||||
|
translations = {}
|
||||||
|
translations_dir = os.path.join(os.path.dirname(__file__), "locales")
|
||||||
|
|
||||||
|
for filename in os.listdir(translations_dir):
|
||||||
|
if filename.endswith(".json"):
|
||||||
|
lang_code = filename.replace(".json", "")
|
||||||
|
with open(os.path.join(translations_dir, filename), "r", encoding="utf-8") as f:
|
||||||
|
translations[lang_code] = json.load(f)
|
||||||
|
|
||||||
|
return translations
|
||||||
|
|
||||||
|
translations = load_translations()
|
||||||
|
|
||||||
|
def get_translation(lang: str, key: str):
|
||||||
|
lang_translations = translations.get(lang, translations["en"])
|
||||||
|
if key not in lang_translations:
|
||||||
|
print(f"{RED}Missing key: {key} in language {lang}{RESET}")
|
||||||
|
return lang_translations.get(key, key)
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
def is_name_available(NAME):
|
||||||
|
if os.getenv("gooberTOKEN"):
|
||||||
|
return
|
||||||
|
try:
|
||||||
|
response = requests.post(f"{VERSION_URL}/check-if-available", json={"name": NAME}, headers={"Content-Type": "application/json"})
|
||||||
|
|
||||||
|
if response.status_code == 200:
|
||||||
|
data = response.json()
|
||||||
|
return data.get("available", False)
|
||||||
|
else:
|
||||||
|
print(f"{get_translation(LOCALE, 'name_check')}", response.json())
|
||||||
|
return False
|
||||||
|
except Exception as e:
|
||||||
|
print(f"{get_translation(LOCALE, 'name_check2')}", e)
|
||||||
|
return False
|
||||||
|
|
||||||
|
def register_name(NAME):
|
||||||
|
try:
|
||||||
|
if ALIVEPING == False:
|
||||||
|
return
|
||||||
|
# check if the name is avaliable
|
||||||
|
if not is_name_available(NAME):
|
||||||
|
if os.getenv("gooberTOKEN"):
|
||||||
|
return
|
||||||
|
print(f"{RED}{get_translation(LOCALE, 'name_taken')}{RESET}")
|
||||||
|
quit()
|
||||||
|
|
||||||
|
# if it is register it
|
||||||
|
response = requests.post(f"{VERSION_URL}/register", json={"name": NAME}, headers={"Content-Type": "application/json"})
|
||||||
|
|
||||||
|
if response.status_code == 200:
|
||||||
|
data = response.json()
|
||||||
|
token = data.get("token")
|
||||||
|
|
||||||
|
if not os.getenv("gooberTOKEN"):
|
||||||
|
print(f"{GREEN}{get_translation(LOCALE, 'add_token').format(token=token)} gooberTOKEN=<your_token>.{RESET}")
|
||||||
|
quit()
|
||||||
|
else:
|
||||||
|
print(f"{GREEN}{RESET}")
|
||||||
|
|
||||||
|
return token
|
||||||
|
else:
|
||||||
|
print(f"{RED}{get_translation(LOCALE, 'token_exists').format()}{RESET}", response.json())
|
||||||
|
return None
|
||||||
|
except Exception as e:
|
||||||
|
print(f"{RED}{get_translation(LOCALE, 'registration_error').format()}{RESET}", e)
|
||||||
|
return None
|
||||||
|
|
||||||
|
register_name(NAME)
|
||||||
|
|
||||||
def save_markov_model(model, filename='markov_model.pkl'):
|
def save_markov_model(model, filename='markov_model.pkl'):
|
||||||
with open(filename, 'wb') as f:
|
with open(filename, 'wb') as f:
|
||||||
pickle.dump(model, f)
|
pickle.dump(model, f)
|
||||||
print(f"Markov model saved to {filename}.")
|
print(f"Markov model saved to {filename}.")
|
||||||
|
|
||||||
|
|
||||||
def backup_current_version():
|
def backup_current_version():
|
||||||
if os.path.exists(LOCAL_VERSION_FILE):
|
if os.path.exists(LOCAL_VERSION_FILE):
|
||||||
shutil.copy(LOCAL_VERSION_FILE, LOCAL_VERSION_FILE + ".bak")
|
shutil.copy(LOCAL_VERSION_FILE, LOCAL_VERSION_FILE + ".bak")
|
||||||
print(f"Backup created: {LOCAL_VERSION_FILE}.bak")
|
print(f"{GREEN}{get_translation(LOCALE, 'version_backup')} {LOCAL_VERSION_FILE}.bak{RESET}")
|
||||||
else:
|
else:
|
||||||
print(f"Error: {LOCAL_VERSION_FILE} not found for backup.")
|
print(f"{RED}{get_translation(LOCALE, 'backup_error').format(LOCAL_VERSION_FILE=LOCAL_VERSION_FILE)} {RESET}")
|
||||||
|
|
||||||
def load_markov_model(filename='markov_model.pkl'):
|
def load_markov_model(filename='markov_model.pkl'):
|
||||||
|
|
||||||
try:
|
try:
|
||||||
with open(filename, 'rb') as f:
|
with open(filename, 'rb') as f:
|
||||||
model = pickle.load(f)
|
model = pickle.load(f)
|
||||||
print(f"Markov model loaded from {filename}.")
|
print(f"{GREEN}{get_translation(LOCALE, 'model_loaded')} {filename}.{RESET}")
|
||||||
return model
|
return model
|
||||||
except FileNotFoundError:
|
except FileNotFoundError:
|
||||||
print(f"Error: {filename} not found.")
|
print(f"{RED}{filename} {get_translation(LOCALE, 'not_found')}{RESET}")
|
||||||
return None
|
return None
|
||||||
|
|
||||||
def get_latest_version_info():
|
def get_latest_version_info():
|
||||||
|
@ -53,10 +148,10 @@ def get_latest_version_info():
|
||||||
if response.status_code == 200:
|
if response.status_code == 200:
|
||||||
return response.json()
|
return response.json()
|
||||||
else:
|
else:
|
||||||
print(f"Error: Unable to fetch version info. Status code {response.status_code}")
|
print(f"{RED}{get_translation(LOCALE, 'version_error')} {response.status_code}{RESET}")
|
||||||
return None
|
return None
|
||||||
except requests.RequestException as e:
|
except requests.RequestException as e:
|
||||||
print(f"Error: Unable to connect to the update server. {e}")
|
print(f"{RED}{get_translation(LOCALE, 'version_error')} {e}{RESET}")
|
||||||
return None
|
return None
|
||||||
|
|
||||||
async def load_cogs_from_folder(bot, folder_name="cogs"):
|
async def load_cogs_from_folder(bot, folder_name="cogs"):
|
||||||
|
@ -65,9 +160,9 @@ async def load_cogs_from_folder(bot, folder_name="cogs"):
|
||||||
cog_name = filename[:-3]
|
cog_name = filename[:-3]
|
||||||
try:
|
try:
|
||||||
await bot.load_extension(f"{folder_name}.{cog_name}")
|
await bot.load_extension(f"{folder_name}.{cog_name}")
|
||||||
print(f"Loaded cog: {cog_name}")
|
print(f"{GREEN}{get_translation(LOCALE, 'loaded_cog')} {cog_name}{RESET}")
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
print(f"Failed to load cog {cog_name}: {e}")
|
print(f"{RED}{get_translation(LOCALE, 'cog_fail')} {cog_name} {e}{RESET}")
|
||||||
traceback.print_exc()
|
traceback.print_exc()
|
||||||
|
|
||||||
currenthash = ""
|
currenthash = ""
|
||||||
|
@ -97,14 +192,14 @@ def check_for_update():
|
||||||
|
|
||||||
latest_version_info = get_latest_version_info()
|
latest_version_info = get_latest_version_info()
|
||||||
if not latest_version_info:
|
if not latest_version_info:
|
||||||
print("Could not fetch update information.")
|
print(f"{get_translation(LOCALE, 'fetch_update_fail')}")
|
||||||
return None, None
|
return None, None
|
||||||
|
|
||||||
latest_version = latest_version_info.get("version")
|
latest_version = latest_version_info.get("version")
|
||||||
download_url = latest_version_info.get("download_url")
|
download_url = latest_version_info.get("download_url")
|
||||||
|
|
||||||
if not latest_version or not download_url:
|
if not latest_version or not download_url:
|
||||||
print("Error: Invalid version information received from server.")
|
print(f"{RED}{get_translation(LOCALE, 'invalid_server')}{RESET}")
|
||||||
return None, None
|
return None, None
|
||||||
|
|
||||||
local_version = get_local_version()
|
local_version = get_local_version()
|
||||||
|
@ -112,28 +207,28 @@ def check_for_update():
|
||||||
gooberhash = latest_version_info.get("hash")
|
gooberhash = latest_version_info.get("hash")
|
||||||
if gooberhash == currenthash:
|
if gooberhash == currenthash:
|
||||||
if local_version < latest_version:
|
if local_version < latest_version:
|
||||||
print(f"{YELLOW}New version available: {latest_version} (Current: {local_version}){RESET}")
|
print(f"{YELLOW}{get_translation(LOCALE, 'new_version')}{RESET}")
|
||||||
print(f"Check {VERSION_URL}/goob/changes.txt to check out the changelog\n\n")
|
print(f"{YELLOW}{get_translation(LOCALE, 'changelog').format(VERSION_URL=VERSION_URL)}")
|
||||||
elif local_version > latest_version:
|
elif local_version > latest_version:
|
||||||
if IGNOREWARNING == False:
|
if IGNOREWARNING == False:
|
||||||
print(f"\n{RED}The version: {local_version} isnt valid!")
|
print(f"\n{RED}{get_translation(LOCALE, 'invalid_version').format(local_version=local_version)}")
|
||||||
print(f"{RED}If this is intended then ignore this message, else press Y to pull a valid version from the server regardless of the version of goober currently running")
|
print(f"{get_translation(LOCALE, 'invalid_version2')}")
|
||||||
print(f"The current version will be backed up to current_version.bak..{RESET}\n\n")
|
print(f"{get_translation(LOCALE, 'invalid_version3')}{RESET}\n\n")
|
||||||
userinp = input("(Y or any other key to ignore....)\n")
|
userinp = input(f"{get_translation(LOCALE, 'input')}\n")
|
||||||
if userinp.lower() == "y":
|
if userinp.lower() == "y":
|
||||||
backup_current_version()
|
backup_current_version()
|
||||||
with open(LOCAL_VERSION_FILE, "w") as f:
|
with open(LOCAL_VERSION_FILE, "w") as f:
|
||||||
f.write(latest_version)
|
f.write(latest_version)
|
||||||
else:
|
else:
|
||||||
print(f"{RED}You've modified {LOCAL_VERSION_FILE}")
|
print(f"{RED}{get_translation(LOCALE, 'modification_ignored')} {LOCAL_VERSION_FILE}")
|
||||||
print(f"IGNOREWARNING is set to false..{RESET}")
|
print(f"{get_translation(LOCALE, 'modification_ignored2')}{RESET}")
|
||||||
else:
|
else:
|
||||||
print(f"{GREEN}You're using the latest version: {local_version}{RESET}")
|
print(f"{GREEN}{get_translation(LOCALE, 'latest_version')} {local_version}{RESET}")
|
||||||
print(f"Check {VERSION_URL}/goob/changes.txt to check out the changelog\n\n")
|
print(f"{get_translation(LOCALE, 'latest_version2').format(VERSION_URL=VERSION_URL)}\n\n")
|
||||||
else:
|
else:
|
||||||
print(f"{YELLOW}Goober has been modified! Skipping server checks entirely...")
|
print(f"{YELLOW}{get_translation(LOCALE, 'modification_warning')}")
|
||||||
print(f"Reported Version: {local_version}{RESET}")
|
print(f"{YELLOW}{get_translation(LOCALE, 'reported_version')} {local_version}{RESET}")
|
||||||
print(f"Current Hash: {currenthash}")
|
print(f"{DEBUG}{get_translation(LOCALE, 'current_hash')} {currenthash}{RESET}")
|
||||||
|
|
||||||
|
|
||||||
check_for_update()
|
check_for_update()
|
||||||
|
@ -147,12 +242,8 @@ def get_file_info(file_path):
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
return {"error": str(e)}
|
return {"error": str(e)}
|
||||||
|
|
||||||
|
|
||||||
nltk.download('punkt')
|
nltk.download('punkt')
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
def load_memory():
|
def load_memory():
|
||||||
data = []
|
data = []
|
||||||
|
|
||||||
|
@ -206,7 +297,7 @@ bot = commands.Bot(command_prefix=PREFIX, intents=intents)
|
||||||
memory = load_memory()
|
memory = load_memory()
|
||||||
markov_model = load_markov_model()
|
markov_model = load_markov_model()
|
||||||
if not markov_model:
|
if not markov_model:
|
||||||
print("No saved Markov model found. Starting from scratch.")
|
print(f"{get_translation(LOCALE, 'no_model')}")
|
||||||
memory = load_memory()
|
memory = load_memory()
|
||||||
markov_model = train_markov_model(memory)
|
markov_model = train_markov_model(memory)
|
||||||
|
|
||||||
|
@ -216,48 +307,51 @@ used_words = set()
|
||||||
slash_commands_enabled = False
|
slash_commands_enabled = False
|
||||||
@bot.event
|
@bot.event
|
||||||
async def on_ready():
|
async def on_ready():
|
||||||
|
|
||||||
folder_name = "cogs"
|
folder_name = "cogs"
|
||||||
if not os.path.exists(folder_name):
|
if not os.path.exists(folder_name):
|
||||||
os.makedirs(folder_name)
|
os.makedirs(folder_name)
|
||||||
print(f"Folder '{folder_name}' created.")
|
print(f"{GREEN}{get_translation(LOCALE, 'folder_created').format(folder_name=folder_name)}{RESET}")
|
||||||
else:
|
else:
|
||||||
print(f"Folder '{folder_name}' already exists. skipping...")
|
print(f"{DEBUG}{get_translation(LOCALE, 'folder_exists').format(folder_name=folder_name)}{RESET}")
|
||||||
markov_model = train_markov_model(memory)
|
markov_model = train_markov_model(memory)
|
||||||
await load_cogs_from_folder(bot)
|
await load_cogs_from_folder(bot)
|
||||||
global slash_commands_enabled
|
global slash_commands_enabled
|
||||||
print(f"Logged in as {bot.user}")
|
print(f"{GREEN}{get_translation(LOCALE, 'logged_in')} {bot.user}{RESET}")
|
||||||
try:
|
try:
|
||||||
synced = await bot.tree.sync()
|
synced = await bot.tree.sync()
|
||||||
print(f"Synced {len(synced)} commands.")
|
print(f"{GREEN}{get_translation(LOCALE, 'synced_commands')} {len(synced)} {get_translation(LOCALE, 'synced_commands2')} {RESET}")
|
||||||
slash_commands_enabled = True
|
slash_commands_enabled = True
|
||||||
ping_server()
|
ping_server()
|
||||||
|
print(f"{GREEN}{get_translation(LOCALE, 'started').format()}{RESET}")
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
print(f"Failed to sync commands: {e}")
|
print(f"{RED}{get_translation(LOCALE, 'fail_commands_sync')} {e}{RESET}")
|
||||||
quit
|
traceback.print_exc()
|
||||||
post_message.start()
|
quit()
|
||||||
if not song:
|
if not song:
|
||||||
return
|
return
|
||||||
await bot.change_presence(activity=discord.Activity(type=discord.ActivityType.listening, name=f"{song}"))
|
await bot.change_presence(activity=discord.Activity(type=discord.ActivityType.listening, name=f"{song}"))
|
||||||
|
|
||||||
def ping_server():
|
def ping_server():
|
||||||
if ALIVEPING == "false":
|
if ALIVEPING == "false":
|
||||||
print("Pinging is disabled! Not telling the server im on...")
|
print(f"{YELLOW}{get_translation(LOCALE, 'pinging_disabled')}{RESET}")
|
||||||
return
|
return
|
||||||
file_info = get_file_info(MEMORY_FILE)
|
file_info = get_file_info(MEMORY_FILE)
|
||||||
payload = {
|
payload = {
|
||||||
"name": NAME,
|
"name": NAME,
|
||||||
"memory_file_info": file_info,
|
"memory_file_info": file_info,
|
||||||
"version": local_version,
|
"version": local_version,
|
||||||
"slash_commands": slash_commands_enabled
|
"slash_commands": slash_commands_enabled,
|
||||||
|
"token": gooberTOKEN
|
||||||
}
|
}
|
||||||
try:
|
try:
|
||||||
response = requests.post(VERSION_URL+"/ping", json=payload)
|
response = requests.post(VERSION_URL+"/ping", json=payload)
|
||||||
if response.status_code == 200:
|
if response.status_code == 200:
|
||||||
print("Sent alive ping to goober central!")
|
print(f"{GREEN}{get_translation(LOCALE, 'goober_ping_success')}{RESET}")
|
||||||
else:
|
else:
|
||||||
print(f"Failed to send data. Server returned status code: {response.status_code}")
|
print(f"{RED}{get_translation(LOCALE, 'goober_ping_fail')} {response.status_code}{RESET}")
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
print(f"An error occurred while sending data: {str(e)}")
|
print(f"{RED}{get_translation(LOCALE, 'goober_ping_fail2')} {str(e)}{RESET}")
|
||||||
|
|
||||||
|
|
||||||
positive_gifs = os.getenv("POSITIVE_GIFS").split(',')
|
positive_gifs = os.getenv("POSITIVE_GIFS").split(',')
|
||||||
|
@ -265,7 +359,7 @@ positive_gifs = os.getenv("POSITIVE_GIFS").split(',')
|
||||||
def is_positive(sentence):
|
def is_positive(sentence):
|
||||||
blob = TextBlob(sentence)
|
blob = TextBlob(sentence)
|
||||||
sentiment_score = blob.sentiment.polarity
|
sentiment_score = blob.sentiment.polarity
|
||||||
print(sentiment_score)
|
print(f"{DEBUG}{get_translation(LOCALE, 'sentence_positivity')} {sentiment_score}{RESET}")
|
||||||
return sentiment_score > 0.1
|
return sentiment_score > 0.1
|
||||||
|
|
||||||
|
|
||||||
|
@ -275,7 +369,7 @@ async def send_message(ctx, message=None, embed=None, file=None, edit=False, mes
|
||||||
# Editing the existing message
|
# Editing the existing message
|
||||||
await message_reference.edit(content=message, embed=embed)
|
await message_reference.edit(content=message, embed=embed)
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
await ctx.send(f"Failed to edit message: {e}")
|
await ctx.send(f"{RED}{get_translation(LOCALE, 'edit_fail')} {e}{RESET}")
|
||||||
else:
|
else:
|
||||||
if hasattr(ctx, "respond"):
|
if hasattr(ctx, "respond"):
|
||||||
# For slash command contexts
|
# For slash command contexts
|
||||||
|
@ -297,44 +391,41 @@ async def send_message(ctx, message=None, embed=None, file=None, edit=False, mes
|
||||||
sent_message = await ctx.send(file=file)
|
sent_message = await ctx.send(file=file)
|
||||||
return sent_message
|
return sent_message
|
||||||
|
|
||||||
|
@bot.hybrid_command(description=f"{get_translation(LOCALE, 'command_desc_retrain')}")
|
||||||
|
|
||||||
|
|
||||||
@bot.hybrid_command(description="Retrains the Markov model manually.")
|
|
||||||
async def retrain(ctx):
|
async def retrain(ctx):
|
||||||
if ctx.author.id != ownerid:
|
if ctx.author.id != ownerid:
|
||||||
return
|
return
|
||||||
|
|
||||||
message_ref = await send_message(ctx, "Retraining the Markov model... Please wait.")
|
message_ref = await send_message(ctx, f"{get_translation(LOCALE, 'command_markov_retrain')}")
|
||||||
try:
|
try:
|
||||||
with open(MEMORY_FILE, 'r') as f:
|
with open(MEMORY_FILE, 'r') as f:
|
||||||
memory = json.load(f)
|
memory = json.load(f)
|
||||||
except FileNotFoundError:
|
except FileNotFoundError:
|
||||||
await send_message(ctx, "Error: memory file not found!")
|
await send_message(ctx, f"{get_translation(LOCALE, 'command_memory_not_found')}")
|
||||||
return
|
return
|
||||||
except json.JSONDecodeError:
|
except json.JSONDecodeError:
|
||||||
await send_message(ctx, "Error: memory file is corrupted!")
|
await send_message(ctx, f"{get_translation(LOCALE, 'command_memory_is_corrupt')}")
|
||||||
return
|
return
|
||||||
data_size = len(memory)
|
data_size = len(memory)
|
||||||
processed_data = 0
|
processed_data = 0
|
||||||
processing_message_ref = await send_message(ctx, f"Processing {processed_data}/{data_size} data points...")
|
processing_message_ref = await send_message(ctx, f"{get_translation(LOCALE, 'command_markov_retraining')}")
|
||||||
start_time = time.time()
|
start_time = time.time()
|
||||||
for i, data in enumerate(memory):
|
for i, data in enumerate(memory):
|
||||||
processed_data += 1
|
processed_data += 1
|
||||||
if processed_data % 1000 == 0 or processed_data == data_size:
|
if processed_data % 1000 == 0 or processed_data == data_size:
|
||||||
await send_message(ctx, f"Processing {processed_data}/{data_size} data points...", edit=True, message_reference=processing_message_ref)
|
await send_message(ctx, f"{get_translation(LOCALE, 'command_markov_retraining')}", edit=True, message_reference=processing_message_ref)
|
||||||
|
|
||||||
global markov_model
|
global markov_model
|
||||||
|
|
||||||
markov_model = train_markov_model(memory)
|
markov_model = train_markov_model(memory)
|
||||||
save_markov_model(markov_model)
|
save_markov_model(markov_model)
|
||||||
|
|
||||||
await send_message(ctx, f"Markov model retrained successfully using {data_size} data points!", edit=True, message_reference=processing_message_ref)
|
await send_message(ctx, f"{get_translation(LOCALE, 'command_markov_retrain_successful')}", edit=True, message_reference=processing_message_ref)
|
||||||
|
|
||||||
@bot.hybrid_command(description="talks n like stuf")
|
@bot.hybrid_command(description=f"{get_translation(LOCALE, 'command_desc_talk')}")
|
||||||
async def talk(ctx):
|
async def talk(ctx):
|
||||||
if not markov_model:
|
if not markov_model:
|
||||||
await send_message(ctx, "I need to learn more from messages before I can talk.")
|
await send_message(ctx, f"{get_translation(LOCALE, 'command_talk_insufficent_text')}")
|
||||||
return
|
return
|
||||||
|
|
||||||
response = None
|
response = None
|
||||||
|
@ -356,7 +447,7 @@ async def talk(ctx):
|
||||||
combined_message = coherent_response
|
combined_message = coherent_response
|
||||||
await send_message(ctx, combined_message)
|
await send_message(ctx, combined_message)
|
||||||
else:
|
else:
|
||||||
await send_message(ctx, "I have nothing to say right now!")
|
await send_message(ctx, f"{get_translation(LOCALE, 'command_talk_generation_fail')}")
|
||||||
|
|
||||||
def improve_sentence_coherence(sentence):
|
def improve_sentence_coherence(sentence):
|
||||||
|
|
||||||
|
@ -373,27 +464,27 @@ def rephrase_for_coherence(sentence):
|
||||||
bot.help_command = None
|
bot.help_command = None
|
||||||
|
|
||||||
|
|
||||||
@bot.hybrid_command(description="help")
|
@bot.hybrid_command(description=f"{get_translation(LOCALE, 'command_desc_help')}")
|
||||||
async def help(ctx):
|
async def help(ctx):
|
||||||
embed = discord.Embed(
|
embed = discord.Embed(
|
||||||
title="Bot Help",
|
title=f"{get_translation(LOCALE, 'command_help_embed_title')}",
|
||||||
description="List of commands grouped by category.",
|
description=f"{get_translation(LOCALE, 'command_help_embed_desc')}",
|
||||||
color=discord.Color.blue()
|
color=discord.Color.blue()
|
||||||
)
|
)
|
||||||
|
|
||||||
command_categories = {
|
command_categories = {
|
||||||
"General": ["mem", "talk", "about", "ping"],
|
f"{get_translation(LOCALE, 'command_help_categories_general')}": ["mem", "talk", "about", "ping"],
|
||||||
"Administration": ["stats", "retrain"]
|
f"{get_translation(LOCALE, 'command_help_categories_admin')}": ["stats", "retrain"]
|
||||||
}
|
}
|
||||||
|
|
||||||
custom_commands = []
|
custom_commands = []
|
||||||
for cog_name, cog in bot.cogs.items():
|
for cog_name, cog in bot.cogs.items():
|
||||||
for command in cog.get_commands():
|
for command in cog.get_commands():
|
||||||
if command.name not in command_categories["General"] and command.name not in command_categories["Administration"]:
|
if command.name not in command_categories[f"{get_translation(LOCALE, 'command_help_categories_general')}"] and command.name not in command_categories["Administration"]:
|
||||||
custom_commands.append(command.name)
|
custom_commands.append(command.name)
|
||||||
|
|
||||||
if custom_commands:
|
if custom_commands:
|
||||||
embed.add_field(name="Custom Commands", value="\n".join([f"{PREFIX}{command}" for command in custom_commands]), inline=False)
|
embed.add_field(name=f"{get_translation(LOCALE, 'command_help_categories_custom')}", value="\n".join([f"{PREFIX}{command}" for command in custom_commands]), inline=False)
|
||||||
|
|
||||||
for category, commands_list in command_categories.items():
|
for category, commands_list in command_categories.items():
|
||||||
commands_in_category = "\n".join([f"{PREFIX}{command}" for command in commands_list])
|
commands_in_category = "\n".join([f"{PREFIX}{command}" for command in commands_list])
|
||||||
|
@ -401,9 +492,6 @@ async def help(ctx):
|
||||||
|
|
||||||
await send_message(ctx, embed=embed)
|
await send_message(ctx, embed=embed)
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
@bot.event
|
@bot.event
|
||||||
async def on_message(message):
|
async def on_message(message):
|
||||||
global memory, markov_model, last_random_talk_time
|
global memory, markov_model, last_random_talk_time
|
||||||
|
@ -414,13 +502,8 @@ async def on_message(message):
|
||||||
if str(message.author.id) in BLACKLISTED_USERS:
|
if str(message.author.id) in BLACKLISTED_USERS:
|
||||||
return
|
return
|
||||||
|
|
||||||
random_talk_channels = [random_talk_channel_id2, random_talk_channel_id1]
|
|
||||||
cooldowns = {
|
|
||||||
random_talk_channel_id2: 1,
|
|
||||||
}
|
|
||||||
default_cooldown = 10800
|
|
||||||
|
|
||||||
if message.content.startswith((f"{PREFIX}talk", f"{PREFIX}mem", f"{PREFIX}help", f"{PREFIX}stats", f"{PREFIX}")):
|
if message.content.startswith((f"{PREFIX}talk", f"{PREFIX}mem", f"{PREFIX}help", f"{PREFIX}stats", f"{PREFIX}")):
|
||||||
|
print(f"{get_translation(LOCALE, 'command_ran').format(message=message)}")
|
||||||
await bot.process_commands(message)
|
await bot.process_commands(message)
|
||||||
return
|
return
|
||||||
|
|
||||||
|
@ -436,50 +519,10 @@ async def on_message(message):
|
||||||
memory.append(cleaned_message)
|
memory.append(cleaned_message)
|
||||||
save_memory(memory)
|
save_memory(memory)
|
||||||
|
|
||||||
|
|
||||||
cooldown_time = cooldowns.get(message.channel.id, default_cooldown)
|
|
||||||
if message.reference and message.reference.message_id:
|
|
||||||
replied_message = await message.channel.fetch_message(message.reference.message_id)
|
|
||||||
if replied_message.author == bot.user:
|
|
||||||
print("Bot is replying to a message directed at it!")
|
|
||||||
response = None
|
|
||||||
for _ in range(10):
|
|
||||||
response = markov_model.make_sentence(tries=100)
|
|
||||||
if response and response not in generated_sentences:
|
|
||||||
response = improve_sentence_coherence(response)
|
|
||||||
generated_sentences.add(response)
|
|
||||||
break
|
|
||||||
if response:
|
|
||||||
await message.channel.send(response)
|
|
||||||
return
|
|
||||||
|
|
||||||
# random chance for bot to talk
|
|
||||||
random_chance = random.randint(0, 20)
|
|
||||||
|
|
||||||
# talk randomly only in the specified channels
|
|
||||||
if message.channel.id in random_talk_channels and random_chance >= 10:
|
|
||||||
current_time = time.time()
|
|
||||||
print(f"Random chance: {random_chance}, Time passed: {current_time - last_random_talk_time}")
|
|
||||||
|
|
||||||
if current_time - last_random_talk_time >= cooldown_time:
|
|
||||||
print("Bot is talking randomly!")
|
|
||||||
last_random_talk_time = current_time
|
|
||||||
|
|
||||||
response = None
|
|
||||||
for _ in range(10):
|
|
||||||
response = markov_model.make_sentence(tries=100)
|
|
||||||
if response and response not in generated_sentences:
|
|
||||||
response = improve_sentence_coherence(response)
|
|
||||||
generated_sentences.add(response)
|
|
||||||
break
|
|
||||||
|
|
||||||
if response:
|
|
||||||
await message.channel.send(response)
|
|
||||||
|
|
||||||
# process any commands in the message
|
# process any commands in the message
|
||||||
await bot.process_commands(message)
|
await bot.process_commands(message)
|
||||||
|
|
||||||
@bot.hybrid_command(description="ping")
|
@bot.hybrid_command(description=f"{get_translation(LOCALE, 'command_desc_ping')}")
|
||||||
async def ping(ctx):
|
async def ping(ctx):
|
||||||
await ctx.defer()
|
await ctx.defer()
|
||||||
latency = round(bot.latency * 1000)
|
latency = round(bot.latency * 1000)
|
||||||
|
@ -488,34 +531,33 @@ async def ping(ctx):
|
||||||
title="Pong!!",
|
title="Pong!!",
|
||||||
description=(
|
description=(
|
||||||
f"{PING_LINE}\n"
|
f"{PING_LINE}\n"
|
||||||
f"`Bot Latency: {latency}ms`\n"
|
f"`{get_translation(LOCALE, 'command_ping_embed_desc')}: {latency}ms`\n"
|
||||||
),
|
),
|
||||||
color=discord.Color.blue()
|
color=discord.Color.blue()
|
||||||
)
|
)
|
||||||
LOLembed.set_footer(text=f"Requested by {ctx.author.name}", icon_url=ctx.author.avatar.url)
|
LOLembed.set_footer(text=f"{get_translation(LOCALE, 'command_ping_footer')} {ctx.author.name}", icon_url=ctx.author.avatar.url)
|
||||||
|
|
||||||
await ctx.send(embed=LOLembed)
|
await ctx.send(embed=LOLembed)
|
||||||
|
|
||||||
@bot.hybrid_command(description="about bot")
|
@bot.hybrid_command(description=f"{get_translation(LOCALE, 'command_about_desc')}")
|
||||||
async def about(ctx):
|
async def about(ctx):
|
||||||
print("-------UPDATING VERSION INFO-------\n\n")
|
print("-----------------------------------\n\n")
|
||||||
try:
|
try:
|
||||||
check_for_update()
|
check_for_update()
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
pass
|
pass
|
||||||
print("-----------------------------------")
|
print("-----------------------------------")
|
||||||
embed = discord.Embed(title="About me", description="", color=discord.Color.blue())
|
embed = discord.Embed(title=f"{get_translation(LOCALE, 'command_about_embed_title')}", description="", color=discord.Color.blue())
|
||||||
embed.add_field(name="Name", value=f"{NAME}", inline=False)
|
embed.add_field(name=f"{get_translation(LOCALE, 'command_about_embed_field1')}", value=f"{NAME}", inline=False)
|
||||||
embed.add_field(name="Version", value=f"Local: {local_version} \nLatest: {latest_version}", inline=False)
|
embed.add_field(name=f"{get_translation(LOCALE, 'command_about_embed_field2name')}", value=f"f{get_translation(LOCALE, 'command_about_embed_field2value').format(local_version=local_version, latest_version=latest_version)}", inline=False)
|
||||||
|
|
||||||
await send_message(ctx, embed=embed)
|
await send_message(ctx, embed=embed)
|
||||||
|
|
||||||
|
|
||||||
@bot.hybrid_command(description="stats")
|
@bot.hybrid_command(description="stats")
|
||||||
async def stats(ctx):
|
async def stats(ctx):
|
||||||
if ctx.author.id != ownerid:
|
if ctx.author.id != ownerid:
|
||||||
return
|
return
|
||||||
print("-------UPDATING VERSION INFO-------\n\n")
|
print("-----------------------------------\n\n")
|
||||||
try:
|
try:
|
||||||
check_for_update()
|
check_for_update()
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
|
@ -526,49 +568,24 @@ async def stats(ctx):
|
||||||
|
|
||||||
with open(memory_file, 'r') as file:
|
with open(memory_file, 'r') as file:
|
||||||
line_count = sum(1 for _ in file)
|
line_count = sum(1 for _ in file)
|
||||||
|
embed = discord.Embed(title=f"{get_translation(LOCALE, 'command_stats_embed_title')}", description=f"{get_translation(LOCALE, 'command_stats_embed_desc')}", color=discord.Color.blue())
|
||||||
embed = discord.Embed(title="Bot Stats", description="Data about the the bot's memory.", color=discord.Color.blue())
|
embed.add_field(name=f"{get_translation(LOCALE, 'command_stats_embed_field1name')}", value=f"{get_translation(LOCALE, 'command_stats_embed_field1value').format(file_size=file_size, line_count=line_count)}", inline=False)
|
||||||
embed.add_field(name="File Stats", value=f"Size: {file_size} bytes\nLines: {line_count}", inline=False)
|
embed.add_field(name=f"{get_translation(LOCALE, 'command_stats_embed_field2name')}", value=f"{get_translation(LOCALE, 'command_stats_embed_field2value').format(local_version=local_version, latest_version=latest_version)}", inline=False)
|
||||||
embed.add_field(name="Version", value=f"Local: {local_version} \nLatest: {latest_version}", inline=False)
|
embed.add_field(name=f"{get_translation(LOCALE, 'command_stats_embed_field3name')}", value=f"{get_translation(LOCALE, 'command_stats_embed_field3value').format(NAME=NAME, PREFIX=PREFIX, ownerid=ownerid, cooldown_time=cooldown_time, PING_LINE=PING_LINE, showmemenabled=showmemenabled, USERTRAIN_ENABLED=USERTRAIN_ENABLED, last_random_talk_time=last_random_talk_time, song=song, splashtext=splashtext)}", inline=False)
|
||||||
embed.add_field(name="Variable Info", value=f"Name: {NAME} \nPrefix: {PREFIX} \nOwner ID: {ownerid} \nCooldown: {cooldown_time} \nPing line: {PING_LINE} \nMemory Sharing Enabled: {showmemenabled} \nUser Training Enabled: {USERTRAIN_ENABLED} \nLast Random TT: {last_random_talk_time} \nSong: {song} \nSplashtext: ```{splashtext}```", inline=False)
|
|
||||||
|
|
||||||
await send_message(ctx, embed=embed)
|
await send_message(ctx, embed=embed)
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
@bot.hybrid_command()
|
@bot.hybrid_command()
|
||||||
async def mem(ctx):
|
async def mem(ctx):
|
||||||
if showmemenabled != "true":
|
if showmemenabled != "true":
|
||||||
return
|
return
|
||||||
memory = load_memory()
|
memory = load_memory()
|
||||||
memory_text = json.dumps(memory, indent=4)
|
memory_text = json.dumps(memory, indent=4)
|
||||||
|
with open(MEMORY_FILE, "r") as f:
|
||||||
if len(memory_text) > 1024:
|
await send_message(ctx, file=discord.File(f, MEMORY_FILE))
|
||||||
with open(MEMORY_FILE, "r") as f:
|
|
||||||
await send_message(ctx, file=discord.File(f, MEMORY_FILE))
|
|
||||||
else:
|
|
||||||
embed = discord.Embed(title="Memory Contents", description="The bot's memory.", color=discord.Color.blue())
|
|
||||||
embed.add_field(name="Memory Data", value=f"```json\n{memory_text}\n```", inline=False)
|
|
||||||
await send_message(ctx, embed=embed)
|
|
||||||
|
|
||||||
|
|
||||||
def improve_sentence_coherence(sentence):
|
def improve_sentence_coherence(sentence):
|
||||||
sentence = sentence.replace(" i ", " I ")
|
sentence = sentence.replace(" i ", " I ")
|
||||||
return sentence
|
return sentence
|
||||||
|
|
||||||
@tasks.loop(minutes=60)
|
|
||||||
async def post_message():
|
|
||||||
channel_id = hourlyspeak
|
|
||||||
channel = bot.get_channel(channel_id)
|
|
||||||
if channel and markov_model:
|
|
||||||
response = None
|
|
||||||
for _ in range(20):
|
|
||||||
response = markov_model.make_sentence(tries=100)
|
|
||||||
if response and response not in generated_sentences:
|
|
||||||
generated_sentences.add(response)
|
|
||||||
break
|
|
||||||
|
|
||||||
if response:
|
|
||||||
await channel.send(response)
|
|
||||||
|
|
||||||
bot.run(TOKEN)
|
bot.run(TOKEN)
|
30
config.py
30
config.py
|
@ -3,9 +3,6 @@ from dotenv import load_dotenv
|
||||||
import platform
|
import platform
|
||||||
import random
|
import random
|
||||||
|
|
||||||
def print_multicolored(text):
|
|
||||||
print(text)
|
|
||||||
|
|
||||||
load_dotenv()
|
load_dotenv()
|
||||||
VERSION_URL = "https://goober.whatdidyouexpect.eu"
|
VERSION_URL = "https://goober.whatdidyouexpect.eu"
|
||||||
UPDATE_URL = VERSION_URL+"/latest_version.json"
|
UPDATE_URL = VERSION_URL+"/latest_version.json"
|
||||||
|
@ -15,6 +12,8 @@ PREFIX = os.getenv("BOT_PREFIX")
|
||||||
hourlyspeak = int(os.getenv("hourlyspeak"))
|
hourlyspeak = int(os.getenv("hourlyspeak"))
|
||||||
PING_LINE = os.getenv("PING_LINE")
|
PING_LINE = os.getenv("PING_LINE")
|
||||||
random_talk_channel_id1 = int(os.getenv("rnd_talk_channel1"))
|
random_talk_channel_id1 = int(os.getenv("rnd_talk_channel1"))
|
||||||
|
LOCALE = os.getenv("locale")
|
||||||
|
gooberTOKEN = os.getenv("gooberTOKEN")
|
||||||
random_talk_channel_id2 = int(os.getenv("rnd_talk_channel2"))
|
random_talk_channel_id2 = int(os.getenv("rnd_talk_channel2"))
|
||||||
cooldown_time = os.getenv("cooldown")
|
cooldown_time = os.getenv("cooldown")
|
||||||
splashtext = os.getenv("splashtext")
|
splashtext = os.getenv("splashtext")
|
||||||
|
@ -36,29 +35,4 @@ GREEN = "\033[32mSuccess: "
|
||||||
YELLOW = "\033[33mWarning: "
|
YELLOW = "\033[33mWarning: "
|
||||||
DEBUG = "\033[1;30mDebug: "
|
DEBUG = "\033[1;30mDebug: "
|
||||||
RESET = "\033[0m"
|
RESET = "\033[0m"
|
||||||
multicolorsplash = False
|
|
||||||
|
|
||||||
|
|
||||||
def apply_multicolor(text, chunk_size=3):
|
|
||||||
if multicolorsplash == False:
|
|
||||||
return
|
|
||||||
colors = [
|
|
||||||
"\033[38;5;196m", # Red
|
|
||||||
"\033[38;5;202m", # Orange
|
|
||||||
"\033[38;5;220m", # Yellow
|
|
||||||
"\033[38;5;46m", # Green
|
|
||||||
"\033[38;5;21m", # Blue
|
|
||||||
"\033[38;5;93m", # Indigo
|
|
||||||
"\033[38;5;201m", # Violet
|
|
||||||
]
|
|
||||||
|
|
||||||
chunks = [text[i:i+chunk_size] for i in range(0, len(text), chunk_size)]
|
|
||||||
|
|
||||||
colored_text = ""
|
|
||||||
for chunk in chunks:
|
|
||||||
color = random.choice(colors)
|
|
||||||
colored_text += f"{color}{chunk}\033[0m"
|
|
||||||
|
|
||||||
return colored_text
|
|
||||||
splashtext = apply_multicolor(splashtext)
|
|
||||||
|
|
||||||
|
|
|
@ -12,6 +12,7 @@ showmemenabled="true"
|
||||||
NAME="an instance of goober"
|
NAME="an instance of goober"
|
||||||
locale=fi
|
locale=fi
|
||||||
ALIVEPING="true"
|
ALIVEPING="true"
|
||||||
|
gooberTOKEN=
|
||||||
song="War Without Reason"
|
song="War Without Reason"
|
||||||
POSITIVE_GIFS="https://media.discordapp.net/attachments/821047460151427135/1181371808566493184/jjpQGeno.gif, https://tenor.com/view/chill-guy-my-new-character-gif-2777893510283028272,https://tenor.com/view/goodnight-goodnight-friends-weezer-weezer-goodnight-gif-7322052181075806988"
|
POSITIVE_GIFS="https://media.discordapp.net/attachments/821047460151427135/1181371808566493184/jjpQGeno.gif, https://tenor.com/view/chill-guy-my-new-character-gif-2777893510283028272,https://tenor.com/view/goodnight-goodnight-friends-weezer-weezer-goodnight-gif-7322052181075806988"
|
||||||
splashtext="
|
splashtext="
|
78
locales/fi.json
Normal file
78
locales/fi.json
Normal file
|
@ -0,0 +1,78 @@
|
||||||
|
{
|
||||||
|
"modification_warning": "Gooberia on muokattu! Ohitetaan palvelimen tarkistus kokonaan...",
|
||||||
|
"reported_version": "Ilmoitettu versio:",
|
||||||
|
"current_hash": "Tämänhetkinen hash:",
|
||||||
|
"not_found": "ei löytynyt!",
|
||||||
|
"version_error": "Versiotietojen saanti epäonnistui.. Tilakoodi:",
|
||||||
|
"loaded_cog": "Ladatut cogit:",
|
||||||
|
"cog_fail": "Cogin lataus epäonnistui kohteelle:",
|
||||||
|
"no_model": "Olemassaolevaa markov-mallia ei löydetty. Aloitetaan alusta.",
|
||||||
|
"folder_created": "Kansio '{folder_name}' luotu.",
|
||||||
|
"folder_exists": "Kansio '{folder_name}' on jo olemassa...",
|
||||||
|
"logged_in": "Kirjauduttiin sisään käyttäjänä",
|
||||||
|
"synced_commands": "Synkronoitiin",
|
||||||
|
"synced_commands2": "komennot!",
|
||||||
|
"fail_commands_sync": "Komentojen synkronointi epäonnistui:",
|
||||||
|
"started": "Goober on käynnistynyt!",
|
||||||
|
"name_check": "Nimen saatavuuden tarkistus epäonnistui:",
|
||||||
|
"name_taken": "Nimi on jo käytössä. Valitse toinen nimi.",
|
||||||
|
"name_check2": "Virhe tapahtui nimen saatavuuden tarkistamisessa:",
|
||||||
|
"add_token": "Token: {token}\nLisää tämä .env-tiedostoosi nimellä",
|
||||||
|
"token_exists": "Token on jo olemassa .env-tiedostossa. Jatketaan määritetyllä tokenilla.",
|
||||||
|
"registration_error": "Virhe rekisteröinnissä:",
|
||||||
|
"version_backup": "Varmuuskopio luotu:",
|
||||||
|
"backup_error": "Virhe: {LOCAL_VERSION_FILE}-tiedostoa ei löytynyt varmuuskopiota varten.",
|
||||||
|
"model_loaded": "Markov-malli ladattu",
|
||||||
|
"fetch_update_fail": "Päivitystietojen hankkiminen epäonnistui.",
|
||||||
|
"invalid_server": "Virhe: Palvelin antoi virheellisen versiotietoraportin.",
|
||||||
|
"new_version": "Uusi versio saatavilla: {latest_version} (Tämänhetkinen: {local_version})",
|
||||||
|
"changelog": "Mene osoitteeseen {VERSION_URL}/goob/changes.txt katsotakseen muutoslokin\n\n",
|
||||||
|
"invalid_version": "Versio: {local_version} on virheellinen!",
|
||||||
|
"invalid_version2": "Jos tämä on tahallista, voit jättää tämän viestin huomiotta. Jos tämä ei ole tahallista, paina Y-näppäintä hankkiaksesi kelvollisen version, riippumatta Gooberin tämänhetkisestä versiosta.",
|
||||||
|
"invalid_version3": "Tämänhetkinen versio varmuuskopioidaan kohteeseen current_version.bak..",
|
||||||
|
"input": "(Y:tä tai mitä vaan muuta näppäintä jättää tämän huomioimatta....)",
|
||||||
|
"modification_ignored": "Olet muokannut",
|
||||||
|
"modification_ignored2": "IGNOREWARNING on asetettu false:ksi..",
|
||||||
|
"latest_version": "Käytät uusinta versiota:",
|
||||||
|
"latest_version2": "Tarkista {VERSION_URL}/goob/changes.txt katsotakseen muutosloki",
|
||||||
|
"pinging_disabled": "Pingaus on poistettu käytöstä! En kerro palvelimelle, että olen päällä...",
|
||||||
|
"goober_ping_success": "Lähetettiin olemassaolo ping goober centraliin!",
|
||||||
|
"goober_ping_fail": "Tiedon lähetys epäonnistui. Palvelin antoi tilakoodin:",
|
||||||
|
"goober_ping_fail2": "Tiedon lähettämisen aikana tapahtui virhe:",
|
||||||
|
"sentence_positivity": "Lauseen positiivisuus on:",
|
||||||
|
"command_edit_fail": "Viestin muokkaus epäonnistui:",
|
||||||
|
"command_desc_retrain": "Uudelleenkouluttaa markov-mallin manuaalisesti.",
|
||||||
|
"command_markov_retrain": "Uudelleenkoulutetaan markov-mallia... Odota.",
|
||||||
|
"command_markov_memory_not_found": "Virhe: muistitiedostoa ei löytynyt!",
|
||||||
|
"command_markov_memory_is_corrupt": "Virhe: muistitiedosto on korruptoitu!",
|
||||||
|
"command_markov_retraining": "Käsitellään {processed_data}/{data_size} datapisteestä...",
|
||||||
|
"command_markov_retrain_successful": "Markov-malli koulutettiin uudestaan {data_size} datapisteellä!",
|
||||||
|
"command_desc_talk":"puhuu ja sillei",
|
||||||
|
"command_talk_insufficent_text": "Minun pitää oppia lisää viesteistä ennen kun puhun.",
|
||||||
|
"command_talk_generation_fail": "Minulla ei ole mitään sanottavaa!",
|
||||||
|
"command_desc_help": "auta",
|
||||||
|
"command_help_embed_title": "Botin apu",
|
||||||
|
"command_help_embed_desc": "Komennot ryhmitelty kategorioilla",
|
||||||
|
"command_help_categories_general": "Yleiset",
|
||||||
|
"command_help_categories_admin": "Ylläpito",
|
||||||
|
"command_help_categories_custom": "Mukautetut komennot",
|
||||||
|
"command_ran": "Tietoa: {message.author.name} suoritti {message.content}",
|
||||||
|
"command_desc_ping": "ping",
|
||||||
|
"command_ping_embed_desc": "Botin viive:",
|
||||||
|
"command_ping_footer": "Pyytäjä: ",
|
||||||
|
"command_about_desc": "tietoa",
|
||||||
|
"command_about_embed_title": "Tietoa minusta",
|
||||||
|
"command_about_field1": "Nimi",
|
||||||
|
"command_about_field2name": "Versio",
|
||||||
|
"command_about_field2value": "Paikallinen: {local_version} \nUusin: {latest_version}",
|
||||||
|
"command_desc_stats": "statistiikat",
|
||||||
|
"command_stats_embed_title": "Botin statistiikat",
|
||||||
|
"command_stats_embed_desc": "Tietoa botin muistista.",
|
||||||
|
"command_stats_embed_field1name": "Tiedostostatistiikat",
|
||||||
|
"command_stats_embed_field1value": "Koko: {file_size} tavua\nLinjoja: {line_count}",
|
||||||
|
"command_stats_embed_field2name": "Versio",
|
||||||
|
"command_stats_embed_field2value": "Paikallinen: {local_version} \nUusin: {latest_version}",
|
||||||
|
"command_stats_embed_field3name": "Muuttajainformaatio",
|
||||||
|
"command_stats_embed_field3value": "Nimi: {NAME} \nEtuliite: {PREFIX} \nOmistajan ID: {ownerid} \nJäähtymisaika: {cooldown_time} \nPing-linja: {PING_LINE} \nMuistin jako päällä: {showmemenabled} \nOppiminen käyttäjistä: {USERTRAIN_ENABLED} \nViimeisin satunnainen TT: {last_random_talk_time} \nLaulu: {song} \nRoisketeksti: ```{splashtext}```"
|
||||||
|
}
|
||||||
|
|
Loading…
Add table
Add a link
Reference in a new issue