@@ -4,6 +4,12 @@ When contributing to this repository, please go through the open issues to see i
Please note we have a code of conduct, please follow it in all your interactions with the project.
Please note we have a code of conduct, please follow it in all your interactions with the project.
+If you added any Strings which are displayed at the frontend please localize them (e.g. "New String" -> {{ __('New String') }}) and run the localization string generation:
+
+```cmd
+php artisan translatable:export en
+```
+
## Pull request process
## Pull request process
1. Give your PR a good descriptive title, so we can view immediately what the PR is about.
1. Give your PR a good descriptive title, so we can view immediately what the PR is about.
ControlPanel's Dashboard is a dashboard application designed to offer clients a management tool to manage their pterodactyl servers. This dashboard comes with a credit-based billing solution that credits users hourly for each server they have and suspends them if they run out of credits.
ControlPanel's Dashboard is a dashboard application designed to offer clients a management tool to manage their pterodactyl servers. This dashboard comes with a credit-based billing solution that credits users hourly for each server they have and suspends them if they run out of credits.
This dashboard offers an easy to use and free billing solution for all starting and experienced hosting providers. This dashboard has many customization options and added discord 0auth verification to offer a solid link between your discord server and your dashboard.
This dashboard offers an easy to use and free billing solution for all starting and experienced hosting providers. This dashboard has many customization options and added discord 0auth verification to offer a solid link between your discord server and your dashboard.
- return redirect()->route('admin.servers.index')->with('error', 'An exception has occurred while trying to remove a resource "' . $e->getMessage() . '"');
+ return redirect()->route('admin.servers.index')->with('error', __('An exception has occurred while trying to remove a resource "') . $e->getMessage() . '"');
}
}
}
}
@@ -102,14 +103,15 @@ class ServerController extends Controller
* @param Server $server
* @param Server $server
* @return RedirectResponse
* @return RedirectResponse
*/
*/
- public function toggleSuspended(Server $server){
- return redirect()->route('servers.index')->with('error', 'No allocations satisfying the requirements for automatic deployment on this node were found.');
+ return redirect()->route('servers.index')->with('error', __('No allocations satisfying the requirements for automatic deployment on this node were found.'));
}
}
/**
/**
@@ -180,9 +208,9 @@ class ServerController extends Controller
- return redirect()->route('servers.index')->with('error', 'An exception has occurred while trying to remove a resource "' . $e->getMessage() . '"');
+ return redirect()->route('servers.index')->with('error', __('An exception has occurred while trying to remove a resource "') . $e->getMessage() . '"');
- if (Configuration::getValueByKey('FORCE_EMAIL_VERIFICATION', false) === 'true' && !Auth::user()->hasVerifiedEmail()) {
- return redirect()->route('profile.index')->with('error', "You are required to verify your email address before you can purchase credits.");
+ if (config('SETTINGS::USER:FORCE_EMAIL_VERIFICATION', false) === 'true' && !Auth::user()->hasVerifiedEmail()) {
+ return redirect()->route('profile.index')->with('error', __("You are required to verify your email address before you can purchase credits."));
}
}
//Required Verification for creating an server
//Required Verification for creating an server
- if (Configuration::getValueByKey('FORCE_DISCORD_VERIFICATION', false) === 'true' && !Auth::user()->discordUser) {
- return redirect()->route('profile.index')->with('error', "You are required to link your discord account before you can purchase ".CREDITS_DISPLAY_NAME.".");
+ if (config('SETTINGS::USER:FORCE_DISCORD_VERIFICATION', false) === 'true' && !Auth::user()->discordUser) {
+ return redirect()->route('profile.index')->with('error', __("You are required to link your discord account before you can purchase Credits"));
@@ -46,7 +46,7 @@ class ServerCreationError extends Notification
public function toArray($notifiable)
public function toArray($notifiable)
{
{
return [
return [
- 'title' => "Server Creation Error",
+ 'title' => __("Server Creation Error"),
'content' => "
'content' => "
<p>Hello <strong>{$this->server->User->name}</strong>, An unexpected error has occurred...</p>
<p>Hello <strong>{$this->server->User->name}</strong>, An unexpected error has occurred...</p>
<p>There was a problem creating your server on our pterodactyl panel. There are likely no allocations or rooms left on the selected node. Please contact one of our support members through our discord server to get this resolved asap!</p>
<p>There was a problem creating your server on our pterodactyl panel. There are likely no allocations or rooms left on the selected node. Please contact one of our support members through our discord server to get this resolved asap!</p>
- $AdditionalLine .= "Verifying your e-mail address will grant you ".Configuration::getValueByKey('CREDITS_REWARD_AFTER_VERIFY_EMAIL')." additional " . Configuration::getValueByKey('CREDITS_DISPLAY_NAME') . ". <br />";
- $AdditionalLine .= "Verifying your e-mail will also increase your Server Limit by " . Configuration::getValueByKey('SERVER_LIMIT_REWARD_AFTER_VERIFY_EMAIL') . ". <br />";
- $AdditionalLine .= "You can also verify your discord account to get another " . Configuration::getValueByKey('CREDITS_REWARD_AFTER_VERIFY_DISCORD') . " " . Configuration::getValueByKey('CREDITS_DISPLAY_NAME') . ". <br />";
- $AdditionalLine .= "Verifying your Discord account will also increase your Server Limit by " . Configuration::getValueByKey('SERVER_LIMIT_REWARD_AFTER_VERIFY_DISCORD') . ". <br />";
- }
+ {
- return $AdditionalLine;
+ $AdditionalLine = "";
+ if (config('SETTINGS::USER:CREDITS_REWARD_AFTER_VERIFY_EMAIL') != 0) {
+ $AdditionalLine .= "Verifying your e-mail address will grant you " . config('SETTINGS::USER:CREDITS_REWARD_AFTER_VERIFY_EMAIL') . " additional " . config('SETTINGS::SYSTEM:CREDITS_DISPLAY_NAME') . ". <br />";
+ }
+ if (config('SETTINGS::USER:SERVER_LIMIT_REWARD_AFTER_VERIFY_EMAIL') != 0) {
+ $AdditionalLine .= "Verifying your e-mail will also increase your Server Limit by " . config('SETTINGS::USER:SERVER_LIMIT_REWARD_AFTER_VERIFY_EMAIL') . ". <br />";
+ }
+ $AdditionalLine .= "<br />";
+ if (config('SETTINGS::USER:CREDITS_REWARD_AFTER_VERIFY_DISCORD') != 0) {
+ $AdditionalLine .= "You can also verify your discord account to get another " . config('SETTINGS::USER:CREDITS_REWARD_AFTER_VERIFY_DISCORD') . " " . config('SETTINGS::SYSTEM:CREDITS_DISPLAY_NAME') . ". <br />";
}
}
+ if (config('SETTINGS::USER:SERVER_LIMIT_REWARD_AFTER_VERIFY_DISCORD') != 0) {
+ $AdditionalLine .= "Verifying your Discord account will also increase your Server Limit by " . config('SETTINGS::USER:SERVER_LIMIT_REWARD_AFTER_VERIFY_DISCORD') . ". <br />";
+ }
+
+ return $AdditionalLine;
+ }
/**
/**
* Get the array representation of the notification.
* Get the array representation of the notification.
*
*
@@ -66,13 +66,13 @@ class WelcomeMessage extends Notification implements ShouldQueue
public function toArray($notifiable)
public function toArray($notifiable)
{
{
return [
return [
- 'title' => "Getting started!",
+ 'title' => __("Getting started!"),
'content' => "
'content' => "
<p>Hello <strong>{$this->user->name}</strong>, Welcome to our dashboard!</p>
<p>Hello <strong>{$this->user->name}</strong>, Welcome to our dashboard!</p>
<h5>Verification</h5>
<h5>Verification</h5>
<p>You can verify your e-mail address and link/verify your Discord account.</p>
<p>You can verify your e-mail address and link/verify your Discord account.</p>
<p>
<p>
- ".$this->AdditionalLines()."
+ ".$this->AdditionalLines()."
</p>
</p>
<h5>Information</h5>
<h5>Information</h5>
<p>This dashboard can be used to create and delete servers.<br /> These servers can be used and managed on our pterodactyl panel.<br /> If you have any questions, please join our Discord server and #create-a-ticket.</p>
<p>This dashboard can be used to create and delete servers.<br /> These servers can be used and managed on our pterodactyl panel.<br /> If you have any questions, please join our Discord server and #create-a-ticket.</p>
- 'description' => 'The minimum amount of credits the user would need to make a server.'
- ]);
-
- //purchasing
- Configuration::firstOrCreate([
- 'key' => 'SERVER_LIMIT_AFTER_IRL_PURCHASE',
- ], [
- 'value' => '10',
- 'type' => 'integer',
- 'description' => 'updates the users server limit to this amount (unless the user already has a higher server limit) after making a purchase with real money, set to 0 to ignore this.',
- ]);
-
-
- //force email and discord verification
- Configuration::firstOrCreate([
- 'key' => 'FORCE_EMAIL_VERIFICATION',
- ], [
- 'value' => 'false',
- 'type' => 'boolean',
- 'description' => 'Force an user to verify the email adress before creating a server / buying credits.'
- ]);
-
- Configuration::firstOrCreate([
- 'key' => 'FORCE_DISCORD_VERIFICATION',
- ], [
- 'value' => 'false',
- 'type' => 'boolean',
- 'description' => 'Force an user to link an Discord Account before creating a server / buying credits.'
- ]);
-
- //disable ip check on register
- Configuration::firstOrCreate([
- 'key' => 'REGISTER_IP_CHECK',
- ], [
- 'value' => 'true',
- 'type' => 'boolean',
- 'description' => 'Prevent users from making multiple accounts using the same IP address'
- ]);
-
- //per_page on allocations request
- Configuration::firstOrCreate([
- 'key' => 'ALLOCATION_LIMIT',
- ], [
- 'value' => '200',
- 'type' => 'integer',
- 'description' => 'The maximum amount of allocations to pull per node for automatic deployment, if more allocations are being used than this limit is set to, no new servers can be created!'
- ]);
-
- //credits display name
- Configuration::firstOrCreate([
- 'key' => 'CREDITS_DISPLAY_NAME',
- ], [
- 'value' => 'Credits',
- 'type' => 'string',
- 'description' => 'Set the display name of your currency :)'
- ]);
-
- //credits display name
- Configuration::firstOrCreate([
- 'key' => 'SERVER_CREATE_CHARGE_FIRST_HOUR',
- ], [
- 'value' => 'true',
- 'type' => 'boolean',
- 'description' => 'Charges the first hour worth of credits upon creating a server.'
- ]);
- //sales tax
- Configuration::firstOrCreate([
- 'key' => 'SALES_TAX',
- ], [
- 'value' => '0',
- 'type' => 'integer',
- 'description' => 'The %-value of tax that will be added to the product price on checkout'
+ 'description' => 'updates the users server limit to this amount (unless the user already has a higher server limit) after making a purchase with real money, set to 0 to ignore this.',
+ 'description' => 'Force an user to link an Discord Account before creating a server / buying credits.'
+ ]);
+
+ //disable ip check on register
+ Settings::firstOrCreate([
+ 'key' => 'SETTINGS::SYSTEM:REGISTER_IP_CHECK',
+ ], [
+ 'value' => 'true',
+ 'type' => 'boolean',
+ 'description' => 'Prevent users from making multiple accounts using the same IP address'
+ ]);
+
+ //per_page on allocations request
+ Settings::firstOrCreate([
+ 'key' => 'SETTINGS::SERVER:ALLOCATION_LIMIT',
+ ], [
+ 'value' => '200',
+ 'type' => 'integer',
+ 'description' => 'The maximum amount of allocations to pull per node for automatic deployment, if more allocations are being used than this limit is set to, no new servers can be created!'
+ "Your credit balance has been increased!": "Kredity byly připsány!",
+ "Your payment is being processed!": "Vaše platba se nyní zpracovává!",
+ "Your payment has been canceled!": "Vaše platba byla zrušena!",
+ "Payment method": "Platební metoda",
+ "Invoice": "Faktura",
+ "Product has been created!": "Balíček byl vytvořen!",
+ "Product has been removed!": "Balíček byl odstraněn!",
+ "Show": "Zobrazit",
+ "Clone": "Duplikovat",
+ "Server removed": "Server byl odstraněn",
+ "An exception has occurred while trying to remove a resource \"": "Nastala chyba při odstraňování balíčku",
+ "Server has been updated!": "Server byl aktualizován!",
+ "Unsuspend": "Zrušit pozastavení",
+ "Suspend": "Pozastavit",
+ "Icons updated!": "Ikony byly aktualizovány!",
+ "link has been created!": "užitečný odkaz byl úspěšně vytvořen!",
+ "link has been updated!": "užitečný odkaz byl aktualizován!",
+ "product has been removed!": "balíček byl odstraněn!",
+ "User does not exists on pterodactyl's panel": "Uživatel neexistuje na pterodactyl panelu",
+ "user has been removed!": "uživatel byl odstraněn!",
+ "Notification sent!": "Oznámení odesláno!",
+ "User has been updated!": "Uživatel byl aktualizován!",
+ "Login as User": "Přihlásit se jako uživatel",
+ "voucher has been created!": "poukaz byl vytvořen!",
+ "voucher has been updated!": "poukaz byl aktualizován!",
+ "voucher has been removed!": "poukaz byl odstraněn!",
+ "This voucher has reached the maximum amount of uses": "Tento poukaz dosáhl maximálního počtu použití",
+ "This voucher has expired": "Tento poukaz už není platný",
+ "You already redeemed this voucher code": "Tento poukaz už jste využil",
+ "have been added to your balance!": "bylo připsáno na váš účet!",
+ "Users": "Uživatelé",
+ "VALID": "platný",
+ "days": "dní",
+ "hours": "hodin",
+ "You ran out of Credits": "Došly Vám kredity",
+ "Profile updated": "Profil byl aktualizován",
+ "Server limit reached!": "Dosažen limit počtu serverů!",
+ "You are required to verify your email address before you can create a server.": "Pro vytvoření serveru je třeba si ověřit emailovou adresu.",
+ "You are required to link your discord account before you can create a server.": "Pro vytvoření serveru je třeba ověřit si discord účet.",
+ "Server created": "Server vytvořen",
+ "No allocations satisfying the requirements for automatic deployment on this node were found.": "Na vámi vybraném uzlu už nejsou žádné volné porty.",
+ "You are required to verify your email address before you can purchase credits.": "Pro dobití kreditu je třeba ověřit si emailovou adresu.",
+ "You are required to link your discord account before you can purchase Credits": "Pro dobití kreditu je třeba ověřit si discord účet",
+ "EXPIRED": "Po expiraci",
+ "Payment Confirmation": "Potvrzení Platby",
+ "Payment Confirmed!": "Platba proběhla v pořádku!",
+ "Your Payment was successful!": "Vaše platba proběhla úspěšně!",
+ "Hello": "Dobrý den",
+ "Your payment was processed successfully!": "Platba byla úspěšně zpracována!",
+ "Status": "Stav",
+ "Price": "Cena",
+ "Type": "Typ",
+ "Amount": "Množství",
+ "Balance": "Zůstatek",
+ "User ID": "ID uživatele",
+ "Server Creation Error": "Chyba při vytváření serveru",
+ "Your servers have been suspended!": "Vaše servery byly pozastaveny!",
+ "To automatically re-enable your server\/s, you need to purchase more credits.": "Pro opětovné spuštění vašich serverů dobijte prosím kredity.",
+ "Purchase credits": "Zakoupit kredity",
+ "If you have any questions please let us know.": "Máte-li jakékoli dotazy, dejte nám vědět.",
+ "Regards": "S pozdravem",
+ "Getting started!": "Začínáme!",
+ "Activity Logs": "Historie akcí",
+ "Dashboard": "Přehled",
+ "No recent activity from cronjobs": "Žádná nedávná aktivita cronjobů",
+ "Are cronjobs running?": "Funguje crontab?",
+ "Check the docs for it here": "Nápovědu naleznete zde",
+ "Causer": "Průvodce",
+ "Description": "Popis",
+ "Created at": "Vytvořeno",
+ "Application API": "API",
+ "Create": "Vytvořit",
+ "Memo": "Název",
+ "Submit": "Potvrdit",
+ "Create new": "Vytvořit nový",
+ "Token": "Token",
+ "Last used": "Naposledy použito",
+ "Are you sure you wish to delete?": "Opravdu si přejete odstranit?",
+ "Will hide this option from being selected": "Zabrání této možnosti aby nemohla být vybrána",
+ "Price in": "Cena v",
+ "Memory": "Paměť RAM",
+ "Cpu": "CPU",
+ "Swap": "Swap",
+ "This is what the users sees": "Toto je náhled, co uvidí zákazník",
+ "Disk": "Úložiště",
+ "Minimum": "Minimum",
+ "Setting to -1 will use the value from configuration.": "Nastavením na -1 použijete hodnotu z konfigurace.",
+ "IO": "IO",
+ "Databases": "Databáze",
+ "Backups": "Zálohy",
+ "Allocations": "Porty",
+ "Product Linking": "Propojení balíčku",
+ "Link your products to nodes and eggs to create dynamic pricing for each option": "Propojte své balíčky s uzly a distribucemi pro vytvoření cen jednotlivých kombinací",
+ "This product will only be available for these nodes": "Tento balíček bude dostupný pouze pro tyto uzly",
+ "This product will only be available for these eggs": "Tento balíček bude dostupný pouze pro tyto distribuce",
+ "Download all Invoices": "Stáhnout všechny faktury",
+ "Enter your companys name": "Zadejte název vaší společnosti",
+ "Enter your companys address": "Zadejte adresu vaší společnosti",
+ "Enter your companys phone number": "Zadejte telefon na vaši společnost",
+ "Enter your companys VAT id": "Zadejte DIČ vaší společnosti",
+ "Enter your companys email address": "Zadejte emailovou adresu na vaši společnost",
+ "Enter your companys website": "Zadejte webovou adresu vaší společnosti",
+ "Enter your custom invoice prefix": "Zadejte vlastní předčíslí faktury",
+ "Logo": "Logo",
+ "Select Invoice Logo": "Zvolte logo na faktuře",
+ "Store": "Obchod",
+ "Currency code": "Kód měny",
+ "Checkout the paypal docs to select the appropriate code": "Nahlédněte do dokumentace PayPalu pro vybrání správného kódu",
+ "Quantity": "Množství",
+ "Amount given to the user after purchasing": "Množství kreditů připsaných uživateli po zakoupení",
+ "Display": "Zobrazení",
+ "This is what the user sees at store and checkout": "Toto je náhled co uvidí zákazník v obchodu při objednávání",
+ "Adds 1000 credits to your account": "Připíše 1000 kreditů na váš účet",
+ "This is what the user sees at checkout": "Toto je náhled co uvidí zákazník při objednávání",
+ "No payment method is configured.": "Není nastavena žádná platební metoda.",
+ "To configure the payment methods, head to the .env and add the required options for your prefered payment method.": "Pro nastavení platebních metod běžte prosím do .env souboru a přidejte nutné nastavení požadované platební metody.",
+ "Useful Links": "Užitečné odkazy",
+ "Icon class name": "Jméno třídy ikony",
+ "You can find available free icons": "Dostupné ikony zdarma můžete najít",
+ "Title": "Nadpis",
+ "Link": "Odkaz",
+ "description": "popis",
+ "Icon": "Ikona",
+ "Username": "Uživatelské jméno",
+ "Email": "Email",
+ "Pterodactyl ID": "ID Pterodactylu",
+ "This ID refers to the user account created on pterodactyls panel.": "Toto ID koresponduje s účtem vytvořeným na pterodactyl panelu.",
+ "Only edit this if you know what youre doing :)": "Upravujte pouze v případě, že víte, co děláte :)",
+ "Server Limit": "Limit počtu serverů",
+ "Role": "Role",
+ " Administrator": " Správce",
+ "Client": "Zákazník",
+ "Member": "Člen",
+ "New Password": "Nové heslo",
+ "Confirm Password": "Potvrdit heslo",
+ "Notify": "Oznámit",
+ "Avatar": "Avatar",
+ "Verified": "Ověřený",
+ "Last seen": "Naposledy online",
+ "Notifications": "Oznámení",
+ "All": "Vše",
+ "Send via": "Poslat přes",
+ "Database": "Databáze",
+ "Content": "Obsah",
+ "Server limit": "Limit počtu serverů",
+ "Discord": "Discord",
+ "Usage": "Využití",
+ "IP": "IP",
+ "Vouchers": "Poukazy",
+ "Voucher details": "Podrobnosti poukazu",
+ "Summer break voucher": "Poukaz na letní prázdniny",
+ "Code": "Kód",
+ "Random": "Random",
+ "Uses": "Použití",
+ "A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Poukaz může být použit pouze jednou na uživatele. Počet použití upravuje počet různých uživatelů, kteří můžou poukaz použít.",
+ "Max": "Maximum",
+ "Expires at": "Vyprší",
+ "Used \/ Uses": "Použito",
+ "Expires": "Vyprší",
+ "Sign in to start your session": "Pro pokračování se prosím přihlašte",
+ "Password": "Heslo",
+ "Remember Me": "Zapamatovat si mě",
+ "Sign In": "Přihlásit se",
+ "Forgot Your Password?": "Zapomenuté heslo?",
+ "Register a new membership": "Zaregistrovat se",
+ "Please confirm your password before continuing.": "Před pokračováním prosím potvrďte své heslo.",
+ "You forgot your password? Here you can easily retrieve a new password.": "Zapomenuté heslo? Zde si můžete snadno vytvořit nové.",
+ "Request new password": "Zažádat o nové heslo",
+ "Login": "Přihlášení",
+ "You are only one step a way from your new password, recover your password now.": "Jste poslední krok od nového hesla. Obnovte své heslo teď.",
+ "Retype password": "Zopakovat heslo",
+ "Change password": "Změnit heslo",
+ "Register": "Registrovat",
+ "I already have a membership": "Už mám účet",
+ "Verify Your Email Address": "Ověř svou e-mailovou adresu",
+ "A fresh verification link has been sent to your email address.": "Nový ověřovací email byl odeslán na váš e-mail.",
+ "Before proceeding, please check your email for a verification link.": "Před pokračováním zkontrolujte vaši emailovou schránku a klikněte na ověřovací link.",
+ "If you did not receive the email": "Pokud vám nebyl email doručen",
+ "click here to request another": "klikněte zde pro získání nového",
+ "per month": "za měsíc",
+ "Out of Credits in": "Dostatek kreditů na",
+ "Home": "Domů",
+ "Languages": "Jazyky",
+ "See all Notifications": "Zobrazit všechna oznámení",
+ "Redeem code": "Uplatnit kód",
+ "Profile": "Profil",
+ "Log back in": "Přihlásit se zpět",
+ "Logout": "Odhlásit se",
+ "Administration": "Správa",
+ "Overview": "Přehled pro správce",
+ "Management": "Administrace",
+ "Other": "Další",
+ "Logs": "Logy",
+ "Warning!": "Varování!",
+ "You have not yet verified your email address": "Ještě nemáte ověřenou emailovou adresu",
+ "Click here to resend verification email": "Kliknutím zde odešlete nový ověřovací link",
+ "Please contact support If you didnt receive your verification email.": "Prosím kontaktujte podporu, pokud jste nedostal ověřovací email.",
+ "Thank you for your purchase!": "Děkujeme za váš nákup!",
+ "Your payment has been confirmed; Your credit balance has been updated.": "Platbaa byla úspěšná, vaše kredity byly připsány.",
+ "Thanks": "Děkujeme",
+ "Redeem voucher code": "Uplatnit kód poukazu",
+ "Close": "Zavřít",
+ "Redeem": "Uplatnit",
+ "All notifications": "Všechna oznámení",
+ "Required Email verification!": "Je potřeba mít ověřený email!",
+ "Required Discord verification!": "Je potřeba mít ověřený discord!",
+ "You have not yet verified your discord account": "Ještě nemáte ověřený discord účet",
+ "Login with discord": "Přihlásit se s Discordem",
+ "Please contact support If you face any issues.": "Prosím kontaktujte podporu pokud máte jakýkoliv problém.",
+ "Due to system settings you are required to verify your discord account!": "Kvůli systémovému nastavení je třeba ověřit si discord účet!",
+ "It looks like this hasnt been set-up correctly! Please contact support.": "Vypadá to, že je něco špatně nastaveno! Prosím kontaktujte správce.",
+ "Change Password": "Změnit heslo",
+ "Current Password": "Aktuální heslo",
+ "Link your discord account!": "Ověřte váš Discord účet!",
+ "By verifying your discord account, you receive extra Credits and increased Server amounts": "Ověřením vašeho discord účtu získáte kredity navíc a zvýšený limit počtu serverů",
+ "Login with Discord": "Přihlašte se s Discordem",
+ "You are verified!": "Jste ověřený!",
+ "Re-Sync Discord": "Aktualizovat propojení s discordem",
+ "Save Changes": "Uložit změny",
+ "Server configuration": "Konfigurace serveru",
+ "Error!": "Chyba!",
+ "Make sure to link your products to nodes and eggs.": "Nezapomeňte propojit své balíčky k uzlům a distribucím.",
+ "There has to be at least 1 valid product for server creation": "Pro vytvoření serveru musí být nastavena alespoň 1 balíček",
+ "No products available!": "Žádné dostupné balíčky!",
+ "No nodes have been linked!": "Nebyly propojeny žádné uzly!",
+ "No nests available!": "Žádný dostupný software\/hry!",
+ "No eggs have been linked!": "Nebyly nastaveny žádné distribuce!",
+ "Please select a node ...": "Prosím vyberte uzel ...",
+ "No nodes found matching current configuration": "Pro zvolenou konfiguraci nebyly nalezeny žádné uzly",
+ "Please select a resource ...": "Prosím vyberte balíček ...",
+ "No resources found matching current configuration": "Pro zvolenou konfiguraci nebyly nalezeny žádné balíčky",
+ "Please select a configuration ...": "Prosím vyberte konfiguraci ...",
+ "Not enough credits!": "Nedostatek kreditů!",
+ "Create Server": "Vytvořit server",
+ "Software": "Software",
+ "Specification": "Specifikace",
+ "Resource plan": "Balíček prosředků",
+ "RAM": "RAM",
+ "MySQL Databases": "Databáze MySQL",
+ "per Hour": "za hodinu",
+ "per Month": "za měsíc",
+ "Manage": "Spravovat",
+ "Are you sure?": "Jste si jistý?",
+ "This is an irreversible action, all files of this server will be removed.": "Tato akce je nevratná. Všechny soubory tohoto serveru budou odstraněny.",
+ "Yes, delete it!": "Ano, odstranit!",
+ "No, cancel!": "Ne, zrušit!",
+ "Canceled ...": "Zrušeno ...",
+ "Deletion has been canceled.": "Mazání bylo zrušeno.",
+ "Date": "Datum",
+ "To": "Komu",
+ "From": "Od",
+ "Pending": "Čekající",
+ "Subtotal": "Mezisoučet",
+ "Payment Methods": "Platební metody",
+ "Amount Due": "Platba ke dni",
+ "Tax": "Poplatek",
+ "Submit Payment": "Potvrdit platbu",
+ "Purchase": "Zakoupit",
+ "There are no store products!": "Nejsou dostupné žádné balíčky pro nákup kreditů!",
+ "The store is not correctly configured!": "Obchod není správně nastaven!",
+ "Serial No.": "Sériové číslo",
+ "Invoice date": "Datum fakturace",
+ "Seller": "Prodejce",
+ "Buyer": "Kupující",
+ "Address": "Adresa",
+ "VAT Code": "DIČ",
+ "Phone": "Telefon",
+ "Units": "Jednotky",
+ "Discount": "Sleva",
+ "Total discount": "Celková sleva",
+ "Taxable amount": "Zpoplatněná částka",
+ "Tax rate": "Poplatková sazba",
+ "Total taxes": "Celkem poplatek",
+ "Shipping": "Dodání",
+ "Total amount": "Celková částka",
+ "Notes": "Poznámky",
+ "Amount in words": "Celkem slovy",
+ "Please pay until": "Splatné do",
+ "Account already exists on Pterodactyl. Please contact the Support!": "Účet na Pterodaktylu již existuje. Kontaktujte prosím podporu!"
+| The following language lines contain the default error messages used by
+| the validator class. Some of these rules have multiple versions such
+| as the size rules. Feel free to tweak each of these messages here.
+|
+*/
+
+return [
+ 'accepted' => ':attribute musí být přijat.',
+ 'accepted_if' => 'The :attribute must be accepted when :other is :value.',
+ 'active_url' => ':attribute není platnou URL adresou.',
+ 'after' => ':attribute musí být datum po :date.',
+ 'after_or_equal' => ':attribute musí být datum :date nebo pozdější.',
+ 'alpha' => ':attribute může obsahovat pouze písmena.',
+ 'alpha_dash' => ':attribute může obsahovat pouze písmena, číslice, pomlčky a podtržítka. České znaky (á, é, í, ó, ú, ů, ž, š, č, ř, ď, ť, ň) nejsou podporovány.',
+ 'alpha_num' => ':attribute může obsahovat pouze písmena a číslice.',
+ 'array' => ':attribute musí být pole.',
+ 'attached' => 'Tento :attribute je již připojen.',
+ 'before' => ':attribute musí být datum před :date.',
+ 'before_or_equal' => 'Datum :attribute musí být před nebo rovno :date.',
+ 'between' => [
+ 'array' => ':attribute musí obsahovat nejméně :min a nesmí obsahovat více než :max prvků.',
+ 'file' => ':attribute musí být větší než :min a menší než :max Kilobytů.',
+ 'numeric' => ':attribute musí být hodnota mezi :min a :max.',
+ 'string' => ':attribute musí být delší než :min a kratší než :max znaků.',
+ ],
+ 'boolean' => ':attribute musí být true nebo false',
+ 'confirmed' => ':attribute nesouhlasí.',
+ 'current_password' => 'Současné heslo není spravné.',
+ 'date' => ':attribute musí být platné datum.',
+ 'date_equals' => ':attribute musí být datum shodné s :date.',
+ 'date_format' => ':attribute není platný formát data podle :format.',
+ 'declined' => 'The :attribute must be declined.',
+ 'declined_if' => 'The :attribute must be declined when :other is :value.',
+ 'different' => ':attribute a :other se musí lišit.',
+ 'digits' => ':attribute musí být :digits pozic dlouhé.',
+ 'digits_between' => ':attribute musí být dlouhé nejméně :min a nejvíce :max pozic.',
+ 'dimensions' => ':attribute má neplatné rozměry.',
+ 'distinct' => ':attribute má duplicitní hodnotu.',
+ 'email' => ':attribute není platný formát.',
+ 'ends_with' => ':attribute musí končit jednou z následujících hodnot: :values',
+ 'exists' => 'Zvolená hodnota pro :attribute není platná.',
+ 'file' => ':attribute musí být soubor.',
+ 'filled' => ':attribute musí být vyplněno.',
+ 'gt' => [
+ 'array' => 'Pole :attribute musí mít více prvků než :value.',
+ 'file' => 'Velikost souboru :attribute musí být větší než :value kB.',
+ 'numeric' => ':attribute musí být větší než :value.',
+ 'string' => 'Počet znaků :attribute musí být větší :value.',
+ ],
+ 'gte' => [
+ 'array' => 'Pole :attribute musí mít :value prvků nebo více.',
+ 'file' => 'Velikost souboru :attribute musí být větší nebo rovno :value kB.',
+ 'numeric' => ':attribute musí být větší nebo rovno :value.',
+ 'string' => 'Počet znaků :attribute musí být větší nebo rovno :value.',
+ ],
+ 'image' => ':attribute musí být obrázek.',
+ 'in' => 'Zvolená hodnota pro :attribute je neplatná.',
+ 'in_array' => ':attribute není obsažen v :other.',
+ 'integer' => ':attribute musí být celé číslo.',
+ 'ip' => ':attribute musí být platnou IP adresou.',
+ 'ipv4' => ':attribute musí být platná IPv4 adresa.',
+ 'ipv6' => ':attribute musí být platná IPv6 adresa.',
+ 'json' => ':attribute musí být platný JSON řetězec.',
+ 'lt' => [
+ 'array' => ':attribute by měl obsahovat méně než :value položek.',
+ 'file' => 'Velikost souboru :attribute musí být menší než :value kB.',
+ 'numeric' => ':attribute musí být menší než :value.',
+ 'string' => ':attribute musí obsahovat méně než :value znaků.',
+ ],
+ 'lte' => [
+ 'array' => ':attribute by měl obsahovat maximálně :value položek.',
+ 'file' => 'Velikost souboru :attribute musí být menší než :value kB.',
+ 'numeric' => ':attribute musí být menší nebo rovno než :value.',
+ 'string' => ':attribute nesmí být delší než :value znaků.',
+ ],
+ 'max' => [
+ 'array' => ':attribute nemůže obsahovat více než :max prvků.',
+ 'file' => 'Velikost souboru :attribute musí být menší než :value kB.',
+ 'numeric' => ':attribute nemůže být větší než :max.',
+ 'string' => ':attribute nemůže být delší než :max znaků.',
+ ],
+ 'mimes' => ':attribute musí být jeden z následujících datových typů :values.',
+ 'mimetypes' => ':attribute musí být jeden z následujících datových typů :values.',
+ 'min' => [
+ 'array' => ':attribute musí obsahovat více než :min prvků.',
+ 'file' => ':attribute musí být větší než :min kB.',
+ 'numeric' => ':attribute musí být větší než :min.',
+ 'string' => ':attribute musí být delší než :min znaků.',
+ ],
+ 'multiple_of' => ':attribute musí být násobkem :value',
+ 'not_in' => 'Zvolená hodnota pro :attribute je neplatná.',
+ 'not_regex' => ':attribute musí být regulární výraz.',
+ 'numeric' => ':attribute musí být číslo.',
+ 'password' => 'Heslo je nesprávné.',
+ 'present' => ':attribute musí být vyplněno.',
+ 'prohibited' => 'Pole :attribute je zakázáno.',
+ 'prohibited_if' => 'Pole :attribute je zakázáno, když je :other :value.',
+ 'prohibited_unless' => 'Pole :attribute je zakázáno, pokud není rok :other v roce :values.',
+ 'prohibits' => 'The :attribute field prohibits :other from being present.',
+ 'regex' => ':attribute nemá správný formát.',
+ 'relatable' => 'Tento :attribute nemusí být spojen s tímto zdrojem.',
+ 'required' => ':attribute musí být vyplněno.',
+ 'required_if' => ':attribute musí být vyplněno pokud :other je :value.',
+ 'required_unless' => ':attribute musí být vyplněno dokud :other je v :values.',
+ 'required_with' => ':attribute musí být vyplněno pokud :values je vyplněno.',
+ 'required_with_all' => ':attribute musí být vyplněno pokud :values je zvoleno.',
+ 'required_without' => ':attribute musí být vyplněno pokud :values není vyplněno.',
+ 'required_without_all' => ':attribute musí být vyplněno pokud není žádné z :values zvoleno.',
+ 'same' => ':attribute a :other se musí shodovat.',
+ 'size' => [
+ 'array' => ':attribute musí obsahovat právě :size prvků.',
+ 'file' => ':attribute musí mít přesně :size Kilobytů.',
+ 'numeric' => ':attribute musí být přesně :size.',
+ 'string' => ':attribute musí být přesně :size znaků dlouhý.',
+ ],
+ 'starts_with' => ':attribute musí začínat jednou z následujících hodnot: :values',
+ 'string' => ':attribute musí být řetězec znaků.',
+ 'timezone' => ':attribute musí být platná časová zóna.',
+ 'unique' => ':attribute musí být unikátní.',
+ 'uploaded' => 'Nahrávání :attribute se nezdařilo.',
+ "You are required to verify your email address before you can create a server.": "Du musst deine E-Mail verifizieren bevor du einen Server erstellen kannst",
+ "You are required to link your discord account before you can create a server.": "Du musst dein Discord verifizieren bevor du einen Server erstellen kannst",
+ "Server created": "Server erstellt!",
+ "No allocations satisfying the requirements for automatic deployment on this node were found.": "Keine automatischen Portzuweisungen für dieses Node vorhanden",
+ "You are required to verify your email address before you can purchase credits.": "Vor dem Kauf musst du deine E-Mail verifizieren",
+ "You are required to link your discord account before you can purchase Credits": "Du musst deinen Discord Account verbinden, bevor du Guthaben kaufen kannst",
+ "EXPIRED": "ABGELAUFEN",
+ "Payment Confirmation": "Zahlungsbestätigung",
+ "Payment Confirmed!": "Zahlung bestätigt!",
+ "Your Payment was successful!": "Deine Zahlung ist erfolgreich bei uns eingegangen!",
+ "Hello": "Hallo",
+ "Your payment was processed successfully!": "Deine Zahlung wurde erfolgreich verarbeitet!",
+ "Status": "Status",
+ "Price": "Preis",
+ "Type": "Typ",
+ "Amount": "Anzahl",
+ "Balance": "Stand",
+ "User ID": "User-ID",
+ "Server Creation Error": "Fehler beim erstellen des Servers",
+ "Your servers have been suspended!": "Deine Server wurden pausiert",
+ "To automatically re-enable your server\/s, you need to purchase more credits.": "Um deine Server zu reaktivieren, musst du mehr Credits kaufen!",
+ "Purchase credits": "Credits kaufen",
+ "If you have any questions please let us know.": "Solltest du weiter fragen haben, melde dich gerne beim Support!",
+ "Regards": "mit freundlichen Grüßen",
+ "Getting started!": "Den Anfang machen!",
+ "Activity Logs": "Aktivitäts logs",
+ "Dashboard": "Dashboard",
+ "No recent activity from cronjobs": "Keine neuen aktivitäten von Cronjobs",
+ "Are cronjobs running?": "Sind die Cronjobs gestartet?",
+ "Check the docs for it here": "Zur Dokumentation",
+ "Causer": "Verursacher",
+ "Description": "Beschreibung",
+ "Application API": "API",
+ "Create": "Erstellen",
+ "Memo": "Name",
+ "Submit": "Abschicken",
+ "Create new": "Neu erstellen",
+ "Token": "Token",
+ "Last used": "Zuletzt benutzt",
+ "Are you sure you wish to delete?": "Sicher, dass du dies löschen möchtest?",
+ "Download all Invoices": "Alle Rechnungen runterladen",
+ "Product Price": "Produktpreis",
+ "Tax Value": "Steuern",
+ "Tax Percentage": "Steuersatz",
+ "Total Price": "Gesamtpreis",
+ "Payment ID": "Zahlungs-ID",
+ "Payment Method": "Bezahlmethode",
+ "Products": "Produkte",
+ "Product Details": "Produktdetails",
+ "Disabled": "Deaktiviert",
+ "Will hide this option from being selected": "Wird dieses Produkt nicht zum Kauf zur Verfügung stellen",
+ "Price in": "Preis in ",
+ "Memory": "Arbeitsspeicher",
+ "Cpu": "Prozessorleistung",
+ "Swap": "Swap",
+ "This is what the users sees": "Das wird der Benutzer sehen",
+ "Disk": "Festplatte",
+ "Minimum": "Mindest",
+ "Setting to -1 will use the value from configuration.": "Benutzt den Standard, wenn der Wert auf -1 gesetzt wird",
+ "IO": "IO",
+ "Databases": "Datenbanken",
+ "Backups": "Backups",
+ "Allocations": "Port Zuweisungen",
+ "Product Linking": "Produktbeziehungen",
+ "Link your products to nodes and eggs to create dynamic pricing for each option": "Verbinde deine Produkte mit Nodes und Eggs um ein dynamisches Preismodell zu erstellen",
+ "This product will only be available for these nodes": "Dieses Produkt wurd nur für die ausgewählten Nodes verfügbar sein",
+ "This product will only be available for these eggs": "Dieses Produkt wurd nur für die ausgewählten Eggs verfügbar sein",
+ "Product": "Produkt",
+ "CPU": "CPU",
+ "Updated at": "Aktualisiert",
+ "User": "Benutzer",
+ "Config": "Konfiguration",
+ "Suspended at": "Suspendiert",
+ "Settings": "Einstellungen",
+ "The installer is not locked!": "Der Installer ist nicht gesperrt!",
+ "please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "Bitte erstellen Sie eine Datei mit dem Namen \"install.lock\" in Ihrem Dashboard-Root-Verzeichnis. Sonst werden keine Einstellungen geladen!",
+ "The fallback Language, if something goes wrong": "Die Rückfall-Sprache, falls etwas schief geht",
+ "Datable language": "Tabellensprache",
+ "The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Der Sprachcode der Tabellensprache. <br><strong>Beispiel:<\/strong> en-gb, fr_fr, de_de<br>Weitere Informationen: ",
+ "Auto-translate": "Automatisches übersetzen",
+ "If this is checked, the Dashboard will translate itself to the Clients language, if available": "Wenn dies aktiviert ist, übersetzt sich das Dashboard selbst in die Sprache des Clients, sofern diese verfügbar ist",
+ "If this is checked, Clients will have the ability to manually change their Dashboard language": "Wenn dies aktiviert ist, haben Nutzer die Möglichkeit, ihre Dashboard-Sprache manuell zu ändern",
+ "Mail Service": "E-Mail Service",
+ "The Mailer to send e-mails with": "Der Mailer zum Versenden von E-Mails",
+ "Stripe Test Secret-Key": "Stripe Test Secret-Key",
+ "Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint-Secret-Key",
+ "Payment Methods": "Zahlungsmethoden",
+ "Tax Value in %": "Steuer in %",
+ "System": "System",
+ "Register IP Check": "IP-Adressen registrierungs Prüfung",
+ "Prevent users from making multiple accounts using the same IP address.": "Verhindern Sie, dass Benutzer mehrere Konten mit derselben IP-Adresse erstellen.",
+ "Charge first hour at creation": "Berechne die erste Stunde bei Erstellung",
+ "Charges the first hour worth of credits upon creating a server.": "Rechne den ersten stündlichen Anteil direkt bei Erstellung des Servers ab.",
+ "Credits Display Name": "Credits Anzeigename",
+ "PHPMyAdmin URL": "PHPMyAdmin URL",
+ "Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Geben Sie die URL zu Ihrer PHPMyAdmin-Installation ein. <strong>Ohne abschließendendes Slash!<\/strong>",
+ "Pterodactyl URL": "Pterodactyl URL",
+ "Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Geben Sie die URL zu Ihrer Pterodactyl-Installation ein. <strong>Ohne abschließendendes Slash!<\/strong>",
+ "Pterodactyl API Key": "Pterodactyl API Key",
+ "Enter the API Key to your Pterodactyl installation.": "Geben Sie den API-Schlüssel zu Ihrer Pterodactyl-Installation ein.",
+ "The maximum amount of allocations to pull per node for automatic deployment, if more allocations are being used than this limit is set to, no new servers can be created!": "Die maximale Menge an Zuweisungen, die pro Knoten für die automatische Bereitstellung abgerufen werden können. Wenn mehr Zuweisungen verwendet werden, als dieses Limit festgelegt ist, können keine neuen Server erstellt werden!",
+ "Select panel icon": "Icon auswählen",
+ "Select panel favicon": "Favicon auswählen",
+ "Store": "Laden",
+ "Currency code": "Währungscode",
+ "Checkout the paypal docs to select the appropriate code": "Siehe Paypal für die entsprechenden Codes",
+ "Quantity": "Menge",
+ "Amount given to the user after purchasing": "Anzahl, die der User nach dem Kauf bekommt",
+ "Display": "Anzeigename",
+ "This is what the user sees at store and checkout": "Dies ist die 'Anzahl' welche der User beim Kaufen sieht",
+ "Adds 1000 credits to your account": "Fügt deinem Account 1000 Credits hinzu",
+ "This is what the user sees at checkout": "Dies ist die Beschreibung auf der Rechnung und was der Kunde beim kauf sieht",
+ "No payment method is configured.": "Zurzeit wurde keine Bezahlmethode festgelegt.",
+ "To configure the payment methods, head to the .env and add the required options for your prefered payment method.": "Öffne die .env Datei und fülle die benötigten Felder aus, um eine Bezahlmethode zu konfigurieren.",
+ "Useful Links": "Nützliche Links",
+ "Icon class name": "Icon Klassen-Name",
+ "You can find available free icons": "Hier gibt es kostenlose Icons",
+ "Title": "Titel",
+ "Link": "Link",
+ "description": "Beschreibung",
+ "Icon": "Symbol",
+ "Username": "Username",
+ "Email": "E-Mail",
+ "Pterodactyl ID": "Pterodactyl ID",
+ "This ID refers to the user account created on pterodactyls panel.": "Die ist die Pterodactyl-ID des Users",
+ "Only edit this if you know what youre doing :)": "Bearbeite dies nur, wenn du weißt, was du tust :)",
+ "A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Ein Gutschein kann von einem User nur einmal eingelöst werden. \"Benutzungen\" setzt die Anzahl an Usern die diesen Gutschein einlösen können.",
+ "Max": "Max",
+ "Expires at": "Läuft ab am",
+ "Used \/ Uses": "Benutzungen",
+ "Expires": "Ablauf",
+ "Sign in to start your session": "Melde dich an um das Dashboard zu benutzen",
+ "Password": "Passwort",
+ "Remember Me": "Login Speichern",
+ "Sign In": "Anmelden",
+ "Forgot Your Password?": "Passwort vergessen?",
+ "Register a new membership": "Neuen Account registrieren",
+ "Please confirm your password before continuing.": "Bitte bestätige dein Passwort bevor du fortfährst",
+ "You forgot your password? Here you can easily retrieve a new password.": "Passwort vergessen? Hier kannst du ganz leicht ein neues anfordern",
+ "Request new password": "Neues Passwort anfordern",
+ "Login": "Anmelden",
+ "You are only one step a way from your new password, recover your password now.": "Du bist nurnoch einen Schritt von deinem Passwort entfernt.",
+ "Retype password": "Passwort bestätigen",
+ "Change password": "Passwort ändern",
+ "Register": "Registrieren",
+ "I already have a membership": "Ich habe bereits einen Account",
+ "Verify Your Email Address": "Bestätige deine E-Mail Adresse",
+ "A fresh verification link has been sent to your email address.": "Dir wurde ein neuer Verifizierungslink zugeschickt",
+ "Before proceeding, please check your email for a verification link.": "Bitte überprüfe dein E-Mail Postfach nach einem Verifizierungslink",
+ "If you did not receive the email": "Solltest du keine E-Mail erhalten haben",
+ "click here to request another": "Klicke hier um eine neue zu erhalten",
+ "per month": "pro Monat",
+ "Out of Credits in": "Keine :credits mehr in",
+ "Home": "Startseite",
+ "Language": "Sprache",
+ "See all Notifications": "Alle Nachrichten anzeigen",
+ "Redeem code": "Code einlösen",
+ "Profile": "Profil",
+ "Log back in": "Zurück anmelden",
+ "Logout": "Abmelden",
+ "Administration": "Administration",
+ "Overview": "Übersicht",
+ "Management": "Management",
+ "Other": "Anderes",
+ "Logs": "Logs",
+ "Warning!": "Warnung!",
+ "You have not yet verified your email address": "Deine E-Mail Adresse ist nicht bestätigt",
+ "Click here to resend verification email": "Klicke hier, um eine neue Bestätigungsmail zu senden",
+ "Please contact support If you didnt receive your verification email.": "Wende dich an den Kundensupport wenn du keine E-Mail erhalten hast",
+ "Thank you for your purchase!": "Vielen Dank für deinen Einkauf!",
+ "Your payment has been confirmed; Your credit balance has been updated.": "Deine Zahlung wurde bestätigt und deine Credits angepasst",
+ "You have not yet verified your discord account": "Du hast deinen Discord Account noch nicht bestätigt",
+ "Login with discord": "Mit discord anmelden",
+ "Please contact support If you face any issues.": "Melde dich beim Support, solltest du Probleme haben",
+ "Due to system settings you are required to verify your discord account!": "Um das System zu benutzten, musst du deinen Discord Account bestätigen",
+ "It looks like this hasnt been set-up correctly! Please contact support.": "Es scheint so, als wäre dies nicht richtig Konfiguriert. Bitte melde dich beim Support",
+ "Change Password": "Passwort ändern",
+ "Current Password": "Momentanes Passwort",
+ "Link your discord account!": "Discord Account verbinden!",
+ "By verifying your discord account, you receive extra Credits and increased Server amounts": "Wenn du deinen Discordaccount verifizierst, bekommst du extra Credits und ein erhöhtes Server Limit",
+ "Login with Discord": "Mit Discord anmelden",
+ "You are verified!": "Du bist verifiziert!",
+ "Re-Sync Discord": "Resync Discord",
+ "Save Changes": "Änderungen speichern",
+ "Server configuration": "Server Konfiguration",
+ "Make sure to link your products to nodes and eggs.": "Stelle sicher, dass deine Produkte mit Nodes und Eggs verknüpft sind",
+ "There has to be at least 1 valid product for server creation": "Es muss mindestens 1 aktives Produkt erstellt sein, bevor ein Server erstellt wird",
+ "Sync now": "Jetzt synchronisieren",
+ "No products available!": "Keine Produkte verfügbar!",
+ "No nodes have been linked!": "Es wurde keine Nodes verknüpft",
+ "No nests available!": "Keine Nests verfügbar",
+ "No eggs have been linked!": "Es wurde keine Eggs verknüpft",
+ "Please select a node ...": "Bitte Node auswählen",
+ "No nodes found matching current configuration": "Kein Node passt zur momentanen Konfiguration",
+ "Please select a resource ...": "Wähle eine Ressource aus...",
+ "No resources found matching current configuration": "Keine Ressource passt zur momentanen Konfiguration",
+ "Please select a configuration ...": "Konfiguration Auswählen!",
+ "Not enough credits!": "Nicht genug Credits!",
+ "Create Server": "Server erstellen",
+ "Software": "Software",
+ "Specification": "Spezifikationen",
+ "Resource plan": "Ressourcenplan",
+ "RAM": "RAM",
+ "MySQL Databases": "MySQL Datenbank",
+ "per Hour": "pro Stunde",
+ "per Month": "pro Monat",
+ "Manage": "Verwalten",
+ "Are you sure?": "Sind Sie sicher?",
+ "This is an irreversible action, all files of this server will be removed.": "Dies kann nicht rückgängig gemacht werden. Alle Serverdaten werden gelöscht.",
+ "Yes, delete it!": "Ja, löschen!",
+ "No, cancel!": "Abbrechen",
+ "Canceled ...": "Abgebrochen...",
+ "Deletion has been canceled.": "Löschen abgebrochen.",
+ "Date": "Datum",
+ "Subtotal": "Zwischensumme",
+ "Amount Due": "Fälliger Betrag",
+ "Tax": "Steuer",
+ "Submit Payment": "Zahlung bestätigen",
+ "Purchase": "Kaufen",
+ "There are no store products!": "Es gibt keine Produkte",
+ "The store is not correctly configured!": "Der Laden wurde nicht richtig konfiguriert",
+ "Images and Icons may be cached, reload without cache to see your changes appear": "Bilder und Icons können zwischengespeichert werden, laden Sie sie ohne Cache neu, um zu sehen, wie Ihre Änderungen angezeigt werden (STRG + F5)",
+ "Enter your companys name": "Geben Sie Ihren Firmennamen ein",
+ "Enter your companys address": "Geben Sie die Adresse Ihrer Firma ein",
+ "Enter your companys phone number": "Geben Sie die Telefonnummer Ihrer Firma ein",
+ "Enter your companys VAT id": "Geben Sie die Umsatzsteuer-Identifikationsnummer Ihrer Firma ein",
+ "Enter your companys email address": "Geben Sie die E-Mail-Adresse Ihrer Firma ein",
+ "Enter your companys website": "Geben Sie die Website Ihrer Firma ein",
+ "Enter your custom invoice prefix": "Geben Sie Ihr benutzerdefiniertes Rechnungspräfix ein",
+ "The Language of the Datatables. Grab the Language-Codes from here": "Die Sprache der Datentabellen. Holen Sie sich die Sprach-codes von hier",
+ "Let the Client change the Language": "Lassen Sie den Nutzer die Sprache ändern",
+ "You are required to verify your email address before you can create a server.": "You are required to verify your email address before you can create a server.",
+ "You are required to link your discord account before you can create a server.": "You are required to link your discord account before you can create a server.",
+ "Server created": "Server created",
+ "No allocations satisfying the requirements for automatic deployment on this node were found.": "No allocations satisfying the requirements for automatic deployment on this node were found.",
+ "You are required to verify your email address before you can purchase credits.": "You are required to verify your email address before you can purchase credits.",
+ "You are required to link your discord account before you can purchase Credits": "You are required to link your discord account before you can purchase Credits",
+ "EXPIRED": "EXPIRED",
+ "Payment Confirmation": "Payment Confirmation",
+ "Payment Confirmed!": "Payment Confirmed!",
+ "Your Payment was successful!": "Your Payment was successful!",
+ "Hello": "Hello",
+ "Your payment was processed successfully!": "Your payment was processed successfully!",
+ "Your servers have been suspended!": "Your servers have been suspended!",
+ "To automatically re-enable your server\/s, you need to purchase more credits.": "To automatically re-enable your server\/s, you need to purchase more credits.",
+ "Purchase credits": "Purchase credits",
+ "If you have any questions please let us know.": "If you have any questions please let us know.",
+ "Regards": "Regards",
+ "Getting started!": "Getting started!",
+ "Activity Logs": "Activity Logs",
+ "Dashboard": "Dashboard",
+ "No recent activity from cronjobs": "No recent activity from cronjobs",
+ "Check the docs for it here": "Check the docs for it here",
+ "Causer": "Causer",
+ "Description": "Description",
+ "Application API": "Application API",
+ "Create": "Create",
+ "Memo": "Memo",
+ "Submit": "Submit",
+ "Create new": "Create new",
+ "Token": "Token",
+ "Last used": "Last used",
+ "Are you sure you wish to delete?": "Are you sure you wish to delete?",
+ "Nests": "Nests",
+ "Sync": "Sync",
+ "Active": "Active",
+ "ID": "ID",
+ "eggs": "eggs",
+ "Name": "Name",
+ "Nodes": "Nodes",
+ "Location": "Location",
+ "Admin Overview": "Admin Overview",
+ "Support server": "Support server",
+ "Documentation": "Documentation",
+ "Github": "Github",
+ "Support ControlPanel": "Support ControlPanel",
+ "Servers": "Servers",
+ "Total": "Total",
+ "Payments": "Payments",
+ "Pterodactyl": "Pterodactyl",
+ "Resources": "Resources",
+ "Count": "Count",
+ "Locations": "Locations",
+ "Eggs": "Eggs",
+ "Last updated :date": "Last updated :date",
+ "Download all Invoices": "Download all Invoices",
+ "Product Price": "Product Price",
+ "Tax Value": "Tax Value",
+ "Tax Percentage": "Tax Percentage",
+ "Total Price": "Total Price",
+ "Payment ID": "Payment ID",
+ "Payment Method": "Payment Method",
+ "Products": "Products",
+ "Product Details": "Product Details",
+ "Disabled": "Disabled",
+ "Will hide this option from being selected": "Will hide this option from being selected",
+ "Price in": "Price in",
+ "Memory": "Memory",
+ "Cpu": "Cpu",
+ "Swap": "Swap",
+ "This is what the users sees": "This is what the users sees",
+ "Disk": "Disk",
+ "Minimum": "Minimum",
+ "Setting to -1 will use the value from configuration.": "Setting to -1 will use the value from configuration.",
+ "IO": "IO",
+ "Databases": "Databases",
+ "Backups": "Backups",
+ "Allocations": "Allocations",
+ "Product Linking": "Product Linking",
+ "Link your products to nodes and eggs to create dynamic pricing for each option": "Link your products to nodes and eggs to create dynamic pricing for each option",
+ "This product will only be available for these nodes": "This product will only be available for these nodes",
+ "This product will only be available for these eggs": "This product will only be available for these eggs",
+ "Product": "Product",
+ "CPU": "CPU",
+ "Updated at": "Updated at",
+ "User": "User",
+ "Config": "Config",
+ "Suspended at": "Suspended at",
+ "Settings": "Settings",
+ "The installer is not locked!": "The installer is not locked!",
+ "please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!",
+ "The fallback Language, if something goes wrong": "The fallback Language, if something goes wrong",
+ "Datable language": "Datable language",
+ "The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ",
+ "Auto-translate": "Auto-translate",
+ "If this is checked, the Dashboard will translate itself to the Clients language, if available": "If this is checked, the Dashboard will translate itself to the Clients language, if available",
+ "If this is checked, Clients will have the ability to manually change their Dashboard language": "If this is checked, Clients will have the ability to manually change their Dashboard language",
+ "Mail Service": "Mail Service",
+ "The Mailer to send e-mails with": "The Mailer to send e-mails with",
+ "Stripe Test Secret-Key": "Stripe Test Secret-Key",
+ "Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint-Secret-Key",
+ "Payment Methods": "Payment Methods",
+ "Tax Value in %": "Tax Value in %",
+ "System": "System",
+ "Register IP Check": "Register IP Check",
+ "Prevent users from making multiple accounts using the same IP address.": "Prevent users from making multiple accounts using the same IP address.",
+ "Charge first hour at creation": "Charge first hour at creation",
+ "Charges the first hour worth of credits upon creating a server.": "Charges the first hour worth of credits upon creating a server.",
+ "Credits Display Name": "Credits Display Name",
+ "PHPMyAdmin URL": "PHPMyAdmin URL",
+ "Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>",
+ "Pterodactyl URL": "Pterodactyl URL",
+ "Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>",
+ "Pterodactyl API Key": "Pterodactyl API Key",
+ "Enter the API Key to your Pterodactyl installation.": "Enter the API Key to your Pterodactyl installation.",
+ "The maximum amount of allocations to pull per node for automatic deployment, if more allocations are being used than this limit is set to, no new servers can be created!": "The maximum amount of allocations to pull per node for automatic deployment, if more allocations are being used than this limit is set to, no new servers can be created!",
+ "Select panel icon": "Select panel icon",
+ "Select panel favicon": "Select panel favicon",
+ "Store": "Store",
+ "Currency code": "Currency code",
+ "Checkout the paypal docs to select the appropriate code": "Checkout the paypal docs to select the appropriate code",
+ "Quantity": "Quantity",
+ "Amount given to the user after purchasing": "Amount given to the user after purchasing",
+ "Display": "Display",
+ "This is what the user sees at store and checkout": "This is what the user sees at store and checkout",
+ "Adds 1000 credits to your account": "Adds 1000 credits to your account",
+ "This is what the user sees at checkout": "This is what the user sees at checkout",
+ "No payment method is configured.": "No payment method is configured.",
+ "To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.",
+ "Useful Links": "Useful Links",
+ "Icon class name": "Icon class name",
+ "You can find available free icons": "You can find available free icons",
+ "Title": "Title",
+ "Link": "Link",
+ "description": "description",
+ "Icon": "Icon",
+ "Username": "Username",
+ "Email": "Email",
+ "Pterodactyl ID": "Pterodactyl ID",
+ "This ID refers to the user account created on pterodactyls panel.": "This ID refers to the user account created on pterodactyls panel.",
+ "Only edit this if you know what youre doing :)": "Only edit this if you know what youre doing :)",
+ "Server Limit": "Server Limit",
+ "Role": "Role",
+ " Administrator": " Administrator",
+ "Client": "Client",
+ "Member": "Member",
+ "New Password": "New Password",
+ "Confirm Password": "Confirm Password",
+ "Notify": "Notify",
+ "Avatar": "Avatar",
+ "Verified": "Verified",
+ "Last seen": "Last seen",
+ "Notifications": "Notifications",
+ "All": "All",
+ "Send via": "Send via",
+ "Database": "Database",
+ "Content": "Content",
+ "Server limit": "Server limit",
+ "Discord": "Discord",
+ "Usage": "Usage",
+ "IP": "IP",
+ "Vouchers": "Vouchers",
+ "Voucher details": "Voucher details",
+ "Summer break voucher": "Summer break voucher",
+ "Code": "Code",
+ "Random": "Random",
+ "Uses": "Uses",
+ "A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.",
+ "Max": "Max",
+ "Expires at": "Expires at",
+ "Used \/ Uses": "Used \/ Uses",
+ "Expires": "Expires",
+ "Sign in to start your session": "Sign in to start your session",
+ "Password": "Password",
+ "Remember Me": "Remember Me",
+ "Sign In": "Sign In",
+ "Forgot Your Password?": "Forgot Your Password?",
+ "Register a new membership": "Register a new membership",
+ "Please confirm your password before continuing.": "Please confirm your password before continuing.",
+ "You forgot your password? Here you can easily retrieve a new password.": "You forgot your password? Here you can easily retrieve a new password.",
+ "Request new password": "Request new password",
+ "Login": "Login",
+ "You are only one step a way from your new password, recover your password now.": "You are only one step a way from your new password, recover your password now.",
+ "Retype password": "Retype password",
+ "Change password": "Change password",
+ "Register": "Register",
+ "I already have a membership": "I already have a membership",
+ "Verify Your Email Address": "Verify Your Email Address",
+ "A fresh verification link has been sent to your email address.": "A fresh verification link has been sent to your email address.",
+ "Before proceeding, please check your email for a verification link.": "Before proceeding, please check your email for a verification link.",
+ "If you did not receive the email": "If you did not receive the email",
+ "click here to request another": "click here to request another",
+ "per month": "per month",
+ "Out of Credits in": "Out of Credits in",
+ "Home": "Home",
+ "Language": "Language",
+ "See all Notifications": "See all Notifications",
+ "Redeem code": "Redeem code",
+ "Profile": "Profile",
+ "Log back in": "Log back in",
+ "Logout": "Logout",
+ "Administration": "Administration",
+ "Overview": "Overview",
+ "Management": "Management",
+ "Other": "Other",
+ "Logs": "Logs",
+ "Warning!": "Warning!",
+ "You have not yet verified your email address": "You have not yet verified your email address",
+ "Click here to resend verification email": "Click here to resend verification email",
+ "Please contact support If you didnt receive your verification email.": "Please contact support If you didnt receive your verification email.",
+ "Thank you for your purchase!": "Thank you for your purchase!",
+ "Your payment has been confirmed; Your credit balance has been updated.": "Your payment has been confirmed; Your credit balance has been updated.",
+ "You have not yet verified your discord account": "You have not yet verified your discord account",
+ "Login with discord": "Login with discord",
+ "Please contact support If you face any issues.": "Please contact support If you face any issues.",
+ "Due to system settings you are required to verify your discord account!": "Due to system settings you are required to verify your discord account!",
+ "It looks like this hasnt been set-up correctly! Please contact support.": "It looks like this hasnt been set-up correctly! Please contact support.",
+ "Change Password": "Change Password",
+ "Current Password": "Current Password",
+ "Link your discord account!": "Link your discord account!",
+ "By verifying your discord account, you receive extra Credits and increased Server amounts": "By verifying your discord account, you receive extra Credits and increased Server amounts",
+ "Login with Discord": "Login with Discord",
+ "You are verified!": "You are verified!",
+ "Re-Sync Discord": "Re-Sync Discord",
+ "Save Changes": "Save Changes",
+ "Server configuration": "Server configuration",
+ "Make sure to link your products to nodes and eggs.": "Make sure to link your products to nodes and eggs.",
+ "There has to be at least 1 valid product for server creation": "There has to be at least 1 valid product for server creation",
+ "Sync now": "Sync now",
+ "No products available!": "No products available!",
+ "No nodes have been linked!": "No nodes have been linked!",
+ "No nests available!": "No nests available!",
+ "No eggs have been linked!": "No eggs have been linked!",
+ "Please select a node ...": "Please select a node ...",
+ "No nodes found matching current configuration": "No nodes found matching current configuration",
+ "Please select a resource ...": "Please select a resource ...",
+ "No resources found matching current configuration": "No resources found matching current configuration",
+ "Please select a configuration ...": "Please select a configuration ...",
+ "Not enough credits!": "Not enough credits!",
+ "Create Server": "Create Server",
+ "Software": "Software",
+ "Specification": "Specification",
+ "Resource plan": "Resource plan",
+ "RAM": "RAM",
+ "MySQL Databases": "MySQL Databases",
+ "per Hour": "per Hour",
+ "per Month": "per Month",
+ "Manage": "Manage",
+ "Are you sure?": "Are you sure?",
+ "This is an irreversible action, all files of this server will be removed.": "This is an irreversible action, all files of this server will be removed.",
+ "Yes, delete it!": "Yes, delete it!",
+ "No, cancel!": "No, cancel!",
+ "Canceled ...": "Canceled ...",
+ "Deletion has been canceled.": "Deletion has been canceled.",
+ "Date": "Date",
+ "Subtotal": "Subtotal",
+ "Amount Due": "Amount Due",
+ "Tax": "Tax",
+ "Submit Payment": "Submit Payment",
+ "Purchase": "Purchase",
+ "There are no store products!": "There are no store products!",
+ "The store is not correctly configured!": "The store is not correctly configured!",
+ "Serial No.": "Serial No.",
+ "Invoice date": "Invoice date",
+ "Seller": "Seller",
+ "Buyer": "Buyer",
+ "Address": "Address",
+ "VAT Code": "VAT Code",
+ "Phone": "Phone",
+ "Units": "Units",
+ "Discount": "Discount",
+ "Total discount": "Total discount",
+ "Taxable amount": "Taxable amount",
+ "Tax rate": "Tax rate",
+ "Total taxes": "Total taxes",
+ "Shipping": "Shipping",
+ "Total amount": "Total amount",
+ "Notes": "Notes",
+ "Amount in words": "Amount in words",
+ "Please pay until": "Please pay until",
+ "Key": "Key",
+ "Value": "Value",
+ "Edit Configuration": "Edit Configuration",
+ "Text Field": "Text Field",
+ "Cancel": "Cancel",
+ "Save": "Save",
+ "Select panel icon": "Select panel icon",
+ "Select panel favicon": "Select panel favicon",
+ "Images and Icons may be cached, reload without cache to see your changes appear": "Images and Icons may be cached, reload without cache to see your changes appear",
+ "Enter your companys name": "Enter your companys name",
+ "Enter your companys address": "Enter your companys address",
+ "Enter your companys phone number": "Enter your companys phone number",
+ "Enter your companys VAT id": "Enter your companys VAT id",
+ "Enter your companys email address": "Enter your companys email address",
+ "Enter your companys website": "Enter your companys website",
+ "Enter your custom invoice prefix": "Enter your custom invoice prefix",
+ "The Language of the Datatables. Grab the Language-Codes from here": "The Language of the Datatables. Grab the Language-Codes from here",
+ "Let the Client change the Language": "Let the Client change the Language",
+ "Your credit balance has been increased!": "¡Su saldo de crédito ha aumentado!",
+ "Your payment is being processed!": "¡Tu pago está siendo procesado!",
+ "Your payment has been canceled!": "¡Tu pago ha sido cancelado!",
+ "Payment method": "Método de pago",
+ "Invoice": "Factura",
+ "Download": "Descargar",
+ "Product has been created!": "¡El producto ha sido creado!",
+ "Product has been removed!": "¡El producto ha sido eliminado!",
+ "Show": "Mostrar",
+ "Clone": "Clonar",
+ "Server removed": "Servidor eliminado",
+ "An exception has occurred while trying to remove a resource \"": "Se produjo una excepción al intentar eliminar un recurso \"",
+ "Server has been updated!": "¡El servidor ha sido actualizado!",
+ "Unsuspend": "Quitar suspensión",
+ "Suspend": "Suspender",
+ "configuration has been updated!": "¡La configuración ha sido actualizada!",
+ "link has been created!": "¡Se ha creado el enlace!",
+ "link has been updated!": "¡El enlace ha sido actualizado!",
+ "product has been removed!": "¡El producto ha sido eliminado!",
+ "User does not exists on pterodactyl's panel": "El usuario no existe en el panel pterodactyl",
+ "user has been removed!": "¡El usuario ha sido eliminado!",
+ "Notification sent!": "¡Notificación enviada!",
+ "User has been updated!": "¡El usuario ha sido actualizado!",
+ "Login as User": "Iniciar sesión como usuario",
+ "voucher has been created!": "¡Se a creado un cupón!",
+ "voucher has been updated!": "¡El cupón ha sido actualizado!",
+ "voucher has been removed!": "¡El cupón a sido eliminado!",
+ "This voucher has reached the maximum amount of uses": "Este cupón ha alcanzado la cantidad máxima de usos",
+ "This voucher has expired": "Este cupón a expirado",
+ "You already redeemed this voucher code": "Ya has usado este cupón",
+ "have been added to your balance!": "se han añadido a tu saldo!",
+ "Users": "Usuarios",
+ "VALID": "VÁLIDO",
+ "Account already exists on Pterodactyl. Please contact the Support!": "La cuenta ya existe en Pterodactyl. ¡Póngase en contacto con el soporte!",
+ "days": "días",
+ "hours": "horas",
+ "You ran out of Credits": "Te has quedado sin créditos",
+ "Profile updated": "Perfil actualizado",
+ "Server limit reached!": "¡Se alcanzó el límite de servidores!",
+ "You are required to verify your email address before you can create a server.": "Debe verificar su dirección de correo electrónico antes de poder crear un servidor.",
+ "You are required to link your discord account before you can create a server.": "Debe vincular su cuenta de discord antes de poder crear un servidor.",
+ "Server created": "Servidor creado",
+ "No allocations satisfying the requirements for automatic deployment on this node were found.": "No se encontraron asignaciones que satisfagan los requisitos para la implementación automática en este nodo.",
+ "You are required to verify your email address before you can purchase credits.": "Debes de verificar tu dirección de correo electrónico antes de poder comprar créditos.",
+ "You are required to link your discord account before you can purchase Credits": "Debe vincular su cuenta de discord antes de poder comprar Créditos",
+ "EXPIRED": "CADUCADO",
+ "Payment Confirmation": "Confirmación de Pago",
+ "Payment Confirmed!": "¡Pago Confirmado!",
+ "Your Payment was successful!": "¡El pago se ha realizado correctamente!",
+ "Hello": "Hola",
+ "Your payment was processed successfully!": "¡Su pago se procesó correctamente!",
+ "Status": "Estado",
+ "Price": "Precio",
+ "Type": "Tipo",
+ "Amount": "Cantidad",
+ "Balance": "Saldo",
+ "User ID": "ID Usuario",
+ "Server Creation Error": "Error de creación del servidor",
+ "Your servers have been suspended!": "¡Sus servidores han sido suspendidos!",
+ "To automatically re-enable your server\/s, you need to purchase more credits.": "Para volver a habilitar automáticamente sus servidores, debe comprar más créditos.",
+ "Purchase credits": "Comprar Créditos",
+ "If you have any questions please let us know.": "Si tienes más preguntas, por favor háznoslas saber.",
+ "Regards": "Atentamente",
+ "Getting started!": "¡Empezando!",
+ "Activity Logs": "Registros de Actividad",
+ "Dashboard": "Panel de control",
+ "No recent activity from cronjobs": "No hay actividad reciente de cronjobs",
+ "Are cronjobs running?": "¿Se están ejecutando los cronjobs?",
+ "Check the docs for it here": "Consulte la documentación aquí",
+ "Causer": "Causantes",
+ "Description": "Descripción",
+ "Application API": "Aplicación API",
+ "Create": "Crear",
+ "Memo": "Memo",
+ "Submit": "Enviar",
+ "Create new": "Crear nuevo",
+ "Token": "Token",
+ "Last used": "Último Uso",
+ "Are you sure you wish to delete?": "¿Está seguro que desea borrarlo?",
+ "Download all Invoices": "Descargar todas las facturas",
+ "Product Price": "Precio del producto",
+ "Tax Value": "Valor Impuestos",
+ "Tax Percentage": "Porcentaje Impuestos",
+ "Total Price": "Precio Total",
+ "Payment ID": "ID del pago",
+ "Payment Method": "Método de Pago",
+ "Products": "Productos",
+ "Product Details": "Detalles del Producto",
+ "Disabled": "Deshabilitado",
+ "Will hide this option from being selected": "Ocultará esta opción para que no se seleccione",
+ "Price in": "Precio en",
+ "Memory": "Ram",
+ "Cpu": "Cpu",
+ "Swap": "Swap",
+ "This is what the users sees": "Esto es lo que ven los usuarios",
+ "Disk": "Disco",
+ "Minimum": "Mínimo",
+ "Setting to -1 will use the value from configuration.": "Si se establece en -1, se utilizará el valor de la configuración.",
+ "IO": "IO",
+ "Databases": "Bases de Datos",
+ "Backups": "Copias de Seguridad",
+ "Allocations": "Asignaciones",
+ "Product Linking": "Vinculación de Productos",
+ "Link your products to nodes and eggs to create dynamic pricing for each option": "Vincula tus productos a nodos y huevos para crear precios dinámicos para cada opción",
+ "This product will only be available for these nodes": "Este producto solo está disponible para estos nodos",
+ "This product will only be available for these eggs": "Este producto solo esta disponible para estos huevos",
+ "Product": "Producto",
+ "CPU": "CPU",
+ "Updated at": "Última Actualización",
+ "User": "Usuario",
+ "Config": "Configuración",
+ "Suspended at": "Suspendido en",
+ "Settings": "Configuraciones",
+ "The installer is not locked!": "¡El instalador no está bloqueado!",
+ "please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "cree un archivo llamado \"install.lock\" en el directorio Raíz de su tablero. ¡De lo contrario, no se cargará ninguna configuración!",
+ "or click here": "o haga clic aquí",
+ "Company Name": "Nombre Empresa",
+ "Company Adress": "Dirección de la Empresa",
+ "Company Phonenumber": "Número de teléfono de la empresa",
+ "VAT ID": "ID de IVA",
+ "Company E-Mail Adress": "Dirección de correo electrónico de la empresa",
+ "Company Website": "Página Web de la empresa",
+ "Invoice Prefix": "Prefijo de factura",
+ "Enable Invoices": "Habilitar facturas",
+ "Logo": "Logo",
+ "Select Invoice Logo": "Seleccione el logotipo de la factura",
+ "Available languages": "Idiomas disponibles",
+ "Default language": "Idioma predeterminado",
+ "The fallback Language, if something goes wrong": "El lenguaje alternativo, si algo sale mal",
+ "Datable language": "Lenguaje de tabla de datos",
+ "The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "El código de idioma de las tablas de datos. <br><strong>Ejemplo:<\/strong> en-gb, fr_fr, de_de<br>Más información: ",
+ "Auto-translate": "Traducir automáticamente",
+ "If this is checked, the Dashboard will translate itself to the Clients language, if available": "Si está marcado, el Tablero se traducirá solo al idioma del Cliente, si está disponible",
+ "Client Language-Switch": "Cambio de idioma del cliente",
+ "If this is checked, Clients will have the ability to manually change their Dashboard language": "Si esto está marcado, los Clientes tendrán la capacidad de cambiar manualmente el idioma de su Panel de Control",
+ "Mail Service": "Servicio de correo",
+ "The Mailer to send e-mails with": "El Mailer para enviar correos electrónicos con",
+ "Mail Host": "Host del correo",
+ "Mail Port": "Puerto del correo",
+ "Mail Username": "Nombre de usuario del correo",
+ "Stripe Test Secret-Key": "Stripe Test Clave-Secreta",
+ "Stripe Test Endpoint-Secret-Key": "Stripe Test Extremo-Clave-Secreta",
+ "Payment Methods": "Métodos de Pago",
+ "Tax Value in %": "Valor Impuestos en %",
+ "System": "Sistema",
+ "Register IP Check": "Registrar comprobación de IP",
+ "Prevent users from making multiple accounts using the same IP address.": "Evite que los usuarios creen varias cuentas con la misma dirección IP.",
+ "Charge first hour at creation": "Carga la primera hora en la creación",
+ "Charges the first hour worth of credits upon creating a server.": "Carga la primera hora de créditos al crear un servidor.",
+ "Credits Display Name": "Nombre de los Créditos para mostrar",
+ "PHPMyAdmin URL": "PHPMyAdmin URL",
+ "Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Ingrese la URL de su instalación de PHPMyAdmin. <strong>¡Sin una barra diagonal final!<\/strong>",
+ "Pterodactyl URL": "Pterodactyl URL",
+ "Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Introduzca la URL de su instalación de Pterodactyl. <strong>¡Sin una barra diagonal final!<\/strong>",
+ "Pterodactyl API Key": "Pterodactyl API Key",
+ "Enter the API Key to your Pterodactyl installation.": "Ingrese la API Key para su instalación de Pterodactyl.",
+ "Force Discord verification": "Forzar verificación de Discord",
+ "Force E-Mail verification": "Forzar verificación de E-Mail",
+ "Initial Credits": "Créditos Iniciales",
+ "Initial Server Limit": "Límite inicial de servidor",
+ "Credits Reward Amount - Discord": "Cantidad de recompensa de créditos - Discord",
+ "Credits Reward Amount - E-Mail": "Cantidad de recompensa de créditos: E-Mail",
+ "Server Limit Increase - Discord": "Aumento del límite de servidor - Discord",
+ "Server Limit Increase - E-Mail": "Aumento del límite de servidor: E-Mail",
+ "Server": "Servidor",
+ "Server Allocation Limit": "Límite de asignación del servidor",
+ "The maximum amount of allocations to pull per node for automatic deployment, if more allocations are being used than this limit is set to, no new servers can be created!": "La cantidad máxima de asignaciones para extraer por nodo para la implementación automática, si se utilizan más asignaciones que las establecidas en este límite, ¡no se pueden crear nuevos servidores!",
+ "Select panel icon": "Seleccionar icono de panel",
+ "Select panel favicon": "Seleccionar favicon del panel",
+ "Store": "Tienda",
+ "Currency code": "Código de divisa\/moneda",
+ "Checkout the paypal docs to select the appropriate code": "Consulte los documentos de PayPal para seleccionar el código apropiado",
+ "Quantity": "Cantidad",
+ "Amount given to the user after purchasing": "Importe dado al usuario después de la compra",
+ "Display": "Mostrar",
+ "This is what the user sees at store and checkout": "Esto es lo que ve el usuario en la tienda y al finalizar la compra",
+ "Adds 1000 credits to your account": "Agrega 1000 créditos a su cuenta",
+ "This is what the user sees at checkout": "Esto es lo que ve el usuario al finalizar la compra",
+ "No payment method is configured.": "No hay ningún método de pago configurado.",
+ "To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.",
+ "Useful Links": "Enlaces útiles",
+ "Icon class name": "Nombre de la clase de icono",
+ "You can find available free icons": "Puedes encontrar iconos gratuitos disponibles",
+ "Title": "Titulo",
+ "Link": "Enlace",
+ "description": "descripción",
+ "Icon": "Icono",
+ "Username": "Nombre de usuario",
+ "Email": "Email",
+ "Pterodactyl ID": "Pterodactyl ID",
+ "This ID refers to the user account created on pterodactyls panel.": "Esta ID se refiere a la cuenta de usuario creada en el panel de pterodactyl.",
+ "Only edit this if you know what youre doing :)": "Edite esto solo si sabe lo que está haciendo :)",
+ "Server Limit": "Limite Servidor",
+ "Role": "Rol",
+ " Administrator": " Administrador",
+ "Client": "Cliente",
+ "Member": "Miembro",
+ "New Password": "Nueva Contraseña",
+ "Confirm Password": "Confirmar Contraseña",
+ "Notify": "Notificar",
+ "Avatar": "Avatar",
+ "Verified": "Verificado",
+ "Last seen": "Visto por ùltima vez",
+ "Notifications": "Notificaciones",
+ "All": "Todos",
+ "Send via": "Enviar vía",
+ "Database": "Base de Datos",
+ "Content": "Contenido",
+ "Server limit": "Limite Servidores",
+ "Discord": "Discord",
+ "Usage": "Uso",
+ "IP": "IP",
+ "Vouchers": "Descuentos",
+ "Voucher details": "Detalles del vale",
+ "Summer break voucher": "Descuento de vacaciones de verano",
+ "Code": "Código",
+ "Random": "Aleatorio",
+ "Uses": "Usos",
+ "A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "El descuento solo se puede utilizar una vez por usuario. Los usos especifica el número de usuarios diferentes que pueden utilizar este cupón.",
+ "Max": "Máx",
+ "Expires at": "Expira el",
+ "Used \/ Uses": "Uso \/ Usos",
+ "Expires": "Expira",
+ "Sign in to start your session": "Iniciar sesión para comenzar",
+ "Password": "Contraseña",
+ "Remember Me": "Recuérdame",
+ "Sign In": "Iniciar sesión",
+ "Forgot Your Password?": "¿Olvidó su contraseña?",
+ "Register a new membership": "Registrar un nuevo miembro",
+ "Please confirm your password before continuing.": "Por favor confirme su contraseña antes de continuar.",
+ "You forgot your password? Here you can easily retrieve a new password.": "¿Olvidaste tu contraseña? Aquí puede recuperar fácilmente una nueva contraseña.",
+ "Request new password": "Solicitar nueva contraseña",
+ "Login": "Iniciar sesión",
+ "You are only one step a way from your new password, recover your password now.": "Está a solo un paso de su nueva contraseña, recupere su contraseña ahora.",
+ "Retype password": "Vuelva a escribir la contraseña",
+ "Change password": "Cambiar contraseña",
+ "Register": "Registrar",
+ "I already have a membership": "Ya soy miembro",
+ "Verify Your Email Address": "Verifica Tu Email",
+ "A fresh verification link has been sent to your email address.": "Se ha enviado un nuevo enlace de verificación a su correo electrónico.",
+ "Before proceeding, please check your email for a verification link.": "Antes de continuar, por favor, confirme su correo electrónico con el enlace de verificación que le fue enviado.",
+ "If you did not receive the email": "Si no ha recibido el correo electrónico",
+ "click here to request another": "haga clic aquí para solicitar otro",
+ "per month": "al mes",
+ "Out of Credits in": "Sin créditos en",
+ "Home": "Inicio",
+ "Language": "Idioma",
+ "See all Notifications": "Ver todas las notificaciones",
+ "Redeem code": "Canjear código",
+ "Profile": "Perfil",
+ "Log back in": "Volver a iniciar sesión",
+ "Logout": "Cerrar sesión",
+ "Administration": "Administración",
+ "Overview": "Resumen",
+ "Management": "Gestión",
+ "Other": "Otro",
+ "Logs": "Logs",
+ "Warning!": "¡Advertencia!",
+ "You have not yet verified your email address": "No has verificado tu correo electrónico",
+ "Click here to resend verification email": "Haz click aquí para reenviar tu correo electrónico de activación",
+ "Please contact support If you didnt receive your verification email.": "Contacte con el soporte si no recibió su correo electrónico de verificación.",
+ "Thank you for your purchase!": "¡Gracias por su compra!",
+ "Your payment has been confirmed; Your credit balance has been updated.": "Su pago ha sido confirmado; Se actualizó su saldo de crédito.",
+ "Thanks": "Gracias",
+ "Redeem voucher code": "Canjear código de descuento",
+ "Close": "Cerrar",
+ "Redeem": "Canjear",
+ "All notifications": "Todas las notificaciones",
+ "Required Email verification!": "¡Se requiere verificación de correo electrónico!",
+ "Required Discord verification!": "¡Se requiere verificación de Discord!",
+ "You have not yet verified your discord account": "Aún no has verificado tu cuenta de discord",
+ "Login with discord": "Acceder con Discord",
+ "Please contact support If you face any issues.": "Póngase en contacto con soporte si tiene algún problema.",
+ "Due to system settings you are required to verify your discord account!": "¡Debido a la configuración del sistema, debe verificar su cuenta de discord!",
+ "It looks like this hasnt been set-up correctly! Please contact support.": "¡Parece que esto no se ha configurado correctamente! Comuníquese con el soporte.",
+ "Change Password": "Cambiar Contraseña",
+ "Current Password": "Contraseña Actual",
+ "Link your discord account!": "¡Vincular tu cuenta de Discord!",
+ "By verifying your discord account, you receive extra Credits and increased Server amounts": "Al verificar su cuenta de discord, recibe créditos adicionales y aumenta su limite de cantidad de servidores",
+ "Login with Discord": "Iniciar sesión con Discord",
+ "You are verified!": "¡Estás verificado!",
+ "Re-Sync Discord": "Re-Sincronizar Discord",
+ "Save Changes": "Guardar Cambios",
+ "Server configuration": "Configuración del servidor",
+ "Make sure to link your products to nodes and eggs.": "Asegúrese de vincular sus productos a nodos y huevos.",
+ "There has to be at least 1 valid product for server creation": "Tiene que haber al menos 1 producto válido para la creación del servidor",
+ "Sync now": "Sincronizar ahora",
+ "No products available!": "¡No hay productos disponibles!",
+ "No nodes have been linked!": "¡No se han vinculado nodos!",
+ "No nests available!": "¡No hay nidos disponibles!",
+ "No eggs have been linked!": "¡No se han vinculado huevos!",
+ "Software \/ Games": "Software \/ Juegos",
+ "Please select software ...": "Seleccione el software...",
+ "---": "---",
+ "Specification ": "Especificación ",
+ "Node": "Nodo",
+ "Resource Data:": "Datos de recursos:",
+ "vCores": "vCores",
+ "MB": "MB",
+ "MySQL": "MySQL",
+ "ports": "puertos",
+ "Not enough": "No es suficiente",
+ "Create server": "Crear Servidor",
+ "Please select a node ...": "Por favor, seleccione un nodo...",
+ "No nodes found matching current configuration": "No se encontraron nodos que coincidan con la configuración actual",
+ "Please select a resource ...": "Por favor, seleccione un recurso ...",
+ "No resources found matching current configuration": "No se encontraron recursos que coincidan con la configuración actual",
+ "Please select a configuration ...": "Por favor elija su configuración...",
+ "Not enough credits!": "¡No tiene suficientes créditos!",
+ "Create Server": "Crear Servidor",
+ "Software": "Software",
+ "Specification": "Especificaciones",
+ "Resource plan": "Plan de recursos",
+ "RAM": "RAM",
+ "MySQL Databases": "Bases de datos MySQL",
+ "per Hour": "por Hora",
+ "per Month": "por Mes",
+ "Manage": "Gestionar",
+ "Are you sure?": "¿Estas seguro?",
+ "This is an irreversible action, all files of this server will be removed.": "Esta es una acción irreversible, se eliminarán todos los archivos de este servidor.",
+ "Yes, delete it!": "Si, borralo",
+ "No, cancel!": "No, cancelar",
+ "Canceled ...": "Cancelado ...",
+ "Deletion has been canceled.": "Se canceló la eliminación.",
+ "Date": "Fecha",
+ "Subtotal": "Subtotal",
+ "Amount Due": "Cantidad Adeudada",
+ "Tax": "Impuesto",
+ "Submit Payment": "Proceder al Pago",
+ "Purchase": "Comprar",
+ "There are no store products!": "¡No hay productos de la tienda!",
+ "The store is not correctly configured!": "¡La tienda no está configurada correctamente!",
+ "Serial No.": "Nº Serie.",
+ "Invoice date": "Fecha de Factura",
+ "Seller": "Vendedor",
+ "Buyer": "Comprador",
+ "Address": "Dirección",
+ "VAT Code": "Código de IVA",
+ "Phone": "Teléfono",
+ "Units": "Unidades",
+ "Discount": "Descuento",
+ "Total discount": "Descuento total",
+ "Taxable amount": "Base imponible",
+ "Tax rate": "Tasa de impuestos",
+ "Total taxes": "Total de impuestos",
+ "Shipping": "Envío",
+ "Total amount": "Cantidad total",
+ "Notes": "Notas",
+ "Amount in words": "Cantidad en palabras",
+ "Please pay until": "Por favor pague hasta",
+ "Key": "Clave",
+ "Value": "Valor",
+ "Edit Configuration": "Editar Configuración",
+ "Text Field": "Campo de texto",
+ "Cancel": "Cancelar",
+ "Save": "Guardar",
+ "Images and Icons may be cached, reload without cache to see your changes appear": "Las imágenes y los íconos pueden almacenarse en caché, vuelva a cargar sin caché para ver sus cambios",
+ "Enter your companys name": "Introduce el nombre de tu empresa",
+ "Enter your companys address": "Ingrese la dirección de su empresa",
+ "Enter your companys phone number": "Ingrese el número de teléfono de su empresa",
+ "Enter your companys VAT id": "Ingrese el ID de IVA de su empresa",
+ "Enter your companys email address": "Ingrese la dirección de correo electrónico de su empresa",
+ "Enter your companys website": "Ingresa la web de tu empresa",
+ "Enter your custom invoice prefix": "Ingrese su prefijo de factura personalizado",
+ "The Language of the Datatables. Grab the Language-Codes from here": "El lenguaje de las tablas de datos. Coge los códigos de idioma de aquí",
+ "Let the Client change the Language": "Dejar que el cliente cambie el idioma",
+ "No recent activity from cronjobs": "Aucune activité récente de cronjobs",
+ "Check the docs for it here": "Consultez la documentation ici",
+ "Are cronjobs running?": "Les tâches cron sont-elles en cours d'exécution ?",
+ "Causer": "Cause",
+ "Description": "Description",
+ "Created at": "Créé à",
+ "Edit Configuration": "Modifier la configuration",
+ "Text Field": "Champ de texte",
+ "Cancel": "Annuler",
+ "Close": "Fermer",
+ "Save": "Sauvegarder",
+ "true": "vrai",
+ "false": "faux",
+ "Configurations": "Configuration",
+ "Dashboard": "Tableau de bord",
+ "Key": "Clé",
+ "Value": "Valeur",
+ "Type": "Type",
+ "Admin Overview": "Vue administrateur",
+ "Support server": "Serveur de support",
+ "Documentation": "Documentation",
+ "Github": "Github",
+ "Support ControlPanel": "ControlPanel Support",
+ "Servers": "Serveurs",
+ "Users": "Utilisateurs",
+ "Total": "Total",
+ "Payments": "Paiments",
+ "Pterodactyl": "Pterodactyl",
+ "Sync": "Synchroniser",
+ "Resources": "Ressources",
+ "Count": "Nombre",
+ "Locations": "Emplacements",
+ "Node": "Node",
+ "Nodes": "Nœuds",
+ "Nests": "Nids",
+ "Eggs": "Œufs",
+ "Last updated :date": "Dernière mise à jour",
+ "Purchase": "Acheter",
+ "ID": "IDENTIFIANT",
+ "User": "Utilisateur",
+ "Amount": "Montant ",
+ "Product Price": "Prix du produit",
+ "Tax": "Tva & autres taxes",
+ "Total Price": "Prix total",
+ "Payment_ID": "ID_PAIEMENT",
+ "Payer_ID": "Payer_ID",
+ "Product": "Article",
+ "Products": "Produits",
+ "Create": "Créer",
+ "Product Details": "Détails du produit",
+ "Server Details": "Détails du serveur",
+ "Product Linking": "Lien du produit",
+ "Name": "Nom",
+ "Price in": "Prix en",
+ "Memory": "Mémoire",
+ "Cpu": "Cpu",
+ "Swap": "Swap",
+ "Disk": "Disque",
+ "Minimum": "Minimum",
+ "IO": "IO",
+ "Databases": "Bases de données",
+ "Database": "Base de donnée",
+ "Backups": "Sauvegardes",
+ "Allocations": "Allocations",
+ "Disabled": "Désactivé",
+ "Submit": "Valider",
+ "This product will only be available for these nodes": "Ce produit est uniquement disponible pour cette node",
+ "This product will only be available for these eggs": "Ce produit n'est pas disponible pour cet eggs",
+ "Will hide this option from being selected": "Cachera cette option",
+ "Link your products to nodes and eggs to create dynamic pricing for each option": "Liez vos produits à des nodes et des eggs pour créer une tarification dynamique pour chaque option",
+ "Setting to -1 will use the value from configuration.": "Le réglage à -1 utilisera la valeur de la configuration.",
+ "This is what the users sees": "C'est ce que voient les utilisateurs",
+ "Edit": "Modifier",
+ "Price": "Prix",
+ "Are you sure you wish to delete?": "Êtes-vous sûr de vouloir supprimer ?",
+ "Create new": "Créer nouveau",
+ "Show": "Voir",
+ "Updated at": "Mis à jour le",
+ "Suspended at": "Suspendus le",
+ "Settings": "Paramètres",
+ "Dashboard icons": "Icônes du tableau de bord",
+ "Select panel icon": "Sélectionner l'icône du panel",
+ "Select panel favicon": "Sélectionner le favicon du panel",
+ "Token": "Token",
+ "Last used": "Dernière utilisation",
+ "Store": "Boutique",
+ "Currency code": "Code de devise",
+ "Checkout the paypal docs to select the appropriate code": "Vérifiez la doc de paypal pour sélectionner le code approprié",
+ "Quantity": "Quantité",
+ "Amount given to the user after purchasing": "Montant donné à l'utilisateur après l'achat",
+ "Display": "Affichage",
+ "This is what the user sees at store and checkout": "C'est ce que l'utilisateur voit dans la boutique et au moment de payé",
+ "This is what the user sees at checkout": "C'est ce que l'utilisateur voit dans au moment de payé",
+ "Adds 1000 credits to your account": "Ajoute 1000 crédits à votre compte",
+ "Active": "Actif",
+ "Paypal is not configured.": "Paypal n'est pas configuré.",
+ "To configure PayPal, head to the .env and add your PayPal’s client id and secret.": "Pour configurer PayPal, rendez-vous sur le fichier .env et ajoutez votre identifiant \"client id\" PayPal et votre \"client id secret\".",
+ "Useful Links": "Liens Utiles",
+ "Icon class name": "Nom de la classe de l'icône",
+ "You can find available free icons": "Vous pouvez trouver des icônes gratuites",
+ "Title": "Titre",
+ "Link": "Lien",
+ "Username": "Nom d'utilisateur",
+ "Email": "Adresse email",
+ "Pterodactly ID": "ID Pterodactyl",
+ "Server Limit": "Limite Serveur",
+ "Role": "Rôle",
+ "Administrator": "Administrateur",
+ "Client": "Client",
+ "Member": "Membre",
+ "New Password": "Nouveau mot de passe",
+ "Confirm Password": "Confirmez le mot de passe",
+ "This ID refers to the user account created on pterodactyls panel.": "Cet identifiant fait référence au compte utilisateur créé sur le panel Pterodactyl.",
+ "Only edit this if you know what youre doing :)": "Ne l'activez que si vous savez ce que vous faites.",
+ "Verified": "Verifié",
+ "Last seen": "Etait ici",
+ "Notify": "Notifier",
+ "All": "Tout",
+ "Send via": "Envoyer via",
+ "Content": "Contenu",
+ "Notifications": "Notifications",
+ "Usage": "Utilisation",
+ "Config": "Configuration",
+ "Vouchers": "Coupons",
+ "Voucher details": "Détails du bon de réduction",
+ "Memo": "Mémo",
+ "Code": "Code",
+ "Uses": "Utilisations",
+ "Expires at": "Expire à",
+ "Max": "Max",
+ "Random": "Aléatoire",
+ "Status": "Statut",
+ "Used / Uses": "Utilisé / Utilisations",
+ "Expires": "Expire",
+ "Please confirm your password before continuing.": "Veuillez confirmer votre mot de passe avant de continuer.",
+ "Password": "Mot de passe",
+ "Forgot Your Password?": "Mot de passe oublié ?",
+ "Sign in to start your session": "Identifiez-vous pour commencer votre session",
+ "Remember Me": "Se souvenir de moi",
+ "Sign In": "S'enregistrer",
+ "Register a new membership": "Enregistrer un nouveau membre",
+ "You forgot your password? Here you can easily retrieve a new password.": "Tu as oublie ton mot de passe ? Ici tu peux facilement le changé.",
+ "Request new password": "Changer son mot de passe",
+ "Login": "Connexion",
+ "You are only one step a way from your new password, recover your password now.": "Vous n'êtes qu'à une étape de votre nouveau mot de passe, récupérez votre mot de passe maintenant.",
+ "Retype password": "Retapez le mot de passe",
+ "Change password": "Changer le mot de passe",
+ "I already have a membership": "Je possède déjà un compte",
+ "Register": "Inscription",
+ "Verify Your Email Address": "Vérifiez votre adresse email",
+ "A fresh verification link has been sent to your email address.": "Un nouveau lien de vérification a été envoyé à votre adresse email.",
+ "Before proceeding, please check your email for a verification link.": "Avant de continuer, veuillez vérifier vos emails, vous devriez avoir reçu un lien de vérification.",
+ "If you did not receive the email": "Si vous ne recevez pas l'e-mail",
+ "click here to request another": "cliquez ici pour faire une nouvelle demande",
+ "Home": "Accueil",
+ "Languages": "Langues",
+ "See all Notifications": "Voir toutes les notifications",
+ "Profile": "Profil",
+ "Log back in": "Reconnectez-vous",
+ "Logout": "Déconnexion",
+ "Administration": "Administration",
+ "Overview": "Récapitulatif",
+ "Application API": "Application API",
+ "Management": "Gestion",
+ "Other": "Autre",
+ "Logs": "Logs",
+ "Redeem code": "Utiliser un code",
+ "You have not yet verified your email address": "Vous n'avez pas vérifiez votre adresse mail",
+ "Click here to resend verification email": "Cliquez ici pour renvoyer un mail de confirmation",
+ "Please contact support If you didnt receive your verification email.": "Veuillez contacter le support si vous n'avez pas reçu votre e-mail de vérification.",
+ "Thank you for your purchase!": "Merci pour votre achat !",
+ "Your payment has been confirmed; Your credit balance has been updated.": "Votre paiement à été accepter, Vos crédits son maintenant disponible sur votre compte.",
+ "Payment ID": "ID du paiement",
+ "Balance": "Solde",
+ "User ID": "ID d'utilisateur",
+ "Thanks": "Merci",
+ "Redeem voucher code": "Utiliser le code",
+ "Redeem": "Appliquer",
+ "All notifications": "Toutes les notifications",
+ "Required Email verification!": "La vérification du mail est requise !",
+ "Required Discord verification!": "Vérification de votre discord est requise !",
+ "You have not yet verified your discord account": "Vous n'avez pas vérifiez votre compte discord",
+ "Login with discord": "Se connecter avec Discord",
+ "Please contact support If you face any issues.": "Veuillez contacter le support si vous rencontrez des problèmes.",
+ "Due to system settings you are required to verify your discord account!": "En raison des paramètres système, vous devez vérifier votre compte Discord !",
+ "It looks like this hasnt been set-up correctly! Please contact support.": "Il semble que cela n'a pas été configuré correctement ! Veuillez contacter le support.",
+ "Change Password": "Modifier le mot de passe",
+ "Current Password": "Mot de passe actuel",
+ "Save Changes": "Sauvegarder les modifications",
+ "Re-Sync Discord": "Resynchroniser Discord",
+ "You are verified!": "Vous êtes vérifié !",
+ "By verifying your discord account, you receive extra Credits and increased Server amounts": "En vérifiant votre compte discord, vous recevez des crédits supplémentaires et la possibilité d'avoir plus de serveur",
+ "Server configuration": "Configuration du serveur",
+ "Error!": "Erreur !",
+ "Make sure to link your products to nodes and eggs.": "Assurez-vous de lier vos produits aux nodes aux eggs.",
+ "There has to be at least 1 valid product for server creation": "Il doit y avoir au moins 1 produit valide pour la création de serveur",
+ "No products available!": "Aucun produit disponible !",
+ "No nodes have been linked!": "Aucune node n'a été lié !",
+ "No nests available!": "Aucun nests disponible !",
+ "No eggs have been linked!": "Aucun eggs n'a été lié !",
+ "Not enough credits!": "Pas assez de crédits !",
+ "Please select a configuration ...": "Veuillez sélectionner une configuration...",
+ "No resources found matching current configuration": "Aucune ressources trouvée pour la configuration actuelle",
+ "No nodes found matching current configuration": "Aucune node trouvée pour la configuration actuelle",
+ "Please select a node ...": "Veuillez sélectionner une node...",
+ "Create server": "Créer le serveur",
+ "Use your servers on our": "Utilisez vos serveurs sur notre",
+ "pterodactyl panel": "panel pterodactyl",
+ "Server limit reached!": "Limite de serveurs atteinte !",
+ "Create Server": "Créer le serveur",
+ "Manage": "Gérer",
+ "Delete server": "Supprimer le serveur",
+ "Price per Hour": "Prix par heure",
+ "Price per Month": "Prix par Mois",
+ "Date": "Date",
+ "To": "À",
+ "From": "De",
+ "Pending": "En attente",
+ "Subtotal": "Sous-total",
+ "Submit Payment": "Soumettre le Paiement",
+ "Payment Methods": "Moyens de paiement",
+ "By purchasing this product you agree and accept our terms of service": "En achetant ce produit, vous acceptez et acceptez nos conditions d'utilisation",
+ "There are no store products!": "Il n'y a plus de produits dans la boutique !",
+ "The store is not correctly configured!": "La boutique n'est pas configurée correctement !",
+ "Out of Credits in": "Hors crédits dans",
+ "days": "jours",
+ "hours": "heures",
+ "You ran out of Credits": "Vous n’avez plus de crédits",
+ "Profile updated": "Profil mis à jour",
+ "You are required to verify your email address before you can create a server.": "Vous devez vérifier votre email avant de pouvoir créer un serveur.",
+ "You are required to link your discord account before you can create a server.": "Vous devez vérifier votre discord avant de pouvoir créer un serveur.",
+ "No allocations satisfying the requirements for automatic deployment on this node were found.": "Aucune allocation répondant aux exigences de déploiement automatique sur cette node n'a été trouvée.",
+ "Server removed": "Serveur supprimé",
+ "Server created": "Serveur créé",
+ "An exception has occurred while trying to remove a resource \"": "Une erreur s'est produite en essayant de supprimer la ressource",
+ "You are required to verify your email address before you can purchase credits.": "Vous devez vérifier votre email avant de pouvoir acheter des crédits.",
+ "You are required to link your discord account before you can purchase ": "Vous devez vérifier votre compte discord avant de pouvoir acheter des crédits ",
+ "Warning!": "Attention !",
+ "api key created!": "La clé Api a été créée !",
+ "api key updated!": "La clé Api a été modifiée !",
+ "api key has been removed!": "La clé Api a été supprimée !",
+ "configuration has been updated!": "la configuration a été mise à jour!",
+ "Your credit balance has been increased!": "Votre solde a été augmenté !",
+ "Payment was Canceled": "Le paiement a été annulé",
+ "Store item has been created!": "L'article de la boutique a été créé !",
+ "Store item has been updated!": "L'article de la boutique a été mis à jour !",
+ "Product has been updated!": "Produit mis à jour !",
+ "Store item has been removed!": "L'article de la boutique a été supprimé !",
+ "Product has been created!": "Produit a été créé !",
+ "Product has been removed!": "Produit a été supprimé !",
+ "Server has been updated!": "Le serveur à été mis à jour !",
+ "Icons updated!": "Icône mise à jour !",
+ "link has been created!": "Le lien à été créé !",
+ "link has been updated!": "Le lien à été mis à jour !",
+ "user has been removed!": "L'utilisateur a été supprimé !",
+ "Notification sent!": "Notification envoyée !",
+ "User has been updated!": "L'utilisateur a été mis à jour !",
+ "User does not exists on pterodactyl's panel": "L'utilisateur n'existe pas sur le panel pterodactyl",
+ "voucher has been created!": "Le code à été créé !",
+ "voucher has been updated!": "Le code à été mis à jour !",
+ "voucher has been removed!": "Le code à été supprimé !",
+ "This voucher has reached the maximum amount of uses": "Ce code a atteint le nombre maximum d'utilisations",
+ "This voucher has expired": "Ce code de réduction a expiré",
+ "You already redeemed this voucher code": "Vous avez déjà utilisé ce code promotionnel",
+ "You can't redeem this voucher because you would exceed the limit of ": "Vous ne pouvez pas utiliser ce bon car vous dépasseriez la limite de ",
+ "have been added to your balance!": "ont été ajoutés à votre solde !",
+ "Invoice": "Facture",
+ "Serial No.": "N° de série",
+ "Invoice date": "Date de la facture",
+ "Seller": "Vendeur",
+ "Buyer": "Acheteur",
+ "Address": "Adresse",
+ "VAT code": "Taux TVA",
+ "Phone": "Téléphone",
+ "Units": "Unités",
+ "Qty": "Qté",
+ "Discount": "Remise",
+ "Sub total": "Sous-total",
+ "Total discount": "Total des réductions",
+ "Taxable amount": "Montant taxable",
+ "Total taxes": "Total des taxes",
+ "Tax rate": "Taux de taxes",
+ "Total amount": "Montant total",
+ "Please pay until": "Veuillez payer avant",
+ "Amount in words": "Montant en toutes lettres",
+ "Notes": "Notes",
+ "Shipping": "Expédition",
+ "Paid": "Payé",
+ "Due:": "Du:",
+ "Invoice Settings": "Paramètres de facturation",
+ "Download all Invoices": "Télécharger toutes les factures",
+ "Enter your companys name": "Entrez le nom de votre entreprise",
+ "Enter your companys address": "Entrez l'adresse de votre entreprise",
+ "Enter your companys phone number": "Entrez le numéro de téléphone de votre entreprise",
+ "Enter your companys VAT id": "Entrez le site internet de votre entreprise",
+ "Enter your companys email address": "Entrez l'adresse mail de votre entreprise",
+ "Enter your companys website": "Entrez le site internet de votre entreprise",
+ "Enter your custom invoice prefix": "Entrez votre préfixe de facture personnalisé",
+ "Select Invoice Logo": "Sélectionnez le logo des factures",
+ "Payment Confirmation": "Confirmation de paiement",
+ "Payment Confirmed!": "Paiement confirmé !",
+ "Server Creation Error": "Erreur lors de la création de votre serveur",
+ "Your servers have been suspended!": "Votre serveur à été suspendu !",
+ "To automatically re-enable your server/s, you need to purchase more credits.": "Pour réactiver automatiquement votre ou vos serveurs, vous devez racheter des crédits.",
+ "Purchase credits": "Acheter des crédits",
+ "If you have any questions please let us know.": "N'hésitez pas à nous contacter si vous avez des questions.",
+ "Regards": "Cordialement",
+ "Getting started!": "Commencer !",
+ "EXPIRED": "EXPIRÉ",
+ "VALID": "VALIDE",
+ "Unsuspend": "Annuler la suspension",
+ "Suspend": "Suspendre",
+ "Delete": "Supprimer",
+ "Login as User": "Connectez-vous en tant qu'utilisateur",
+ "Clone": "Dupliquer",
+ "Amount due": "Montant à payer",
+ "Your Payment was successful!": "Votre paiement a été reçu avec succès !",
+ "Hello": "Bonjour",
+ "Your payment was processed successfully!": "Votre requête a été traitée avec succès."