Merge branch 'main' into billing_system

# Conflicts:
#	app/Http/Controllers/ServerController.php
#	composer.lock
#	resources/lang/de.json
#	resources/lang/en.json
#	resources/views/servers/index.blade.php
This commit is contained in:
IceToast 2022-08-15 12:39:58 +02:00
commit 7365cdee18
79 changed files with 9687 additions and 1046 deletions

View file

@ -3,11 +3,13 @@
- PayPal Integration
- Stripe Integration
- Referral System
- Ticket System
- Upgrade/Downgrade Server Ressources
- Store (credit system with hourly billing and invoices)
- Email Verification
- Audit Log
- Admin Dashboard
- User/Server Management
- Store (credit system with hourly billing and invoices)
- Customizable server plans
- Vouchers
- and so much more!
@ -17,6 +19,7 @@
![controlpanel](https://user-images.githubusercontent.com/45005889/123518824-06b05000-d6a8-11eb-91b9-d1ed36bd2317.png)
[//]: ![](https://img.shields.io/endpoint?style=flat&url=https%3A%2F%2Fmarket.controlpanel.gg%2Fcallhome.php%3Fgetinstalls)
![](https://img.shields.io/github/stars/ControlPanel-gg/dashboard) ![](https://img.shields.io/github/forks/ControlPanel-gg/dashboard) ![](https://img.shields.io/github/tag/ControlPanel-gg/dashboard) [![Crowdin](https://badges.crowdin.net/controlpanelgg/localized.svg)](https://crowdin.com/project/controlpanelgg) ![](https://img.shields.io/github/issues/ControlPanel-gg/dashboard) ![](https://img.shields.io/github/license/ControlPanel-gg/dashboard) ![](https://img.shields.io/discord/787829714483019826)
## About
@ -47,4 +50,7 @@ This dashboard offers an easy to use and free billing solution for all starting
### Example server products
![image](https://user-images.githubusercontent.com/8725848/171575987-c1398ff6-83fa-4cb8-bd1f-986cee4da565.png)
### Ticket System
![image](https://user-images.githubusercontent.com/8725848/184131270-9d997ebf-8965-4910-90d2-b410ae37f201.png)

View file

@ -6,6 +6,7 @@ use App\Models\Egg;
use App\Models\Nest;
use App\Models\Node;
use App\Models\Server;
use App\Models\Product;
use Exception;
use Illuminate\Http\Client\PendingRequest;
use Illuminate\Http\Client\Response;
@ -32,6 +33,14 @@ class Pterodactyl
])->baseUrl(config("SETTINGS::SYSTEM:PTERODACTYL:URL") . '/api');
}
public static function clientAdmin()
{
return Http::withHeaders([
'Authorization' => 'Bearer ' . config("SETTINGS::SYSTEM:PTERODACTYL:ADMIN_USER_TOKEN"),
'Content-type' => 'application/json',
'Accept' => 'Application/vnd.pterodactyl.v1+json',
])->baseUrl(config("SETTINGS::SYSTEM:PTERODACTYL:URL") . '/api');
}
/**
* @return Exception
*/
@ -87,6 +96,33 @@ class Pterodactyl
return $response->json()['data'];
}
/**
* @return mixed
* @throws Exception
* @description Returns the infos of a single node
*/
public static function getNode($id) {
try {
$response = self::client()->get('/application/nodes/' . $id);
} catch(Exception $e) {
throw self::getException($e->getMessage());
}
if($response->failed()) throw self::getException("Failed to get node id " . $id . " - " . $response->status());
return $response->json()['attributes'];
}
public static function getServers() {
try {
$response = self::client()->get('/application/servers');
} catch (Exception $e) {
throw self::getException($e->getMessage());
}
if($response->failed()) throw self::getException("Failed to get list of servers - ", $response->status());
return $response->json()['data'];
}
/**
* @return null
* @throws Exception
@ -271,4 +307,75 @@ class Pterodactyl
if ($response->failed()) throw self::getException("Failed to get server attributes from pterodactyl - ", $response->status());
return $response->json()['attributes'];
}
/**
* Update Server Resources
* @param Server $server
* @param Product $product
* @return boolean
*/
public static function updateServer(Server $server, Product $product)
{
return self::client()->patch("/application/servers/{$server->pterodactyl_id}/build", [
"allocation" => $server->allocation,
"memory" => $product->memory,
"swap" => $product->swap,
"disk" => $product->disk,
"io" => $product->io,
"cpu" => $product->cpu,
"threads" => null,
"feature_limits" => [
"databases" => $product->databases,
"backups" => $product->backups,
"allocations" => $product->allocations,
]
]);
}
/**
* Power Action Specific Server
* @param Server $server
* @param string $action
* @return boolean
*/
public static function powerAction(Server $server, $action)
{
return self::clientAdmin()->post("/client/servers/{$server->identifier}/power", [
"signal" => $action
]);
}
/**
* Get info about user
*/
public static function getClientUser()
{
return self::clientAdmin()->get("/client/account");
}
/**
* Check if node has enough free resources to allocate the given resources
* @param Node $node
* @param int $requireMemory
* @param int $requireDisk
* @return boolean
*/
public static function checkNodeResources(Node $node, int $requireMemory, int $requireDisk)
{
try {
$response = self::client()->get("/application/nodes/{$node->id}");
} catch (Exception $e) {
throw self::getException($e->getMessage());
}
$node = $response['attributes'];
$freeMemory = $node['memory'] - $node['allocated_resources']['memory'];
$freeDisk = $node['disk'] - $node['allocated_resources']['disk'];
if ($freeMemory < $requireMemory) {
return false;
}
if ($freeDisk < $requireDisk) {
return false;
}
return true;
}
}

View file

@ -42,8 +42,17 @@ class Misc
'referral_allowed' => 'nullable|string',
'referral_percentage' => 'nullable|numeric',
'referral_mode' => 'nullable|string',
'ticket_enabled' => 'nullable|string',
]);
$validator->after(function ($validator) use ($request) {
// if enable-recaptcha is true then recaptcha-site-key and recaptcha-secret-key must be set
if ($request->get('enable-recaptcha') == 'true' && (!$request->get('recaptcha-site-key') || !$request->get('recaptcha-secret-key'))) {
$validator->errors()->add('recaptcha-site-key', 'The site key is required if recaptcha is enabled.');
$validator->errors()->add('recaptcha-secret-key', 'The secret key is required if recaptcha is enabled.');
}
});
if ($validator->fails()) {
return redirect(route('admin.settings.index') . '#misc')->with('error', __('Misc settings have not been updated!'))->withErrors($validator)
->withInput();
@ -78,7 +87,8 @@ class Misc
"SETTINGS::REFERRAL::REWARD" => "referral_reward",
"SETTINGS::REFERRAL::ALLOWED" => "referral_allowed",
"SETTINGS::REFERRAL:MODE" => "referral_mode",
"SETTINGS::REFERRAL:PERCENTAGE" => "referral_percentage"
"SETTINGS::REFERRAL:PERCENTAGE" => "referral_percentage",
"SETTINGS::TICKET:ENABLED" => "ticket_enabled"
];

View file

@ -2,6 +2,7 @@
namespace App\Classes\Settings;
use App\Classes\Pterodactyl;
use App\Models\Settings;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Cache;
@ -16,7 +17,12 @@ class System
return;
}
public function checkPteroClientkey(){
$response = Pterodactyl::getClientUser();
if ($response->failed()){ return redirect()->back()->with('error', __('Your Key or URL is not correct')); }
return redirect()->back()->with('success', __('Everything is good!'));
}
public function updateSettings(Request $request)
{
@ -36,6 +42,7 @@ class System
"server-limit-purchase" => "required|min:0|integer",
"pterodactyl-api-key" => "required|string",
"pterodactyl-url" => "required|string",
"pterodactyl-admin-api-key" => "required|string",
]);
if ($validator->fails()) {
@ -65,6 +72,7 @@ class System
"SETTINGS::SYSTEM:PTERODACTYL:URL" => "pterodactyl-url",
"SETTINGS::SYSTEM:PTERODACTYL:TOKEN" => "pterodactyl-api-key",
"SETTINGS::SYSTEM:ENABLE_LOGIN_LOGO" => "enable-login-logo",
"SETTINGS::SYSTEM:PTERODACTYL:ADMIN_USER_TOKEN" => "pterodactyl-admin-api-key",
];
@ -77,6 +85,7 @@ class System
return redirect(route('admin.settings.index') . '#system')->with('success', __('System settings updated!'));
}
private function updateIcons(Request $request)
{
$request->validate([

View file

@ -122,7 +122,7 @@ class UserController extends Controller
"email" => "required|string|email",
"credits" => "required|numeric|min:0|max:99999999",
"server_limit" => "required|numeric|min:0|max:1000000",
"role" => Rule::in(['admin', 'mod', 'client', 'member']),
"role" => Rule::in(['admin', 'moderator', 'client', 'member']),
"referral_code" => "required|string|min:2|max:32|unique:users,referral_code,{$user->id}",
]);
@ -160,6 +160,17 @@ class UserController extends Controller
$user->delete();
return redirect()->back()->with('success', __('user has been removed!'));
}
/**
* Verifys the users email
*
* @param User $user
* @return RedirectResponse
*/
public function verifyEmail(Request $request, User $user)
{
$user->verifyEmail();
return redirect()->back()->with('success', __('Email has been verified!'));
}
/**
* @param Request $request
@ -285,6 +296,7 @@ class UserController extends Controller
$suspendText = $user->isSuspended() ? __("Unsuspend") : __("Suspend");
return '
<a data-content="' . __("Login as User") . '" data-toggle="popover" data-trigger="hover" data-placement="top" href="' . route('admin.users.loginas', $user->id) . '" class="btn btn-sm btn-primary mr-1"><i class="fas fa-sign-in-alt"></i></a>
<a data-content="' . __("Verify") . '" data-toggle="popover" data-trigger="hover" data-placement="top" href="' . route('admin.users.verifyEmail', $user->id) . '" class="btn btn-sm btn-secondary mr-1"><i class="fas fa-envelope"></i></a>
<a data-content="' . __("Show") . '" data-toggle="popover" data-trigger="hover" data-placement="top" href="' . route('admin.users.show', $user->id) . '" class="btn btn-sm text-white btn-warning mr-1"><i class="fas fa-eye"></i></a>
<a data-content="' . __("Edit") . '" data-toggle="popover" data-trigger="hover" data-placement="top" href="' . route('admin.users.edit', $user->id) . '" class="btn btn-sm btn-info mr-1"><i class="fas fa-pen"></i></a>
<form class="d-inline" method="post" action="' . route('admin.users.togglesuspend', $user->id) . '">
@ -303,7 +315,7 @@ class UserController extends Controller
case 'admin':
$badgeColor = 'badge-danger';
break;
case 'mod':
case 'moderator':
$badgeColor = 'badge-info';
break;
case 'client':

View file

@ -5,6 +5,10 @@ namespace App\Http\Controllers;
use App\Models\UsefulLink;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
use Illuminate\Support\Facades\Hash;
use Illuminate\Support\Facades\Http;
use Illuminate\Support\Facades\Storage;
use Illuminate\Support\Facades\URL;
class HomeController extends Controller
@ -18,6 +22,14 @@ class HomeController extends Controller
$this->middleware('auth');
}
public function callHome(){
if(Storage::exists("callHome")){return;}
Http::asForm()->post('https://market.controlpanel.gg/callhome.php', [
'id' => Hash::make(URL::current())
]);
Storage::put('callHome', 'This is only used to count the installations of cpgg.');
}
/**
* @description Get the Background Color for the Days-Left-Box in HomeView
*
@ -84,6 +96,7 @@ class HomeController extends Controller
$unit = $daysLeft < 1 ? ($hoursLeft < 1 ? null : __("hours")) : __("days");
}
$this->callhome();
// RETURN ALL VALUES
return view('home')->with([

View file

@ -0,0 +1,207 @@
<?php
namespace App\Http\Controllers\Moderation;
use App\Models\User;
use App\Models\Ticket;
use App\Models\Server;
use App\Models\TicketCategory;
use App\Models\TicketComment;
use App\Models\TicketBlacklist;
use App\Http\Controllers\Controller;
use Illuminate\Support\Facades\Cache;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
use App\Notifications\Ticket\User\ReplyNotification;
class TicketsController extends Controller
{
public function index() {
$tickets = Ticket::orderBy('id','desc')->paginate(10);
$ticketcategories = TicketCategory::all();
return view("moderator.ticket.index", compact("tickets", "ticketcategories"));
}
public function show($ticket_id) {
$ticket = Ticket::where("ticket_id", $ticket_id)->firstOrFail();
$ticketcomments = $ticket->ticketcomments;
$ticketcategory = $ticket->ticketcategory;
$server = Server::where('id', $ticket->server)->first();
return view("moderator.ticket.show", compact("ticket", "ticketcategory", "ticketcomments", "server"));
}
public function close($ticket_id) {
$ticket = Ticket::where("ticket_id", $ticket_id)->firstOrFail();
$ticket->status = "Closed";
$ticket->save();
$ticketOwner = $ticket->user;
return redirect()->back()->with('success', __('A ticket has been closed, ID: #') . $ticket->ticket_id);
}
public function delete($ticket_id){
$ticket = Ticket::where("ticket_id", $ticket_id)->firstOrFail();
TicketComment::where("ticket_id", $ticket->id)->delete();
$ticket->delete();
return redirect()->back()->with('success', __('A ticket has been deleted, ID: #') . $ticket_id);
}
public function reply(Request $request) {
$this->validate($request, array("ticketcomment" => "required"));
$ticket = Ticket::where('id', $request->input("ticket_id"))->firstOrFail();
$ticket->status = "Answered";
$ticket->update();
TicketComment::create(array(
"ticket_id" => $request->input("ticket_id"),
"user_id" => Auth::user()->id,
"ticketcomment" => $request->input("ticketcomment"),
));
$user = User::where('id', $ticket->user_id)->firstOrFail();
$newmessage = $request->input("ticketcomment");
$user->notify(new ReplyNotification($ticket, $user, $newmessage));
return redirect()->back()->with('success', __('Your comment has been submitted'));
}
public function dataTable()
{
$query = Ticket::query();
return datatables($query)
->addColumn('category', function (Ticket $tickets) {
return $tickets->ticketcategory->name;
})
->editColumn('title', function (Ticket $tickets) {
return '<a class="text-info" href="' . route('moderator.ticket.show', ['ticket_id' => $tickets->ticket_id]) . '">' . "#" . $tickets->ticket_id . " - " . $tickets->title . '</a>';
})
->editColumn('user_id', function (Ticket $tickets) {
return '<a href="' . route('admin.users.show', $tickets->user->id) . '">' . $tickets->user->name . '</a>';
})
->addColumn('actions', function (Ticket $tickets) {
return '
<a data-content="'.__("View").'" data-toggle="popover" data-trigger="hover" data-placement="top" href="' . route('moderator.ticket.show', ['ticket_id' => $tickets->ticket_id]) . '" class="btn btn-sm text-white btn-info mr-1"><i class="fas fa-eye"></i></a>
<form class="d-inline" method="post" action="' . route('moderator.ticket.close', ['ticket_id' => $tickets->ticket_id ]) . '">
' . csrf_field() . '
' . method_field("POST") . '
<button data-content="'.__("Close").'" data-toggle="popover" data-trigger="hover" data-placement="top" class="btn btn-sm text-white btn-warning mr-1"><i class="fas fa-times"></i></button>
</form>
<form class="d-inline" method="post" action="' . route('moderator.ticket.delete', ['ticket_id' => $tickets->ticket_id ]) . '">
' . csrf_field() . '
' . method_field("POST") . '
<button data-content="'.__("Delete").'" data-toggle="popover" data-trigger="hover" data-placement="top" class="btn btn-sm text-white btn-danger mr-1"><i class="fas fa-trash"></i></button>
</form>
';
})
->editColumn('status', function (Ticket $tickets) {
switch ($tickets->status) {
case 'Open':
$badgeColor = 'badge-success';
break;
case 'Closed':
$badgeColor = 'badge-danger';
break;
case 'Answered':
$badgeColor = 'badge-info';
break;
default:
$badgeColor = 'badge-warning';
break;
}
return '<span class="badge ' . $badgeColor . '">' . $tickets->status . '</span>';
})
->editColumn('updated_at', function (Ticket $tickets) {
return $tickets->updated_at ? $tickets->updated_at->diffForHumans() : '';
})
->rawColumns(['category', 'title', 'user_id', 'status', 'updated_at', 'actions'])
->make(true);
}
public function blacklist() {
return view("moderator.ticket.blacklist");
}
public function blacklistAdd(Request $request) {
$user = User::where('id', $request->user_id)->first();
$check = TicketBlacklist::where('user_id', $user->id)->first();
if($check){
$check->reason = $request->reason;
$check->status = "True";
$check->save();
return redirect()->back()->with('info', __('Target User already in blacklist. Reason updated'));
}
TicketBlacklist::create(array(
"user_id" => $user->id,
"status" => "True",
"reason" => $request->reason,
));
return redirect()->back()->with('success', __('Successfully add User to blacklist, User name: ' . $user->name));
}
public function blacklistDelete($id) {
$blacklist = TicketBlacklist::where('id', $id)->first();
$blacklist->delete();
return redirect()->back()->with('success', __('Successfully remove User from blacklist, User name: ' . $blacklist->user->name));
}
public function blacklistChange($id) {
$blacklist = TicketBlacklist::where('id', $id)->first();
if($blacklist->status == "True")
{
$blacklist->status = "False";
} else {
$blacklist->status = "True";
}
$blacklist->update();
return redirect()->back()->with('success', __('Successfully change status blacklist from, User name: ' . $blacklist->user->name));
}
public function dataTableBlacklist()
{
$query = TicketBlacklist::with(['user']);
$query->select('ticket_blacklists.*');
return datatables($query)
->editColumn('user', function (TicketBlacklist $blacklist) {
return '<a href="' . route('admin.users.show', $blacklist->user->id) . '">' . $blacklist->user->name . '</a>';
})
->editColumn('status', function (TicketBlacklist $blacklist) {
switch ($blacklist->status) {
case 'True':
$text = "Blocked";
$badgeColor = 'badge-danger';
break;
default:
$text = "Unblocked";
$badgeColor = 'badge-success';
break;
}
return '<span class="badge ' . $badgeColor . '">' . $text . '</span>';
})
->editColumn('reason', function (TicketBlacklist $blacklist) {
return $blacklist->reason;
})
->addColumn('actions', function (TicketBlacklist $blacklist) {
return '
<form class="d-inline" method="post" action="' . route('moderator.ticket.blacklist.change', ['id' => $blacklist->id ]) . '">
' . csrf_field() . '
' . method_field("POST") . '
<button data-content="'.__("Change Status").'" data-toggle="popover" data-trigger="hover" data-placement="top" class="btn btn-sm text-white btn-warning mr-1"><i class="fas fa-sync-alt"></i></button>
</form>
<form class="d-inline" method="post" action="' . route('moderator.ticket.blacklist.delete', ['id' => $blacklist->id ]) . '">
' . csrf_field() . '
' . method_field("POST") . '
<button data-content="'.__("Delete").'" data-toggle="popover" data-trigger="hover" data-placement="top" class="btn btn-sm text-white btn-danger mr-1"><i class="fas fa-trash"></i></button>
</form>
';
})
->editColumn('created_at', function (TicketBlacklist $blacklist) {
return $blacklist->created_at ? $blacklist->created_at->diffForHumans() : '';
})
->rawColumns(['user', 'status', 'reason', 'created_at', 'actions'])
->make(true);
}
}

View file

@ -102,14 +102,19 @@ class ServerController extends Controller
return redirect()->route('servers.index')->with('error', __('Server limit reached!'));
}
// minimum credits
// minimum credits && Check for Allocation
if (FacadesRequest::has("product")) {
$product = Product::findOrFail(FacadesRequest::input("product"));
error_log(Auth::user()->credits);
error_log($product->price);
// Get node resource allocation info
$node = $product->nodes()->findOrFail(FacadesRequest::input('node'));
$nodeName = $node->name;
error_log(Auth::user()->credits < $product->price ? "true" : "false");
// Check if node has enough memory and disk space
$checkResponse = Pterodactyl::checkNodeResources($node, $product->memory, $product->disk);
if ($checkResponse == False) return redirect()->route('servers.index')->with('error', __("The node '" . $nodeName . "' doesn't have the required memory or disk left to allocate this product."));
// Min. Credits
if (
Auth::user()->credits < $product->minimum_credits ||
Auth::user()->credits < $product->price
@ -230,4 +235,72 @@ class ServerController extends Controller
return redirect()->route('servers.index')->with('error', __('An exception has occurred while trying to cancel the server"') . $e->getMessage() . '"');
}
}
/** Show Server Settings */
public function show(Server $server)
{
if($server->user_id != Auth::user()->id){ return back()->with('error', __('´This is not your Server!'));}
$serverAttributes = Pterodactyl::getServerAttributes($server->pterodactyl_id);
$serverRelationships = $serverAttributes['relationships'];
$serverLocationAttributes = $serverRelationships['location']['attributes'];
//Set server infos
$server->location = $serverLocationAttributes['long'] ?
$serverLocationAttributes['long'] :
$serverLocationAttributes['short'];
$server->node = $serverRelationships['node']['attributes']['name'];
$server->name = $serverAttributes['name'];
$server->egg = $serverRelationships['egg']['attributes']['name'];
$products = Product::orderBy("created_at")->get();
// Set the each product eggs array to just contain the eggs name
foreach ($products as $product) {
$product->eggs = $product->eggs->pluck('name')->toArray();
}
return view('servers.settings')->with([
'server' => $server,
'products' => $products
]);
}
public function upgrade(Server $server, Request $request)
{
if($server->user_id != Auth::user()->id) return redirect()->route('servers.index');
if(!isset($request->product_upgrade))
{
return redirect()->route('servers.show', ['server' => $server->id])->with('error', __('this product is the only one'));
}
$user = Auth::user();
$oldProduct = Product::where('id', $server->product->id)->first();
$newProduct = Product::where('id', $request->product_upgrade)->first();
$serverAttributes = Pterodactyl::getServerAttributes($server->pterodactyl_id);
$priceupgrade = $newProduct->getHourlyPrice();
if ($priceupgrade < $oldProduct->getHourlyPrice()) {
$priceupgrade = 0;
}
if ($user->credits >= $priceupgrade)
{
$server->product_id = $request->product_upgrade;
$server->update();
$server->allocation = $serverAttributes['allocation'];
$response = Pterodactyl::updateServer($server, $newProduct);
if ($response->failed()) return $this->serverCreationFailed($response, $server);
//update user balance
$user->decrement('credits', $priceupgrade);
//restart the server
$response = Pterodactyl::powerAction($server, "restart");
if ($response->failed()) return $this->serverCreationFailed($response, $server);
return redirect()->route('servers.show', ['server' => $server->id])->with('success', __('Server Successfully Upgraded'));
}
else
{
return redirect()->route('servers.show', ['server' => $server->id])->with('error', __('Not Enough Balance for Upgrade'));
}
}
}

View file

@ -0,0 +1,131 @@
<?php
namespace App\Http\Controllers;
use App\Models\User;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Session;
use Illuminate\Support\Facades\Auth;
use Illuminate\Support\Str;
use Illuminate\Support\Facades\Notification;
use App\Models\Ticket;
use App\Models\Server;
use App\Models\TicketComment;
use App\Models\TicketCategory;
use App\Models\TicketBlacklist;
use App\Notifications\Ticket\User\CreateNotification;
use App\Notifications\Ticket\Admin\AdminCreateNotification;
use App\Notifications\Ticket\Admin\AdminReplyNotification;
class TicketsController extends Controller
{
public function index()
{
$tickets = Ticket::where("user_id", Auth::user()->id)->paginate(10);
$ticketcategories = TicketCategory::all();
return view("ticket.index", compact("tickets", "ticketcategories"));
}
public function create() {
#check in blacklist
$check = TicketBlacklist::where('user_id', Auth::user()->id)->first();
if($check && $check->status == "True"){
return redirect()->route('ticket.index')->with('error', __("You can't make a ticket because you're on the blacklist for a reason: '" . $check->reason . "', please contact the administrator"));
}
$ticketcategories = TicketCategory::all();
$servers = Auth::user()->servers;
return view("ticket.create", compact("ticketcategories", "servers"));
}
public function store(Request $request) {
$this->validate($request, array(
"title" => "required",
"ticketcategory" => "required",
"priority" => "required",
"message" => "required")
);
$ticket = new Ticket(array(
"title" => $request->input("title"),
"user_id" => Auth::user()->id,
"ticket_id" => strtoupper(Str::random(5)),
"ticketcategory_id" => $request->input("ticketcategory"),
"priority" => $request->input("priority"),
"message" => $request->input("message"),
"status" => "Open",
"server" => $request->input("server"))
);
$ticket->save();
$user = Auth::user();
$admin = User::where('role', 'admin')->orWhere('role', 'mod')->get();
$user->notify(new CreateNotification($ticket));
Notification::send($admin, new AdminCreateNotification($ticket, $user));
return redirect()->route('ticket.index')->with('success', __('A ticket has been opened, ID: #') . $ticket->ticket_id);
}
public function show($ticket_id) {
$ticket = Ticket::where("ticket_id", $ticket_id)->firstOrFail();
$ticketcomments = $ticket->ticketcomments;
$ticketcategory = $ticket->ticketcategory;
$server = Server::where('id', $ticket->server)->first();
return view("ticket.show", compact("ticket", "ticketcategory", "ticketcomments", "server"));
}
public function reply(Request $request) {
#check in blacklist
$check = TicketBlacklist::where('user_id', Auth::user()->id)->first();
if($check && $check->status == "True"){
return redirect()->route('ticket.index')->with('error', __("You can't reply a ticket because you're on the blacklist for a reason: '" . $check->reason . "', please contact the administrator"));
}
$this->validate($request, array("ticketcomment" => "required"));
$ticket = Ticket::where('id', $request->input("ticket_id"))->firstOrFail();
$ticket->status = "Client Reply";
$ticket->update();
$ticketcomment = TicketComment::create(array(
"ticket_id" => $request->input("ticket_id"),
"user_id" => Auth::user()->id,
"ticketcomment" => $request->input("ticketcomment"),
"message" => $request->input("message")
));
$user = Auth::user();
$admin = User::where('role', 'admin')->orWhere('role', 'mod')->get();
$newmessage = $request->input("ticketcomment");
Notification::send($admin, new AdminReplyNotification($ticket, $user, $newmessage));
return redirect()->back()->with('success', __('Your comment has been submitted'));
}
public function dataTable()
{
$query = Ticket::where("user_id", Auth::user()->id)->get();
return datatables($query)
->addColumn('category', function (Ticket $tickets) {
return $tickets->ticketcategory->name;
})
->editColumn('title', function (Ticket $tickets) {
return '<a class="text-info" href="' . route('ticket.show', ['ticket_id' => $tickets->ticket_id]) . '">' . "#" . $tickets->ticket_id . " - " . $tickets->title . '</a>';
})
->editColumn('status', function (Ticket $tickets) {
switch ($tickets->status) {
case 'Open':
$badgeColor = 'badge-success';
break;
case 'Closed':
$badgeColor = 'badge-danger';
break;
case 'Answered':
$badgeColor = 'badge-info';
break;
default:
$badgeColor = 'badge-warning';
break;
}
return '<span class="badge ' . $badgeColor . '">' . $tickets->status . '</span>';
})
->editColumn('updated_at', function (Ticket $tickets) {
return $tickets->updated_at ? $tickets->updated_at->diffForHumans() : '';
})
->rawColumns(['category', 'title', 'status', 'updated_at'])
->make(true);
}
}

View file

@ -6,6 +6,7 @@ use App\Http\Middleware\ApiAuthToken;
use App\Http\Middleware\CheckSuspended;
use App\Http\Middleware\GlobalNames;
use App\Http\Middleware\isAdmin;
use App\Http\Middleware\isMod;
use App\Http\Middleware\LastSeen;
use Illuminate\Foundation\Http\Kernel as HttpKernel;
@ -72,6 +73,7 @@ class Kernel extends HttpKernel
'throttle' => \Illuminate\Routing\Middleware\ThrottleRequests::class,
'verified' => \Illuminate\Auth\Middleware\EnsureEmailIsVerified::class,
'admin' => isAdmin::class,
'moderator' => isMod::class,
'api.token' => ApiAuthToken::class,
'checkSuspended' => CheckSuspended::class
];

View file

@ -0,0 +1,27 @@
<?php
namespace App\Http\Middleware;
use App\Providers\RouteServiceProvider;
use Closure;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
class isMod
{
/**
* Handle an incoming request.
*
* @param Request $request
* @param Closure $next
* @return mixed
*/
public function handle(Request $request, Closure $next)
{
if (Auth::user() && Auth::user()->role == 'moderator' || Auth::user() && Auth::user()->role == 'admin') {
return $next($request);
}
return redirect(RouteServiceProvider::HOME);
}
}

21
app/Models/Ticket.php Normal file
View file

@ -0,0 +1,21 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Ticket extends Model {
protected $fillable = [
'user_id', 'ticketcategory_id', 'ticket_id', 'title', 'priority', 'message', 'status', 'server'
];
public function ticketcategory(){
return $this->belongsTo(TicketCategory::class);}
public function ticketcomments(){
return $this->hasMany(TicketComment::class);}
public function user(){
return $this->belongsTo(User::class);}
}

View file

@ -0,0 +1,17 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class TicketBlacklist extends Model {
protected $fillable = [
'user_id', 'status', 'reason'
];
public function user()
{
return $this->belongsTo(User::class, 'user_id', 'id');
}
}

View file

@ -0,0 +1,13 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class TicketCategory extends Model {
protected $fillable = ['name'];
public function tickets(){
return $this->hasMany(Ticket::class);}
}

View file

@ -0,0 +1,21 @@
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class TicketComment extends Model {
protected $fillable = [
'ticket_id', 'user_id', 'ticketcomment'
];
public function ticketcategory(){
return $this->belongsTo(TicketCategory::class);}
public function ticket(){
return $this->belongsTo(Ticket::class);}
public function user(){
return $this->belongsTo(User::class);}
}

View file

@ -261,4 +261,11 @@ class User extends Authenticatable implements MustVerifyEmail
$status = str_replace(' ', '/', $status);
return $status;
}
public function verifyEmail()
{
$this->forceFill([
'email_verified_at' => now(),
])->save();
}
}

View file

@ -0,0 +1,71 @@
<?php
namespace App\Notifications\Ticket\Admin;
use App\Models\Ticket;
use App\Models\User;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Notifications\Messages\MailMessage;
use Illuminate\Notifications\Notification;
class AdminCreateNotification extends Notification implements ShouldQueue
{
//THIS IS BASICALLY NOT USED ANYMORE WITH INVOICENOTIFICATION IN PLACE
use Queueable;
private Ticket $ticket;
private User $user;
/**
* Create a new notification instance.
*
* @return void
*/
public function __construct(Ticket $ticket, User $user)
{
$this->ticket = $ticket;
$this->user = $user;
}
/**
* Get the notification's delivery channels.
*
* @param mixed $notifiable
* @return array
*/
public function via($notifiable)
{
$via = ['mail','database'];
return $via;
}
/**
* Get the mail representation of the notification.
*
* @param mixed $notifiable
* @return MailMessage
*/
public function toMail($notifiable)
{
return (new MailMessage)
->subject('[Ticket ID: ' . $this->ticket->ticket_id . '] ' . $this->ticket->title)
->markdown('mail.ticket.admin.create' , ['ticket' => $this->ticket, 'user' => $this->user]);
}
/**
* Get the array representation of the notification.
*
* @param mixed $notifiable
* @return array
*/
public function toArray($notifiable)
{
return [
'title' => '[Ticket ID: ' . $this->ticket->ticket_id . '] ' . $this->ticket->title,
'content' => "Ticket With ID : {$this->ticket->ticket_id} has been opened by <strong>{$this->user->name}</strong>",
];
}
}

View file

@ -0,0 +1,78 @@
<?php
namespace App\Notifications\Ticket\Admin;
use App\Models\Ticket;
use App\Models\User;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Notifications\Messages\MailMessage;
use Illuminate\Notifications\Notification;
class AdminReplyNotification extends Notification implements ShouldQueue
{
//THIS IS BASICALLY NOT USED ANYMORE WITH INVOICENOTIFICATION IN PLACE
use Queueable;
private Ticket $ticket;
private User $user;
private $newmessage;
/**
* Create a new notification instance.
*
* @return void
*/
public function __construct(Ticket $ticket, User $user, $newmessage)
{
$this->ticket = $ticket;
$this->user = $user;
$this->newmessage = $newmessage;
}
/**
* Get the notification's delivery channels.
*
* @param mixed $notifiable
* @return array
*/
public function via($notifiable)
{
$via = ['mail','database'];
return $via;
}
/**
* Get the mail representation of the notification.
*
* @param mixed $notifiable
* @return MailMessage
*/
public function toMail($notifiable)
{
return (new MailMessage)
->subject('[Ticket ID: ' . $this->ticket->ticket_id . '] ' . $this->ticket->title)
->markdown('mail.ticket.admin.reply' , ['ticket' => $this->ticket, 'user' => $this->user, 'newmessage' => $this->newmessage]);
}
/**
* Get the array representation of the notification.
*
* @param mixed $notifiable
* @return array
*/
public function toArray($notifiable)
{
return [
'title' => '[Ticket ID: ' . $this->ticket->ticket_id . '] ' . $this->ticket->title,
'content' => "
<p>Ticket With ID : {$this->ticket->ticket_id} has had a new reply posted by <strong>{$this->user->name}</strong></p>
<br>
<p><strong>Message:</strong></p>
<p>{$this->newmessage}</p>
",
];
}
}

View file

@ -0,0 +1,68 @@
<?php
namespace App\Notifications\Ticket\User;
use App\Models\Ticket;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Notifications\Messages\MailMessage;
use Illuminate\Notifications\Notification;
class CreateNotification extends Notification implements ShouldQueue
{
//THIS IS BASICALLY NOT USED ANYMORE WITH INVOICENOTIFICATION IN PLACE
use Queueable;
private Ticket $ticket;
/**
* Create a new notification instance.
*
* @return void
*/
public function __construct(Ticket $ticket)
{
$this->ticket = $ticket;
}
/**
* Get the notification's delivery channels.
*
* @param mixed $notifiable
* @return array
*/
public function via($notifiable)
{
$via = ['mail','database'];
return $via;
}
/**
* Get the mail representation of the notification.
*
* @param mixed $notifiable
* @return MailMessage
*/
public function toMail($notifiable)
{
return (new MailMessage)
->subject('[Ticket ID: ' . $this->ticket->ticket_id . '] ' . $this->ticket->title)
->markdown('mail.ticket.user.create' , ['ticket' => $this->ticket]);
}
/**
* Get the array representation of the notification.
*
* @param mixed $notifiable
* @return array
*/
public function toArray($notifiable)
{
return [
'title' => '[Ticket ID: ' . $this->ticket->ticket_id . '] ' . $this->ticket->title,
'content' => "Your Ticket has been Created With ID : {$this->ticket->ticket_id}",
];
}
}

View file

@ -0,0 +1,78 @@
<?php
namespace App\Notifications\Ticket\User;
use App\Models\User;
use App\Models\Ticket;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Notifications\Messages\MailMessage;
use Illuminate\Notifications\Notification;
class ReplyNotification extends Notification implements ShouldQueue
{
//THIS IS BASICALLY NOT USED ANYMORE WITH INVOICENOTIFICATION IN PLACE
use Queueable;
private Ticket $ticket;
private User $user;
private $newmessage;
/**
* Create a new notification instance.
*
* @return void
*/
public function __construct(Ticket $ticket, User $user, $newmessage)
{
$this->ticket = $ticket;
$this->user = $user;
$this->newmessage = $newmessage;
}
/**
* Get the notification's delivery channels.
*
* @param mixed $notifiable
* @return array
*/
public function via($notifiable)
{
$via = ['mail','database'];
return $via;
}
/**
* Get the mail representation of the notification.
*
* @param mixed $notifiable
* @return MailMessage
*/
public function toMail($notifiable)
{
return (new MailMessage)
->subject('[Ticket ID: ' . $this->ticket->ticket_id . '] ' . $this->ticket->title)
->markdown('mail.ticket.user.reply' , ['ticket' => $this->ticket, 'user' => $this->user, 'newmessage' => $this->newmessage]);
}
/**
* Get the array representation of the notification.
*
* @param mixed $notifiable
* @return array
*/
public function toArray($notifiable)
{
return [
'title' => '[Ticket ID: ' . $this->ticket->ticket_id . '] ' . $this->ticket->title,
'content' => "
<p>Ticket With ID : {$this->ticket->ticket_id} A response has been added to your ticket. Please see below for our response!</p>
<br>
<p><strong>Message:</strong></p>
<p>{$this->newmessage}</p>
",
];
}
}

View file

@ -90,6 +90,11 @@ class AppServiceProvider extends ServiceProvider
// Set Recaptcha API Config
// Load recaptcha package if recaptcha is enabled
if(config('SETTINGS::RECAPTCHA:ENABLED') == 'true') {
$this->app->register(\Biscolab\ReCaptcha\ReCaptchaServiceProvider::class);
}
//only update config if recaptcha settings have changed in DB
if (
config('recaptcha.api_site_key') != config('SETTINGS::RECAPTCHA:SITE_KEY') ||

View file

@ -46,6 +46,7 @@ class RouteServiceProvider extends ServiceProvider
Route::middleware('web')
->namespace($this->namespace)
->group(base_path('routes/web.php'));
});
}
@ -59,5 +60,8 @@ class RouteServiceProvider extends ServiceProvider
RateLimiter::for('api', function (Request $request) {
return Limit::perMinute(60)->by(optional($request->user())->id ?: $request->ip());
});
RateLimiter::for('web', function (Request $request) {
return Limit::perMinute(15)->by(optional($request->user())->id ?: $request->ip());
});
}
}

View file

@ -10,7 +10,7 @@
"require": {
"php": "^8.0|^7.4",
"ext-intl": "*",
"biscolab/laravel-recaptcha": "^5.0",
"biscolab/laravel-recaptcha": "^5.4",
"doctrine/dbal": "^3.1",
"fideloper/proxy": "^4.4",
"fruitcake/laravel-cors": "^2.0",
@ -47,7 +47,9 @@
},
"extra": {
"laravel": {
"dont-discover": []
"dont-discover": [
"biscolab/laravel-recaptcha"
]
}
},
"autoload": {

596
composer.lock generated

File diff suppressed because it is too large Load diff

View file

@ -4,7 +4,7 @@ use App\Models\Settings;
return [
'version' => '0.7.7',
'version' => '0.8',
/*
|--------------------------------------------------------------------------
@ -180,7 +180,7 @@ return [
Illuminate\Translation\TranslationServiceProvider::class,
Illuminate\Validation\ValidationServiceProvider::class,
Illuminate\View\ViewServiceProvider::class,
Biscolab\ReCaptcha\ReCaptchaServiceProvider::class,
/*
* Package Service Providers...
@ -250,7 +250,6 @@ return [
'URL' => Illuminate\Support\Facades\URL::class,
'Validator' => Illuminate\Support\Facades\Validator::class,
'View' => Illuminate\Support\Facades\View::class,
'ReCaptcha' => Biscolab\ReCaptcha\Facades\ReCaptcha::class,
'DataTables' => Yajra\DataTables\Facades\DataTables::class,
],

View file

@ -0,0 +1,39 @@
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateTicketsTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('tickets', function (Blueprint $table) {
$table->increments('id');
$table->integer('user_id')->unsigned();
$table->integer('ticketcategory_id')->unsigned();
$table->string('ticket_id')->unique();
$table->string('title');
$table->string('priority');
$table->text('message');
$table->string('status');
$table->string('server')->nullable();
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('tickets');
}
}

View file

@ -0,0 +1,59 @@
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateTicketCategoriesTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('ticket_categories', function (Blueprint $table) {
$table->increments('id');
$table->string('name');
$table->timestamps();
});
DB::table('ticket_categories')->insert(
array(
'name' => 'Technical',
)
);
DB::table('ticket_categories')->insert(
array(
'name' => 'Billing',
)
);
DB::table('ticket_categories')->insert(
array(
'name' => 'Issue',
)
);
DB::table('ticket_categories')->insert(
array(
'name' => 'Request',
)
);
DB::table('ticket_categories')->insert(
array(
'name' => 'Other',
)
);
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('ticket_categories');
}
}

View file

@ -0,0 +1,34 @@
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateTicketCommentsTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('ticket_comments', function (Blueprint $table) {
$table->increments('id');
$table->integer('ticket_id')->unsigned();
$table->integer('user_id')->unsigned();
$table->text('ticketcomment');
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('ticket_comments');
}
}

View file

@ -0,0 +1,35 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class CreateTicketBlacklistTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('ticket_blacklists', function (Blueprint $table) {
$table->id();
$table->unsignedBigInteger('user_id')->unsigned();
$table->foreign('user_id')->references('id')->on('users')->onDelete('cascade');;
$table->string('status');
$table->string('reason');
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('ticket_blacklists');
}
}

View file

@ -500,5 +500,13 @@ class SettingsSeeder extends Seeder
'type' => 'integer',
'description' => 'The Percentage Value a referred user gets'
]);
Settings::firstOrCreate([
'key' => 'SETTINGS::SYSTEM:PTERODACTYL:ADMIN_USER_TOKEN',
], [
'value' =>"",
'type' => 'string',
'description' => 'The Client API Key of an Pterodactyl Admin Account'
]);
}
}

6
public/css/app.css vendored
View file

@ -15,7 +15,11 @@
border-radius: 10px;
box-shadow: inset 7px 10px 12px #343a40;
}
.nav-link>span,
.nav-link {
display: flex;
align-items: center;
}
/*!
* AdminLTE v3.1.0-rc
* Author: Colorlib

View file

@ -149,11 +149,28 @@ if (isset($_POST['checkSMTP'])) {
if (isset($_POST['checkPtero'])) {
$url = $_POST['url'];
$key = $_POST['key'];
$clientkey = $_POST['clientkey'];
if (substr($url, -1) === "/") {
$url = substr_replace($url, "", -1);
}
$callpteroURL = $url . "/api/client/account";
$call = curl_init();
curl_setopt($call, CURLOPT_URL, $callpteroURL);
curl_setopt($call, CURLOPT_RETURNTRANSFER, true);
curl_setopt($call, CURLOPT_HTTPHEADER, array(
"Accept: application/json",
"Content-Type: application/json",
"Authorization: Bearer " . $clientkey
));
$callresponse = curl_exec($call);
$callresult = json_decode($callresponse, true);
curl_close($call); // Close the connection
$pteroURL = $url . "/api/application/users";
$ch = curl_init();
@ -172,11 +189,17 @@ if (isset($_POST['checkPtero'])) {
if (!is_array($result) or in_array($result["errors"][0]["code"], $result)) {
header("LOCATION: index.php?step=5&message=Couldnt connect to Pterodactyl. Make sure your API key has all read and write permissions!");
wh_log("API CALL ERROR: ".$result["errors"][0]["code"]);
die();
}elseif (!is_array($callresult) or in_array($result["errors"][0]["code"], $result) or $callresult["attributes"]["admin"] == false) {
header("LOCATION: index.php?step=5&message=Your ClientAPI Key is wrong or the account is not an admin!");
wh_log("API CALL ERROR: ".$result["errors"][0]["code"]);
die();
} else {
$query1 = "UPDATE `" . getEnvironmentValue("DB_DATABASE") . "`.`settings` SET `value` = '$url' WHERE (`key` = 'SETTINGS::SYSTEM:PTERODACTYL:URL')";
$query2 = "UPDATE `" . getEnvironmentValue("DB_DATABASE") . "`.`settings` SET `value` = '$key' WHERE (`key` = 'SETTINGS::SYSTEM:PTERODACTYL:TOKEN')";
$query3 = "UPDATE `" . getEnvironmentValue("DB_DATABASE") . "`.`settings` SET `value` = '$clientkey' WHERE (`key` = 'SETTINGS::SYSTEM:PTERODACTYL:ADMIN_USER_TOKEN')";
$db = new mysqli(getEnvironmentValue("DB_HOST"), getEnvironmentValue("DB_USERNAME"), getEnvironmentValue("DB_PASSWORD"), getEnvironmentValue("DB_DATABASE"), getEnvironmentValue("DB_PORT"));
@ -186,7 +209,7 @@ if (isset($_POST['checkPtero'])) {
die();
}
if ($db->query($query1) && $db->query($query2)) {
if ($db->query($query1) && $db->query($query2) && $db->query($query3)) {
header("LOCATION: index.php?step=6");
} else {
wh_log($db->error);

View file

@ -365,13 +365,22 @@ echo $cardheader;
</div>
<div class="form-group">
<div class="custom-control mb-3">
<label for="key">Pterodactyl API-Key</label>
<label for="key">Pterodactyl API-Key (found here: https://your.ptero.com/admin/api)</label>
<input id="key" name="key" type="text"
required
value="" class="form-control"
placeholder="The Key needs ALL read&write Permissions!">
</div>
</div>
<div class="form-group">
<div class="custom-control mb-3">
<label for="clientkey">Pterodactyl Admin-User API-Key (https://your.ptero.com/account/api)</label>
<input id="clientkey" name="clientkey" type="text"
required
value="" class="form-control"
placeholder="Your Account needs to be an Admin!">
</div>
</div>
</div>
@ -448,7 +457,7 @@ echo $cardheader;
?>
<p class="login-box-msg">All done!</p>
<p class="login-box-msg">You may navigate to your Dashboard now and log in!</p>
<a href="<?php echo "https://" . $_SERVER['SERVER_NAME']; ?>">
<a href="<?php echo getEnvironmentValue("APP_URL"); ?>">
<button class="btn btn-success">Lets go!</button>
</a>
</div>

View file

@ -14,3 +14,8 @@
border-radius: 10px;
box-shadow: inset 7px 10px 12px #343a40;
}
.nav-link>span,
.nav-link {
display: flex;
align-items: center;
}

464
resources/lang/bg.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "Настройките за фактуриране са обновени!",
"Language settings have not been updated!": "Настройките за езика не са обновени!",
"Language settings updated!": "Настройките за езика са обновени!",
"Misc settings have not been updated!": "Настройките не бяха актуализирани!",
"Misc settings updated!": "Разни настройки са актуализирани!",
"Payment settings have not been updated!": "Настройките за плащане не са актуализирани!",
"Payment settings updated!": "Настройките за плащане са актуализирани!",
"System settings have not been updated!": "Системните настройки не са актуализирани!",
"System settings updated!": "Системните настройки са актуализирани!",
"api key created!": "API ключът беше създаден!",
"api key updated!": "АPI ключът беше подновен!",
"api key has been removed!": "АPI ключът беше премахнат!",
"Edit": "Редактирай",
"Delete": "Изтрий",
"Created at": "Създадено на",
"Error!": "Грешка!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "неизвестно",
"Pterodactyl synced": "Pterodactyl Синхронизиран",
"Your credit balance has been increased!": "Вашият кредитен баланс е увеличен!",
"Your payment is being processed!": "Плащането Ви се обработва!",
"Your payment has been canceled!": "Вашето плащане е отменено!",
"Payment method": "Метод на плащане",
"Invoice": "Фактура",
"Download": "Сваляне",
"Product has been created!": "Продуктът е създаден!",
"Product has been updated!": "Продуктът е актуализиран!",
"Product has been removed!": "Продуктът е премахнат!",
"Show": "Показване",
"Clone": "Клониране",
"Server removed": "Сървърът е премахнат",
"An exception has occurred while trying to remove a resource \"": "Възникна изключение при опит за премахване на ресурс \"",
"Server has been updated!": "Сървърът е актуализиран!",
"Unsuspend": "Премахване на прекратяването",
"Suspend": "Прекратяване",
"Store item has been created!": "Продуктът беше създаден!",
"Store item has been updated!": "Продуктът беше обновен!",
"Store item has been removed!": "Артикулът от магазина е премахнат!",
"link has been created!": "връзката е създадена!",
"link has been updated!": "връзката е обновена!",
"product has been removed!": "продуктът е премахнат!",
"User does not exists on pterodactyl's panel": "Потребител не съществува на панела на Pterodactyl",
"user has been removed!": "потребителят е премахнат!",
"Notification sent!": "Уведомлението изпратено!",
"User has been updated!": "Потребителят е актуализиран!",
"Login as User": "Влезте като потребител",
"voucher has been created!": "ваучерът е създаден!",
"voucher has been updated!": "ваучерът е актуализиран!",
"voucher has been removed!": "ваучерът е премахнат!",
"This voucher has reached the maximum amount of uses": "Този ваучер е достигнал максималния брой употреби",
"This voucher has expired": "Този ваучер е изтекъл",
"You already redeemed this voucher code": "Вече използвахте този ваучер",
"have been added to your balance!": "са добавени към вашия баланс!",
"Users": "Потребители",
"VALID": "ВАЛИДЕН",
"Account already exists on Pterodactyl. Please contact the Support!": "Акаунтът вече съществува на Pterodactyl. Моля, свържете се с поддръжката!",
"days": "дни",
"hours": "часа",
"You ran out of Credits": "Нямате повече кредити",
"Profile updated": "Потребителският профил беше актуализиран",
"Server limit reached!": "Достигнато е ограничението за сървъри!",
"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.": "От вас се изисква да свържете акаунта си в Discord, преди да можете да създадете сървър.",
"Server created": "Сървърът е създаден",
"No allocations satisfying the requirements for automatic deployment on this node were found.": "Не бяха открити разпределения, отговарящи на изискванията за автоматично deploy-ване на този Node.",
"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": "От вас се изисква да свържете акаунта си в Discord, преди да можете да закупите кредити",
"EXPIRED": "ПРОСРОЧЕН",
"Payment Confirmation": "Потвърждение за плащане",
"Payment Confirmed!": "Плащането е потвърдено!",
"Your Payment was successful!": "Вашето плащане е успешно!",
"Hello": "Здравейте",
"Your payment was processed successfully!": "Вашето плащане беше обработено успешно!",
"Status": "Състояние",
"Price": "Цена",
"Type": "Тип",
"Amount": "Количество",
"Balance": "Баланс",
"User ID": "ID на потребител",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Грешка при създаване на сървър",
"Your servers have been suspended!": "Сървърите ви са спрени!",
"To automatically re-enable your server\/s, you need to purchase more credits.": "За да активирате автоматично вашия сървър\/и, трябва да закупите повече кредити.",
"Purchase credits": "Купете кредити",
"If you have any questions please let us know.": "При допълнителни въпроси, моля свържете се с нас.",
"Regards": "Поздрави",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Приготвяме се да започнем!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Дневници на дейността",
"Dashboard": "Контролен панел",
"No recent activity from cronjobs": "Няма скорошна активност от cronjobs",
"Are cronjobs running?": "Работят ли cronjobs?",
"Check the docs for it here": "Проверете документацията за него тук",
"Causer": "Причинител",
"Description": "Описание",
"Application API": "API на приложението",
"Create": "Създаване",
"Memo": "Бележка",
"Submit": "Потвърди",
"Create new": "Създай Нов",
"Token": "Токен",
"Last used": "Последно ползвано",
"Are you sure you wish to delete?": "Сигурни ли сте, че искате да изтриете?",
"Nests": "Nests",
"Sync": "Синхронизиране",
"Active": "Активен",
"ID": "ID",
"eggs": "eggs",
"Name": "Име",
"Nodes": "Сървъри",
"Location": "Местоположение",
"Admin Overview": "Преглед на администратора",
"Support server": "Сървър за поддръжка",
"Documentation": "Документация",
"Github": "GitHub",
"Support ControlPanel": "Подкрепете Control Panel",
"Servers": "Сървъри",
"Total": "Общо",
"Payments": "Плащания",
"Pterodactyl": "Pterodactyl",
"Resources": "Ресурси",
"Count": "Брой",
"Locations": "Местоположения",
"Eggs": "Еggs",
"Last updated :date": "Последна актуализация :date",
"Download all Invoices": "Изтегляне на всички фактури",
"Product Price": "Цена на продукта",
"Tax Value": "Стойност на данъка",
"Tax Percentage": "Процент na данъка",
"Total Price": "Крайна цена",
"Payment ID": "ID на плащане",
"Payment Method": "Метод на плащане",
"Products": "Продукти",
"Product Details": "Детайли за продукта",
"Disabled": "Изключено",
"Will hide this option from being selected": "Ще скрие тази опция от избор",
"Price in": "Цена в",
"Memory": "Памет",
"Cpu": "Процесор",
"Swap": "Swap",
"This is what the users sees": "Това виждат потребителите",
"Disk": "Диск",
"Minimum": "Минимум",
"Setting to -1 will use the value from configuration.": "Задаването на -1 ще използва стойността от конфигурацията.",
"IO": "IO",
"Databases": "Бази данни",
"Backups": "Резервни копия",
"Allocations": "Разпределения",
"Product Linking": "Свързване на продукти",
"Link your products to nodes and eggs to create dynamic pricing for each option": "Свържете продуктите си с Node-ове и Egg-ове, за да създадете динамично ценообразуване за всяка опция",
"This product will only be available for these nodes": "Този продукт ще бъде наличен само за тези Node-ове",
"This product will only be available for these eggs": "Този продукт ще бъде наличен само за тези Еgg-ове",
"Product": "Продукт",
"CPU": "Процесор",
"Updated at": "Обновен на",
"User": "Потребител",
"Config": "Конфигурация",
"Suspended at": "Прекратен на",
"Settings": "Настройки",
"The installer is not locked!": "Инсталаторът не е заключен!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "моля, създайте файл, наречен \"install.lock\" в основната директория на таблото си. В противен случай няма да се зареждат никакви настройки!",
"or click here": "или щракнете тук",
"Company Name": "Име на компанията",
"Company Adress": "Адрес на компанията",
"Company Phonenumber": "Фирмен телефонен номер",
"VAT ID": "Идентификационен номер на ДДС",
"Company E-Mail Adress": "Фирмен имейл адрес",
"Company Website": "Фирмен Уебсайт",
"Invoice Prefix": "Префикс на фактура",
"Enable Invoices": "Активирай Фактури",
"Logo": "Лого",
"Select Invoice Logo": "Изберете лого на фактура",
"Available languages": "Налични езици",
"Default language": "Език по подразбиране",
"The fallback Language, if something goes wrong": "Резервният език, ако нещо се обърка",
"Datable language": "Език с данни",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Езиков код на таблиците с данни. <br><strong>Пример:<\/strong> en-gb, fr_fr, de_de<br>Повече информация: ",
"Auto-translate": "Автоматичен превод",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "Ако това е отметнато, таблото за управление ще се преведе на езика на клиентите, ако е наличен",
"Client Language-Switch": "Превключване на клиентски език",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "Ако това е отметнато, клиентите ще имат възможността ръчно да променят езика на таблото си за управление",
"Mail Service": "Маil Service",
"The Mailer to send e-mails with": "Mailer, с който да изпращате имейли",
"Mail Host": "Mail Хост",
"Mail Port": "Mail Порт",
"Mail Username": "Mail Потребителско име",
"Mail Password": "Маil Парола",
"Mail Encryption": "Mail Криптиране",
"Mail From Adress": "Mail от адрес",
"Mail From Name": "Mail от име",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Активирайте ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "по желание",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"Stripe Test Secret-Key": "Stripe Test Secret-Key",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint-Secret-Key",
"Payment Methods": "Начини на плащане",
"Tax Value in %": "Стойност на данък в %",
"System": "Система",
"Register IP Check": "Проверка на IP при регистрация",
"Prevent users from making multiple accounts using the same IP address.": "Не позволявайте на потребителите да създават множество акаунти, използващи един и същ IP адрес.",
"Charge first hour at creation": "Плащане на първия час при създаване",
"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>": "Въведете URL адреса на вашата инсталация на PHPMyAdmin. <strong>Без крайна наклонена черта!<\/strong>",
"Pterodactyl URL": "Pterodactyl URL",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Въведете URL адреса на вашата инсталация на Pterodactyl.<strong>Без крайна наклонена черта!<\/strong>",
"Pterodactyl API Key": "Pterodactyl API Kлюч",
"Enter the API Key to your Pterodactyl installation.": "Въведете API ключа към вашата инсталация на Pterodactyl.",
"Force Discord verification": "Принудително потвърждаване на Discord",
"Force E-Mail verification": "Принудително потвърждаване на имейл",
"Initial Credits": "Първоначални кредити",
"Initial Server Limit": "Първоначално ограничение на сървъри",
"Credits Reward Amount - Discord": "Кредити за награда - Discord",
"Credits Reward Amount - E-Mail": "Кредити за награда - E-Mail",
"Server Limit Increase - Discord": "Увеличаване на лимита на сървъри - Discord",
"Server Limit Increase - E-Mail": "Увеличаване на лимита на сървъри - E-Mail",
"Server": "Сървър",
"Server Allocation Limit": "Лимит за разпределение на сървъри",
"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 favicon": "Изберете икона на панела",
"Store": "Магазин",
"Server Slots": "Server Slots",
"Currency code": "Код на валутата",
"Checkout the paypal docs to select the appropriate code": "Разгледайте документацията на paypal, за да изберете подходящия код",
"Quantity": "Количество",
"Amount given to the user after purchasing": "Сума, предоставена на потребителя след покупка",
"Display": "Изглед",
"This is what the user sees at store and checkout": "Това е, което потребителят вижда в магазина и при плащане",
"Adds 1000 credits to your account": "Добавя 1000 кредита към вашия акаунт",
"This is what the user sees at checkout": "Това е, което потребителят вижда при плащане",
"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.": "За да конфигурирате методите на плащане, отидете на страницата с настройки и добавете необходимите опции за предпочитания от вас начин на плащане.",
"Useful Links": "Полезни връзки",
"Icon class name": "Име на клас икона",
"You can find available free icons": "Можете да намерите налични безплатни икони",
"Title": "Заглавие",
"Link": "Линк",
"description": "описание",
"Icon": "Икона",
"Username": "Потребителско име",
"Email": "Имейл",
"Pterodactyl ID": "Pterodactyl ID",
"This ID refers to the user account created on pterodactyls panel.": "Този идентификатор се отнася до потребителския акаунт, създаден на Pterodactyl панела.",
"Only edit this if you know what youre doing :)": "Редактирайте това само ако знаете какво правите :)",
"Server Limit": "Ограничение на сървърите",
"Role": "Роля",
" Administrator": " Администратор",
"Client": "Клиент",
"Member": "Член",
"New Password": "Нова парола",
"Confirm Password": "Потвърждение на парола",
"Notify": "Напомни",
"Avatar": "Аватар",
"Referrals": "Referrals",
"Verified": "Потвърден",
"Last seen": "Последно видян",
"Notifications": "Известия",
"All": "Всички",
"Send via": "Изпращане чрез",
"Database": "База данни",
"Content": "Съдържание",
"Server limit": "Ограничение на сървърите",
"Discord": "Discord",
"Usage": "Употреба",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "Ваучери",
"Voucher details": "Детайли за ваучера",
"Summer break voucher": "Ваучер за лятна почивка",
"Code": "Код",
"Random": "Произволно",
"Uses": "Използвания",
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Ваучер може да се използва само веднъж на потребител. Uses определя броя на различните потребители, които могат да използват този ваучер.",
"Max": "Макс",
"Expires at": "Изтича на",
"Used \/ Uses": "Използван \/ Използвания",
"Expires": "Изтича",
"Sign in to start your session": "Влезте, за да започнете сесията си",
"Password": "Парола",
"Remember Me": "Запомни ме",
"Sign In": "Вход",
"Forgot Your Password?": "Забравена парола?",
"Register a new membership": "Регистрирайте ново членство",
"Please confirm your password before continuing.": "Моля, потвърдете паролата си, преди да продължите.",
"You forgot your password? Here you can easily retrieve a new password.": "Забравихте паролата си? Тук можете лесно да извлечете нова парола.",
"Request new password": "Заявка за нова парола",
"Login": "Вписване",
"You are only one step a way from your new password, recover your password now.": "Вие сте само на една крачка от новата си парола, възстановите паролата си сега.",
"Retype password": "Повтори парола",
"Change password": "Промяна на паролата",
"Referral code": "Referral code",
"Register": "Регистриране",
"I already have a membership": "Вече имам членство",
"Verify Your Email Address": "Потвърдете имейл адресът си",
"A fresh verification link has been sent to your email address.": "На вашия имейл адрес е изпратена нова връзка за потвърждение.",
"Before proceeding, please check your email for a verification link.": "Преди да продължите, моля, проверете имейла си за връзка за потвърждение.",
"If you did not receive the email": "Ако не сте получили имейла",
"click here to request another": "щракнете тук, за да поискате друг",
"per month": "на месец",
"Out of Credits in": "Вашите кредити ще се изчерпат след",
"Home": "Начало",
"Language": "Език",
"See all Notifications": "Вижте всички известия",
"Mark all as read": "Mark all as read",
"Redeem code": "Въведете код",
"Profile": "Профил",
"Log back in": "Влезте отново",
"Logout": "Изход",
"Administration": "Администрация",
"Overview": "Преглед",
"Management": "Управление",
"Other": "Други",
"Logs": "Логове",
"Warning!": "Внимание!",
"You have not yet verified your email address": "Все още не сте потвърдили имейл адреса си",
"Click here to resend verification email": "Щракнете тук, за да се изпрати ново писмо за потвърждение",
"Please contact support If you didnt receive your verification email.": "Моля, свържете се с поддръжката Ако не сте получили имейла си за потвърждение.",
"Thank you for your purchase!": "Благодарим ви за вашата покупка!",
"Your payment has been confirmed; Your credit balance has been updated.": "Вашето плащане е потвърдено; Вашият кредитен баланс е актуализиран.",
"Thanks": "Благодарим ви",
"Redeem voucher code": "Въведете кода на ваучера",
"Close": "Затвори",
"Redeem": "Активирай",
"All notifications": "Всички известия",
"Required Email verification!": "Изисква се потвърждение по имейл!",
"Required Discord verification!": "Изисква се потвърждение на Discord!",
"You have not yet verified your discord account": "Все още не сте потвърдили Discord акаунта си",
"Login with discord": "Влезте със Discord",
"Please contact support If you face any issues.": "Моля, свържете се с поддръжката, ако срещнете някакви проблеми.",
"Due to system settings you are required to verify your discord account!": "Поради системните настройки от вас се изисква да потвърдите акаунта си в Discord!",
"It looks like this hasnt been set-up correctly! Please contact support.": "Изглежда, че това не е настроено правилно! Моля, свържете се с поддръжката.",
"Change Password": "Промени парола",
"Current Password": "Текуща парола",
"Link your discord account!": "Свържете своя Discord акаунт!",
"By verifying your discord account, you receive extra Credits and increased Server amounts": "Като потвърдите акаунта си в Discord, получавате допълнителни кредити и увеличени лимита на сървъри",
"Login with Discord": "Влезте със Discord",
"You are verified!": "Вие сте потвърдени!",
"Re-Sync Discord": "Повторно синхронизиране на Discord",
"Save Changes": "Запази промените",
"Server configuration": "Конфигурация на сървъра",
"Make sure to link your products to nodes and eggs.": "Не забравяйте да свържете продуктите си с Node-ове и Egg-ове.",
"There has to be at least 1 valid product for server creation": "Трябва да има поне 1 валиден продукт за създаване на сървър",
"Sync now": "Синхронизирай сега",
"No products available!": "Няма достъпни продукти!",
"No nodes have been linked!": "Няма свързани Node-ове!",
"No nests available!": "Няма налични Nest-ове!",
"No eggs have been linked!": "Няма свързани Egg-ове!",
"Software \/ Games": "Софтуер \/ Игри",
"Please select software ...": "Моля, изберете софтуер...",
"---": "---",
"Specification ": "Спецификация ",
"Node": "Node",
"Resource Data:": "Данни за ресурсите:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "портове",
"Not enough": "Недостатъчно",
"Create server": "Създай сървър",
"Please select a node ...": "Моля изберете Node...",
"No nodes found matching current configuration": "Няма намерени Node-oве, съответстващи на текущата конфигурация",
"Please select a resource ...": "Моля, изберете ресурс...",
"No resources found matching current configuration": "Няма намерени ресурси, отговарящи на текущата конфигурация",
"Please select a configuration ...": "Моля изберете конфигурация ...",
"Not enough credits!": "Нямате достатъчно кредити!",
"Create Server": "Създай сървър",
"Software": "Софтуер",
"Specification": "Спецификация",
"Resource plan": "Ресурсен план",
"RAM": "RAM",
"MySQL Databases": "MySQL бази данни",
"per Hour": "на Час",
"per Month": "на Месец",
"Manage": "Управление",
"Are you sure?": "Сигурни ли сте?",
"This is an irreversible action, all files of this server will be removed.": "Това е необратимо действие, всички файлове на този сървър ще бъдат премахнати.",
"Yes, delete it!": "Да, изтрийте!",
"No, cancel!": "Не, отказ!",
"Canceled ...": "Отменен ...",
"Deletion has been canceled.": "Изтриването е отменено.",
"Date": "Дата",
"Subtotal": "Междинна сума",
"Amount Due": "Дължима сума",
"Tax": "Данък",
"Submit Payment": "Изпратете плащане",
"Purchase": "Купи",
"There are no store products!": "Няма продукти!",
"The store is not correctly configured!": "Магазинът не е конфигуриран правилно!",
"Serial No.": "Сериен №.",
"Invoice date": "Датата на фактурата",
"Seller": "Продавач",
"Buyer": "Купувач",
"Address": "Адрес",
"VAT Code": "ДДС номер",
"Phone": "Телефон",
"Units": "Брой",
"Discount": "Отстъпка",
"Total discount": "Обща отстъпка",
"Taxable amount": "Облагаема сума",
"Tax rate": "Стойност на данъка",
"Total taxes": "Общо данъци",
"Shipping": "Доставка",
"Total amount": "Обща сума",
"Notes": "Бележки",
"Amount in words": "Сума с думи",
"Please pay until": "Моля, платете до",
"cs": "Чешки",
"de": "Немски",
"en": "Английски",
"es": "Испански",
"fr": "Френски",
"hi": "Хинди",
"it": "Италиански",
"nl": "Холандски",
"pl": "Полски",
"zh": "Китайски",
"tr": "Турски",
"ru": "Руски",
"sv": "Swedish",
"sk": "Slovakish"
}

445
resources/lang/bs.json Normal file
View file

@ -0,0 +1,445 @@
{
"Invoice settings updated!": "Invoice settings updated!",
"Language settings have not been updated!": "Language settings have not been updated!",
"Language settings updated!": "Language settings updated!",
"Misc settings have not been updated!": "Misc settings have not been updated!",
"Misc settings updated!": "Misc settings updated!",
"Payment settings have not been updated!": "Payment settings have not been updated!",
"Payment settings updated!": "Payment settings updated!",
"System settings have not been updated!": "System settings have not been updated!",
"System settings updated!": "System settings updated!",
"api key created!": "api ključ kreiran!",
"api key updated!": "api ključ ažuriran!",
"api key has been removed!": "api ključ je uklonjen!",
"Edit": "Izmjeni",
"Delete": "Obriši",
"Store item has been created!": "Stavka menija je kreirana!",
"Store item has been updated!": "Stavka menija je uklonjena!",
"Product has been updated!": "Proizvod je bio ažuriran!",
"Store item has been removed!": "Stavka menija je uklonjena!",
"Created at": "Created at",
"Error!": "Error!",
"unknown": "nepoznato",
"Pterodactyl synced": "Pterodactyl pokrenut",
"Your credit balance has been increased!": "Your credit balance has been increased!",
"Your payment is being processed!": "Your payment is being processed!",
"Your payment has been canceled!": "Your payment has been canceled!",
"Payment method": "Payment method",
"Invoice": "Invoice",
"Download": "Download",
"Product has been created!": "Product has been created!",
"Product has been removed!": "Product has been removed!",
"Show": "Show",
"Clone": "Clone",
"Server removed": "Server removed",
"An exception has occurred while trying to remove a resource \"": "An exception has occurred while trying to remove a resource \"",
"Server has been updated!": "Server has been updated!",
"Unsuspend": "Unsuspend",
"Suspend": "Suspend",
"configuration has been updated!": "konfiguracija je spremljena!",
"link has been created!": "link has been created!",
"link has been updated!": "link has been updated!",
"product has been removed!": "product has been removed!",
"User does not exists on pterodactyl's panel": "User does not exists on pterodactyl's panel",
"user has been removed!": "user has been removed!",
"Notification sent!": "Notification sent!",
"User has been updated!": "User has been updated!",
"Login as User": "Login as User",
"voucher has been created!": "voucher has been created!",
"voucher has been updated!": "voucher has been updated!",
"voucher has been removed!": "voucher has been removed!",
"This voucher has reached the maximum amount of uses": "This voucher has reached the maximum amount of uses",
"This voucher has expired": "This voucher has expired",
"You already redeemed this voucher code": "You already redeemed this voucher code",
"have been added to your balance!": "have been added to your balance!",
"Users": "Users",
"VALID": "VALID",
"Account already exists on Pterodactyl. Please contact the Support!": "Account already exists on Pterodactyl. Please contact the Support!",
"days": "days",
"hours": "hours",
"You ran out of Credits": "You ran out of Credits",
"Profile updated": "Profile updated",
"Server limit reached!": "Server limit reached!",
"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!",
"Status": "Status",
"Price": "Price",
"Type": "Type",
"Amount": "Amount",
"Balance": "Balance",
"User ID": "User ID",
"Server Creation Error": "Server Creation Error",
"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",
"Are cronjobs running?": "Are cronjobs running?",
"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!",
"or click here": "or click here",
"Company Name": "Company Name",
"Company Adress": "Company Adress",
"Company Phonenumber": "Company Phonenumber",
"VAT ID": "VAT ID",
"Company E-Mail Adress": "Company E-Mail Adress",
"Company Website": "Company Website",
"Invoice Prefix": "Invoice Prefix",
"Enable Invoices": "Enable Invoices",
"Logo": "Logo",
"Select Invoice Logo": "Select Invoice Logo",
"Available languages": "Available languages",
"Default language": "Default language",
"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",
"Client Language-Switch": "Client Language-Switch",
"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",
"Mail Host": "Mail Host",
"Mail Port": "Mail Port",
"Mail Username": "Mail Username",
"Mail Password": "Mail Password",
"Mail Encryption": "Mail Encryption",
"Mail From Adress": "Mail From Adress",
"Mail From Name": "Mail From Name",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Enable ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "optional",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"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.",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
"Initial Server Limit": "Initial Server Limit",
"Credits Reward Amount - Discord": "Credits Reward Amount - Discord",
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server": "Server",
"Server Allocation Limit": "Server Allocation Limit",
"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.",
"Thanks": "Thanks",
"Redeem voucher code": "Redeem voucher code",
"Close": "Close",
"Redeem": "Redeem",
"All notifications": "All notifications",
"Required Email verification!": "Required Email verification!",
"Required Discord verification!": "Required Discord verification!",
"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!",
"Software \/ Games": "Software \/ Games",
"Please select software ...": "Please select software ...",
"---": "---",
"Specification ": "Specification ",
"Node": "Node",
"Resource Data:": "Resource Data:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "ports",
"Not enough": "Not enough",
"Create server": "Create server",
"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",
"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",
"Icons updated!": "Icons updated!",
"cs": "Czech",
"de": "German",
"en": "English",
"es": "Spanish",
"fr": "French",
"hi": "Hindi",
"it": "Italian",
"nl": "Dutch",
"pl": "Polish",
"zh": "Chinese",
"tr": "Turkish",
"ru": "Russian"
}

View file

@ -1,14 +1,21 @@
{
"Invoice settings updated!": "Nastavení faktur aktualizováno!",
"Language settings have not been updated!": "Nastavení jazyka bylo aktualizováno!",
"Language settings updated!": "Nastavení jazyka bylo aktualizováno!",
"Misc settings have not been updated!": "Různá nastavení nebyla aktualizována!",
"Misc settings updated!": "Různá nastavení byla aktualizována!",
"Payment settings have not been updated!": "Nastavení platby nebylo aktualizováno!",
"Payment settings updated!": "Způsob platby byl aktualizován!",
"System settings have not been updated!": "Systémové nastavení nebylo aktualizováno!",
"System settings updated!": "Systémové nastavení bylo aktualizováno!",
"api key created!": "api klíč vygenerován!",
"api key updated!": "api klíč aktualizován!",
"api key has been removed!": "api klíč byl odstraněn!",
"Edit": "Upravit",
"Delete": "Smazat",
"configuration has been updated!": "konfigurace byla aktualizována!",
"Store item has been created!": "Balíček dokoupení kreditů byl vytvořen!",
"Store item has been updated!": "Balíček dokoupení kreditů byl aktualizován!",
"Product has been updated!": "Balíček byl aktualizován!",
"Store item has been removed!": "Balíček dokoupení kreditů byl odstraněn!",
"Created at": "Vytvořeno",
"Error!": "Chyba!",
"Invoice does not exist on filesystem!": "Soubor faktury neexistuje!",
"unknown": "neznámý",
"Pterodactyl synced": "Pterodactyl synchronizován",
"Your credit balance has been increased!": "Kredity byly připsány!",
@ -16,8 +23,9 @@
"Your payment has been canceled!": "Vaše platba byla zrušena!",
"Payment method": "Platební metoda",
"Invoice": "Faktura",
"Invoice does not exist on filesystem!": "Faktura neexistuje v souborovém systému!",
"Download": "Stáhnout",
"Product has been created!": "Balíček byl vytvořen!",
"Product has been updated!": "Balíček byl aktualizován!",
"Product has been removed!": "Balíček byl odstraněn!",
"Show": "Zobrazit",
"Clone": "Duplikovat",
@ -26,7 +34,9 @@
"Server has been updated!": "Server byl aktualizován!",
"Unsuspend": "Zrušit pozastavení",
"Suspend": "Pozastavit",
"Icons updated!": "Ikony byly aktualizovány!",
"Store item has been created!": "Balíček dokoupení kreditů byl vytvořen!",
"Store item has been updated!": "Balíček dokoupení kreditů byl aktualizován!",
"Store item has been removed!": "Balíček dokoupení kreditů byl odstraněn!",
"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!",
@ -44,6 +54,7 @@
"have been added to your balance!": "bylo připsáno na váš účet!",
"Users": "Uživatelé",
"VALID": "platný",
"Account already exists on Pterodactyl. Please contact the Support!": "Účet na Pterodaktylu již existuje. Kontaktujte prosím podporu!",
"days": "dní",
"hours": "hodin",
"You ran out of Credits": "Došly Vám kredity",
@ -67,13 +78,27 @@
"Amount": "Množství",
"Balance": "Zůstatek",
"User ID": "ID uživatele",
"Someone registered using your Code!": "Někdo se zaregistroval pomocí vašeho kódu!",
"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.",
"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",
"Verifying your e-mail address will grant you ": "Ověřením vaší e-mailové adresy získáte ",
"additional": "další",
"Verifying your e-mail will also increase your Server Limit by ": "Ověření vašeho e-mailu vám také zvýší limit serverů o ",
"You can also verify your discord account to get another ": "Také si můžete ověřit váš Discord účet pro získání dalších ",
"Verifying your Discord account will also increase your Server Limit by ": "Ověření vašeho Discord účtu vám také zvýší limit serverů o ",
"Getting started!": "Začínáme!",
"Welcome to our dashboard": "Vítejte v našem ovládacím panelu",
"Verification": "Ověření",
"You can verify your e-mail address and link\/verify your Discord account.": "Můžete ověřit svojí e-mail adresu a přiojit váš Discord účet.",
"Information": "Informace",
"This dashboard can be used to create and delete servers": "Tento panel může použít pro vytvoření a mazání serverů",
"These servers can be used and managed on our pterodactyl panel": "Tyto servery můžete používat a spravovat v našem pterodactyl panelu",
"If you have any questions, please join our Discord server and #create-a-ticket": "V případě dotazů se prosím připojte na náš Discord server a vytvořte si ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "Doufám, že budete s naším hostingem spokojeni a v případě jakýchkoliv nápadů či připomínek nás neváhejte kontaktovat",
"Activity Logs": "Historie akcí",
"Dashboard": "Přehled",
"No recent activity from cronjobs": "Žádná nedávná aktivita cronjobů",
@ -81,7 +106,6 @@
"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",
@ -90,14 +114,7 @@
"Token": "Token",
"Last used": "Naposledy použito",
"Are you sure you wish to delete?": "Opravdu si přejete odstranit?",
"Edit Configuration": "Upravit konfiguraci",
"Text Field": "Textové pole",
"Cancel": "Zrušit",
"Save": "Uložit",
"Configurations": "Konfigurace",
"Key": "Klíč",
"Value": "Hodnota",
"Nests": "Software/hra",
"Nests": "Software\/hra",
"Sync": "Synchronizovat",
"Active": "Aktivní",
"ID": "ID",
@ -118,7 +135,8 @@
"Count": "Počet",
"Locations": "Umístění",
"Eggs": "Distribuce",
"Last updated :date": "Naposledy aktualizováno :datum",
"Last updated :date": "Naposledy aktualizováno :date",
"Download all Invoices": "Stáhnout všechny faktury",
"Product Price": "Cena balíčku",
"Tax Value": "Hodnota daně",
"Tax Percentage": "Procento daně",
@ -152,21 +170,99 @@
"Config": "Konfigurace",
"Suspended at": "Pozastaveno",
"Settings": "Nastavení",
"Dashboard icons": "Ikony hlavního panelu",
"Invoice Settings": "Nastavení fakturace",
"Select panel icon": "Vybrat ikonu panelu",
"Select panel favicon": "Vybrat favikonu panelu",
"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",
"The installer is not locked!": "Instalátor není uzamčen!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "prosím vytvoř soubor který bude pojmenován install.lock v Kontrolním panelu (hlavní složka)\nPokud tak neuděláš, žádné změny nebudou načteny!",
"or click here": "nebo klikněte sem",
"Company Name": "Název společnosti",
"Company Adress": "Adresa Firmy",
"Company Phonenumber": "Telefon společnosti",
"VAT ID": "DIČ",
"Company E-Mail Adress": "E-mailová adresa společnosti",
"Company Website": "Web společnosti",
"Invoice Prefix": "Prefix pro faktury",
"Enable Invoices": "Povolit faktury",
"Logo": "Logo",
"Select Invoice Logo": "Zvolte logo na faktuře",
"Available languages": "Dostupné jazyky",
"Default language": "Výchozí jazyk",
"The fallback Language, if something goes wrong": "Záložní jazyk, kdyby se něco pokazilo",
"Datable language": "Jazyk tabulek",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Kód jazyka datových tabulek. <br><strong>Příklad:<\/strong> en-gb, fr_fr, de_de<br>Více informací: ",
"Auto-translate": "Automatický překlad",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "Pokud je tohle zaškrtlé, Panel bude přeložen do Jazyka klienta (pokud to je možné)",
"Client Language-Switch": "Povolit uživatelům změnu jazyka",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "Pokud je tohle zaškrtlé, Uživatel si může změnit jazyk menu",
"Mail Service": "E-mailová služba",
"The Mailer to send e-mails with": "Způsob kterým se bude odesílat e-mail",
"Mail Host": "Mail Host",
"Mail Port": "Mail Port",
"Mail Username": "Uživatelské jméno pro e-mail",
"Mail Password": "E-mailové heslo",
"Mail Encryption": "Šifrování e-mailu",
"Mail From Adress": "E-mail odesílatele",
"Mail From Name": "Název odešílatele",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Token Discord bota",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Pozvánka na Discord",
"Discord Role-ID": "Discord ID role",
"Enable ReCaptcha": "Povolit službu Capthca",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"Enable Referral": "Povolit provize",
"Mode": "Režim",
"Should a reward be given if a new User registers or if a new user buys credits": "Měl by uživatel dostat odměnu, když se nový uživatel zaregistruje nebo by měl dostat provizi z nákupu",
"Commission": "Provize",
"Sign-Up": "Registrace",
"Both": "Oboje",
"Referral reward in percent": "Provize v procentech",
"(only for commission-mode)": "(pouze pro režim provize)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "Pokud si nový uživatel koupí kredit, tak odkazující uživatel dostane provizi x% kreditů z nákupu",
"Referral reward in": "Odměna za registraci v",
"(only for sign-up-mode)": "(pouze pro režim registrace)",
"Allowed": "Povoleno",
"Who is allowed to see their referral-URL": "Kdo může vidět svůjí provizní URL",
"Everyone": "Všichni",
"Clients": "Klienti",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "nepovinné",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"Stripe Test Secret-Key": "Stripe Test Secret-Key",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint-Secret-Key",
"Payment Methods": "Platební metody",
"Tax Value in %": "Poplatek v %",
"System": "Systém",
"Register IP Check": "Kontrolovat registrační IP",
"Prevent users from making multiple accounts using the same IP address.": "Zabraní uživatelům vytvářet více učtů z jedné IP adresy.",
"Charge first hour at creation": "Účtovat celou první hodinu",
"Charges the first hour worth of credits upon creating a server.": "Po vytvoření služby náčtuje ihned první hodinu.",
"Credits Display Name": "Název kreditů",
"PHPMyAdmin URL": "PHPMyAdmin URL",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Vložte URL vaší instalace PHPmyAdmin. <strong>Bez koncového lomítka!<\/strong>",
"Pterodactyl URL": "Pterodactyl URL",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Vložte URL vaší instalace Pterodactyl. <strong>Bez koncového lomítka!<\/strong>",
"Pterodactyl API Key": "Pterodactyl API klíč",
"Enter the API Key to your Pterodactyl installation.": "Zadejte API klíč Vaší Pterodactyl instalace.",
"Force Discord verification": "Vynutit ověření skrz Discord",
"Force E-Mail verification": "Vynutit e-mailovou verifikaci",
"Initial Credits": "Počáteční kredity",
"Initial Server Limit": "Počáteční server limit",
"Credits Reward Amount - Discord": "Výše odměny kreditů - Discord",
"Credits Reward Amount - E-Mail": "Výše odměny kreditů - E-Mail",
"Server Limit Increase - Discord": "Navýšení limitu serverů - Discord",
"Server Limit Increase - E-Mail": "Navýšení limitu serverů - E-Mail",
"Server": "Server",
"Server Allocation Limit": "Alokační limit pro server",
"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!": "Maximální počet portů které lze použít při vytváření serverů. Pokud bude využito více portů, než je nastaven tento limit, nebude možné vytvářet žádné další nové servery!",
"Select panel icon": "Vybrat ikonu panelu",
"Select panel favicon": "Vybrat favikonu panelu",
"Store": "Obchod",
"Server Slots": "Počet serverů",
"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í",
@ -176,7 +272,7 @@
"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.",
"To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "Pro nastavení platebních metod jděte do nastavení a přidejte požadované údaje pro vaši preferovanou platební metodu.",
"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",
@ -185,7 +281,7 @@
"description": "popis",
"Icon": "Ikona",
"Username": "Uživatelské jméno",
"Email": "Email",
"Email": "E-mail",
"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 :)",
@ -197,7 +293,8 @@
"New Password": "Nové heslo",
"Confirm Password": "Potvrdit heslo",
"Notify": "Oznámit",
"Avatar": "Avatar",
"Avatar": "Profilový obrázek",
"Referrals": "Doporučení",
"Verified": "Ověřený",
"Last seen": "Naposledy online",
"Notifications": "Oznámení",
@ -209,16 +306,17 @@
"Discord": "Discord",
"Usage": "Využití",
"IP": "IP",
"Referals": "Doporučení",
"Vouchers": "Poukazy",
"Voucher details": "Podrobnosti poukazu",
"Summer break voucher": "Poukaz na letní prázdniny",
"Code": "Kód",
"Random": "Random",
"Random": "Náhodně",
"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",
"Used \/ Uses": "Použito",
"Expires": "Vyprší",
"Sign in to start your session": "Pro pokračování se prosím přihlašte",
"Password": "Heslo",
@ -233,6 +331,7 @@
"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",
"Referral code": "Promo kód",
"Register": "Registrovat",
"I already have a membership": "Už mám účet",
"Verify Your Email Address": "Ověř svou e-mailovou adresu",
@ -243,8 +342,9 @@
"per month": "za měsíc",
"Out of Credits in": "Dostatek kreditů na",
"Home": "Domů",
"Languages": "Jazyky",
"Language": "Jazyk",
"See all Notifications": "Zobrazit všechna oznámení",
"Mark all as read": "Označit vše jako přečtené",
"Redeem code": "Uplatnit kód",
"Profile": "Profil",
"Log back in": "Přihlásit se zpět",
@ -281,19 +381,19 @@
"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",
"Sync now": "Synchronizovat nyní",
"No products available!": "Žádné dostupné balíčky!",
"No nodes have been linked!": "Nebyly propojeny žádné uzly!",
"No nests available!": "Žádný dostupný software/hry!",
"No nests available!": "Žádný dostupný software\/hry!",
"No eggs have been linked!": "Nebyly nastaveny žádné distribuce!",
"Software / Games": "Software/hry",
"Software \/ Games": "Software\/hry",
"Please select software ...": "Prosím zvolte software ...",
"---": "---",
"---": "----",
"Specification ": "Specifikace ",
"Node": "Uzel",
"Resource Data:": "Data prostředků:",
"Resource Data:": "Konfigurace:",
"vCores": "vlákna",
"MB": "MB",
"MySQL": "MySQL",
@ -304,7 +404,7 @@
"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 ...",
"Please select a configuration ...": "Prosím vyberte distribuci ...",
"Not enough credits!": "Nedostatek kreditů!",
"Create Server": "Vytvořit server",
"Software": "Software",
@ -322,11 +422,7 @@
"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",
@ -351,5 +447,18 @@
"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!"
}
"cs": "Čeština",
"de": "Němčina",
"en": "Angličtina",
"es": "Španělština",
"fr": "Francouzština",
"hi": "Hindština",
"it": "Italština",
"nl": "Holandština",
"pl": "Polština",
"zh": "Čínština",
"tr": "Turečtina",
"ru": "Ruština",
"sv": "Švédština",
"sk": "Slovensky"
}

View file

@ -13,22 +13,19 @@
"api key has been removed!": "API Key gelöscht",
"Edit": "Bearbeiten",
"Delete": "Löschen",
"Store item has been created!": "Item wurde erstellt!",
"Store item has been updated!": "Item updated",
"Product has been updated!": "Product updated",
"Store item has been removed!": "Item gelöscht",
"Created at": "Erstellt am",
"Error!": "Fehler!",
"Invoice does not exist on filesystem!": "Die Rechnung existiert auf dem Server nicht!",
"unknown": "unbekannt",
"Pterodactyl synced": "Pterodactyl synced",
"Pterodactyl synced": "Pterodactyl synchronisiert",
"Your credit balance has been increased!": "Dein Kontostand wurde updated",
"Your payment is being processed!": "Deine Bezahlung wurde verarbeitet!",
"Your payment has been canceled!": "Deine Bezahlung wurde abgebrochen!",
"Payment method": "Bezahlmethode",
"Invoice": "Rechnung",
"Invoice does not exist on filesystem!": "Rechnung existiert nicht auf dem Dateisystem!",
"Download": "Herunterladen",
"Product has been created!": "Produkt erstellt",
"Product has been updated!": "Product updated",
"Product has been removed!": "Produkt gelöscht",
"Show": "Zeige",
"Clone": "Klonen",
@ -37,7 +34,9 @@
"Server has been updated!": "Server updated",
"Unsuspend": "Reaktivieren",
"Suspend": "Deaktivieren",
"configuration has been updated!": "Konfig updated",
"Store item has been created!": "Item wurde erstellt!",
"Store item has been updated!": "Item updated",
"Store item has been removed!": "Item gelöscht",
"link has been created!": "Link erstellt!",
"link has been updated!": "Link updated!",
"product has been removed!": "Das Produkt wurde entfernt!",
@ -59,7 +58,7 @@
"days": "Tage",
"hours": "Stunden",
"You ran out of Credits": "Keine Credits übrig!",
"Profile updated": "Profile updated",
"Profile updated": "Profil updated",
"Server limit reached!": "Server Limit erreicht!",
"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",
@ -79,13 +78,27 @@
"Amount": "Anzahl",
"Balance": "Stand",
"User ID": "User-ID",
"Someone registered using your Code!": "Jemand hat sich mit deinem Code registriert!",
"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!",
"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",
"Verifying your e-mail address will grant you ": "Das verifizieren deiner Email-Adresse bringt dir ",
"additional": "zusätzlich",
"Verifying your e-mail will also increase your Server Limit by ": "Das Verifizieren deinr Email-Adresse wird dein Serverlimit um ",
"You can also verify your discord account to get another ": "Du kannst auch deinen Discord-Account verifizieren um ",
"Verifying your Discord account will also increase your Server Limit by ": "Das Verifizieren deines Discord-Accounts wird dein Serverlimit um ",
"Getting started!": "Den Anfang machen!",
"Welcome to our dashboard": "Willkommen in unserem Dashboard",
"Verification": "Verifizierung",
"You can verify your e-mail address and link\/verify your Discord account.": "Du kannst deine Email-Adresse und deinen Discord account verifizieren.",
"Information": "Hinweis",
"This dashboard can be used to create and delete servers": "Dieses Dashboard kann benutzt werden um Server zu erstellen und zu löschen",
"These servers can be used and managed on our pterodactyl panel": "Die Server werden von unserem Pterodactyl-Panel aus gemanaged",
"If you have any questions, please join our Discord server and #create-a-ticket": "Solltest du irgendwelche Fragen haben, komm auf unseren Discord",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "Wir hoffen, dass du diese Hosting-Erfahrung genießen kannst, und wenn Sie irgendwelche Vorschläge haben, lasse es uns bitte wissen",
"Activity Logs": "Aktivitäts logs",
"Dashboard": "Dashboard",
"No recent activity from cronjobs": "Keine neuen aktivitäten von Cronjobs",
@ -105,7 +118,7 @@
"Sync": "Sync",
"Active": "Aktiv",
"ID": "ID",
"eggs": "eggs",
"eggs": "Eggs",
"Name": "Name",
"Nodes": "Nodes",
"Location": "Standort",
@ -174,7 +187,7 @@
"Default language": "Standardsprache",
"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: ",
"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",
"Client Language-Switch": "Nutzer Sprachumschaltung",
@ -189,23 +202,38 @@
"Mail From Adress": "Absender E-Mailadresse",
"Mail From Name": "Absender E-Mailname",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Client-Secret": "DIscord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Guild-ID": "Discord Server-ID",
"Discord Invite-URL": "Discord Einladungslink",
"Discord Role-ID": "Discord Rollen-ID",
"Enable ReCaptcha": "Aktiviere ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"ReCaptcha Site-Key": "ReCaptcha Seiten-Schlüssel",
"ReCaptcha Secret-Key": "ReCaptcha Geheimschlüssel",
"Enable Referral": "Empfehlungen aktivieren",
"Mode": "Modus",
"Should a reward be given if a new User registers or if a new user buys credits": "Soll es eine Belohnung geben, wenn sich ein neuer Nutzer registriert oder wenn ein neuer Nutzer Credits kauft",
"Commission": "Provision",
"Sign-Up": "Registrieren",
"Both": "Beides",
"Referral reward in percent": "Empfehlungsprämie in Prozent",
"(only for commission-mode)": "(nur für den Kommissionsmodus)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "Wenn ein geworbener Benutzer Credits kauft, erhält der geworbene Benutzer x% der Credits, die der geworbene Benutzer gekauft hat",
"Referral reward in": "Empfehlungsprämie in",
"(only for sign-up-mode)": "(nur für den Registrierungsmodus)",
"Allowed": "Zugelassen",
"Who is allowed to see their referral-URL": "Wer darf ihre Empfehlungs-URL sehen?",
"Everyone": "Alle Benutzer",
"Clients": "Kunden",
"PayPal Client-ID": "Paypal Client-ID",
"PayPal Secret-Key": "PayPayl Geheimschlüssel",
"PayPal Sandbox Client-ID": "Paypal Sandbox Client-ID",
"optional": "Optional",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"Stripe Test Secret-Key": "Stripe Test Secret-Key",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint-Secret-Key",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Geheimschlüssel",
"Stripe Secret-Key": "Stripe Geheimschlüssel",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint Geheimschlüssel",
"Stripe Test Secret-Key": "Stripe Test Geheimschlüssel",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint Geheimschlüssel",
"Payment Methods": "Zahlungsmethoden",
"Tax Value in %": "Steuer in %",
"System": "System",
@ -215,10 +243,10 @@
"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>",
"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 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 Schlüssel",
"Enter the API Key to your Pterodactyl installation.": "Geben Sie den API-Schlüssel zu Ihrer Pterodactyl-Installation ein.",
"Force Discord verification": "Discord Verifikation erzwingen",
"Force E-Mail verification": "E-Mail Verifikation erzwingen",
@ -234,6 +262,7 @@
"Select panel icon": "Icon auswählen",
"Select panel favicon": "Favicon auswählen",
"Store": "Laden",
"Server Slots": "Server Slots",
"Currency code": "Währungscode",
"Checkout the paypal docs to select the appropriate code": "Siehe Paypal für die entsprechenden Codes",
"Quantity": "Menge",
@ -243,7 +272,7 @@
"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.",
"To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "Öffne die Einstellungsseite 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",
@ -258,13 +287,14 @@
"Only edit this if you know what youre doing :)": "Bearbeite dies nur, wenn du weißt, was du tust :)",
"Server Limit": "Serverlimit",
"Role": "Rolle",
" Administrator": " Administrator",
"Client": "Client",
"Member": "Member",
" Administrator": "Administrator",
"Client": "Kunde",
"Member": "Mitglied",
"New Password": "Neues Passwort",
"Confirm Password": "Passwort bestätigen",
"Notify": "Benachrichtigen",
"Avatar": "Avatar",
"Referrals": "Empfehlungen",
"Verified": "Verifiziert",
"Last seen": "Zuletzt online",
"Notifications": "Benachrichtigungen",
@ -276,6 +306,7 @@
"Discord": "Discord",
"Usage": "Nutzung",
"IP": "IP",
"Referals": "Empfehlungen",
"Vouchers": "Gutscheine",
"Voucher details": "Gutschein details",
"Summer break voucher": "Summer break Gutschein",
@ -285,7 +316,7 @@
"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",
"Used \/ Uses": "Benutzungen",
"Expires": "Ablauf",
"Sign in to start your session": "Melde dich an um das Dashboard zu benutzen",
"Password": "Passwort",
@ -300,6 +331,7 @@
"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",
"Referral code": "Empfehlungscode",
"Register": "Registrieren",
"I already have a membership": "Ich habe bereits einen Account",
"Verify Your Email Address": "Bestätige deine E-Mail Adresse",
@ -312,13 +344,14 @@
"Home": "Startseite",
"Language": "Sprache",
"See all Notifications": "Alle Nachrichten anzeigen",
"Mark all as read": "Alle als gelesen markieren",
"Redeem code": "Code einlösen",
"Profile": "Profil",
"Log back in": "Zurück anmelden",
"Logout": "Abmelden",
"Administration": "Administration",
"Overview": "Übersicht",
"Management": "Management",
"Management": "Verwaltung",
"Other": "Anderes",
"Logs": "Logs",
"Warning!": "Warnung!",
@ -355,13 +388,13 @@
"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",
"Software / Games": "Software / Spiele",
"Software \/ Games": "Software \/ Spiele",
"Please select software ...": "Bitte Software auswählen",
"---": "---",
"---": "--",
"Specification ": "Spezifikation",
"Node": "Node",
"Resource Data:": "Ressourcendaten:",
"vCores": "vCores",
"vCores": "vKerne",
"MB": "MB",
"MySQL": "MySQL",
"ports": "Ports",
@ -414,35 +447,20 @@
"Notes": "Notizen",
"Amount in words": "Betrag in Worten",
"Please pay until": "Zahlbar bis",
"Key": "Schlüssel",
"Value": "Wert",
"Edit Configuration": "Konfiguration bearbeiten",
"Text Field": "Textfeld",
"Cancel": "Abbrechen",
"Save": "Speichern",
"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",
"Icons updated!": "Icons aktualisiert!",
"cs": "Tschechisch",
"de": "Deutsch",
"en": "Englisch",
"es": "Spanisch",
"fr": "Französisch",
"hi": "Hindi",
"hi": "Indisch",
"it": "Italienisch",
"nl": "Niederländisch",
"pl": "Polnisch",
"zh": "Chinesisch",
"tr": "Türkisch",
"ru": "Russisch",
"sv": "Schwedisch",
"sk": "Slowakisch",
"hourly": "Stündlich",
"monthly": "Monatlich",
"yearly": "Jährlich",

View file

@ -6,6 +6,8 @@
"Misc settings updated!": "Misc settings updated!",
"Payment settings have not been updated!": "Payment settings have not been updated!",
"Payment settings updated!": "Payment settings updated!",
"Your Key or URL is not correct": "Your Key or URL is not correct",
"Everything is good!": "Everything is good!",
"System settings have not been updated!": "System settings have not been updated!",
"System settings updated!": "System settings updated!",
"api key created!": "api key created!",
@ -13,12 +15,9 @@
"api key has been removed!": "api key has been removed!",
"Edit": "Edit",
"Delete": "Delete",
"Store item has been created!": "Store item has been created!",
"Store item has been updated!": "Store item has been updated!",
"Product has been updated!": "Product has been updated!",
"Store item has been removed!": "Store item has been removed!",
"Created at": "Created at",
"Error!": "Error!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "unknown",
"Pterodactyl synced": "Pterodactyl synced",
"Your credit balance has been increased!": "Your credit balance has been increased!",
@ -26,9 +25,9 @@
"Your payment has been canceled!": "Your payment has been canceled!",
"Payment method": "Payment method",
"Invoice": "Invoice",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"Download": "Download",
"Product has been created!": "Product has been created!",
"Product has been updated!": "Product has been updated!",
"Product has been removed!": "Product has been removed!",
"Show": "Show",
"Clone": "Clone",
@ -37,15 +36,19 @@
"Server has been updated!": "Server has been updated!",
"Unsuspend": "Unsuspend",
"Suspend": "Suspend",
"configuration has been updated!": "configuration has been updated!",
"Store item has been created!": "Store item has been created!",
"Store item has been updated!": "Store item has been updated!",
"Store item has been removed!": "Store item has been removed!",
"link has been created!": "link has been created!",
"link has been updated!": "link has been updated!",
"product has been removed!": "product has been removed!",
"User does not exists on pterodactyl's panel": "User does not exists on pterodactyl's panel",
"user has been removed!": "user has been removed!",
"Email has been verified!": "Email has been verified!",
"Notification sent!": "Notification sent!",
"User has been updated!": "User has been updated!",
"Login as User": "Login as User",
"Verify": "Verify",
"voucher has been created!": "voucher has been created!",
"voucher has been updated!": "voucher has been updated!",
"voucher has been removed!": "voucher has been removed!",
@ -59,14 +62,29 @@
"days": "days",
"hours": "hours",
"You ran out of Credits": "You ran out of Credits",
"A ticket has been closed, ID: #": "A ticket has been closed, ID: #",
"A ticket has been deleted, ID: #": "A ticket has been deleted, ID: #",
"Your comment has been submitted": "Your comment has been submitted",
"View": "View",
"Close": "Close",
"Target User already in blacklist. Reason updated": "Target User already in blacklist. Reason updated",
"Change Status": "Change Status",
"Profile updated": "Profile updated",
"Server limit reached!": "Server limit reached!",
"The node '\" . $nodeName . \"' doesn't have the required memory or disk left to allocate this product.": "The node '\" . $nodeName . \"' doesn't have the required memory or disk left to allocate this product.",
"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.",
"´This is not your Server!": "´This is not your Server!",
"this product is the only one": "this product is the only one",
"Server Successfully Upgraded": "Server Successfully Upgraded",
"Not Enough Balance for Upgrade": "Not Enough Balance for Upgrade",
"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",
"You can't make a ticket because you're on the blacklist for a reason: '\" . $check->reason . \"": "You can't make a ticket because you're on the blacklist for a reason: '\" . $check->reason . \"",
"A ticket has been opened, ID: #": "A ticket has been opened, ID: #",
"You can't reply a ticket because you're on the blacklist for a reason: '\" . $check->reason . \"": "You can't reply a ticket because you're on the blacklist for a reason: '\" . $check->reason . \"",
"EXPIRED": "EXPIRED",
"Payment Confirmation": "Payment Confirmation",
"Payment Confirmed!": "Payment Confirmed!",
@ -79,13 +97,27 @@
"Amount": "Amount",
"Balance": "Balance",
"User ID": "User ID",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Server Creation Error",
"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.",
"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",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Getting started!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Activity Logs",
"Dashboard": "Dashboard",
"No recent activity from cronjobs": "No recent activity from cronjobs",
@ -153,7 +185,13 @@
"Product": "Product",
"CPU": "CPU",
"Updated at": "Updated at",
"ATTENTION!": "ATTENTION!",
"Only edit these settings if you know exactly what you are doing ": "Only edit these settings if you know exactly what you are doing ",
"You usually do not need to change anything here": "You usually do not need to change anything here",
"Edit Server": "Edit Server",
"Server identifier": "Server identifier",
"User": "User",
"Server id": "Server id",
"Config": "Config",
"Suspended at": "Suspended at",
"Settings": "Settings",
@ -174,7 +212,7 @@
"Default language": "Default language",
"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: ",
"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",
"Client Language-Switch": "Client Language-Switch",
@ -197,6 +235,22 @@
"Enable ReCaptcha": "Enable ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"Enable Ticketsystem": "Enable Ticketsystem",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
@ -215,11 +269,14 @@
"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>",
"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>",
"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.",
"Pterodactyl Admin-Account API Key": "Pterodactyl Admin-Account API Key",
"Enter the Client-API Key to a Pterodactyl-Admin-User here.": "Enter the Client-API Key to a Pterodactyl-Admin-User here.",
"Test API": "Test API",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
@ -228,12 +285,17 @@
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server Limit after Credits Purchase": "Server Limit after Credits Purchase",
"Server": "Server",
"Server Allocation Limit": "Server Allocation Limit",
"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!",
"Design": "Design",
"Enable Logo on Loginpage": "Enable Logo on Loginpage",
"Select panel icon": "Select panel icon",
"Select Login-page Logo": "Select Login-page Logo",
"Select panel favicon": "Select panel favicon",
"Store": "Store",
"Server Slots": "Server Slots",
"Currency code": "Currency code",
"Checkout the paypal docs to select the appropriate code": "Checkout the paypal docs to select the appropriate code",
"Quantity": "Quantity",
@ -259,12 +321,15 @@
"Server Limit": "Server Limit",
"Role": "Role",
" Administrator": " Administrator",
"Moderator": "Moderator",
"Client": "Client",
"Member": "Member",
"Referral-Code": "Referral-Code",
"New Password": "New Password",
"Confirm Password": "Confirm Password",
"Notify": "Notify",
"Avatar": "Avatar",
"Referrals": "Referrals",
"Verified": "Verified",
"Last seen": "Last seen",
"Notifications": "Notifications",
@ -276,6 +341,8 @@
"Discord": "Discord",
"Usage": "Usage",
"IP": "IP",
"Referals": "Referals",
"referral-code": "referral-code",
"Vouchers": "Vouchers",
"Voucher details": "Voucher details",
"Summer break voucher": "Summer break voucher",
@ -285,7 +352,7 @@
"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",
"Used \/ Uses": "Used \/ Uses",
"Expires": "Expires",
"Sign in to start your session": "Sign in to start your session",
"Password": "Password",
@ -300,6 +367,7 @@
"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",
"Referral code": "Referral code",
"Register": "Register",
"I already have a membership": "I already have a membership",
"Verify Your Email Address": "Verify Your Email Address",
@ -312,10 +380,15 @@
"Home": "Home",
"Language": "Language",
"See all Notifications": "See all Notifications",
"Mark all as read": "Mark all as read",
"Redeem code": "Redeem code",
"Profile": "Profile",
"Log back in": "Log back in",
"Logout": "Logout",
"Support Ticket": "Support Ticket",
"Moderation": "Moderation",
"Ticket List": "Ticket List",
"Ticket Blacklist": "Ticket Blacklist",
"Administration": "Administration",
"Overview": "Overview",
"Management": "Management",
@ -329,8 +402,18 @@
"Your payment has been confirmed; Your credit balance has been updated.": "Your payment has been confirmed; Your credit balance has been updated.",
"Thanks": "Thanks",
"Redeem voucher code": "Redeem voucher code",
"Close": "Close",
"Redeem": "Redeem",
"Blacklist List": "Blacklist List",
"Reason": "Reason",
"Created At": "Created At",
"Actions": "Actions",
"Add To Blacklist": "Add To Blacklist",
"please make the best of it": "please make the best of it",
"Please note, the blacklist will make the user unable to make a ticket\/reply again": "Please note, the blacklist will make the user unable to make a ticket\/reply again",
"Ticket": "Ticket",
"Category": "Category",
"Last Updated": "Last Updated",
"Comment": "Comment",
"All notifications": "All notifications",
"Required Email verification!": "Required Email verification!",
"Required Discord verification!": "Required Discord verification!",
@ -347,6 +430,7 @@
"You are verified!": "You are verified!",
"Re-Sync Discord": "Re-Sync Discord",
"Save Changes": "Save Changes",
"URL copied to clipboard": "URL copied to clipboard",
"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",
@ -355,7 +439,7 @@
"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!",
"Software / Games": "Software / Games",
"Software \/ Games": "Software \/ Games",
"Please select software ...": "Please select software ...",
"---": "---",
"Specification ": "Specification ",
@ -382,12 +466,22 @@
"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.",
"Server Settings": "Server Settings",
"Server Information": "Server Information",
"Server ID": "Server ID",
"Hourly Price": "Hourly Price",
"Monthly Price": "Monthly Price",
"MySQL Database": "MySQL Database",
"To enable the upgrade\/downgrade system, please set your Ptero Admin-User API Key in the Settings!": "To enable the upgrade\/downgrade system, please set your Ptero Admin-User API Key in the Settings!",
"Upgrade \/ Downgrade": "Upgrade \/ Downgrade",
"Upgrade\/Downgrade Server": "Upgrade\/Downgrade Server",
"FOR DOWNGRADE PLEASE CHOOSE A PLAN BELOW YOUR PLAN": "FOR DOWNGRADE PLEASE CHOOSE A PLAN BELOW YOUR PLAN",
"YOUR PRODUCT": "YOUR PRODUCT",
"Select the product": "Select the product",
"Once the Upgrade button is pressed, we will automatically deduct the amount for the first hour according to the new product from your credits": "Once the Upgrade button is pressed, we will automatically deduct the amount for the first hour according to the new product from your credits",
"Change Product": "Change Product",
"Delete Server": "Delete Server",
"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!",
"Date": "Date",
"Subtotal": "Subtotal",
"Amount Due": "Amount Due",
@ -396,6 +490,12 @@
"Purchase": "Purchase",
"There are no store products!": "There are no store products!",
"The store is not correctly configured!": "The store is not correctly configured!",
"Open a new ticket": "Open a new ticket",
"Open Ticket": "Open Ticket",
"Ticket details": "Ticket details",
"My Ticket": "My Ticket",
"New Ticket": "New Ticket",
"Ticket Information": "Ticket Information",
"Serial No.": "Serial No.",
"Invoice date": "Invoice date",
"Seller": "Seller",
@ -414,25 +514,6 @@
"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",
"Icons updated!": "Icons updated!",
"cs": "Czech",
"de": "German",
"en": "English",
@ -445,6 +526,9 @@
"zh": "Chinese",
"tr": "Turkish",
"ru": "Russian",
"sv": "Swedish",
"sk": "Slovakish",
"hu": "Hungarian",
"hourly": "Hourly",
"monthly": "Monthly",
"yearly": "Yearly",

View file

@ -13,12 +13,9 @@
"api key has been removed!": "¡La API Key a sido eliminada!",
"Edit": "Editar",
"Delete": "Eliminar",
"Store item has been created!": "¡Se ha creado el artículo en la tienda!",
"Store item has been updated!": "¡El artículo de la tienda ha sido actualizado!",
"Product has been updated!": "¡El producto ha sido actualizado!",
"Store item has been removed!": "¡El artículo de la tienda ha sido eliminado!",
"Created at": "Creado a",
"Error!": "Error!",
"Error!": "¡Error!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "desconocido",
"Pterodactyl synced": "Pterodactyl sincronizado",
"Your credit balance has been increased!": "¡Su saldo de crédito ha aumentado!",
@ -26,9 +23,9 @@
"Your payment has been canceled!": "¡Tu pago ha sido cancelado!",
"Payment method": "Método de pago",
"Invoice": "Factura",
"Invoice does not exist on filesystem!": "¡La factura no existe en el sistema de archivos!",
"Download": "Descargar",
"Product has been created!": "¡El producto ha sido creado!",
"Product has been updated!": "¡El producto ha sido actualizado!",
"Product has been removed!": "¡El producto ha sido eliminado!",
"Show": "Mostrar",
"Clone": "Clonar",
@ -37,7 +34,9 @@
"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!",
"Store item has been created!": "¡Se ha creado el artículo en la tienda!",
"Store item has been updated!": "¡El artículo de la tienda ha sido actualizado!",
"Store item has been removed!": "¡El artículo de la tienda ha sido eliminado!",
"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!",
@ -50,7 +49,7 @@
"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",
"This voucher has expired": "Este cupón ha 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",
@ -79,13 +78,27 @@
"Amount": "Cantidad",
"Balance": "Saldo",
"User ID": "ID Usuario",
"Someone registered using your Code!": "Someone registered using your Code!",
"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.",
"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",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "¡Empezando!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Registros de Actividad",
"Dashboard": "Panel de control",
"No recent activity from cronjobs": "No hay actividad reciente de cronjobs",
@ -95,7 +108,7 @@
"Description": "Descripción",
"Application API": "Aplicación API",
"Create": "Crear",
"Memo": "Memo",
"Memo": "Memoria",
"Submit": "Enviar",
"Create new": "Crear nuevo",
"Token": "Token",
@ -112,7 +125,7 @@
"Admin Overview": "Vista de Administrador",
"Support server": "Servidor de Ayuda",
"Documentation": "Documentación",
"Github": "Github",
"Github": "GitHub",
"Support ControlPanel": "Apoya ControlPanel",
"Servers": "Servidores",
"Total": "Total",
@ -137,7 +150,7 @@
"Price in": "Precio en",
"Memory": "Ram",
"Cpu": "Cpu",
"Swap": "Swap",
"Swap": "Cambiar",
"This is what the users sees": "Esto es lo que ven los usuarios",
"Disk": "Disco",
"Minimum": "Mínimo",
@ -174,7 +187,7 @@
"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: ",
"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",
@ -190,13 +203,28 @@
"Mail From Name": "Nombre del correo",
"Discord Client-ID": "Discord ID-Cliente",
"Discord Client-Secret": "Discord Secreto-Cliente",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Bot-Token": "Token de Bot de Discord",
"Discord Guild-ID": "Identificación de Guild de Discord",
"Discord Invite-URL": "URL de invitación del servidor de Discord",
"Discord Role-ID": "ID del Rol de Discord",
"Enable ReCaptcha": "Habilitar ReCaptcha",
"ReCaptcha Site-Key": "Clave del sitio de ReCaptcha",
"ReCaptcha Secret-Key": "Clave secreta de ReCaptcha",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "PayPal Cliente-ID",
"PayPal Secret-Key": "PayPal Clave-Secreta",
"PayPal Sandbox Client-ID": "PayPal Sandbox Cliente-ID",
@ -215,9 +243,9 @@
"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>",
"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>",
"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",
@ -234,7 +262,8 @@
"Select panel icon": "Seleccionar icono de panel",
"Select panel favicon": "Seleccionar favicon del panel",
"Store": "Tienda",
"Currency code": "Código de divisa/moneda",
"Server Slots": "Server Slots",
"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",
@ -243,7 +272,7 @@
"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.",
"To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "Para configurar los métodos de pago, diríjete a la página de configuración y agregue las opciones requeridas para su método de pago preferido.",
"Useful Links": "Enlaces útiles",
"Icon class name": "Nombre de la clase de icono",
"You can find available free icons": "Puedes encontrar iconos gratuitos disponibles",
@ -265,6 +294,7 @@
"Confirm Password": "Confirmar Contraseña",
"Notify": "Notificar",
"Avatar": "Avatar",
"Referrals": "Referrals",
"Verified": "Verificado",
"Last seen": "Visto por ùltima vez",
"Notifications": "Notificaciones",
@ -276,6 +306,7 @@
"Discord": "Discord",
"Usage": "Uso",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "Descuentos",
"Voucher details": "Detalles del vale",
"Summer break voucher": "Descuento de vacaciones de verano",
@ -285,7 +316,7 @@
"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",
"Used \/ Uses": "Uso \/ Usos",
"Expires": "Expira",
"Sign in to start your session": "Iniciar sesión para comenzar",
"Password": "Contraseña",
@ -300,6 +331,7 @@
"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",
"Referral code": "Referral code",
"Register": "Registrar",
"I already have a membership": "Ya soy miembro",
"Verify Your Email Address": "Verifica Tu Email",
@ -312,6 +344,7 @@
"Home": "Inicio",
"Language": "Idioma",
"See all Notifications": "Ver todas las notificaciones",
"Mark all as read": "Mark all as read",
"Redeem code": "Canjear código",
"Profile": "Perfil",
"Log back in": "Volver a iniciar sesión",
@ -355,7 +388,7 @@
"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",
"Software \/ Games": "Software \/ Juegos",
"Please select software ...": "Seleccione el software...",
"---": "---",
"Specification ": "Especificación ",
@ -414,23 +447,6 @@
"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",
"Icons updated!": "¡Iconos actualizados!",
"cs": "Checo",
"de": "Alemán",
"en": "Inglés",
@ -442,5 +458,7 @@
"pl": "Polaco",
"zh": "Chino",
"tr": "Turco",
"ru": "Ruso"
}
"ru": "Ruso",
"sv": "Sueco",
"sk": "Eslovaco"
}

View file

@ -1,182 +1,368 @@
{
"Invoice settings updated!": "Mise à jour des paramètres de facturation!",
"Language settings have not been updated!": "Les paramètres linguistiques n'ont pas été mis à jour!",
"Language settings updated!": "Paramètres de langues a actualiser!",
"Misc settings have not been updated!": "Les paramètres divers n'ont pas été mis à jour!",
"Misc settings updated!": "Mise à jour des paramètres divers!",
"Payment settings have not been updated!": "Les paramètres de paiement n'ont pas été mis à jour !",
"Payment settings updated!": "Les paramètres de paiement ont été mis à jour!",
"System settings have not been updated!": "Les paramètres du système n'ont pas été mis à jour!",
"System settings updated!": "Mise à jour des paramètres du système!",
"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 !",
"Edit": "Modifier",
"Delete": "Supprimer",
"Created at": "Créé à",
"Error!": "Erreur !",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "inconnu",
"Pterodactyl synced": "Synchroniser Pterodactyl",
"Your credit balance has been increased!": "Votre solde a été augmenté !",
"Your payment is being processed!": "Votre paiement est en cours de traitement !",
"Your payment has been canceled!": "Votre paiement a été annulé !",
"Payment method": "Moyen de paiement",
"Invoice": "Facture",
"Download": "Télécharger",
"Product has been created!": "Produit a été créé !",
"Product has been updated!": "Produit mis à jour !",
"Product has been removed!": "Produit a été supprimé !",
"Show": "Voir",
"Clone": "Dupliquer",
"Server removed": "Serveur supprimé",
"An exception has occurred while trying to remove a resource \"": "Une erreur s'est produite en essayant de supprimer la ressource",
"Server has been updated!": "Le serveur à été mis à jour !",
"Unsuspend": "Annuler la suspension",
"Suspend": "Suspendre",
"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 !",
"Store item has been removed!": "L'article de la boutique a été supprimé !",
"link has been created!": "Le lien à été créé !",
"link has been updated!": "Le lien à été mis à jour !",
"product has been removed!": "Le produit a été supprimé !",
"User does not exists on pterodactyl's panel": "L'utilisateur n'existe pas sur le panel pterodactyl",
"user has been removed!": "L'utilisateur a été supprimé !",
"Notification sent!": "Notification envoyée !",
"User has been updated!": "L'utilisateur a été mis à jour !",
"Login as User": "Connectez-vous en tant qu'utilisateur",
"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",
"have been added to your balance!": "ont été ajoutés à votre solde !",
"Users": "Utilisateurs",
"VALID": "VALIDE",
"Account already exists on Pterodactyl. Please contact the Support!": "Le compte existe déjà sur Pterodactyl. Veuillez contacter le support !",
"days": "jours",
"hours": "heures",
"You ran out of Credits": "Vous navez plus de crédits",
"Profile updated": "Profil mis à jour",
"Server limit reached!": "Limite de serveurs atteinte !",
"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.",
"Server created": "Serveur créé",
"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.",
"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 Credits": "Vous devez vérifier votre compte discord avant de pouvoir acheter des Crédits",
"EXPIRED": "EXPIRÉ",
"Payment Confirmation": "Confirmation de paiement",
"Payment Confirmed!": "Paiement confirmé !",
"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!",
"Status": "Statut",
"Price": "Prix",
"Type": "Type",
"Amount": "Montant ",
"Balance": "Solde",
"User ID": "ID d'utilisateur",
"Someone registered using your Code!": "Someone registered using your Code!",
"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",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Commencer !",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Journal des activités",
"Dashboard": "Tableau de bord",
"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 ?",
"Check the docs for it here": "Consultez la documentation ici",
"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",
"Application API": "Application API",
"Create": "Créer",
"Memo": "Mémo",
"Submit": "Valider",
"Create new": "Créer nouveau",
"Token": "Token",
"Last used": "Dernière utilisation",
"Are you sure you wish to delete?": "Êtes-vous sûr de vouloir supprimer ?",
"Nests": "Nids",
"Sync": "Synchroniser",
"Active": "Actif",
"ID": "IDENTIFIANT",
"eggs": "eggs",
"Name": "Nom",
"Nodes": "Nœuds",
"Location": "Localisation",
"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 ",
"Download all Invoices": "Télécharger toutes les factures",
"Product Price": "Prix du produit",
"Tax": "Tva & autres taxes",
"Tax Value": "Valeur taxe",
"Tax Percentage": "Pourcentage de la taxe",
"Total Price": "Prix total",
"Payment_ID": "ID_PAIEMENT",
"Payer_ID": "Payer_ID",
"Product": "Article",
"Payment ID": "ID du paiement",
"Payment Method": "Moyen de paiement",
"Products": "Produits",
"Create": "Créer",
"Product Details": "Détails du produit",
"Server Details": "Détails du serveur",
"Product Linking": "Lien du produit",
"Name": "Nom",
"Disabled": "Désactivé",
"Will hide this option from being selected": "Cachera cette option",
"Price in": "Prix en",
"Memory": "Mémoire",
"Cpu": "Cpu",
"Swap": "Swap",
"This is what the users sees": "C'est ce que voient les utilisateurs",
"Disk": "Disque",
"Minimum": "Minimum",
"Setting to -1 will use the value from configuration.": "Le réglage à -1 utilisera la valeur de la configuration.",
"IO": "IO",
"Databases": "Bases de données",
"Database": "Base de donnée",
"Backups": "Sauvegardes",
"Allocations": "Allocations",
"Disabled": "Désactivé",
"Submit": "Valider",
"Product Linking": "Lien du produit",
"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",
"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",
"Product": "Article",
"CPU": "CPU",
"Updated at": "Mis à jour le",
"User": "Utilisateur",
"Config": "Configuration",
"Suspended at": "Suspendus le",
"Settings": "Paramètres",
"Dashboard icons": "Icônes du tableau de bord",
"The installer is not locked!": "L'installateur n'est pas verrouillé!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "veuillez créer un fichier appelé \"install.lock\" dans le répertoire racine de votre tableau de bord. Sinon, aucun paramètre ne sera chargé!",
"or click here": "ou cliquez ici",
"Company Name": "Nom de la compagnie",
"Company Adress": "Adresse de la compagnie",
"Company Phonenumber": "Numéro de téléphone de l'entreprise",
"VAT ID": "VAT ID",
"Company E-Mail Adress": "Adresse électronique de l'entreprise",
"Company Website": "Site Web de l'entreprise",
"Invoice Prefix": "Préfixe de facturation",
"Enable Invoices": "Activer les factures",
"Logo": "Logo",
"Select Invoice Logo": "Sélectionnez le logo des factures",
"Available languages": "Langues disponibles",
"Default language": "Langue par défaut",
"The fallback Language, if something goes wrong": "La langue de repli, si quelque chose ne va pas",
"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",
"Client Language-Switch": "Client Language-Switch",
"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",
"Mail Host": "Mail Host",
"Mail Port": "Mail Port",
"Mail Username": "Mail Username",
"Mail Password": "Mail Password",
"Mail Encryption": "Mail Encryption",
"Mail From Adress": "Mail From Adress",
"Mail From Name": "Mail From Name",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Enable ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "optional",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"Stripe Test Secret-Key": "Stripe Test Secret-Key",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint-Secret-Key",
"Payment Methods": "Moyens de paiement",
"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.",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
"Initial Server Limit": "Initial Server Limit",
"Credits Reward Amount - Discord": "Credits Reward Amount - Discord",
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server": "Server",
"Server Allocation Limit": "Server Allocation Limit",
"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": "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",
"Server Slots": "Server Slots",
"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 PayPals 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\".",
"This is what the user sees at checkout": "C'est ce que l'utilisateur voit dans au moment de payé",
"No payment method is configured.": "Aucun moyen de paiement est configuré.",
"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": "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",
"description": "description",
"Icon": "Icône",
"Username": "Nom d'utilisateur",
"Email": "Adresse email",
"Pterodactly ID": "ID Pterodactyl",
"Pterodactyl ID": "ID Pterodactyl",
"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 :)",
"Server Limit": "Limite Serveur",
"Role": "Rôle",
"Administrator": "Administrateur",
" 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.",
"Notify": "Notifier",
"Avatar": "Avatar",
"Referrals": "Referrals",
"Verified": "Verifié",
"Last seen": "Etait ici",
"Notify": "Notifier",
"Notifications": "Notifications",
"All": "Tout",
"Send via": "Envoyer via",
"Database": "Base de donnée",
"Content": "Contenu",
"Notifications": "Notifications",
"Server limit": "Limite Serveur",
"Discord": "Discord",
"Usage": "Utilisation",
"Config": "Configuration",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "Coupons",
"Voucher details": "Détails du bon de réduction",
"Memo": "Mémo",
"Summer break voucher": "Code de réduction",
"Code": "Code",
"Uses": "Utilisations",
"Expires at": "Expire à",
"Max": "Max",
"Random": "Aléatoire",
"Status": "Statut",
"Used / Uses": "Utilisé / Utilisations",
"Uses": "Utilisations",
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Le code ne peut être utilisé qu'une seule fois. L'utilisation spécifie le nombre d'utilisateurs différents qui peuvent utiliser ce code.",
"Max": "Max",
"Expires at": "Expire à",
"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",
"Password": "Mot de passe",
"Remember Me": "Se souvenir de moi",
"Sign In": "S'enregistrer",
"Forgot Your Password?": "Mot de passe oublié ?",
"Register a new membership": "Enregistrer un nouveau membre",
"Please confirm your password before continuing.": "Veuillez confirmer votre mot de passe avant de continuer.",
"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",
"Referral code": "Referral code",
"Register": "Inscription",
"I already have a membership": "Je possède déjà un compte",
"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",
"per month": "par mois",
"Out of Credits in": "Hors crédits dans",
"Home": "Accueil",
"Languages": "Langues",
"Language": "Language",
"See all Notifications": "Voir toutes les notifications",
"Mark all as read": "Mark all as read",
"Redeem code": "Utiliser un code",
"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",
"Warning!": "Attention !",
"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",
"Close": "Fermer",
"Redeem": "Appliquer",
"All notifications": "Toutes les notifications",
"Required Email verification!": "La vérification du mail est requise !",
@ -188,142 +374,91 @@
"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é !",
"Link your discord account!": "Associer votre compte Discord !",
"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",
"Login with Discord": "Se connecter avec Discord",
"You are verified!": "Vous êtes vérifié !",
"Re-Sync Discord": "Resynchroniser Discord",
"Save Changes": "Sauvegarder les modifications",
"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",
"Sync now": "Sync now",
"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é !",
"Software / Games": "Logiciels / Jeux",
"Software \/ Games": "Logiciels \/ Jeux",
"Please select software ...": "Veuillez sélectionner...",
"Specification": "Spécification",
"No selection": "Pas de sélection",
"per month": "par mois",
"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...",
"---": "---",
"Specification ": "Spécification ",
"Node": "Node",
"Resource Data:": "Resource Data:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "ports",
"Not enough": "Fonds insuffisants",
"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 !",
"Please select a node ...": "Veuillez sélectionner une node...",
"No nodes found matching current configuration": "Aucune node trouvée pour la configuration actuelle",
"Please select a resource ...": "Veuillez sélectionner une ressource...",
"No resources found matching current configuration": "Aucune ressources trouvée pour la configuration actuelle",
"Please select a configuration ...": "Veuillez sélectionner une configuration...",
"Not enough credits!": "Pas assez de crédits !",
"Create Server": "Créer le serveur",
"Software": "Logiciel",
"Specification": "Spécification",
"Resource plan": "Resource plan",
"RAM": "RAM",
"MySQL Databases": "Base de données MySQL",
"per Hour": "par Heure",
"per Month": "par Mois",
"Manage": "Gérer",
"Delete server": "Supprimer le serveur",
"Price per Hour": "Prix par heure",
"Price per Month": "Prix par Mois",
"Are you sure?": "Êtes-vous sûr ?",
"This is an irreversible action, all files of this server will be removed.": "Il s'agit d'une action irréversible, tous les fichiers de ce serveur seront supprimés.",
"Yes, delete it!": "Oui, supprimer!",
"No, cancel!": "Non, annuler !",
"Canceled ...": "Annulé ...",
"Deletion has been canceled.": "L'opération a été annulée.",
"Date": "Date",
"To": "À",
"From": "De",
"Pending": "En attente",
"Subtotal": "Sous-total",
"Amount Due": "Montant à payer",
"Tax": "TVA & autres taxes",
"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",
"Purchase": "Acheter",
"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 navez 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!",
"Pterodactyl synced": "Synchroniser Pterodactyl",
"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",
"Invoice does not exist on filesystem!": "La facture n'existe pas sur le système de fichiers !",
"Serial No.": "N° de série",
"Invoice date": "Date de la facture",
"Seller": "Vendeur",
"Buyer": "Acheteur",
"Address": "Adresse",
"VAT code": "Taux TVA",
"VAT Code": "Code 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",
"Total taxes": "Total des taxes",
"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."
}
"Total amount": "Montant total",
"Notes": "Notes",
"Amount in words": "Montant en toutes lettres",
"Please pay until": "Veuillez payer avant",
"cs": "Czech",
"de": "German",
"en": "English",
"es": "Spanish",
"fr": "French",
"hi": "Hindi",
"it": "Italian",
"nl": "Dutch",
"pl": "Polish",
"zh": "Chinese",
"tr": "Turkish",
"ru": "Russian",
"sv": "Swedish",
"sk": "Slovakish"
}

464
resources/lang/he.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "הגדרות תשלום עודכנה!",
"Language settings have not been updated!": "הגדרות השפה לא עודכנה!",
"Language settings updated!": "הגדרות השפה עודכנה!",
"Misc settings have not been updated!": "הגדרות שונות לא עודכנו!",
"Misc settings updated!": "הגדרות שונות עודכנו!",
"Payment settings have not been updated!": "הגדרות תשלום לא עודכנה!",
"Payment settings updated!": "הגדרות תשלום עודכנה!",
"System settings have not been updated!": "הגדרות מערכת לא עודכנה!",
"System settings updated!": "הגדרות מערכת עודכנה!",
"api key created!": "מפתח API נוצר!",
"api key updated!": "מפתח API עודכן",
"api key has been removed!": "מפתח API הוסר",
"Edit": "לערוך",
"Delete": "למחוק",
"Created at": "נוצר ב",
"Error!": "שגיאה!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "לא ידוע",
"Pterodactyl synced": "Pterodactyl מסוכרן עם",
"Your credit balance has been increased!": "סכום היתרה שלך הוגדל!",
"Your payment is being processed!": "התשלום שלך נמצא בעיבוד!",
"Your payment has been canceled!": "התשלום שלך בוטל!",
"Payment method": "שיטת תשלום",
"Invoice": "חשבונית",
"Download": "להוריד",
"Product has been created!": "המוצר נוצר!",
"Product has been updated!": "המוצר עודכן!",
"Product has been removed!": "המוצר הוסר!",
"Show": "להראות",
"Clone": "לשכפל",
"Server removed": "שרת הוסר",
"An exception has occurred while trying to remove a resource \"": "אירעה חריגה בעת ניסיון להסיר משאב \"",
"Server has been updated!": "השרת עודכן!",
"Unsuspend": "בטל את ההשעיה",
"Suspend": "השעיה",
"Store item has been created!": "פריט בחנות נוצר!",
"Store item has been updated!": "פריט בחנות עודכן!",
"Store item has been removed!": "פריט החנות הוסר!",
"link has been created!": "הקישור נוצר!",
"link has been updated!": "הישור עודכן!",
"product has been removed!": "המוצר הוסר!",
"User does not exists on pterodactyl's panel": "המשתמש לא קיים בשרת של pterodactyl",
"user has been removed!": "המשתמש הוסר!",
"Notification sent!": "התראה נשלחה!",
"User has been updated!": "המשתמש עודכן!",
"Login as User": "התחבר כמשתמש",
"voucher has been created!": "הקופון נוצר!",
"voucher has been updated!": "הקופון עודכן!",
"voucher has been removed!": "הקופון הוסר!",
"This voucher has reached the maximum amount of uses": "קופון זה הגיע לכמות השימושים המקסימלית",
"This voucher has expired": "קופון זה כבר לא תקף",
"You already redeemed this voucher code": "כבר השתמשת בקוד קופון זה",
"have been added to your balance!": "נוסף ליתרה שלך!",
"Users": "משתמשים",
"VALID": "תקף",
"Account already exists on Pterodactyl. Please contact the Support!": "המשתמש כבר נמצא בPterodactyl. אנא צרו קשר עם התמיכה",
"days": "ימים",
"hours": "שעות",
"You ran out of Credits": "נגמר לך המטבעות",
"Profile updated": "הפרופיל עודכן",
"Server limit reached!": "הגעת להגבלת השרתים!",
"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.": "אתה חייב לקשר את החשבון דיסקורד שלך לפני שתוכל\/י ליצור שרת",
"Server created": "השרת נוצר",
"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 link your discord account before you can purchase Credits": "אתה חייב לקשר את החשבון דיסקורד שלך לפני רכישת מטבעות",
"EXPIRED": "לא תוקף",
"Payment Confirmation": "אישור תשלום",
"Payment Confirmed!": "תשלום מאושר",
"Your Payment was successful!": "התשלום בוצע בהצלחה!",
"Hello": "שלום",
"Your payment was processed successfully!": "התשלום שלך מעובד בהצלחה!",
"Status": "סטטוס",
"Price": "מחיר",
"Type": "סוג",
"Amount": "כמות",
"Balance": "יתרה",
"User ID": "מזהה של המשתמש",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "שגיאה ביצירת שרת",
"Your servers have been suspended!": "השרת שלך מושעה!",
"To automatically re-enable your server\/s, you need to purchase more credits.": "כדי להפעיל מחדש את השרתים שלך באופן אוטומטי, עליך לרכוש מטבעות נוספות.",
"Purchase credits": "לרכישת מטבעות",
"If you have any questions please let us know.": "אם יש לכם כל שאלה תיידעו אותנו",
"Regards": "בברכה",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "מתחילים!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "דוח פעילות",
"Dashboard": "דאשבורד",
"No recent activity from cronjobs": "אין פעילות אחרונה מ cronjobs",
"Are cronjobs running?": "האם cronjobs פועל?",
"Check the docs for it here": "תבדקו את המדריך הוא כאן",
"Causer": "גורם",
"Description": "תיאור",
"Application API": "אפליקציית API",
"Create": "ליצור",
"Memo": "תזכיר",
"Submit": "שליחה",
"Create new": "ליצור חדר",
"Token": "טוקן",
"Last used": "שומש לאחרונה",
"Are you sure you wish to delete?": "אתה בטוח שברצונך למחוק את זה?",
"Nests": "Nests",
"Sync": "סינכרון",
"Active": "פעילות",
"ID": "מזהה",
"eggs": "eggs",
"Name": "שם",
"Nodes": "שרתים",
"Location": "יקום",
"Admin Overview": "סקירת מנהל",
"Support server": "שרת תמיכה",
"Documentation": "מדריך",
"Github": "Github\/גיטאהב",
"Support ControlPanel": "תמיכת ControlPanel",
"Servers": "שרתים",
"Total": "בסך הכל",
"Payments": "תשלומים",
"Pterodactyl": "Pterodactyl",
"Resources": "משאבים",
"Count": "ספירה",
"Locations": "מיקומים",
"Eggs": "Eggs",
"Last updated :date": "עודכן לאחרונה :תאריך",
"Download all Invoices": "להורדת על החשבוניות",
"Product Price": "מחיר מוצר",
"Tax Value": "ערך המס",
"Tax Percentage": "אחוז המס",
"Total Price": "מחיר הכללי",
"Payment ID": "מזהה תשלום",
"Payment Method": "שיטת תשלום",
"Products": "מוצרים",
"Product Details": "פרטי מוצר",
"Disabled": "לא פעיל",
"Will hide this option from being selected": "יסתיר אפשרות זה מבחירה",
"Price in": "מחיר ב",
"Memory": "זיכרון",
"Cpu": "מעבד",
"Swap": "החלפה",
"This is what the users sees": "זה מה שהמשתמשים רואים",
"Disk": "דיסק קשיח",
"Minimum": "מינימום",
"Setting to -1 will use the value from configuration.": "הגדרות ל -1 ישתמש בערך מ configuration.",
"IO": "IO",
"Databases": "Databases\/ממסד נתונים",
"Backups": "גיבויים",
"Allocations": "הקצאות",
"Product Linking": "מוצרים מקושרים",
"Link your products to nodes and eggs to create dynamic pricing for each option": "לקשר את המוצרים לשרתים ול eggs כדי ליצור מחיר משתנה לכל הצעה",
"This product will only be available for these nodes": "מוצר זה זמין לשרת הזה בלבד",
"This product will only be available for these eggs": "מוצר זה זמין ל eggs אלו בלבד",
"Product": "מוצר",
"CPU": "מעבד",
"Updated at": "עודכן ב",
"User": "משתמש",
"Config": "להגדיר",
"Suspended at": "להשעות ב",
"Settings": "הגדרות",
"The installer is not locked!": "המתקין לא נעול",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "אנא צור קובץ בשם \"install.lock\" בספריית השורש של dashboard שלך. אחרת לא ייטענו הגדרות!",
"or click here": "או לחץ כאן",
"Company Name": "שם החברה",
"Company Adress": "כתובת החברה",
"Company Phonenumber": "מספר טלפון של החברה",
"VAT ID": "מזהה מעמ",
"Company E-Mail Adress": "כתובת מייל של החברה",
"Company Website": "אתר החברה",
"Invoice Prefix": "קידומת החשבונים",
"Enable Invoices": "אפשר חשבוניות",
"Logo": "סמל",
"Select Invoice Logo": "בחר לוגו לחשבונית",
"Available languages": "שפות זמינות",
"Default language": "שפת ברירת מחדל",
"The fallback Language, if something goes wrong": "אם משהו משתבש",
"Datable language": "שפה ניתנת לנתונים",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "טבלת הנתונים של השפות.<br><strong>לדוגמא:<\/strong> en-gb, fr_fr, de_de<br>למידע נוסף: ",
"Auto-translate": "תרגום אוטומטי",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "אם זה מסומן, Dashboard יתרגם את עצמו לשפת הלקוח, אם זמין",
"Client Language-Switch": "החלפת שפת לקוח",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "אם זה מסומן, ללקוחות תהיה היכולת לשנות ידנית את שפת הDashboard שלהם",
"Mail Service": "שרותי מייל",
"The Mailer to send e-mails with": "הדואר לשלוח אי-מיילים איתו",
"Mail Host": "מאחסן מייל",
"Mail Port": "Mail Port",
"Mail Username": "שם המייל",
"Mail Password": "סיסמת המייל",
"Mail Encryption": "הצפנת המייל",
"Mail From Adress": "מייל מכתובת",
"Mail From Name": "מייל משם",
"Discord Client-ID": "מזהה של בוט דיסקורד",
"Discord Client-Secret": "מזהה סודי של בוט דיסקורד",
"Discord Bot-Token": "טוקן של בוט דיסקורד",
"Discord Guild-ID": "מזהה של השרת דיסקורד",
"Discord Invite-URL": "קישור לשרת דיסקורד",
"Discord Role-ID": "מזהה של הרול בדיסקורד",
"Enable ReCaptcha": "הפעל ראקאפצה",
"ReCaptcha Site-Key": "ראקאפצה מפתח לאתר",
"ReCaptcha Secret-Key": "ראקאפצה מפתח סודי",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "פייפאל מזהה",
"PayPal Secret-Key": "פייפאל מפתח סודי",
"PayPal Sandbox Client-ID": "פייפאל קופסת חול מזהה",
"optional": "אפשרי",
"PayPal Sandbox Secret-Key": "פייפאל קופסת חול מזהה סודי",
"Stripe Secret-Key": "סטריפ מפתח מזהה",
"Stripe Endpoint-Secret-Key": "סטריפ מפתח נקודת קצה",
"Stripe Test Secret-Key": "סטריפ ניסיון מפתח מזהה סודי",
"Stripe Test Endpoint-Secret-Key": "סטריפ ניסיון נקודת קצה מפתח מזהה סודי",
"Payment Methods": "אפשרויות תשלום",
"Tax Value in %": "ערך המס ב %",
"System": "מערכת",
"Register IP Check": "בדיקת IP בהרשמה",
"Prevent users from making multiple accounts using the same IP address.": "מנע ממשתמשים ליצור מספר חשבונות באמצעות אותה כתובת IP.",
"Charge first hour at creation": "טען שעה ראשונה בעת יצירה",
"Charges the first hour worth of credits upon creating a server.": "Cגובה מטבעות בשווי השעה הראשונה בעת יצירת שרת.",
"Credits Display Name": "שם המטבעות",
"PHPMyAdmin URL": "קישור PHPMyAdmin",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "הכנס את הקישור to פיחפי. <strong>בלי צלייה נגררת!<\/strong>",
"Pterodactyl URL": "קישור Pterodactyl",
"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 מפתח",
"Enter the API Key to your Pterodactyl installation.": "הכנס את מפתח ה API Pterodactyl installation.",
"Force Discord verification": "אימות דיסקורד חובה",
"Force E-Mail verification": "אימות מייל חובה",
"Initial Credits": "יתרה התחלתית",
"Initial Server Limit": "מגבלת שרת ראשוני",
"Credits Reward Amount - Discord": "פרס כמות מטבעות - Discord",
"Credits Reward Amount - E-Mail": "פרס כמות מטבעות - E-Mail",
"Server Limit Increase - Discord": "הגדלת מגבלת שרת - Discord",
"Server Limit Increase - E-Mail": "הגדלת מגבלת שרת - E-Mail",
"Server": "שרת",
"Server Allocation Limit": "מגבלת הקצאת שרתים",
"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 favicon": "בחר סמל לפאנל",
"Store": "חנות",
"Server Slots": "Server Slots",
"Currency code": "קוד מטבע",
"Checkout the paypal docs to select the appropriate code": "בדוק את מדריך PayPal כדי לבחור את הקוד המתאים",
"Quantity": "כמות",
"Amount given to the user after purchasing": "כמות שניתן למשתמש אחרי הרכישה",
"Display": "מוצג",
"This is what the user sees at store and checkout": "זה מה שמשתמש רואה רכישת החנות",
"Adds 1000 credits to your account": "הוסף 1000 מטבעות לחשבון שלך",
"This is what the user sees at checkout": "זה מה שהמשתמש רואה ברכישה",
"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.": "כדי להגדיר את אמצעי התשלום, עבור אל דף ההגדרות והוסף את האפשרויות הנדרשות עבור שיטת התשלום המועדפת עליך.",
"Useful Links": "קישורים שימושים",
"Icon class name": "שם סמל המחלקה",
"You can find available free icons": "אתה יכול למצוא סמלים זמינים בחינם",
"Title": "כותרת",
"Link": "קישור",
"description": "תיאור",
"Icon": "סמל",
"Username": "שם משתמש",
"Email": "מייל",
"Pterodactyl ID": "Pterodactyl מזהה",
"This ID refers to the user account created on pterodactyls panel.": "המזהה מתייחס למשתמש בתור משתמש שנוצר בפטרודקטיל פאנל.\n",
"Only edit this if you know what youre doing :)": "תערוך את זה רק אם אתה יודע מה אתה עושה :)",
"Server Limit": "הגבלת שרת",
"Role": "תפקיד",
" Administrator": " מנהל",
"Client": "לקוח",
"Member": "חבר",
"New Password": "סיסמה חדשה",
"Confirm Password": "לאשר סיסמה",
"Notify": "להודיע",
"Avatar": "תמונת פרופיל",
"Referrals": "Referrals",
"Verified": "מאומת",
"Last seen": "נראה לאחרונה",
"Notifications": "התראות",
"All": "הכל",
"Send via": "שליחה באמצאות",
"Database": "Database\/מאגר נתונים",
"Content": "קשר",
"Server limit": "הגבלת שרת",
"Discord": "Discord\/דיסקורד",
"Usage": "נוהג",
"IP": "IP\/אייפי",
"Referals": "Referals",
"Vouchers": "קופונים",
"Voucher details": "פרטי קופון",
"Summer break voucher": "חופשת קיץ קופון",
"Code": "קוד",
"Random": "אקראי",
"Uses": "שימושים",
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "ניתן להשתמש בשובר פעם אחת בלבד לכל משתמש. שימושים מציינים את מספר המשתמשים השונים שיכולים להשתמש בשובר זה.",
"Max": "מקסימום",
"Expires at": "יפוג ב",
"Used \/ Uses": "משומש \/ שימושים",
"Expires": "פגי תוקף",
"Sign in to start your session": "התחבר על מנת להתחיל",
"Password": "סיסמה",
"Remember Me": "זכור אותי",
"Sign In": "התחברות",
"Forgot Your Password?": "שככחת את הסיסמא?",
"Register a new membership": "הירשם כחבר חדש",
"Please confirm your password before continuing.": "אנא אמת את הסיסמה שלך לפני שתמשיך",
"You forgot your password? Here you can easily retrieve a new password.": "שכחת את הסיסמה שלך? כאן אתה יכול בקלות לאחזר סיסמה חדשה.",
"Request new password": "בקש סיסמה חדשה",
"Login": "התחבר",
"You are only one step a way from your new password, recover your password now.": "אתה רק צעד אחד מהסיסמה החדשה שלך, שחזר את הסיסמה שלך עכשיו.",
"Retype password": "כתוב שוב את הסיסמה",
"Change password": "שנה סיסמה",
"Referral code": "Referral code",
"Register": "הירשם",
"I already have a membership": "יש לי כבר משתמש",
"Verify Your Email Address": "אמת את כתובת המייל שלך",
"A fresh verification link has been sent to your email address.": "קוד אימות חדש נשלח לך במייל",
"Before proceeding, please check your email for a verification link.": "לפני שתמשיך, אנא בדוק באימייל שלך קישור לאימות.",
"If you did not receive the email": "אם לא קיבלת את המייל",
"click here to request another": "לחץ כאן כדי לבקש אחר",
"per month": "\/חודש",
"Out of Credits in": "נגמרו המטבעות ב",
"Home": "בית",
"Language": "שפה",
"See all Notifications": "לראות את כל ההודעות",
"Mark all as read": "Mark all as read",
"Redeem code": "להשתמש בקופון",
"Profile": "פרופיל",
"Log back in": "להתחבר בחזרה",
"Logout": "להתנתק",
"Administration": "מנהל",
"Overview": "סקירה כללית",
"Management": "מנהל משני",
"Other": "אחר",
"Logs": "דוחות",
"Warning!": "אזהרה",
"You have not yet verified your email address": "אין לך כתובת מייל מאומתת",
"Click here to resend verification email": "לחץ כאן כדי לשלוח שוב דואל אימות",
"Please contact support If you didnt receive your verification email.": "אנא צור קשר עם התמיכה אם לא קיבלת את דואל האימות שלך.",
"Thank you for your purchase!": "תודה רבה לך על הרכישה",
"Your payment has been confirmed; Your credit balance has been updated.": "התשלום שלך בוצע; היתרה שלך עודכנה",
"Thanks": "תודה רבה",
"Redeem voucher code": "השתמש בקוד קופון",
"Close": "סגור",
"Redeem": "להשתמש",
"All notifications": "כל ההתראות",
"Required Email verification!": "אימות מייל נדרש",
"Required Discord verification!": "אימות דיסקורד נדרש",
"You have not yet verified your discord account": "עדיין לא אימתת את חשבון הדיסקורד שלך",
"Login with discord": "התחבר עם דיסקורד",
"Please contact support If you face any issues.": "אנא צור קשר עם התמיכה אם אתה נתקל בבעיות כלשהן.",
"Due to system settings you are required to verify your discord account!": "עקב הגדרות המערכת אתה נדרש לאמת את חשבון הדיסקורד שלך!",
"It looks like this hasnt been set-up correctly! Please contact support.": "נראה שזה לא הוגדר כהלכה! אנא צור קשר עם התמיכה.",
"Change Password": "שנה סיסמה",
"Current Password": "סיסמה נוכחית",
"Link your discord account!": "קשר את חשבון הדיסקורד שלך",
"By verifying your discord account, you receive extra Credits and increased Server amounts": "על ידי אימות חשבון הדיסקורד שלך, אתה מקבל מטבעות נוספים וסכומי שרת מוגדלים",
"Login with Discord": "התחבר עם דיסקורד",
"You are verified!": "תה מאומת",
"Re-Sync Discord": "סכרן שוב עם דיסקורד",
"Save Changes": "שמור שינויים",
"Server configuration": "הגדרות שרת",
"Make sure to link your products to nodes and eggs.": "תוודה שהמוצרים שלך מחוברים לשרתים ו לeggs",
"There has to be at least 1 valid product for server creation": "חייב להיות לפחות מוצר אחד חוקי ליצירת שרת",
"Sync now": "סכרן עכשיו",
"No products available!": "אין מורצים זמינים",
"No nodes have been linked!": "שרתים לא מקושרים!",
"No nests available!": "No nests available!",
"No eggs have been linked!": "אין eggs מקושרים",
"Software \/ Games": "תוכנה \/ משחקים",
"Please select software ...": "בבקשה תחבר תוכנה ...",
"---": "---",
"Specification ": "ציין ",
"Node": "שרת",
"Resource Data:": "נתוני משאבים:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "בסיס נתונים MySQL",
"ports": "ports",
"Not enough": "לא מספיק",
"Create server": "ליצור שרת",
"Please select a node ...": "בבקשה בחר שרת ...",
"No nodes found matching current configuration": "לא נמצאה שרת המתאים את ההגדרות",
"Please select a resource ...": "בבקשה בחר משאב",
"No resources found matching current configuration": "לא נמצאה משאב מלפי ההגדרות",
"Please select a configuration ...": "בבקשה תבחר הגדרות...",
"Not enough credits!": "אין מספיק מטבעות!",
"Create Server": "ליצור שרת",
"Software": "תוכנה",
"Specification": "לציין",
"Resource plan": "תוכנית משאבים",
"RAM": "RAM",
"MySQL Databases": "בסיס הנתונים <bdi dir=\"ltr\">MySQL<\/bdi>",
"per Hour": "\/שעה",
"per Month": "\/חודש",
"Manage": "לנהל",
"Are you sure?": "האם אתה בטוח?",
"This is an irreversible action, all files of this server will be removed.": "זוהי פעולה בלתי הפיכה, כל הקבצים של שרת זה יוסרו.",
"Yes, delete it!": "כן תמחק את זה",
"No, cancel!": "לא תבטל",
"Canceled ...": "מבטל ...",
"Deletion has been canceled.": "המחיקה בוטלה.",
"Date": "תאריך",
"Subtotal": "בהך הכל",
"Amount Due": "סכום",
"Tax": "מס",
"Submit Payment": "שלח תשלום",
"Purchase": "מוצר",
"There are no store products!": "אין מוצרים בחנות!",
"The store is not correctly configured!": "החנות עוד לא הוגדרה!",
"Serial No.": "לא סידורי.",
"Invoice date": "תאריך קבלה",
"Seller": "מוכר",
"Buyer": "קונה",
"Address": "כתובת",
"VAT Code": "קוד מעמ",
"Phone": "מספר טלפון",
"Units": "יחידות",
"Discount": "הנחה",
"Total discount": "הנחה בסהכ",
"Taxable amount": "כמות מס",
"Tax rate": "שיעור מס",
"Total taxes": "מס בכללי",
"Shipping": "משלוח",
"Total amount": "סכום כללי",
"Notes": "הערות",
"Amount in words": "כמות במילים",
"Please pay until": "בבקשה שלם עד",
"cs": "צכית",
"de": "גרמנית",
"en": "אנגלית",
"es": "ספרדית",
"fr": "צרפתית",
"hi": "הודית",
"it": "אטלקית",
"nl": "הולנדית",
"pl": "פולנית",
"zh": "סִינִית",
"tr": "טורקית",
"ru": "רוסית",
"sv": "שוודית",
"sk": "סלובקית"
}

View file

@ -13,12 +13,9 @@
"api key has been removed!": "एपीआई कुंजी हटा दी गई है!",
"Edit": "ऐडिट",
"Delete": "हटाएं",
"Store item has been created!": "स्टोर आइटम बनाया गया है!",
"Store item has been updated!": "स्टोर आइटम अपडेट कर दिया गया है!",
"Product has been updated!": "उत्पाद अपडेट कर दिया गया है!",
"Store item has been removed!": "स्टोर आइटम हटा दिया गया है!",
"Created at": "पर बनाया गया",
"Error!": "एरर",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "अनजान",
"Pterodactyl synced": "टेरोडक्टाइल सिंक्रनाइज़",
"Your credit balance has been increased!": "आपका क्रेडिट बैलेंस बढ़ा दिया गया है!",
@ -26,9 +23,9 @@
"Your payment has been canceled!": "आपका संदाय रद्द कर दिया गया है!",
"Payment method": "भुगतान विधि",
"Invoice": "इनवॉयस",
"Invoice does not exist on filesystem!": "इनवॉयस फ़ाइलस्टाइम पर मौजूद नहीं है!",
"Download": "डाउनलोड",
"Product has been created!": "उत्पाद बनाया गया है!",
"Product has been updated!": "उत्पाद अपडेट कर दिया गया है!",
"Product has been removed!": "उत्पाद हटा दिया गया है!",
"Show": "दिखाएँ",
"Clone": "क्लोन",
@ -37,7 +34,9 @@
"Server has been updated!": "सर्वर अपडेट कर दिया गया है!",
"Unsuspend": "निलंबन रद्द किया",
"Suspend": "निलंबित करें",
"configuration has been updated!": "कॉन्फ़िगरेशन अपडेट कर दिया गया है!",
"Store item has been created!": "स्टोर आइटम बनाया गया है!",
"Store item has been updated!": "स्टोर आइटम अपडेट कर दिया गया है!",
"Store item has been removed!": "स्टोर आइटम हटा दिया गया है!",
"link has been created!": "लिंक बनाया गया है!",
"link has been updated!": "लिंक अपडेट कर दिया गया है!",
"product has been removed!": "उत्पाद निकाल दिया गया है!",
@ -79,13 +78,27 @@
"Amount": "मात्रा",
"Balance": "बाकी रकम",
"User ID": "उपयोगकर्ता आइडी",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "सर्वर निर्माण त्रुटि",
"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": "क्रेडिट खरीदें",
"If you have any questions please let us know.": "यदि आपके पास कोई प्रश्न है, तो हमें बताएं।",
"Regards": "सादर",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "शुरू करना!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "गतिविधि लॉग",
"Dashboard": "डैशबोर्ड",
"No recent activity from cronjobs": "Cronjobs से कोई हाल की गतिविधि नहीं",
@ -174,7 +187,7 @@
"Default language": "डिफ़ॉल्ट भाषा",
"The fallback Language, if something goes wrong": "फ़ॉलबैक भाषा, अगर कुछ गलत हो जाता है",
"Datable language": "डेटा योग्य भाषा",
"The datatables lang-code. <br><strong>Example:</strong> en-gb, fr_fr, de_de<br>More Information: ": "डेटाटेबल्स लैंग-कोड। <br><strong>उदाहरण:</strong> en-gb, fr_fr, de_de<br>अधिक जानकारी: ",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "डेटाटेबल्स लैंग-कोड। <br><strong>उदाहरण:<\/strong> en-gb, fr_fr, de_de<br>अधिक जानकारी: ",
"Auto-translate": "ऑटो का अनुवाद",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "यदि यह चेक किया जाता है, तो डैशबोर्ड स्वयं को क्लाइंट भाषा में अनुवाद करेगा, यदि उपलब्ध हो",
"Client Language-Switch": "क्लाइंट भाषा-स्विच",
@ -197,6 +210,21 @@
"Enable ReCaptcha": "रीकैप्चा सक्षम करें",
"ReCaptcha Site-Key": "रीकैप्चा साइट-कुंजी",
"ReCaptcha Secret-Key": "रीकैप्चा सीक्रेट-की",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "पेपैल क्लाइंट-आईडी",
"PayPal Secret-Key": "पेपैल गुप्त-कुंजी",
"PayPal Sandbox Client-ID": "पेपैल सैंडबॉक्स क्लाइंट-आईडी",
@ -215,9 +243,9 @@
"Charges the first hour worth of credits upon creating a server.": "सर्वर बनाने पर पहले घंटे के क्रेडिट का शुल्क लेता है।",
"Credits Display Name": "क्रेडिट प्रदर्शन नाम",
"PHPMyAdmin URL": "PhpMyAdmin URL",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!</strong>": "अपने PHPMyAdmin इंस्टॉलेशन का URL दर्ज करें। <strong>पिछली स्लैश के बिना!</strong>",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "अपने PHPMyAdmin इंस्टॉलेशन का URL दर्ज करें। <strong>पिछली स्लैश के बिना!<\/strong>",
"Pterodactyl URL": "पटरोडैक्टाइल यूआरएल",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!</strong>": "अपने Pterodactyl संस्थापन का URL दर्ज करें। <strong>पिछली स्लैश के बिना!</strong>",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "अपने Pterodactyl संस्थापन का URL दर्ज करें। <strong>पिछली स्लैश के बिना!<\/strong>",
"Pterodactyl API Key": "पटरोडैक्टाइल एपीआई कुंजी",
"Enter the API Key to your Pterodactyl installation.": "अपने Pterodactyl स्थापना के लिए API कुंजी दर्ज करें।",
"Force Discord verification": "बल विवाद सत्यापन",
@ -234,6 +262,7 @@
"Select panel icon": "पैनल आइकन चुनें",
"Select panel favicon": "पैनल Favicon चुनें",
"Store": "दुकान",
"Server Slots": "Server Slots",
"Currency code": "मुद्रा कोड",
"Checkout the paypal docs to select the appropriate code": "उपयुक्त कोड का चयन करने के लिए पेपैल दस्तावेज़ चेकआउट करें",
"Quantity": "मात्रा",
@ -265,6 +294,7 @@
"Confirm Password": "पासवर्ड की पुष्टि कीजिये",
"Notify": "सूचित करें?",
"Avatar": "अवतार",
"Referrals": "Referrals",
"Verified": "सत्यापित",
"Last seen": "अंतिम बार देखा",
"Notifications": "सूचनाएं",
@ -276,6 +306,7 @@
"Discord": "डिस्कॉर्ड",
"Usage": "प्रयोग",
"IP": "आईपी",
"Referals": "Referals",
"Vouchers": "वाउचर",
"Voucher details": "वाउचर विवरण",
"Summer break voucher": "समर ब्रेक वाउचर",
@ -285,7 +316,7 @@
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "वाउचर प्रति उपयोगकर्ता केवल एक बार उपयोग किया जा सकता है। उपयोग इस वाउचर का उपयोग करने वाले विभिन्न उपयोगकर्ताओं की संख्या को निर्दिष्ट करता है।",
"Max": "मैक्स",
"Expires at": "पर समाप्त हो रहा है",
"Used / Uses": "प्रयुक्त / उपयोग",
"Used \/ Uses": "प्रयुक्त \/ उपयोग",
"Expires": "समय-सीमा समाप्त",
"Sign in to start your session": "अपना सत्र शुरू करने के लिए साइन इन करें",
"Password": "पासवर्ड",
@ -300,6 +331,7 @@
"You are only one step a way from your new password, recover your password now.": "आप अपने नए पासवर्ड से केवल एक कदम दूर हैं, अपना पासवर्ड अभी पुनर्प्राप्त करें।",
"Retype password": "पासवर्ड फिर से लिखें",
"Change password": "पासवर्ड बदलें",
"Referral code": "Referral code",
"Register": "खाता खोलें",
"I already have a membership": "मेरे पास पहले से ही सदस्यता है",
"Verify Your Email Address": "अपने ईमेल पते की पुष्टि करें",
@ -312,6 +344,7 @@
"Home": "घर",
"Language": "भाषा",
"See all Notifications": "सभी सूचनाएं देखें",
"Mark all as read": "Mark all as read",
"Redeem code": "रीडीम कोड",
"Profile": "प्रोफ़ाइल",
"Log back in": "वापस लॉग इन करें",
@ -355,7 +388,7 @@
"No nodes have been linked!": "कोई नोड लिंक नहीं किया गया है!",
"No nests available!": "कोई घोंसला उपलब्ध नहीं है!",
"No eggs have been linked!": "कोई अंडे नहीं जोड़े गए हैं!",
"Software / Games": "सॉफ्टवेयर / खेल",
"Software \/ Games": "सॉफ्टवेयर \/ खेल",
"Please select software ...": "कृपया सॉफ्टवेयर चुनें...",
"---": "---",
"Specification ": "विनिर्देश",
@ -414,23 +447,6 @@
"Notes": "टिप्पणियाँ",
"Amount in words": "राशि शब्दों में",
"Please pay until": "कृपया भुगतान करें",
"Key": "चाभी",
"Value": "मूल्य",
"Edit Configuration": "कॉन्फ़िगरेशन संपादित करें",
"Text Field": "पाठ्य से भरा",
"Cancel": "रद्द करें",
"Save": "सहेजें",
"Images and Icons may be cached, reload without cache to see your changes appear": "छवियों और चिह्नों को कैश किया जा सकता है, अपने परिवर्तनों को देखने के लिए कैश के बिना पुनः लोड करें",
"Enter your companys name": "अपनी कंपनी का नाम दर्ज करें",
"Enter your companys address": "अपनी कंपनी का पता दर्ज करें",
"Enter your companys phone number": "अपनी कंपनी का फ़ोन नंबर दर्ज करें",
"Enter your companys VAT id": "अपनी कंपनी की वैट आईडी दर्ज करें",
"Enter your companys email address": "अपनी कंपनी का ईमेल पता दर्ज करें",
"Enter your companys website": "अपनी कंपनी की वेबसाइट दर्ज करें",
"Enter your custom invoice prefix": "अपना कस्टम चालान उपसर्ग दर्ज करें",
"The Language of the Datatables. Grab the Language-Codes from here": "डेटाटेबल्स की भाषा। भाषा-संहिता यहाँ से प्राप्त करें",
"Let the Client change the Language": "क्लाइंट को भाषा बदलने दें",
"Icons updated!": "आइकन अपडेट किए गए!",
"cs": "चेक",
"de": "जर्मन",
"en": "अंग्रेज़ी",
@ -442,5 +458,7 @@
"pl": "पोलिश",
"zh": "चीनी",
"tr": "तुर्क",
"ru": "रूसी"
}
"ru": "रूसी",
"sv": "Swedish",
"sk": "Slovakish"
}

464
resources/lang/hu.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "A Számlázási beállítások el lettek mentve!",
"Language settings have not been updated!": "A nyelvváltoztatás nem lett elmentve!",
"Language settings updated!": "Sikeres nyelvváltoztatás!",
"Misc settings have not been updated!": "Az Egyéb beállítások nem lettek elmentve!",
"Misc settings updated!": "Az Egyéb beállítások el lettek mentve!",
"Payment settings have not been updated!": "A Fizetési beállítások nem lettek elmentve!",
"Payment settings updated!": "A Fizetési beállítások el lettek mentve!",
"System settings have not been updated!": "A Rendszer beállítások nem lettek elmentve!",
"System settings updated!": "A Rendszer beállítások el lettek mentve!",
"api key created!": "API kulcs létrehozva!",
"api key updated!": "API kulcs szerkesztve!",
"api key has been removed!": "API kulcs törölve!",
"Edit": "Szerkesztés",
"Delete": "Törlés",
"Created at": "Készítve",
"Error!": "Hiba!",
"Invoice does not exist on filesystem!": "Ez a számla nem létezik a fájlrendszerben!",
"unknown": "ismeretlen",
"Pterodactyl synced": "Pterodactyl szinkronizálva",
"Your credit balance has been increased!": "Az egyenleged növekedett!",
"Your payment is being processed!": "A fizetés folyamata elkezdődött!",
"Your payment has been canceled!": "A fizetés vissza lett vonva!",
"Payment method": "Fizetési Mód",
"Invoice": "Számla",
"Download": "Letöltés",
"Product has been created!": "Termék létrehozva!",
"Product has been updated!": "Termék szerkesztve!",
"Product has been removed!": "Termék törölve!",
"Show": "Megjelenítés",
"Clone": "Duplikálás",
"Server removed": "Szerver törölve",
"An exception has occurred while trying to remove a resource \"": "Kivétel történt a forrás törlése közben \"",
"Server has been updated!": "Szerver szerkesztve!",
"Unsuspend": "Felfüggesztés visszavonása",
"Suspend": "Felfüggesztés",
"Store item has been created!": "Bolti termék létrehozva!",
"Store item has been updated!": "Bolti termék szerkesztve!",
"Store item has been removed!": "Bolti termék törölve!",
"link has been created!": "hivatkozás létrehozva!",
"link has been updated!": "hivatkozás szerkesztve!",
"product has been removed!": "termék törölve!",
"User does not exists on pterodactyl's panel": "Ez a felhasználó nem létezik a pterodactyl panel rendszerében",
"user has been removed!": "felhasználó törölve!",
"Notification sent!": "Értesítés elküldve!",
"User has been updated!": "A felhasználó szerkesztve lett!",
"Login as User": "Bejelentkezés felhasználóként",
"voucher has been created!": "utalvány létrehozva!",
"voucher has been updated!": "utalvány szerkesztve!",
"voucher has been removed!": "utalvány törölve!",
"This voucher has reached the maximum amount of uses": "Ez az utalvány elérte a maximális felhasználások számát",
"This voucher has expired": "Ez az utalvány már lejárt",
"You already redeemed this voucher code": "Ezt az utalványt már felhasználtad",
"have been added to your balance!": "hozzá lett adva az egyenlegedhez!",
"Users": "Felhasználók",
"VALID": "ÉRVÉNYES",
"Account already exists on Pterodactyl. Please contact the Support!": "Ez a fiók már regisztrálva van. Kérjük lépj kapcsolatba az Ügyfélszolgálattal!",
"days": "nap",
"hours": "óra",
"You ran out of Credits": "Elfogyott a Kredited",
"Profile updated": "Profil szerkesztve",
"Server limit reached!": "Szerver korlát elérve!",
"You are required to verify your email address before you can create a server.": "Hitelesíteni kell az email címedet, hogy szervert készíthess.",
"You are required to link your discord account before you can create a server.": "Hitelesítened kell a Discord fiókodat, hogy szervert készíthess.",
"Server created": "Szerver létrehozva",
"No allocations satisfying the requirements for automatic deployment on this node were found.": "Ez a csomópont nem felel meg az autómatikus telepítés követelményeinek ezen a kiosztáson.",
"You are required to verify your email address before you can purchase credits.": "Hitelesíteni kell az email címedet, hogy Kreditet vásárolj.",
"You are required to link your discord account before you can purchase Credits": "Hitelesítened kell a Discord fiókodat, hogy Kreditet vásárolj",
"EXPIRED": "LEJÁRT",
"Payment Confirmation": "Fizetés megerősítése",
"Payment Confirmed!": "Fizetés megerősítve!",
"Your Payment was successful!": "Sikeres fizetés!",
"Hello": "Szia",
"Your payment was processed successfully!": "A fizetésed sikeresen fel lett dolgozva!",
"Status": "Státusz",
"Price": "Ár",
"Type": "Típus",
"Amount": "Mennyiség",
"Balance": "Egyenleg",
"User ID": "Felhasználó Azonosító",
"Someone registered using your Code!": "Valaki regisztrált a te Kódoddal!",
"Server Creation Error": "Hiba a szerver készítése közben",
"Your servers have been suspended!": "A szervered fel lett függesztve!",
"To automatically re-enable your server\/s, you need to purchase more credits.": "A szervered\/szervereid autómatikus újraengedélyezéséhez Kreditet kell vásárolnod.",
"Purchase credits": "Kreditek vásárlása",
"If you have any questions please let us know.": "Ha kérdésed van, kérjük fordulj hozzánk.",
"Regards": "Üdvözlettel",
"Verifying your e-mail address will grant you ": "Az email címed hitelesítésével a következőkhöz férsz hozzá ",
"additional": "továbbá",
"Verifying your e-mail will also increase your Server Limit by ": "Az email címed hitelesítésével megnő a maximális szerverek száma ennyivel ",
"You can also verify your discord account to get another ": "A Discord fiókod hitelesítésével a következőket kapod ",
"Verifying your Discord account will also increase your Server Limit by ": "A Discord fiókod hitelesítésvel megnő a maximális szerverek száma ennyivel ",
"Getting started!": "Kezdhetjük!",
"Welcome to our dashboard": "Üdvözlünk az Irányítópultban",
"Verification": "Hitelesítés",
"You can verify your e-mail address and link\/verify your Discord account.": "Hitelesíteni tudod az email címedet és a Discord fiókodat.",
"Information": "Információk",
"This dashboard can be used to create and delete servers": "Ebben az Irányítópultban szervereket tudsz létrehozni és törölni",
"These servers can be used and managed on our pterodactyl panel": "Ezeket a szervereket a Pterodactyl panelben tudod kezelni",
"If you have any questions, please join our Discord server and #create-a-ticket": "Ha bármi kérdésed van, csatlakozz a Discord szerverünkhöz és #nyiss-egy-jegyet",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "Reméljük elégedett vagy a tapasztalataiddal, ha van bármi javaslatod, kérjük jelezd felénk",
"Activity Logs": "Aktivitási napló",
"Dashboard": "Irányítópult",
"No recent activity from cronjobs": "Nincs új aktivitás a cronjob-ból",
"Are cronjobs running?": "Biztosan futnak a cronjob-ok?",
"Check the docs for it here": "Olvasd el a segédletünket itt",
"Causer": "Okozó",
"Description": "Leírás",
"Application API": "Alkalmazás API",
"Create": "Létrehozás",
"Memo": "Memo",
"Submit": "Küldés",
"Create new": "Új létrehozása",
"Token": "Token",
"Last used": "Utoljára használva",
"Are you sure you wish to delete?": "Biztosan törölni szeretnéd?",
"Nests": "Fészkek",
"Sync": "Szinkronizálás",
"Active": "Aktív",
"ID": "Azonosító",
"eggs": "tojások",
"Name": "Név",
"Nodes": "Csomópontok",
"Location": "Elhelyezkedés",
"Admin Overview": "Adminisztrátori áttekintés",
"Support server": "Szerver támogatása",
"Documentation": "Dokumentáció",
"Github": "Github",
"Support ControlPanel": "ControlPanel támogatása",
"Servers": "Szerverek",
"Total": "Összesen",
"Payments": "Fizetések",
"Pterodactyl": "Pterodactyl",
"Resources": "Források",
"Count": "Darabszám",
"Locations": "Elhelyezkedések",
"Eggs": "Tojások",
"Last updated :date": "Utoljára szerkesztve :date",
"Download all Invoices": "Összes számla letöltése",
"Product Price": "Termék ára",
"Tax Value": "Adó értéke",
"Tax Percentage": "Adó százalékban",
"Total Price": "Összesen",
"Payment ID": "Fizetés Azonosítója",
"Payment Method": "Fizetési Mód",
"Products": "Termékek",
"Product Details": "Termékek leírása",
"Disabled": "Letiltva",
"Will hide this option from being selected": "Letiltja az opció kiválasztását",
"Price in": "Ár",
"Memory": "Memória",
"Cpu": "Processzor",
"Swap": "Csere",
"This is what the users sees": "Ezt látják a felhasználók",
"Disk": "Tárhely",
"Minimum": "Minimum",
"Setting to -1 will use the value from configuration.": "A '-1'-es érték a konfigurációban lévő értéket fogja használni.",
"IO": "IO",
"Databases": "Adatbázisok",
"Backups": "Mentések",
"Allocations": "Kiosztások",
"Product Linking": "Termék hivatkozása",
"Link your products to nodes and eggs to create dynamic pricing for each option": "Csatlakoztasd a termékeidet a csomópontokhoz és tojásokhoz, hogy minden opciónál dinamikus árazás legyen",
"This product will only be available for these nodes": "Ez a termék az alábbi csomópontokon lesz elérhető",
"This product will only be available for these eggs": "Ez a termék az alábbi tojásokon lesz elérhető",
"Product": "Termék",
"CPU": "Processzor",
"Updated at": "Szerkesztve",
"User": "Felhasználó",
"Config": "Konfiguráció",
"Suspended at": "Felfüggesztve",
"Settings": "Beállítások",
"The installer is not locked!": "A telepítő nincs lezárva!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "kérlek hozz létre egy fájlt 'install.lock' néven az Irányítópult gyöker könyvtárában, különben a beállításaid nem lesznek betöltve!",
"or click here": "vagy kattints ide",
"Company Name": "Cég neve",
"Company Adress": "Cég címe",
"Company Phonenumber": "Cég telefonszáma",
"VAT ID": "ÁFA Azonosító",
"Company E-Mail Adress": "Cég email címe",
"Company Website": "Cég weboldala",
"Invoice Prefix": "Számlázási előtag",
"Enable Invoices": "Számlázás engedélyezése",
"Logo": "Logó",
"Select Invoice Logo": "Számlázási logó kiválasztása",
"Available languages": "Elérhető nyelvek",
"Default language": "Alapértelmezett nyelv",
"The fallback Language, if something goes wrong": "A tartalék nyelv, ha bármi rosszul működne",
"Datable language": "Keltezhető nyelv",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Az adattáblák kódnyelve. <br><strong>Például:<\/strong> en-gb, fr_fr, de_de<br>Több információ: ",
"Auto-translate": "Autómatikus fordítás",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "Ha be van kapcsolva, akkor az Irányítópult autómatikusan le lesz fordítva a Kliens által használt nyelvre, ha az elérhető",
"Client Language-Switch": "Kliens nyelv váltás",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "Ha be van kapcsolva, akkor manuálisan ki tudod választani az Irányítópult nyelvét",
"Mail Service": "Levelezési szolgáltatás",
"The Mailer to send e-mails with": "A levelező, amellyel email-eket küldhet",
"Mail Host": "Levél Szolgáltató",
"Mail Port": "Levél Port",
"Mail Username": "Levél Felhasználónév",
"Mail Password": "Levél Jelszó",
"Mail Encryption": "Levél Titkosítás",
"Mail From Adress": "Levél Címről",
"Mail From Name": "Levél Névről",
"Discord Client-ID": "Discord Kliens Azonosító",
"Discord Client-Secret": "Discord Kliens Titok",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Szerver Azonosító",
"Discord Invite-URL": "Discord Meghívó link",
"Discord Role-ID": "Discord Rang Azonosító",
"Enable ReCaptcha": "ReCaptcha Engedélyezése",
"ReCaptcha Site-Key": "ReCaptcha Oldal Kulcs",
"ReCaptcha Secret-Key": "ReCaptcha Titkos Kulcs",
"Enable Referral": "Meghívó Engedélyezése",
"Mode": "Mód",
"Should a reward be given if a new User registers or if a new user buys credits": "Legyen jutalom, ha egy új felhasználó regisztrál, vagy Kreditet vásárol",
"Commission": "Jutalék",
"Sign-Up": "Regisztrálás",
"Both": "Mindkettő",
"Referral reward in percent": "Meghívásért járó jutalom százalékban",
"(only for commission-mode)": "(csak jutalék-módban)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "Ha a meghívott felhasználó Kreditet vásárol, x% Kreditet kap a meghívó fél",
"Referral reward in": "Meghívó jutalom",
"(only for sign-up-mode)": "(csak regisztrációs-módban)",
"Allowed": "Jogosult",
"Who is allowed to see their referral-URL": "Ki jogosult a meghívó hivatkozás kód megnézésére",
"Everyone": "Mindenki",
"Clients": "Kliensek",
"PayPal Client-ID": "PayPal Kliens Azonosító",
"PayPal Secret-Key": "PayPal Titkos Kulcs",
"PayPal Sandbox Client-ID": "PayPal Sandbox Kliens Azonosító",
"optional": "ajánlott",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Titkos Kulcs",
"Stripe Secret-Key": "Stripe Titkos Kulcs",
"Stripe Endpoint-Secret-Key": "Stripe Végpont Titkos Kulcs",
"Stripe Test Secret-Key": "Stripe Test Titkos Kulcs",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Végpont Titkos Kulcs",
"Payment Methods": "Fizetési Módok",
"Tax Value in %": "Adó értéke szálazékban",
"System": "Rendszer",
"Register IP Check": "IP ellenőrzés regisztrálása",
"Prevent users from making multiple accounts using the same IP address.": "Letiltja a több fiók regisztrálását ugyanarról az IP-ről.",
"Charge first hour at creation": "Első óra kifizetése létrehozásnál",
"Charges the first hour worth of credits upon creating a server.": "Első óra kifizetése szerver létrehozásnál.",
"Credits Display Name": "Kredit megnevezése",
"PHPMyAdmin URL": "PHPMyAdmin Hivatkozás",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Írd be a hivatkozást a PHPMyAdmin telepítéséhez. <strong>A zárjó perjel nélkül!<\/strong>",
"Pterodactyl URL": "Pterodactyl Hivatkozás",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Írd be a hivatkozást a Pterodactyl telepítéséhez. <strong>A zárjó perjel nélkül!<\/strong>",
"Pterodactyl API Key": "Pterodactyl API Kulcs",
"Enter the API Key to your Pterodactyl installation.": "Írd be az API Kulcsot a Pterodactyl telepítéséhez.",
"Force Discord verification": "Discord hitelesítés kötelezése",
"Force E-Mail verification": "Email hitelesítés kötelezése",
"Initial Credits": "Kezdő Kreditek",
"Initial Server Limit": "Kezdő maximális szerver száma",
"Credits Reward Amount - Discord": "Kredit jutalom - Discord",
"Credits Reward Amount - E-Mail": "Kredit jutalom - E-Mail",
"Server Limit Increase - Discord": "Szerver szám növelése - Discord",
"Server Limit Increase - E-Mail": "Szerver szám növelése - E-Mail",
"Server": "Szerver",
"Server Allocation Limit": "Szerver kiosztások száma",
"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!": "A maximális kiosztások száma csomópontonként az autómatikus telepítéshez, ha több kiosztás van használatban, mint amennyi megengedett, nem tudsz több szervert létrehozni!",
"Select panel icon": "Panel ikon kiválasztása",
"Select panel favicon": "Panel favicon kiválasztása",
"Store": "Bolt",
"Server Slots": "Szerver Foglalatok",
"Currency code": "Pénznem kód",
"Checkout the paypal docs to select the appropriate code": "Nézd meg a PayPal segédletet a megfelelő kód kiválasztásához",
"Quantity": "Mennyiség",
"Amount given to the user after purchasing": "Mennyiség, amelyet a felhasználó megkap vásárlás után",
"Display": "Megjelenítés",
"This is what the user sees at store and checkout": "Ezt látja a felhasználó a boltban és fizetésnél",
"Adds 1000 credits to your account": "1000 Kreditet hozzá ad a fiókodhoz",
"This is what the user sees at checkout": "Ezt látja a felhasználó fizetéskor",
"No payment method is configured.": "Nincs beállítva fizetési mód.",
"To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "Fizetési mód beállításához menj a Beállításokba, majd add hozzá a szükséges opciókat az általad preferált fizetési módhoz.",
"Useful Links": "Hasznos hivatkozások",
"Icon class name": "Ikon osztályának neve",
"You can find available free icons": "Itt találhatsz ingyenesen elérhető ikonokat",
"Title": "Cím",
"Link": "Hivatkozás",
"description": "leírás",
"Icon": "Ikon",
"Username": "Felhasználónév",
"Email": "Email",
"Pterodactyl ID": "Pterodactyl Azonosító",
"This ID refers to the user account created on pterodactyls panel.": "Ez az azonosító a felhasználó Pterodactyl panel fiókjára hivatkozik.",
"Only edit this if you know what youre doing :)": "Ehhez csak akkor nyúlj, ha tudod mit csinálsz :)",
"Server Limit": "Szerver Korlátok",
"Role": "Rang",
" Administrator": " Adminisztrátor",
"Client": "Kliens",
"Member": "Tag",
"New Password": "Új jelszó",
"Confirm Password": "Jelszó megerősítése",
"Notify": "Értesítés",
"Avatar": "Profilkép",
"Referrals": "Meghívottak",
"Verified": "Hitelesített",
"Last seen": "Utoljára elérhető",
"Notifications": "Értesítések",
"All": "Összes",
"Send via": "Küldés ez által",
"Database": "Adatbázis",
"Content": "Tartalom",
"Server limit": "Szerver limit",
"Discord": "Discord",
"Usage": "Használat",
"IP": "IP",
"Referals": "Hivatkozások",
"Vouchers": "Utalványok",
"Voucher details": "Utalvány részletei",
"Summer break voucher": "Nyári szüneti utalvány",
"Code": "Kód",
"Random": "Véletlenszerű",
"Uses": "Felhasználások",
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Az utalványt egy felhasználó csak egyszer használhatja fel. Ezzel meg tudod adni, hogy hány felhasználó tudja felhasználni az utalványt.",
"Max": "Max",
"Expires at": "Lejárás ideje",
"Used \/ Uses": "Felhasználva \/ Felhasználások száma",
"Expires": "Lejár",
"Sign in to start your session": "Jelentkezz be a munkamenet elindításához",
"Password": "Jelszó",
"Remember Me": "Emlékezz rám",
"Sign In": "Bejelentkezés",
"Forgot Your Password?": "Elfelejtetted a jelszavad?",
"Register a new membership": "Új tagság regisztrálása",
"Please confirm your password before continuing.": "Kérlek erősítsd meg a jelszavad folytatás előtt.",
"You forgot your password? Here you can easily retrieve a new password.": "Elfelejtetted a jelszavad? Itt kérhetsz magadnak új jelszót.",
"Request new password": "Új jelszó kérése",
"Login": "Bejelentkezés",
"You are only one step a way from your new password, recover your password now.": "Már csak egy lépésre vagy az új jelszavadtól, állítsd vissza a jelszavad most.",
"Retype password": "Új jelszó megerősítése",
"Change password": "Jelszó változtatása",
"Referral code": "Meghívó kód",
"Register": "Regisztráció",
"I already have a membership": "Már van tagságom",
"Verify Your Email Address": "Email cím hitelesítése",
"A fresh verification link has been sent to your email address.": "Egy friss hitelesítő levél el lett küldve az email címedre.",
"Before proceeding, please check your email for a verification link.": "A folytatáshoz, nézd meg a hitelesítő levelet, amit küldtünk.",
"If you did not receive the email": "Ha nem kaptad meg a levelet",
"click here to request another": "kattints ide egy új levél küldéséhez",
"per month": "havonta",
"Out of Credits in": "Elfogy a Kredit",
"Home": "Kezdőlap",
"Language": "Nyelv",
"See all Notifications": "Értesítések megnézése",
"Mark all as read": "Összes megjelölése olvasottként",
"Redeem code": "Kód beváltása",
"Profile": "Profil",
"Log back in": "Bejelentkezés újból",
"Logout": "Kijelentkezés",
"Administration": "Adminisztráció",
"Overview": "Áttekintés",
"Management": "Kezelés",
"Other": "Egyéb",
"Logs": "Naplók",
"Warning!": "Figyelem!",
"You have not yet verified your email address": "Nem hitelesítetted még az email címedet",
"Click here to resend verification email": "Kattints ide, hogy újra küldjük a hitelesítő levelet",
"Please contact support If you didnt receive your verification email.": "Kérjük vedd fel velünk a kapcsolatot, ha nem kaptad meg a hitelesítő levelet.",
"Thank you for your purchase!": "Köszönjük a vásárlást!",
"Your payment has been confirmed; Your credit balance has been updated.": "A fizetésed meg lett erősítve; A Kredit egyenleged frissítve lett.",
"Thanks": "Köszönjük",
"Redeem voucher code": "Utalvány beváltása",
"Close": "Bezárás",
"Redeem": "Beváltás",
"All notifications": "Összes értesítés",
"Required Email verification!": "Email hitelesítés szükséges!",
"Required Discord verification!": "Discord hitelesítés szükséges!",
"You have not yet verified your discord account": "Még nem hitelesítetted a Discord fiókodat",
"Login with discord": "Jelentkezz be a Discord fiókoddal",
"Please contact support If you face any issues.": "Ha bármi problémába ütközöl, lépj kapcsolatba az Ügyfélszolgálattal.",
"Due to system settings you are required to verify your discord account!": "A rendszer beállításai miatt hitelesítened kell a Discord fiókodat!",
"It looks like this hasnt been set-up correctly! Please contact support.": "Úgy tűnik, hogy ez nem lett megfelelően beállítva! Kérjük lépj kapcsolatba az Ügyfélszolgálattal.",
"Change Password": "Jelszó váltása",
"Current Password": "Jelenlegi jelszó",
"Link your discord account!": "Discord fiók csatolása!",
"By verifying your discord account, you receive extra Credits and increased Server amounts": "A Discord fiókod hitelesítésével extra Kreditre teszel szert, és megnöveled az elérhető szerverek számát",
"Login with Discord": "Bejelentkezés Discord fiókkal",
"You are verified!": "Hitelesítve vagy!",
"Re-Sync Discord": "Discord újra-hitelesítése",
"Save Changes": "Változtatások mentése",
"Server configuration": "Szerver konfiguráció",
"Make sure to link your products to nodes and eggs.": "Győződj meg róla, hogy hozzá csatold a termékeket a csomópontokhoz és tojásokhoz.",
"There has to be at least 1 valid product for server creation": "Legalább 1 érvényes terméknek kell lennie a szerver létrehozásához",
"Sync now": "Szinkronizálás",
"No products available!": "Nincs elérhető termék!",
"No nodes have been linked!": "Nem lett csomópont hozzácsatolva!",
"No nests available!": "Nincs elérhető fészek!",
"No eggs have been linked!": "Nem lett tojás hozzácsatolva!",
"Software \/ Games": "Szoftver \/ Játékok",
"Please select software ...": "Szoftver kiválasztása ...",
"---": "---",
"Specification ": "Specifikációk ",
"Node": "Csomópont",
"Resource Data:": "Forrás Adatai:",
"vCores": "vCore",
"MB": "MB",
"MySQL": "MySQL",
"ports": "port",
"Not enough": "Nincs elég",
"Create server": "Szerver létrehozása",
"Please select a node ...": "Válassz ki egy csomópontot ...",
"No nodes found matching current configuration": "Nem találtunk csomópontot ezekkel a beállításokkal",
"Please select a resource ...": "Válassz ki egy forrást ...",
"No resources found matching current configuration": "Nem találtunk forrást ezekkel a beállításokkal",
"Please select a configuration ...": "Válassz ki egy beállítást ...",
"Not enough credits!": "Ehhez nincs elég Kredited!",
"Create Server": "Szerver létrehozása",
"Software": "Szoftver",
"Specification": "Specifikáció",
"Resource plan": "Forrás terv",
"RAM": "RAM",
"MySQL Databases": "MySQL Adatbázisok",
"per Hour": "Óránként",
"per Month": "Havonta",
"Manage": "Kezelés",
"Are you sure?": "Biztos vagy benne?",
"This is an irreversible action, all files of this server will be removed.": "Ez egy visszafordíthatatlan lépés, minden fájl törölve lesz.",
"Yes, delete it!": "Igen, törlés!",
"No, cancel!": "Nem, mégsem!",
"Canceled ...": "Visszavonva ...",
"Deletion has been canceled.": "A törlés vissza lett vonva.",
"Date": "Dátum",
"Subtotal": "Részösszeg",
"Amount Due": "Esedékes összeg",
"Tax": "Adó",
"Submit Payment": "Fizetés Benyújtása",
"Purchase": "Vásárlás",
"There are no store products!": "Nincsenek termékek a boltban!",
"The store is not correctly configured!": "A bolt nincs megfelelően beállítva!",
"Serial No.": "Sorozatszám",
"Invoice date": "Számla Dátuma",
"Seller": "Eladó",
"Buyer": "Vevő",
"Address": "Cím",
"VAT Code": "ÁFA Kód",
"Phone": "Telefon",
"Units": "Egységek",
"Discount": "Kedvezmény",
"Total discount": "Összes kedvezmény",
"Taxable amount": "Adóköteles összeg",
"Tax rate": "Adókulcs",
"Total taxes": "Összes adó",
"Shipping": "Szállítás",
"Total amount": "Összesen",
"Notes": "Jegyzetek",
"Amount in words": "Mennyiség szavakban",
"Please pay until": "Fizetési határidő",
"cs": "Cseh",
"de": "Német",
"en": "Angol",
"es": "Spanyol",
"fr": "Francia",
"hi": "Hindi",
"it": "Olasz",
"nl": "Holland",
"pl": "Lengyel",
"zh": "Kínai",
"tr": "Török",
"ru": "Orosz",
"sv": "Svéd",
"sk": "Szlovák"
}

View file

@ -13,12 +13,9 @@
"api key has been removed!": "lapi key è stata rimossa!",
"Edit": "Modifica",
"Delete": "Elimina",
"Store item has been created!": "Larticolo è stato creato!",
"Store item has been updated!": "Larticolo è stato aggiornato!",
"Product has been updated!": "Il prodotto è stato aggiornato!",
"Store item has been removed!": "Io prodotto è stato rimosso!",
"Created at": "Creato il",
"Error!": "Errore!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "sconosciuto",
"Pterodactyl synced": "Pterodactyl sincronizzato",
"Your credit balance has been increased!": "Il you bilancio di crediti è aumentato!",
@ -26,9 +23,9 @@
"Your payment has been canceled!": "Il tuo pagamento è stato annullato!",
"Payment method": "Metodo di pagamento",
"Invoice": "Fattura",
"Invoice does not exist on filesystem!": "La fattura non esiste nel filesystem!",
"Download": "Scarica",
"Product has been created!": "Il prodotto è stato creato!",
"Product has been updated!": "Il prodotto è stato aggiornato!",
"Product has been removed!": "Il prodotto è stato rimosso!",
"Show": "Mostra",
"Clone": "Clona",
@ -37,7 +34,9 @@
"Server has been updated!": "Il server è stato aggiornato!",
"Unsuspend": "Riabilita",
"Suspend": "Sospendi",
"configuration has been updated!": "la configurazione è stata aggiornata!",
"Store item has been created!": "Larticolo è stato creato!",
"Store item has been updated!": "Larticolo è stato aggiornato!",
"Store item has been removed!": "Io prodotto è stato rimosso!",
"link has been created!": "la connessione è stata creata!",
"link has been updated!": "la connessione è stata aggiornata!",
"product has been removed!": "prodotto è stato rimosso!",
@ -79,13 +78,27 @@
"Amount": "Quantità",
"Balance": "Saldo",
"User ID": "ID utente",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Errore di creazione del server",
"Your servers have been suspended!": "I tuoi server sono stati sospesi!",
"To automatically re-enable your server/s, you need to purchase more credits.": "Per ri-abilitare i tuoi server automaticamente, devi acquistare più crediti.",
"To automatically re-enable your server\/s, you need to purchase more credits.": "Per ri-abilitare i tuoi server automaticamente, devi acquistare più crediti.",
"Purchase credits": "Acquista crediti",
"If you have any questions please let us know.": "Se hai una domanda faccelo sapere.",
"Regards": "Cordialmente",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Come iniziare!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Registro attività",
"Dashboard": "Dashboard",
"No recent activity from cronjobs": "Nessuna attività recente dai cronjobs",
@ -174,7 +187,7 @@
"Default language": "Lingua predefinita",
"The fallback Language, if something goes wrong": "La lingua secondaria, se qualcosa va storto",
"Datable language": "Datable language",
"The datatables lang-code. <br><strong>Example:</strong> en-gb, fr_fr, de_de<br>More Information: ": "Il lang-code dei datatables. <br><strong>Esempio:</strong> en-gb, fr_fr, de_de<br>Piu informazioni: ",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Il lang-code dei datatables. <br><strong>Esempio:<\/strong> en-gb, fr_fr, de_de<br>Piu informazioni: ",
"Auto-translate": "Traduzione-automatica",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "Se questo è abilitato la dashboard si traducerà automaticamente alla lingua dei clienti, se disponibile",
"Client Language-Switch": "Switch delle lingue dei clienti",
@ -197,6 +210,21 @@
"Enable ReCaptcha": "Abilita recaptcha",
"ReCaptcha Site-Key": "Chiave del sito di ReCaptcha",
"ReCaptcha Secret-Key": "Chiave segreta di ReCaptcha",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "ID del Client di PayPal",
"PayPal Secret-Key": "Chiave segreta PayPal",
"PayPal Sandbox Client-ID": "ID del Client Sandbox di PayPal",
@ -215,9 +243,9 @@
"Charges the first hour worth of credits upon creating a server.": "Addebita la prima ora in crediti alla creazione di un server.",
"Credits Display Name": "Nome di Visualizzazione dei Crediti",
"PHPMyAdmin URL": "URL PHPMyAdmin",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!</strong>": "Inserisci l'URL alla tua installazione di PHPMyAdmin. <strong>Senza lo slash finale!</strong>",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Inserisci l'URL alla tua installazione di PHPMyAdmin. <strong>Senza lo slash finale!<\/strong>",
"Pterodactyl URL": "URL di Pterodactyl",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!</strong>": "Inserisci l'URL alla tua installazione di Pterodactyl. <strong>Senza un trailing slash!</strong>",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Inserisci l'URL alla tua installazione di Pterodactyl. <strong>Senza un trailing slash!<\/strong>",
"Pterodactyl API Key": "Chiave API di Pterodactyl",
"Enter the API Key to your Pterodactyl installation.": "Inserisci la Chiave API alla tua installazione di Pterodactyl.",
"Force Discord verification": "Forza la verifica di Discord",
@ -234,6 +262,7 @@
"Select panel icon": "Seleziona licona del pannello",
"Select panel favicon": "Seleziona la favicon del pannello",
"Store": "Negozio",
"Server Slots": "Server Slots",
"Currency code": "Codice valuta",
"Checkout the paypal docs to select the appropriate code": "Controlla la documentazione di PayPal per selezionare il codice appropriato",
"Quantity": "Quantità",
@ -243,7 +272,7 @@
"Adds 1000 credits to your account": "Aggiunge 1000 crediti al tuo account",
"This is what the user sees at checkout": "Questo è quello che lutente vede al checkout",
"No payment method is configured.": "Nessun metodo di pagamento è configurato.",
"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.",
"To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "Per configurare i metodi di pagamento, dirigiti alla pagina delle impostazioni e aggiungi le opzioni necessarie per il tuo metodo di pagamento preferito.",
"Useful Links": "Link utili",
"Icon class name": "Nome della classe dellicona",
"You can find available free icons": "Puoi trovare icone disponibili gratis",
@ -265,6 +294,7 @@
"Confirm Password": "Conferma password",
"Notify": "Notifica",
"Avatar": "Avatar",
"Referrals": "Referrals",
"Verified": "Verificato",
"Last seen": "Visto l'ultima volta",
"Notifications": "Notifiche",
@ -276,6 +306,7 @@
"Discord": "Discord",
"Usage": "Uso",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "Vouchers",
"Voucher details": "Dettagli del buono",
"Summer break voucher": "Voucher delle vacanze di natale",
@ -285,7 +316,7 @@
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Un voucher può essere utilizzato solo una volta per utente. Il numero di usi specifica il numero di utenti diversi che possono utilizzare questo voucher.",
"Max": "Massimo",
"Expires at": "Scade il",
"Used / Uses": "Usato / Utilizzi",
"Used \/ Uses": "Usato \/ Utilizzi",
"Expires": "Scade",
"Sign in to start your session": "Accedi per iniziare la sessione",
"Password": "Password",
@ -300,6 +331,7 @@
"You are only one step a way from your new password, recover your password now.": "Sei a un solo step dalla tua nuova password, ripristinala ora.",
"Retype password": "Reinserisci password",
"Change password": "Cambia password",
"Referral code": "Referral code",
"Register": "Registrati",
"I already have a membership": "Già registrato?",
"Verify Your Email Address": "Verifica il tuo indirizzo e-mail",
@ -312,6 +344,7 @@
"Home": "Home",
"Language": "Lingua",
"See all Notifications": "Vedi tutte le notifiche",
"Mark all as read": "Mark all as read",
"Redeem code": "Riscatta un codice",
"Profile": "Profilo",
"Log back in": "Fai il login di nuovo",
@ -355,7 +388,7 @@
"No nodes have been linked!": "Nessun nodo è stato connesso!",
"No nests available!": "Nessun nido (nest) disponibile!",
"No eggs have been linked!": "Nessun uovo (egg) è stato connesso!",
"Software / Games": "Software / Giochi",
"Software \/ Games": "Software \/ Giochi",
"Please select software ...": "Per favore selezione il software...",
"---": "---",
"Specification ": "Specifiche ",
@ -414,23 +447,6 @@
"Notes": "Note",
"Amount in words": "Numero in parole",
"Please pay until": "Per favore paga fino",
"Key": "Tasto",
"Value": "Valore",
"Edit Configuration": "Modifica Configurazione",
"Text Field": "Campo Testuale",
"Cancel": "Annulla",
"Save": "Salva",
"Images and Icons may be cached, reload without cache to see your changes appear": "Immagini e Icone potrebbero esser salvate nella cache, ricarica senza cache per veder comparire le tue modifiche",
"Enter your companys name": "Inserisci il nome della tua azienda",
"Enter your companys address": "Inserisci l'indirizzo della tua azienda",
"Enter your companys phone number": "Inserisci il numero di telefono della tua azienda",
"Enter your companys VAT id": "Inserisci la partita IVA della tua azienda",
"Enter your companys email address": "Inserisci lindirizzo email della tua azienda",
"Enter your companys website": "Inserisci il sito web della tua azienda",
"Enter your custom invoice prefix": "Inserisci il tuo prefisso personalizzato della fattura",
"The Language of the Datatables. Grab the Language-Codes from here": "La Lingua delle Tabelle di Dati. Prendi i Codici Linguistici da qui",
"Let the Client change the Language": "Fa modificare la Lingua al Client",
"Icons updated!": "Icone aggiornate!",
"cs": "Ceco",
"de": "Tedesco",
"en": "Inglese",
@ -442,5 +458,7 @@
"pl": "Polacco",
"zh": "Cinese",
"tr": "Turco",
"ru": "Russo"
}
"ru": "Russo",
"sv": "Swedish",
"sk": "Slovakish"
}

464
resources/lang/nl.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "Factuurinstellingen bijgewerkt!",
"Language settings have not been updated!": "Taalinstellingen zijn niet bijgewerkt!",
"Language settings updated!": "Taalinstellingen bijgewerkt!",
"Misc settings have not been updated!": "Diverse instellingen zijn niet bijgewerkt!",
"Misc settings updated!": "Diverse instellingen zijn niet bijgewerkt!",
"Payment settings have not been updated!": "Betalingsinstellingen zijn niet bijgewerkt!",
"Payment settings updated!": "Betalingsinstellingen bijgewerkt!",
"System settings have not been updated!": "Systeeminstellingen zijn niet bijgewerkt!",
"System settings updated!": "Systeeminstellingen bijgewerkt!",
"api key created!": "api sleutel aangemaakt!",
"api key updated!": "api sleutel geupdated!",
"api key has been removed!": "api sleutel is verwijderd!",
"Edit": "Wijzig",
"Delete": "Verwijder",
"Created at": "Aangemaakt op",
"Error!": "Fout!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "onbekend",
"Pterodactyl synced": "Pterodactyl gesynchroniseerd",
"Your credit balance has been increased!": "Uw krediet is opgewaardeerd!",
"Your payment is being processed!": "Uw betaling word momenteel verwerkt!",
"Your payment has been canceled!": "Uw betaling is geannuleerd!",
"Payment method": "Betalingsmethode",
"Invoice": "Factuur",
"Download": "Download",
"Product has been created!": "Product is aangemaakt!",
"Product has been updated!": "Product is geupdated!",
"Product has been removed!": "Product is verwijderd!",
"Show": "Weergeven",
"Clone": "Dupliceren",
"Server removed": "Server verwijderd",
"An exception has occurred while trying to remove a resource \"": "Er is een fout opgetreden bij het verwijderen van een resource",
"Server has been updated!": "Server is geupdated!",
"Unsuspend": "Niet geschorst",
"Suspend": "Geschorst",
"Store item has been created!": "Artikel Aangemaakt!",
"Store item has been updated!": "Artikel Geupdated!",
"Store item has been removed!": "Artikel is verwijderd!",
"link has been created!": "link is aangemaakt!",
"link has been updated!": "link is geupdated!",
"product has been removed!": "product is verwijderd!",
"User does not exists on pterodactyl's panel": "Gebruiker bestaat niet in Pterodactyl",
"user has been removed!": "gebruiker is verwijderd!",
"Notification sent!": "Notificatie verstuurt!",
"User has been updated!": "Gebruiker is geupdated!",
"Login as User": "Log in als gebruiker",
"voucher has been created!": "couponcode is aangemaakt!",
"voucher has been updated!": "couponcode is bijgewerkt!",
"voucher has been removed!": "coupon code is verwijderd!",
"This voucher has reached the maximum amount of uses": "Deze coupon heeft het maximaal aantal gebruikers bereikt",
"This voucher has expired": "Deze coupon is verlopen",
"You already redeemed this voucher code": "U heeft deze coupon al gebruikt",
"have been added to your balance!": "is aan uw krediet toegevoegd!",
"Users": "Gebruikers",
"VALID": "GELDIG",
"Account already exists on Pterodactyl. Please contact the Support!": "Account bestaat al op Pterodactyl. Neem dan contact op met de ondersteuning!",
"days": "dagen",
"hours": "uren",
"You ran out of Credits": "U heeft geen krediet meer",
"Profile updated": "Profiel geupdated",
"Server limit reached!": "Server limiet bereikt!",
"You are required to verify your email address before you can create a server.": "U moet uw E-Mailadres verifieren alvorens u een server kunt aanmaken.",
"You are required to link your discord account before you can create a server.": "U moet uw Discord linken alvorens u een server kunt aanmaken.",
"Server created": "Server aangemaakt",
"No allocations satisfying the requirements for automatic deployment on this node were found.": "Deze node voldoet niet aan de voorwaarden om automatisch servers aan te maken.",
"You are required to verify your email address before you can purchase credits.": "U moet uw e-mailadres verifiëren voordat u credits kunt kopen.",
"You are required to link your discord account before you can purchase Credits": "Je moet je discord-account koppelen voordat je Credits kunt kopen",
"EXPIRED": "VERLOPEN",
"Payment Confirmation": "Betalingsbevestiging",
"Payment Confirmed!": "Betaling bevestigd!",
"Your Payment was successful!": "Uw betaling is succesvol uitgevoerd!",
"Hello": "Hallo",
"Your payment was processed successfully!": "Je betaling was succesvol verwerkt!",
"Status": "Status",
"Price": "Prijs",
"Type": "Type",
"Amount": "Aantal",
"Balance": "Balans",
"User ID": "GebruikersID",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Fout bij het maken van de server",
"Your servers have been suspended!": "Uw servers zijn opgeschort!",
"To automatically re-enable your server\/s, you need to purchase more credits.": "Om uw server(s) automatisch opnieuw in te schakelen, moet u meer credits kopen.",
"Purchase credits": "Credits kopen",
"If you have any questions please let us know.": "Als u vragen heeft, laat het ons dan weten.",
"Regards": "Met vriendelijke groet",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "extra",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Aan de slag!",
"Welcome to our dashboard": "Welkom bij ons dashboard",
"Verification": "Verificatie",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Informatie",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Activiteitenlogboeken",
"Dashboard": "Dashboard",
"No recent activity from cronjobs": "Geen recente activiteit van cronjobs",
"Are cronjobs running?": "Zijn cronjobs actief?",
"Check the docs for it here": "Bekijk de documentatie voor het hier",
"Causer": "Veroorzaker",
"Description": "Beschrijving",
"Application API": "Applicatie-API",
"Create": "Aanmaken",
"Memo": "Memo",
"Submit": "Bevestigen",
"Create new": "Maak nieuw",
"Token": "Token",
"Last used": "Laatst gebruikt",
"Are you sure you wish to delete?": "Weet u zeker dat u wilt verwijderen?",
"Nests": "Nesten",
"Sync": "Synchroniseren",
"Active": "Actief",
"ID": "ID",
"eggs": "eieren",
"Name": "Naam",
"Nodes": "Nodes",
"Location": "Locatie",
"Admin Overview": "Beheerdersoverzicht",
"Support server": "Ondersteuningsserver",
"Documentation": "Documentatie",
"Github": "Github",
"Support ControlPanel": "Ondersteuning ControlPanel",
"Servers": "Servers",
"Total": "Totaal",
"Payments": "Betalingen",
"Pterodactyl": "Pterodactyl",
"Resources": "Resources",
"Count": "Aantal",
"Locations": "Locaties",
"Eggs": "Eggs",
"Last updated :date": "Laatst bijgewerk: :date",
"Download all Invoices": "Alle facturen downloaden",
"Product Price": "Product prijs",
"Tax Value": "Btw-bedrag",
"Tax Percentage": "Btw percentage",
"Total Price": "Totaalprijs",
"Payment ID": "Betalings ID",
"Payment Method": "Betaalmethode",
"Products": "Producten",
"Product Details": "Product informatie",
"Disabled": "Uitgeschakeld",
"Will hide this option from being selected": "Zal deze optie niet selecteerbaar maken",
"Price in": "Prijs in",
"Memory": "Geheugen",
"Cpu": "CPU",
"Swap": "Swap",
"This is what the users sees": "Dit is wat de gebruikers zien",
"Disk": "Schijf",
"Minimum": "Minimum",
"Setting to -1 will use the value from configuration.": "Deze waarde op -1 zal de waarde uit configuratie overnemen.",
"IO": "IO",
"Databases": "Databanken",
"Backups": "Back-ups",
"Allocations": "Toewijzingen",
"Product Linking": "Prodyct koppeling",
"Link your products to nodes and eggs to create dynamic pricing for each option": "Link uw producten aan uw nodes en eieren om dynamische prijzen voor elke optie aan te maken",
"This product will only be available for these nodes": "Dit product zal alleen beschikbaar zijn op deze nodes",
"This product will only be available for these eggs": "Dit product zal alleen beschikbaar zijn op deze eieren",
"Product": "Product",
"CPU": "Processor",
"Updated at": "Bijgewerkt op",
"User": "Gebruiker",
"Config": "Configuratie",
"Suspended at": "Geschorst op",
"Settings": "Instellingen",
"The installer is not locked!": "Het installatieprogramma is niet vergrendeld!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "maak a.u.b. een bestand aan met de naam \"install.lock\" in de hoofdmap van uw dashboard. Anders worden er geen instellingen geladen!",
"or click here": "of klik hier",
"Company Name": "Bedrijfsnaam",
"Company Adress": "Bedrijfsadres",
"Company Phonenumber": "Telefoonnummer bedrijf",
"VAT ID": "Btw-nummer",
"Company E-Mail Adress": "Bedrijf e-mailadres",
"Company Website": "Bedrijfswebsite",
"Invoice Prefix": "Factuurvoorvoegsel",
"Enable Invoices": "Facturen inschakelen",
"Logo": "Logo",
"Select Invoice Logo": "Selecteer factuur logo",
"Available languages": "Beschikbare talen",
"Default language": "Standaard taal",
"The fallback Language, if something goes wrong": "De terugval-taal, als er iets misgaat",
"Datable language": "Dateerbare taal",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "De datatabellen lang-code. <br><strong>Voorbeeld:<\/strong> nl-gb, fr_fr, de_de<br>Meer informatie: ",
"Auto-translate": "Automatisch vertalen",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "Als dit is aangevinkt, zal het dashboard zichzelf vertalen naar de taal van de klant, indien beschikbaar",
"Client Language-Switch": "Klant Taal-Switch",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "Als dit is aangevinkt, hebben klanten de mogelijkheid om hun dashboardtaal handmatig te wijzigen",
"Mail Service": "Mail bezorging",
"The Mailer to send e-mails with": "De Mailer om e-mails mee te versturen",
"Mail Host": "Mail Host",
"Mail Port": "Mail poort",
"Mail Username": "Mail Gebruikersnaam",
"Mail Password": "Mail Wachtwoord",
"Mail Encryption": "Mail Encryptie",
"Mail From Adress": "Mail van adres",
"Mail From Name": "Mail namens naam",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Uitnodigings-URL",
"Discord Role-ID": "Discord Rol-ID",
"Enable ReCaptcha": "ReCaptcha inschakelen",
"ReCaptcha Site-Key": "ReCaptcha-sitesleutel",
"ReCaptcha Secret-Key": "ReCaptcha geheime sleutel",
"Enable Referral": "Enable Referral",
"Mode": "Modus",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commissie",
"Sign-Up": "Registreren",
"Both": "Beiden",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(alleen voor commissie-modus)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(alleen voor registratie-modus)",
"Allowed": "Toegestaan",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Iedereen",
"Clients": "Cliënten",
"PayPal Client-ID": "PayPal-klant-ID",
"PayPal Secret-Key": "PayPal geheime sleutel",
"PayPal Sandbox Client-ID": "PayPal Sandbox-client-ID",
"optional": "optioneel",
"PayPal Sandbox Secret-Key": "PayPal Sandbox geheime sleutel",
"Stripe Secret-Key": "Stripe Geheime-Sleutel",
"Stripe Endpoint-Secret-Key": "Stripe Eindpunt-geheime-sleutel",
"Stripe Test Secret-Key": "Stripe Geheime sleutel testen",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Eindpunt-Geheime-Key",
"Payment Methods": "Betaalmethoden",
"Tax Value in %": "Belastingwaarde in %",
"System": "Systeem",
"Register IP Check": "IP-controle registreren",
"Prevent users from making multiple accounts using the same IP address.": "Voorkom dat gebruikers meerdere accounts maken met hetzelfde IP-adres.",
"Charge first hour at creation": "Eerste uur opladen bij aanmaak",
"Charges the first hour worth of credits upon creating a server.": "Brengt het eerste uur aan credits in rekening bij het maken van een server.",
"Credits Display Name": "Weergavenaam tegoed",
"PHPMyAdmin URL": "PHPMyAdmin-URL",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Voer de URL naar uw PHPMyAdmin-installatie in. <strong>Zonder een slash!<\/strong>",
"Pterodactyl URL": "Pterodactyl URL",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Voer de URL naar uw Pterodactyl-installatie in. <strong>Zonder een slash!<\/strong>",
"Pterodactyl API Key": "Pterodactyl API sleutel",
"Enter the API Key to your Pterodactyl installation.": "Voer de API-sleutel in voor uw Pterodactyl-installatie.",
"Force Discord verification": "Forceer Discord Verificatie",
"Force E-Mail verification": "Forceer E-Mail Verificatie",
"Initial Credits": "Initiële tegoeden",
"Initial Server Limit": "Initiële serverlimiet",
"Credits Reward Amount - Discord": "Credits Beloningsbedrag - Discord",
"Credits Reward Amount - E-Mail": "Credits Beloningsbedrag - E-mail",
"Server Limit Increase - Discord": "Serverlimiet verhogen - Discord",
"Server Limit Increase - E-Mail": "Serverlimiet verhogen - e-mail",
"Server": "Server",
"Server Allocation Limit": "Limiet voor servertoewijzing",
"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!": "Het maximale aantal toewijzingen dat per node moet worden opgehaald voor automatische implementatie, als er meer toewijzingen worden gebruikt dan het ingestelde limiet, kunnen er geen nieuwe servers worden gemaakt!",
"Select panel icon": "Selecteer panel icoon",
"Select panel favicon": "Selecteer panel favicon",
"Store": "Winkel",
"Server Slots": "Server Slots",
"Currency code": "Valuta code",
"Checkout the paypal docs to select the appropriate code": "Kijk in de paypal documentatie om de juiste code te selecteren",
"Quantity": "Aantal",
"Amount given to the user after purchasing": "Hoeveelheid aan de gebruiker geven na aankoop",
"Display": "Weergave",
"This is what the user sees at store and checkout": "Dit is wat de gebruiker ziet bij de winkel en het betalen",
"Adds 1000 credits to your account": "Voegt 1000 credits to aan je account",
"This is what the user sees at checkout": "Die is wat de gebruiker ziet bij het betalen",
"No payment method is configured.": "Betalingsmethode is niet geconfigureerd.",
"To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "Om de betaalmethoden te configureren, gaat u naar de instellingenpagina en voegt u de vereiste opties toe voor uw gewenste betaalmethode.",
"Useful Links": "Nuttige links",
"Icon class name": "Icoon klasse naam",
"You can find available free icons": "U kunt gratis icoontjes vinden",
"Title": "Titel",
"Link": "Koppelen",
"description": "beschrijving",
"Icon": "Icoon",
"Username": "Gebruikersnaam",
"Email": "E-mail",
"Pterodactyl ID": "Pterodactyl ID",
"This ID refers to the user account created on pterodactyls panel.": "Dit zijn de gebruikers ID's van Pterodactyl Panel.",
"Only edit this if you know what youre doing :)": "Verander dit alleen als je weet wat je doet :)",
"Server Limit": "Server limiet",
"Role": "Rol",
" Administrator": " Administrator",
"Client": "Klant",
"Member": "Lid",
"New Password": "Nieuw Wachtwoord",
"Confirm Password": "Wachtwoord Bevestigen",
"Notify": "Informeren",
"Avatar": "Profielafbeelding",
"Referrals": "Referrals",
"Verified": "Geverifiëerd",
"Last seen": "Laatst gezien",
"Notifications": "Meldingen",
"All": "Alles",
"Send via": "Verzenden via",
"Database": "Databank",
"Content": "Inhoud",
"Server limit": "Server limiet",
"Discord": "Discord",
"Usage": "Gebruik",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "Kortingbonnen",
"Voucher details": "Waardebon informatie",
"Summer break voucher": "Zomervakantie voucher",
"Code": "Code",
"Random": "Willekeurig",
"Uses": "Gebruik",
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Een voucher kan slechts één keer per gebruiker worden gebruikt. Gebruik geeft het aantal verschillende gebruikers aan dat deze voucher kan gebruiken.",
"Max": "Maximum",
"Expires at": "Verloopt om",
"Used \/ Uses": "Gebruikt \/ Toepassingen",
"Expires": "Verloopt",
"Sign in to start your session": "Login om te beginnen",
"Password": "Wachtwoord",
"Remember Me": "Onthoud mij",
"Sign In": "Aanmelden",
"Forgot Your Password?": "Wachtwoord vergeten?",
"Register a new membership": "Registreer een nieuw lidmaatschap",
"Please confirm your password before continuing.": "Bevestig uw wachtwoord voordat u verdergaat.",
"You forgot your password? Here you can easily retrieve a new password.": "U bent uw wachtwoord vergeten? Hier kunt u eenvoudig een nieuw wachtwoord opvragen.",
"Request new password": "Vraag een nieuw wachtwoord aan",
"Login": "Inloggen",
"You are only one step a way from your new password, recover your password now.": "U bent nog maar één stap verwijderd van uw nieuwe wachtwoord, herstel uw wachtwoord nu.",
"Retype password": "Geef nogmaals het wachtwoord",
"Change password": "Verander wachtwoord",
"Referral code": "Referral code",
"Register": "Registreren",
"I already have a membership": "Ik ben al een lid",
"Verify Your Email Address": "Verifieer je e-mailadres",
"A fresh verification link has been sent to your email address.": "Er is een verificatielink naar je e-mailadres verstuurd.",
"Before proceeding, please check your email for a verification link.": "Voordat je doorgaat, controleer je e-mail voor een verificate e-mail.",
"If you did not receive the email": "Als je de e-mail niet hebt ontvangen",
"click here to request another": "klik hier om een andere aan te vragen",
"per month": "per maand",
"Out of Credits in": "Geen tegoeden in",
"Home": "Thuis",
"Language": "Taal",
"See all Notifications": "Alle meldingen weergeven",
"Mark all as read": "Markeer alle berichten als gelezen",
"Redeem code": "Code inwisselen",
"Profile": "Profiel",
"Log back in": "Opnieuw inloggen",
"Logout": "Uitloggen",
"Administration": "Administratie",
"Overview": "Overzicht",
"Management": "Beheer",
"Other": "Andere",
"Logs": "Logs",
"Warning!": "Waarschuwing!",
"You have not yet verified your email address": "Je hebt je email not niet bevestigt",
"Click here to resend verification email": "Klik hier om uw verificatiemail nog een keer te verzenden",
"Please contact support If you didnt receive your verification email.": "Neem alstublieft contact met ons op als u geen verificatie email hebt ontvangen.",
"Thank you for your purchase!": "Bedankt voor uw aankoop!",
"Your payment has been confirmed; Your credit balance has been updated.": "Uw betaling is verwerkt. Uw krediet is opgewaardeerd.",
"Thanks": "Bedankt",
"Redeem voucher code": "Couponcode verzilveren",
"Close": "Sluiten",
"Redeem": "Inwisselen",
"All notifications": "Alle meldingen",
"Required Email verification!": "E-Mail bevestiging vereist!",
"Required Discord verification!": "Discord bevestiging vereist!",
"You have not yet verified your discord account": "U heeft uw Discord account nog niet bevestigd",
"Login with discord": "Inloggen met Discord",
"Please contact support If you face any issues.": "Neem contact met ons op als u problemen ervaart",
"Due to system settings you are required to verify your discord account!": "Door systeeminstellingen bent u vereist om uw Discord account te verifiëren!",
"It looks like this hasnt been set-up correctly! Please contact support.": "Het lijkt erop dat dit niet correct is ingesteld! Neem contact met ons op.",
"Change Password": "Verander Wachtwoord",
"Current Password": "Huidig wachtwoord",
"Link your discord account!": "Verbind je Discord account!",
"By verifying your discord account, you receive extra Credits and increased Server amounts": "Als u uw Discord account verifieert krijgt u extra credits en meer server slots",
"Login with Discord": "Aanmelden met Discord",
"You are verified!": "U bent geverifieerd!",
"Re-Sync Discord": "Discord opnieuw verbinden",
"Save Changes": "Wijzigingen opslaan",
"Server configuration": "Serverconfiguratie",
"Make sure to link your products to nodes and eggs.": "Wees er zeker van dat u alle producten verbind aan nodes en eieren.",
"There has to be at least 1 valid product for server creation": "Er moet minstens 1 geldig product aanwezig zijn voor server aanmaken",
"Sync now": "Synchroniseer nu",
"No products available!": "Geen producten beschikbaar!",
"No nodes have been linked!": "Er zijn geen nodes gekoppeld!",
"No nests available!": "Er zijn geen nesten beschikbaar!",
"No eggs have been linked!": "Geen eieren gekoppeld!",
"Software \/ Games": "Software \/ Spellen",
"Please select software ...": "Selecteer software...",
"---": "---",
"Specification ": "Specificatie ",
"Node": "Node",
"Resource Data:": "Resourceplan:",
"vCores": "virtuele kernen",
"MB": "MB",
"MySQL": "MySQL",
"ports": "poorten",
"Not enough": "Niet genoeg",
"Create server": "Maak server aan",
"Please select a node ...": "Selecteer een node...",
"No nodes found matching current configuration": "Geen nodes gevonden voor de huidige configuratie",
"Please select a resource ...": "Selecteer een resource-type...",
"No resources found matching current configuration": "Geen resources gevonden voor de huidige configuratie",
"Please select a configuration ...": "Selecteer configuratie...",
"Not enough credits!": "Niet genoeg krediet!",
"Create Server": "Creëer server",
"Software": "Software",
"Specification": "Specificatie",
"Resource plan": "Specificaties plan",
"RAM": "Geheugen",
"MySQL Databases": "Mysql database",
"per Hour": "per uur",
"per Month": "per maand",
"Manage": "Beheer",
"Are you sure?": "Weet je het zeker?",
"This is an irreversible action, all files of this server will be removed.": "Deze actie kan niet worden teruggekeerd, alle bestanden van de server zullen worden verwijderd.",
"Yes, delete it!": "Ja, verwijder het!",
"No, cancel!": "Neen, annuleren!",
"Canceled ...": "Geannuleerd...",
"Deletion has been canceled.": "Verwijderen is geannuleerd.",
"Date": "Datum",
"Subtotal": "Subtotaal",
"Amount Due": "Verschuldigd bedrag",
"Tax": "BTW",
"Submit Payment": "Betaling versturen",
"Purchase": "Kopen",
"There are no store products!": "Er zijn geen producten!",
"The store is not correctly configured!": "De winkel is niet goed geconfigureerd!",
"Serial No.": "Serie nummer.",
"Invoice date": "Factuur datum",
"Seller": "Verkoper",
"Buyer": "Koper",
"Address": "Adres",
"VAT Code": "BTW code",
"Phone": "Telefoon",
"Units": "Eenheden",
"Discount": "Korting",
"Total discount": "Totale korting",
"Taxable amount": "Belastbaar bedrag",
"Tax rate": "Belastingtarief",
"Total taxes": "Totale belasting",
"Shipping": "Verzending",
"Total amount": "Totaalbedrag",
"Notes": "Notities",
"Amount in words": "Hoeveelheid in eenheden",
"Please pay until": "Gelieve te betalen tot",
"cs": "Tsjechisch",
"de": "Duits",
"en": "Engels",
"es": "Spaans",
"fr": "Frans",
"hi": "Hindi",
"it": "Italiaans",
"nl": "Nederlands",
"pl": "Pools",
"zh": "Chinees",
"tr": "Turks",
"ru": "Russisch",
"sv": "Zweeds",
"sk": "Slovakish"
}

View file

@ -1,14 +1,21 @@
{
"Invoice settings updated!": "Zaktualizowano ustawienia faktury!",
"Language settings have not been updated!": "Ustawienia języka nie zostały zaktualizowane!",
"Language settings updated!": "Zaktualizowano ustawienia języka!",
"Misc settings have not been updated!": "Pozostałe ustawienia nie zostały zaktualizowane!",
"Misc settings updated!": "Pozostałe zostały zaktualizowane!",
"Payment settings have not been updated!": "Ustawienia płatności nie zostały zaktualizowane!",
"Payment settings updated!": "Ustawienia płatności zostały zaktualizowane!",
"System settings have not been updated!": "Ustawienia systemowe nie zostały zaktualizowane!",
"System settings updated!": "Zaktualizowano ustawienia systemowe!",
"api key created!": "Utworzono klucz API!",
"api key updated!": "Klucz API został zaktualizowany",
"api key has been removed!": "Usunięto klucz API",
"Edit": "Edytuj",
"Delete": "Usuń",
"configuration has been updated!": "Ustawienia zaktualizowane!",
"Store item has been created!": "Przedmiot został utworzony!",
"Store item has been updated!": "Przedmiot został zaktualizowany!",
"Product has been updated!": "Produkt został zaktualizowany",
"Store item has been removed!": "Usunięto Przedmiot",
"Created at": "Utworzono",
"Error!": "Błąd",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "Nieznany",
"Pterodactyl synced": "Pterodaktyl został zsynchronizowany!",
"Your credit balance has been increased!": "Kredyty zostały dodane do twojego konta!",
@ -16,8 +23,9 @@
"Your payment has been canceled!": "Płatność została anulowana!",
"Payment method": "Metody Płatności",
"Invoice": "Faktura",
"Invoice does not exist on filesystem!": "Faktura nie istnieje w systemie plików!",
"Download": "Pobierz",
"Product has been created!": "Produkt został utworzony!",
"Product has been updated!": "Produkt został zaktualizowany",
"Product has been removed!": "Produkt został usunięty!",
"Show": "Pokaż",
"Clone": "Kopiuj",
@ -26,7 +34,9 @@
"Server has been updated!": "Zaktualizowano serwer",
"Unsuspend": "Odwieś",
"Suspend": "Zawieś",
"Icons updated!": "ikony zostały zaktualizowane!",
"Store item has been created!": "Przedmiot został utworzony!",
"Store item has been updated!": "Przedmiot został zaktualizowany!",
"Store item has been removed!": "Usunięto Przedmiot",
"link has been created!": "Odnośnik został utworzony",
"link has been updated!": "Odnośnik zaktualizowany!",
"product has been removed!": "Produkt został usunięty!",
@ -44,6 +54,7 @@
"have been added to your balance!": "zostało dodane do Twojego konta!",
"Users": "Użytkownicy",
"VALID": "WAŻNY",
"Account already exists on Pterodactyl. Please contact the Support!": "Taki użytkownik już istnieje w bazie danych Pterodaktyl. Skontaktuj się z obsługą!",
"days": "dni",
"hours": "godzin(-y)",
"You ran out of Credits": "Zabrakło kredytów",
@ -67,13 +78,27 @@
"Amount": "Ilość",
"Balance": "Saldo",
"User ID": "ID użytkownika",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Błąd podczas tworzenia serwera",
"Your servers have been suspended!": "Serwery zostały zawieszone!",
"To automatically re-enable your server/s, you need to purchase more credits.": "Aby reaktywować swoje serwery, musisz kupić więcej kredytów.",
"To automatically re-enable your server\/s, you need to purchase more credits.": "Aby reaktywować swoje serwery, musisz kupić więcej kredytów.",
"Purchase credits": "Zakup kredyty",
"If you have any questions please let us know.": "W razie jakichkolwiek pytań prosimy o kontakt.",
"Regards": "Z poważaniem",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Zaczynajmy!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Dziennik aktywności",
"Dashboard": "Panel",
"No recent activity from cronjobs": "Brak niedawnej aktywności z zadań crona",
@ -81,7 +106,6 @@
"Check the docs for it here": "Sprawdź dokumentację tutaj",
"Causer": "Przyczyna",
"Description": "Opis",
"Created at": "Utworzono",
"Application API": "API",
"Create": "Stwórz",
"Memo": "Notatka",
@ -90,13 +114,6 @@
"Token": "Token",
"Last used": "Ostatnio używane",
"Are you sure you wish to delete?": "Czy na pewno chcesz usunąć?",
"Edit Configuration": "Edytuj konfigurację",
"Text Field": "Pole tekstowe",
"Cancel": "Anuluj",
"Save": "Zapisz",
"Configurations": "Konfiguracje",
"Key": "Klucz",
"Value": "Wartość",
"Nests": "Gniazda",
"Sync": "Synchronizacja",
"Active": "Aktywny",
@ -119,6 +136,7 @@
"Locations": "Lokalizacja",
"Eggs": "Jajka",
"Last updated :date": "Data ostatniej aktualizacji :date",
"Download all Invoices": "Pobierz wszystkie faktury",
"Product Price": "Cena produktu",
"Tax Value": "Podatek:",
"Tax Percentage": "Wysokość Podatku (%)",
@ -152,21 +170,99 @@
"Config": "Konfiguracja",
"Suspended at": "Zawieszony :date",
"Settings": "Ustawienia",
"Dashboard icons": "Ikony panelu ustawień",
"Invoice Settings": "Ustawienia Faktur",
"Select panel icon": "Wybierz ikonę panelu",
"Select panel favicon": "Wybierz faviconę panelu",
"Download all Invoices": "Pobierz wszystkie faktury",
"Enter your companys name": "Wprowadź nazwę firmy",
"Enter your companys address": "Wprowadź adres firmy",
"Enter your companys phone number": "Wprowadź numer używany przez firmę",
"Enter your companys VAT id": "Wprowadź NIP firmy",
"Enter your companys email address": "Wprowadź adres email używany przez firme",
"Enter your companys website": "Strona internetowa twojej firmy",
"Enter your custom invoice prefix": "Wpisz swój niestandardowy prefiks faktury",
"The installer is not locked!": "Instalator nie jest zablokowany!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "utwórz plik o nazwie „install.lock” w katalogu głównym pulpitu nawigacyjnego. W przeciwnym razie żadne ustawienia nie zostaną załadowane!",
"or click here": "lub kliknij tutaj",
"Company Name": "Nazwa firmy",
"Company Adress": "Adres firmy",
"Company Phonenumber": "Numer telefonu",
"VAT ID": "NIP",
"Company E-Mail Adress": "Firmowy adres e-mail",
"Company Website": "Strona firmy",
"Invoice Prefix": "Prefiks faktury",
"Enable Invoices": "Włącz faktury",
"Logo": "Logo",
"Select Invoice Logo": "Wybierz logo na fakturze",
"Available languages": "Dostępne języki",
"Default language": "Domyślny język",
"The fallback Language, if something goes wrong": "The fallback Language, if something goes wrong",
"Datable language": "Domyślny język",
"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": "Automatyczne tłumaczenie",
"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",
"Client Language-Switch": "Client Language-Switch",
"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",
"Mail Host": "Adres serwera SMTP",
"Mail Port": "Port serwera SMTP",
"Mail Username": "Nazwa użytkownika poczty",
"Mail Password": "Hasło użytkownika poczty",
"Mail Encryption": "Szyfrowanie poczty",
"Mail From Adress": "Mail From Adress",
"Mail From Name": "Od Nazwy",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Token bota Discord",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Zaproszenie do serwera Discord",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Aktywuj ReCaptha",
"ReCaptcha Site-Key": "Klucz strony ReCaptha",
"ReCaptcha Secret-Key": "Sekretny Klucz ReCaptha",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Klienci",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "Sekretny klucz PayPal",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "opcjonalne",
"PayPal Sandbox Secret-Key": "Sekretny klucz piaskownicy PayPal",
"Stripe Secret-Key": "Sekretny klucz Stripe",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"Stripe Test Secret-Key": "Sekretny klucz testowania Stripe",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint-Secret-Key",
"Payment Methods": "Metody płatności",
"Tax Value in %": "Podatek w %",
"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": "Nazwa Waluty",
"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": "URL Pterodactyl Panelu",
"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": "Klucz API Pterodactyl panelu",
"Enter the API Key to your Pterodactyl installation.": "Enter the API Key to your Pterodactyl installation.",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
"Initial Server Limit": "Initial Server Limit",
"Credits Reward Amount - Discord": "Credits Reward Amount - Discord",
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server": "Serwer",
"Server Allocation Limit": "Server Allocation Limit",
"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": "Wybierz ikonę panelu",
"Select panel favicon": "Wybierz faviconę panelu",
"Store": "Sklep",
"Server Slots": "Server Slots",
"Currency code": "Kod Waluty",
"Checkout the paypal docs to select the appropriate code": "Sprawdź dokumentację paypal, aby wybrać odpowiedni kod",
"Quantity": "Ilość",
@ -176,7 +272,7 @@
"Adds 1000 credits to your account": "Dodaj 1000 kredytów do konta",
"This is what the user sees at checkout": "To jest co widzi użytkownik przy kasie",
"No payment method is configured.": "Nie zarejestrowano żadnej metody płatności.",
"To configure the payment methods, head to the .env and add the required options for your prefered payment method.": "Otwórz plik .env i wypełnij wymagane pola, aby skonfigurować metodę płatności.",
"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": "Przydatne Linki",
"Icon class name": "Nazwa zestawu ikon",
"You can find available free icons": "Możesz znaleźć darmowe ikony",
@ -198,6 +294,7 @@
"Confirm Password": "Potwierdź hasło",
"Notify": "Powiadom",
"Avatar": "Avatar",
"Referrals": "Referrals",
"Verified": "Zweryfikowany",
"Last seen": "Ostatnio widziany",
"Notifications": "Powiadomienia",
@ -209,6 +306,7 @@
"Discord": "Discord",
"Usage": "Użycie:",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "Vouchery",
"Voucher details": "Szczegóły Vouchera",
"Summer break voucher": "Voucher Wakacyjny",
@ -218,7 +316,7 @@
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Kupon może zostać zrealizowany tylko raz przez użytkownika. „Użycie” określa liczbę użytkowników, którzy mogą zrealizować ten kupon.",
"Max": "Max",
"Expires at": "Wygasa",
"Used / Uses": "Użyto / Użyć",
"Used \/ Uses": "Użyto \/ Użyć",
"Expires": "Wygasa",
"Sign in to start your session": "Zaloguj się, aby rozpocząć sesję",
"Password": "Hasło",
@ -233,6 +331,7 @@
"You are only one step a way from your new password, recover your password now.": "Jesteś tylko o krok od nowego hasła, odzyskaj hasło teraz.",
"Retype password": "Powtórz hasło",
"Change password": "Zmiana hasła",
"Referral code": "Referral code",
"Register": "Zarejestruj się",
"I already have a membership": "Mam już konto",
"Verify Your Email Address": "Zweryfikuj swój adres email",
@ -243,8 +342,9 @@
"per month": "na miesiąc",
"Out of Credits in": "Brak kredytów w",
"Home": "Dom",
"Languages": "Języki",
"Language": "Język",
"See all Notifications": "Zobacz wszystkie powiadomienia",
"Mark all as read": "Mark all as read",
"Redeem code": "Zrealizuj kod",
"Profile": "Profil",
"Log back in": "Zaloguj się ponownie",
@ -281,14 +381,14 @@
"Re-Sync Discord": "Zsynchronizuj ponownie diskorda",
"Save Changes": "Zapisz zmiany",
"Server configuration": "Konfiguracja serwera",
"Error!": "Błąd",
"Make sure to link your products to nodes and eggs.": "Upewnij się, że łączysz swoje produkty z węzłami i jajkami.",
"There has to be at least 1 valid product for server creation": "Do utworzenia serwera musi być co najmniej 1 prawidłowy produkt",
"Sync now": "Synchronizuj teraz",
"No products available!": "Brak dostępnych produktów.",
"No nodes have been linked!": "Żaden węzeł nie został połączony!",
"No nests available!": "Brak dostępnych gniazd!",
"No eggs have been linked!": "Jajka nie zostały połaczone!",
"Software / Games": "Oprogramowanie / gry",
"Software \/ Games": "Oprogramowanie \/ gry",
"Please select software ...": "Proszę wybrać oprogramowanie...",
"---": "---",
"Specification ": "Specyfikacja ",
@ -322,11 +422,7 @@
"Canceled ...": "Anulowano ...",
"Deletion has been canceled.": "Usuwanie zostało anulowane.",
"Date": "Data",
"To": "Do",
"From": "Od",
"Pending": "Oczekujące",
"Subtotal": "Suma częściowa",
"Payment Methods": "Metody płatności",
"Amount Due": "Do zapłaty",
"Tax": "Podatek:",
"Submit Payment": "Zatwierdź płatność",
@ -351,5 +447,18 @@
"Notes": "Uwagi",
"Amount in words": "Wszystkie słowa",
"Please pay until": "Zapłać w ciągu:",
"Account already exists on Pterodactyl. Please contact the Support!": "Taki użytkownik już istnieje w bazie danych Pterodaktyl. Skontaktuj się z obsługą!"
}
"cs": "Czeski",
"de": "Niemiecki",
"en": "Angielski",
"es": "Hiszpański",
"fr": "Francuski",
"hi": "Hindi",
"it": "Włoski",
"nl": "Dutch",
"pl": "Polski",
"zh": "Chiński",
"tr": "Turecki",
"ru": "Rosyjski",
"sv": "Swedish",
"sk": "Slovakish"
}

464
resources/lang/pt.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "Configurações das faturas atualizadas!",
"Language settings have not been updated!": "As configurações de idioma não foram atualizadas!",
"Language settings updated!": "Configurações de idioma atualizadas!",
"Misc settings have not been updated!": "As configurações diversas não foram atualizadas!",
"Misc settings updated!": "Configurações diversas atualizadas!",
"Payment settings have not been updated!": "As configurações de pagamento não foram atualizadas!",
"Payment settings updated!": "Configurações de pagamento atualizadas!",
"System settings have not been updated!": "As configurações do sistema não foram atualizadas!",
"System settings updated!": "Configurações do sistema atualizadas!",
"api key created!": "Chave API criada!",
"api key updated!": "Chave API atualizada!",
"api key has been removed!": "Chave API foi removida!",
"Edit": "Editar",
"Delete": "Excluir",
"Created at": "Foi criado em",
"Error!": "Erro!",
"Invoice does not exist on filesystem!": "A fatura não existe no sistema de arquivos!",
"unknown": "desconhecido",
"Pterodactyl synced": "Pterodactyl sincronizado",
"Your credit balance has been increased!": "O seu saldo de crédito foi aumentado!",
"Your payment is being processed!": "O seu pagamento está a ser processado!",
"Your payment has been canceled!": "O seu pagamento foi cancelado!",
"Payment method": "Método de pagamento",
"Invoice": "Fatura",
"Download": "Baixar",
"Product has been created!": "O produto foi criado!",
"Product has been updated!": "O produto foi atualizado!",
"Product has been removed!": "O produto foi removido!",
"Show": "Mostrar",
"Clone": "Clonar",
"Server removed": "Servidor removido",
"An exception has occurred while trying to remove a resource \"": "Ocorreu um erro ao tentar remover um recurso",
"Server has been updated!": "O servidor foi atualizado!",
"Unsuspend": "Desconsiderar",
"Suspend": "Suspender",
"Store item has been created!": "O item da loja foi criado!",
"Store item has been updated!": "O item da loja foi atualizado!",
"Store item has been removed!": "O item da loja foi removido!",
"link has been created!": "O link foi criado!",
"link has been updated!": "O link foi atualizado!",
"product has been removed!": "O produto foi removido!",
"User does not exists on pterodactyl's panel": "Este utilizador não existe no painel pterodactyl",
"user has been removed!": "O utilizador foi removido!",
"Notification sent!": "Notificação enviada!",
"User has been updated!": "O utilizador foi atualizado!",
"Login as User": "Entrar como utilizador",
"voucher has been created!": "O cupom foi criado!",
"voucher has been updated!": "O cupom foi atualizado!",
"voucher has been removed!": "O cumpom foi removido!",
"This voucher has reached the maximum amount of uses": "Este cupom atingiu o número máximo de usos",
"This voucher has expired": "Este cupom expirou",
"You already redeemed this voucher code": "Já resgatou este código de voucher",
"have been added to your balance!": "Foram adicionados ao seu balanço!",
"Users": "Usuários",
"VALID": "Válido",
"Account already exists on Pterodactyl. Please contact the Support!": "Esta conta já existe no Pterodactyl. Por favor, contacte o suporte!",
"days": "Dias",
"hours": "Horas",
"You ran out of Credits": "Ficou sem créditos",
"Profile updated": "Perfil atualizado",
"Server limit reached!": "Limite do servidor atingido!",
"You are required to verify your email address before you can create a server.": "Deve verificar o seu endereço de e-mail antes de criar um servidor.",
"You are required to link your discord account before you can create a server.": "É obrigatório vincular a sua conta do Discord antes de poder criar um servidor.",
"Server created": "Servidor criado",
"No allocations satisfying the requirements for automatic deployment on this node were found.": "Não foram encontradas alocações que satisfizessem os requisitos para a implantação automática neste nó.",
"You are required to verify your email address before you can purchase credits.": "É obrigatório verificar o seu endereço de e-mail antes de poder comprar créditos.",
"You are required to link your discord account before you can purchase Credits": "É obrigado a vincular a sua conta do Discord antes de poder comprar Créditos",
"EXPIRED": "Expirado",
"Payment Confirmation": "Confirmar Pagamento",
"Payment Confirmed!": "Pagamento Confirmado!",
"Your Payment was successful!": "O seu pagamento foi um sucesso!",
"Hello": "Olá",
"Your payment was processed successfully!": "O seu pagamento foi processado com sucesso!",
"Status": "Status",
"Price": "Preço",
"Type": "Escrever",
"Amount": "Quantidade",
"Balance": "Balanço",
"User ID": "ID do utilizador",
"Someone registered using your Code!": "Alguém se registrou usando seu código!",
"Server Creation Error": "Erro de criação do servidor",
"Your servers have been suspended!": "Os seus servidores foram suspensos!",
"To automatically re-enable your server\/s, you need to purchase more credits.": "Para reativar automaticamente o seu(s) servidor(es), é preciso comprar mais créditos.",
"Purchase credits": "Compra de créditos",
"If you have any questions please let us know.": "Se tiver alguma dúvida, por favor, nos avise.",
"Regards": "Cumprimentos,",
"Verifying your e-mail address will grant you ": "A verificação do seu endereço de e-mail concederá a você ",
"additional": "adicional",
"Verifying your e-mail will also increase your Server Limit by ": "Verificar o seu e-mail também aumentará o limite do servidor em",
"You can also verify your discord account to get another ": "Também pode verificar a sua conta do Discord para obter outro",
"Verifying your Discord account will also increase your Server Limit by ": "Verificar a sua conta do Discord também aumentará o seu limite de servidor em",
"Getting started!": "Começar",
"Welcome to our dashboard": "Bem-vindo ao nosso painel",
"Verification": "Verificação",
"You can verify your e-mail address and link\/verify your Discord account.": "Você pode verificar o seu endereço de e-mail e link",
"Information": "Informações",
"This dashboard can be used to create and delete servers": "Este painel pode ser usado para criar e excluir servidores",
"These servers can be used and managed on our pterodactyl panel": "Esses servidores podem ser usados e gerenciados no nosso painel pterodactyl ",
"If you have any questions, please join our Discord server and #create-a-ticket": "Se tiver alguma dúvida, por favor, junte-se ao nosso servidor Discord e #crie-um-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "Esperamos que possa desfrutar desta experiência de hospedagem e se tiver alguma sugestão, por favor nos informe",
"Activity Logs": "Registros de atividades",
"Dashboard": "Panel",
"No recent activity from cronjobs": "Sem atividades recentes",
"Are cronjobs running?": "Os trabalhos do Cron são funcionais?",
"Check the docs for it here": "\nVerifique a documentação clicando aqui",
"Causer": "Causers",
"Description": "Descrição",
"Application API": "API da aplicação",
"Create": "Criar",
"Memo": "Memorando",
"Submit": "Enviar",
"Create new": "Criar novo",
"Token": "Token",
"Last used": "Última utilização",
"Are you sure you wish to delete?": "Tem certeza de que deseja apagar?",
"Nests": "Ninhos",
"Sync": "Sincronizar",
"Active": "Ativo",
"ID": "ID",
"eggs": "Ovos",
"Name": "Nome",
"Nodes": "Nodes",
"Location": "Localização",
"Admin Overview": "Visão geral do administrador",
"Support server": "Servidor de suporte",
"Documentation": "Documentação",
"Github": "Github",
"Support ControlPanel": "Suporte para ControlPanel",
"Servers": "Servidores",
"Total": "Total",
"Payments": "Pagamentos",
"Pterodactyl": "Pterodactyl",
"Resources": "Recursos",
"Count": "Contar",
"Locations": "Localizações",
"Eggs": "Ovos",
"Last updated :date": "Próxima atualização :date",
"Download all Invoices": "Baixar todas as faturas",
"Product Price": "Preço do Produto",
"Tax Value": "Valor do imposto",
"Tax Percentage": "Porcentagem do imposto",
"Total Price": "Preço total",
"Payment ID": "ID do pagamento",
"Payment Method": "Método de pagamento",
"Products": "Produtos",
"Product Details": "Detalhes do produto",
"Disabled": "Desativado",
"Will hide this option from being selected": "Irá ocultar esta opção de ser selecionada",
"Price in": "Preço em",
"Memory": "Memória",
"Cpu": "CPU",
"Swap": "Swap",
"This is what the users sees": "Isto é o que os utilizadores veem",
"Disk": "Disco",
"Minimum": "Mínimo",
"Setting to -1 will use the value from configuration.": "A configuração -1 utilizará o valor da configuração.",
"IO": "IO",
"Databases": "Bancos de dados",
"Backups": "Cópias de segurança",
"Allocations": "Alocações",
"Product Linking": "Produto Vinculado",
"Link your products to nodes and eggs to create dynamic pricing for each option": "Vincular os seus produtos a nós e ovos para criar preços dinâmicos para cada opção",
"This product will only be available for these nodes": "Este produto só estará disponível para estes nós",
"This product will only be available for these eggs": "Este produto só estará disponível para estes ovos",
"Product": "Produto",
"CPU": "CPU",
"Updated at": "Atualizado há",
"User": "Usuário",
"Config": "Configuração",
"Suspended at": "Suspendido há",
"Settings": "Configurações",
"The installer is not locked!": "O instalador não está bloqueado!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "Favor criar um arquivo chamado \"install.lock\" no diretório Root do seu painel. Caso contrário, nenhuma configuração será carregada!",
"or click here": "Ou clique aqui",
"Company Name": "Nome da empresa",
"Company Adress": "Endereço da empresa",
"Company Phonenumber": "Número da empresa",
"VAT ID": "ID do VAT",
"Company E-Mail Adress": "Endereço eletrónico da empresa",
"Company Website": "Sítio web da empresa",
"Invoice Prefix": "Prefixo da fatura",
"Enable Invoices": "Ativar Faturas",
"Logo": "Logo",
"Select Invoice Logo": "Selecionar logo da fatura",
"Available languages": "Idiomas Disponíveis",
"Default language": "Idioma padrão",
"The fallback Language, if something goes wrong": "Um idioma padrão, se algo der errado",
"Datable language": "Idioma de dados",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Os lang-codes disponíveis. <br><strong>Exemplo:<\/strong> en-gb, fr_fr, de_de<br>Mais informações:",
"Auto-translate": "Traduzir Automaticamente",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "Se isto for ativado, o Painel se traduzirá para o idioma do cliente, se disponível.",
"Client Language-Switch": "Trocar Idioma do cliente",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "Se isto for ativado, os clientes poderão mudar manualmente o idioma do seu Painel de Controle",
"Mail Service": "Serviço de Endereço eletrónico",
"The Mailer to send e-mails with": "O Mailer para enviar endereços eletrónicos com",
"Mail Host": "Hospedeiro de correio",
"Mail Port": "Porta de correio",
"Mail Username": "Utilizador de correio",
"Mail Password": "Senha do correio",
"Mail Encryption": "Criptografia de correio",
"Mail From Adress": "Endereço de correio",
"Mail From Name": "Correio de Nome",
"Discord Client-ID": "Cliente-ID Discord",
"Discord Client-Secret": "Cliente-Secreto Discord",
"Discord Bot-Token": "Token-Bot Discord",
"Discord Guild-ID": "Guilda-ID Discord",
"Discord Invite-URL": "Convite Discord",
"Discord Role-ID": "Role-ID Discord",
"Enable ReCaptcha": "Ativar ReCaptcha",
"ReCaptcha Site-Key": "Chave do ReCaptcha",
"ReCaptcha Secret-Key": "Chave secreta do ReCaptcha",
"Enable Referral": "Ativar Indicação",
"Mode": "Modo",
"Should a reward be given if a new User registers or if a new user buys credits": "Deve ser dada uma recompensa se um novo usuário se registrar ou se um novo usuário comprar créditos",
"Commission": "Comissão",
"Sign-Up": "Inscrever-se",
"Both": "Ambos",
"Referral reward in percent": "Recompensa por indicação em porcentagem",
"(only for commission-mode)": "(somente para modo de comissão)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "Se um usuário indicado comprar créditos, o usuário indicado receberá x% dos Créditos que o usuário indicado comprou.",
"Referral reward in": "Recompensa de indicação em",
"(only for sign-up-mode)": "(somente para o modo de inscrição)",
"Allowed": "Permitido",
"Who is allowed to see their referral-URL": "Quem tem permissão para ver o seu URL de indicação",
"Everyone": "Todos",
"Clients": "Clientes",
"PayPal Client-ID": "Cliente-ID PayPal",
"PayPal Secret-Key": "Chave Secreta PayPal",
"PayPal Sandbox Client-ID": "Cliente-ID Sandbox PayPal",
"optional": "opcional",
"PayPal Sandbox Secret-Key": "Chave Secreta Sandbox PayPal",
"Stripe Secret-Key": "Chave Secreta Stripe",
"Stripe Endpoint-Secret-Key": "Chave Secreta Endpoint Stripe",
"Stripe Test Secret-Key": "Chave Secreta de teste Stripe",
"Stripe Test Endpoint-Secret-Key": "Chave Secreta de teste Stripe endpoint",
"Payment Methods": "Métodos de pagamentos",
"Tax Value in %": "Valor do imposto em %",
"System": "Sistema",
"Register IP Check": "Verificar IP registrado",
"Prevent users from making multiple accounts using the same IP address.": "Impedir que os utilizadores façam múltiplas contas usando o mesmo endereço IP.",
"Charge first hour at creation": "Cobrar a primeira hora depois da criação",
"Charges the first hour worth of credits upon creating a server.": "Cobra a primeira hora de créditos ao criar um servidor.",
"Credits Display Name": "Nome de exibição dos créditos",
"PHPMyAdmin URL": "PHPMyAdmin URL",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Insira o URL do seu PHPMyAdmin. <strong>Sem barra de arrasto!<\/strong>",
"Pterodactyl URL": "Pterodactyl URL",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Insira o URL do seu pterodactyl. <strong>Sem barra de arrasto!<\/strong>",
"Pterodactyl API Key": "Chave API pterodactyl",
"Enter the API Key to your Pterodactyl installation.": "Insira a chave API do seu painel pterodactyl.",
"Force Discord verification": "Forçar verificação do Discord",
"Force E-Mail verification": "Forçar verificação de endereço eletrónico",
"Initial Credits": "Créditos iniciais",
"Initial Server Limit": "Limite inicial de servidores",
"Credits Reward Amount - Discord": "Valor da recompensa de créditos — Discord",
"Credits Reward Amount - E-Mail": "Valor da recompensa de créditos — Endereço eletrónico",
"Server Limit Increase - Discord": "Aumento do limite do servidor — Discord",
"Server Limit Increase - E-Mail": "Aumento do limite do servidor — endereço eletrónico",
"Server": "Servidor",
"Server Allocation Limit": "Limite de Alocação de Servidores",
"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!": "A quantidade máxima de alocações a serem puxadas por nó para implantação automática, se mais alocações estiverem a ser usadas do que este limite está definido, nenhum servidor novo pode ser criado!",
"Select panel icon": "Selecionar ícone do painel",
"Select panel favicon": "Selecionar favicon do painel",
"Store": "Loja",
"Server Slots": "Slots do servidor",
"Currency code": "Código de moeda",
"Checkout the paypal docs to select the appropriate code": "Confira os documentos do PayPal para selecionar o código apropriado",
"Quantity": "Quantidade",
"Amount given to the user after purchasing": "Quantia dada ao utilizador após a compra",
"Display": "Mostrar",
"This is what the user sees at store and checkout": "Isto é o que o utilizador vê na loja e no registo de saída",
"Adds 1000 credits to your account": "Adicionar 1000 créditos para a sua conta",
"This is what the user sees at checkout": "Isto é o que o utilizador vê no registo de saída",
"No payment method is configured.": "Nenhuma forma de pagamento está configurada.",
"To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "Para configurar os métodos de pagamento, vá para a página de configurações e acrescente as opções necessárias para o método de pagamento da sua preferência.",
"Useful Links": "Links úteis",
"Icon class name": "Class Name do ícone",
"You can find available free icons": "Você pode encontrar ícones gratuitos disponíveis",
"Title": "Título",
"Link": "Link",
"description": "Descrição",
"Icon": "ícone",
"Username": "Utilizador",
"Email": "Correio eletrónico",
"Pterodactyl ID": "ID do Pterodactyl",
"This ID refers to the user account created on pterodactyls panel.": "Esta identificação refere-se à conta de utilizador criada no painel pterodactyl.",
"Only edit this if you know what youre doing :)": "Só edite isto se souber o que está a fazer :)",
"Server Limit": "Limite de servidor",
"Role": "Papel",
" Administrator": "Administrador",
"Client": "Cliente",
"Member": "Membro",
"New Password": "Nova Senha",
"Confirm Password": "Confirmar Senha",
"Notify": "Notificação",
"Avatar": "Avatar",
"Referrals": "Referências",
"Verified": "Verificado",
"Last seen": "Último visto",
"Notifications": "Notificações",
"All": "Todos",
"Send via": "Enviar por",
"Database": "Banco de dados",
"Content": "Conteúdo",
"Server limit": "Limite de servidor",
"Discord": "Discord",
"Usage": "Uso",
"IP": "IP",
"Referals": "Referências",
"Vouchers": "Vales",
"Voucher details": "Detalhes do comprovante",
"Summer break voucher": "Vale de férias de verão",
"Code": "Código",
"Random": "Aleatório",
"Uses": "Usos",
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Um vale só pode ser usado uma vez por utilizador. Os usos especificam o número de diferentes utilizadores que podem usar este comprovante.",
"Max": "Máximo",
"Expires at": "Expira em",
"Used \/ Uses": "Usados \/ Usos",
"Expires": "Expira",
"Sign in to start your session": "Entre para iniciar a sua sessão",
"Password": "Senha",
"Remember Me": "Lembre-se de mim",
"Sign In": "Entrar",
"Forgot Your Password?": "Esqueceu a sua senha?",
"Register a new membership": "Registrar uma nova associação",
"Please confirm your password before continuing.": "Por favor, confirme a sua senha antes de continuar.",
"You forgot your password? Here you can easily retrieve a new password.": "Esqueceu a sua senha? Aqui pode facilmente recuperar uma nova senha.",
"Request new password": "Solicitar nova senha",
"Login": "Entrar",
"You are only one step a way from your new password, recover your password now.": "Está apenas a um passo da sua nova senha, recupere a sua senha agora.",
"Retype password": "Redigite a senha",
"Change password": "Mudar senha",
"Referral code": "Código de referência",
"Register": "Registrar",
"I already have a membership": "Já tenho uma filiação",
"Verify Your Email Address": "Verificar o seu endereço eletrónico",
"A fresh verification link has been sent to your email address.": "Um novo link de verificação foi enviado para o seu endereço eletrónico.",
"Before proceeding, please check your email for a verification link.": "Antes de prosseguir, verifique o seu endereço eletrónico para obter um link de verificação.",
"If you did not receive the email": "Se não recebeu o endereço eletrónico",
"click here to request another": "Clique aqui para solicitar outro",
"per month": "Por mês",
"Out of Credits in": "De Créditos em",
"Home": "Inicio",
"Language": "Idioma",
"See all Notifications": "Ver todas notificações",
"Mark all as read": "Marcar tudo como lido",
"Redeem code": "Código de resgate",
"Profile": "Perfil",
"Log back in": "Voltar a entrar",
"Logout": "Sair",
"Administration": "Administração",
"Overview": "Visão geral",
"Management": "Gestão",
"Other": "Outro",
"Logs": "Registros",
"Warning!": "Aviso!",
"You have not yet verified your email address": "Não verificou o seu endereço eletrónico",
"Click here to resend verification email": "Clique aqui para reenviar o endereço eletrónico de verificação",
"Please contact support If you didnt receive your verification email.": "Favor entrar em contato com o suporte caso não tenha recebido o seu endereço eletrónico de verificação.",
"Thank you for your purchase!": "Obrigado por sua compra!",
"Your payment has been confirmed; Your credit balance has been updated.": "O seu pagamento foi confirmado. O seu saldo de crédito foi atualizado.",
"Thanks": "Obrigado,",
"Redeem voucher code": "Código do vale de resgate",
"Close": "Fechar",
"Redeem": "Resgatar",
"All notifications": "Todas notificações",
"Required Email verification!": "Verificação necessária por endereço eletrónico!",
"Required Discord verification!": "Verificação de discord necessária!",
"You have not yet verified your discord account": "Não verificou a sua conta do discord",
"Login with discord": "Entrar com discord",
"Please contact support If you face any issues.": "Por favor, contacte o suporte se tiver problemas.",
"Due to system settings you are required to verify your discord account!": "Devido às configurações do sistema, é obrigado a verificar a sua conta do Discord!",
"It looks like this hasnt been set-up correctly! Please contact support.": "Parece que isto não foi configurado corretamente! Favor entrar em contacto com o suporte.",
"Change Password": "Mudar Senha",
"Current Password": "Senha atual",
"Link your discord account!": "Vincule a sua conta do Discord!",
"By verifying your discord account, you receive extra Credits and increased Server amounts": "Ao verificar a sua conta do Discord, recebe créditos extras e aumento dos valores dos servidores",
"Login with Discord": "Entrar com Discord",
"You are verified!": "Está verificado!",
"Re-Sync Discord": "Resync Discord",
"Save Changes": "Salvar Alterações",
"Server configuration": "Configuração do servidor",
"Make sure to link your products to nodes and eggs.": "Certifique-se de ligar os seus produtos aos nós e aos ovos.",
"There has to be at least 1 valid product for server creation": "Tem que haver pelo menos 1 produto válido para a criação do servidor",
"Sync now": "Sincronizar agora",
"No products available!": "Nenhum produto disponível!",
"No nodes have been linked!": "Nenhum nó foi ligado!",
"No nests available!": "Não há ninhos disponíveis!",
"No eggs have been linked!": "Nenhum ovo foi ligado!",
"Software \/ Games": "“Software” \/ Jogos",
"Please select software ...": "Por favor, selecione o “software”...",
"---": "—",
"Specification ": "Especificação",
"Node": "Node",
"Resource Data:": "Dados de recursos:",
"vCores": "Cores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "Portas",
"Not enough": "Não é suficiente",
"Create server": "Criar servidor",
"Please select a node ...": "Por favor, selecione um nó...",
"No nodes found matching current configuration": "Nenhum nó encontrado que corresponda à configuração atual",
"Please select a resource ...": "Favor selecionar um recurso...",
"No resources found matching current configuration": "Nenhum recurso encontrado que corresponda à configuração atual",
"Please select a configuration ...": "Por favor, selecione uma configuração...",
"Not enough credits!": "Não há créditos suficientes!",
"Create Server": "Criar Servidor",
"Software": "“Software”",
"Specification": "Especificação",
"Resource plan": "Plano de recursos",
"RAM": "RAM",
"MySQL Databases": "Bancos de dados MySQL",
"per Hour": "Por hora",
"per Month": "Por mês",
"Manage": "Gerir",
"Are you sure?": "Tem certeza?",
"This is an irreversible action, all files of this server will be removed.": "Esta é uma ação irreversível, todos os arquivos deste servidor serão removidos.",
"Yes, delete it!": "Sim, excluir!",
"No, cancel!": "Não, cancelar!",
"Canceled ...": "Cancelado...",
"Deletion has been canceled.": "Exclusão foi cancelada.",
"Date": "Data",
"Subtotal": "Subtotal",
"Amount Due": "Montante devido",
"Tax": "Imposto",
"Submit Payment": "Enviar pagamento",
"Purchase": "Pagar",
"There are no store products!": "Não há produtos na loja!",
"The store is not correctly configured!": "A loja não está configurada corretamente!",
"Serial No.": "N.º de série",
"Invoice date": "Data da fatura",
"Seller": "Vendedor",
"Buyer": "Comprador",
"Address": "Endereço",
"VAT Code": "Código VAT",
"Phone": "Telefone",
"Units": "Unidades",
"Discount": "Desconto",
"Total discount": "Desconto total",
"Taxable amount": "Valor tributável",
"Tax rate": "Taxa de imposto",
"Total taxes": "Total de impostos",
"Shipping": "Expedição",
"Total amount": "Valor total",
"Notes": "Notas",
"Amount in words": "Quantia em palavras",
"Please pay until": "Favor pagar até",
"cs": "Tcheco",
"de": "Alemão",
"en": "Inglês",
"es": "Espanhol",
"fr": "Francês",
"hi": "Hindi",
"it": "Italiano",
"nl": "Holandês",
"pl": "Polonês",
"zh": "Chinês",
"tr": "Turco",
"ru": "Russo",
"sv": "Sueco",
"sk": "Eslovaco"
}

464
resources/lang/ro.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "Setările facturii actualizat!",
"Language settings have not been updated!": "Setările de limbă nu au fost actualizate!",
"Language settings updated!": "Setările de limbă au fost actualizate!",
"Misc settings have not been updated!": "Setări diverse nu au fost actualizate!",
"Misc settings updated!": "Setări diverse au fost actualizate!",
"Payment settings have not been updated!": "Setările de plată nu au fost actualizate!",
"Payment settings updated!": "Setări de plată actualizate!",
"System settings have not been updated!": "System settings have not been updated!",
"System settings updated!": "Setările sistemului actualizate!",
"api key created!": "cheia api creată!",
"api key updated!": "cheia api actualizată!",
"api key has been removed!": "cheia api a fost eliminată!",
"Edit": "Editați",
"Delete": "Ștergeți",
"Created at": "Created at",
"Error!": "Error!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "unknown",
"Pterodactyl synced": "Pterodactyl synced",
"Your credit balance has been increased!": "Your credit balance has been increased!",
"Your payment is being processed!": "Your payment is being processed!",
"Your payment has been canceled!": "Your payment has been canceled!",
"Payment method": "Payment method",
"Invoice": "Invoice",
"Download": "Download",
"Product has been created!": "Product has been created!",
"Product has been updated!": "Product has been updated!",
"Product has been removed!": "Product has been removed!",
"Show": "Show",
"Clone": "Clone",
"Server removed": "Server removed",
"An exception has occurred while trying to remove a resource \"": "An exception has occurred while trying to remove a resource \"",
"Server has been updated!": "Server has been updated!",
"Unsuspend": "Unsuspend",
"Suspend": "Suspend",
"Store item has been created!": "Articolul din magazin a fost creat!",
"Store item has been updated!": "Store item has been updated!",
"Store item has been removed!": "Store item has been removed!",
"link has been created!": "link has been created!",
"link has been updated!": "link has been updated!",
"product has been removed!": "product has been removed!",
"User does not exists on pterodactyl's panel": "User does not exists on pterodactyl's panel",
"user has been removed!": "user has been removed!",
"Notification sent!": "Notification sent!",
"User has been updated!": "User has been updated!",
"Login as User": "Login as User",
"voucher has been created!": "voucher has been created!",
"voucher has been updated!": "voucher has been updated!",
"voucher has been removed!": "voucher has been removed!",
"This voucher has reached the maximum amount of uses": "This voucher has reached the maximum amount of uses",
"This voucher has expired": "This voucher has expired",
"You already redeemed this voucher code": "You already redeemed this voucher code",
"have been added to your balance!": "have been added to your balance!",
"Users": "Users",
"VALID": "VALID",
"Account already exists on Pterodactyl. Please contact the Support!": "Account already exists on Pterodactyl. Please contact the Support!",
"days": "days",
"hours": "hours",
"You ran out of Credits": "You ran out of Credits",
"Profile updated": "Profile updated",
"Server limit reached!": "Server limit reached!",
"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!",
"Status": "Status",
"Price": "Price",
"Type": "Type",
"Amount": "Amount",
"Balance": "Balance",
"User ID": "User ID",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Server Creation Error",
"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",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Getting started!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Activity Logs",
"Dashboard": "Dashboard",
"No recent activity from cronjobs": "No recent activity from cronjobs",
"Are cronjobs running?": "Are cronjobs running?",
"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!",
"or click here": "or click here",
"Company Name": "Company Name",
"Company Adress": "Company Adress",
"Company Phonenumber": "Company Phonenumber",
"VAT ID": "VAT ID",
"Company E-Mail Adress": "Company E-Mail Adress",
"Company Website": "Company Website",
"Invoice Prefix": "Invoice Prefix",
"Enable Invoices": "Enable Invoices",
"Logo": "Logo",
"Select Invoice Logo": "Select Invoice Logo",
"Available languages": "Available languages",
"Default language": "Default language",
"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",
"Client Language-Switch": "Client Language-Switch",
"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",
"Mail Host": "Mail Host",
"Mail Port": "Mail Port",
"Mail Username": "Mail Username",
"Mail Password": "Mail Password",
"Mail Encryption": "Mail Encryption",
"Mail From Adress": "Mail From Adress",
"Mail From Name": "Mail From Name",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Enable ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "optional",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"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.",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
"Initial Server Limit": "Initial Server Limit",
"Credits Reward Amount - Discord": "Credits Reward Amount - Discord",
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server": "Server",
"Server Allocation Limit": "Server Allocation Limit",
"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",
"Server Slots": "Server Slots",
"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",
"Referrals": "Referrals",
"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",
"Referals": "Referals",
"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",
"Referral code": "Referral code",
"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",
"Mark all as read": "Mark all as read",
"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.",
"Thanks": "Thanks",
"Redeem voucher code": "Redeem voucher code",
"Close": "Close",
"Redeem": "Redeem",
"All notifications": "All notifications",
"Required Email verification!": "Required Email verification!",
"Required Discord verification!": "Required Discord verification!",
"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!",
"Software \/ Games": "Software \/ Games",
"Please select software ...": "Please select software ...",
"---": "---",
"Specification ": "Specification ",
"Node": "Node",
"Resource Data:": "Resource Data:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "ports",
"Not enough": "Not enough",
"Create server": "Create server",
"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",
"cs": "Czech",
"de": "German",
"en": "English",
"es": "Spanish",
"fr": "French",
"hi": "Hindi",
"it": "Italian",
"nl": "Dutch",
"pl": "Polish",
"zh": "Chinese",
"tr": "Turkish",
"ru": "Russian",
"sv": "Swedish",
"sk": "Slovakish"
}

View file

@ -13,12 +13,9 @@
"api key has been removed!": "API ключ был удален!",
"Edit": "Редактировать",
"Delete": "Удалить",
"Store item has been created!": "Товар в магазине создан!",
"Store item has been updated!": "Товар в магазине был обновлен!",
"Product has been updated!": "Товар был обновлён!",
"Store item has been removed!": "Товар в магазине был удален!",
"Created at": "Создано в",
"Error!": "Ошибка!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "Неизвестно",
"Pterodactyl synced": "Игровая панель связана",
"Your credit balance has been increased!": "Ваш кредитный баланс увеличен!",
@ -26,9 +23,9 @@
"Your payment has been canceled!": "Ваш платёж был отменён!",
"Payment method": "Платёжные методы",
"Invoice": "Выставление счёта",
"Invoice does not exist on filesystem!": "Счёт не существует в файловой системе!",
"Download": "Скачать",
"Product has been created!": "Продукт был создан!",
"Product has been updated!": "Товар был обновлён!",
"Product has been removed!": "Продукт удален!\n",
"Show": "Показать",
"Clone": "Клонировать",
@ -37,10 +34,12 @@
"Server has been updated!": "Сервер был обновлен!",
"Unsuspend": "Разблокировать",
"Suspend": "Приостановить",
"configuration has been updated!": "Конфигурция обновлена!",
"Store item has been created!": "Товар в магазине создан!",
"Store item has been updated!": "Товар в магазине был обновлен!",
"Store item has been removed!": "Товар в магазине был удален!",
"link has been created!": "Ссылка была создана!",
"link has been updated!": "Ссылка была обновлена!",
"product has been removed!": "Продукт/Товар был удалён!",
"product has been removed!": "Продукт\/Товар был удалён!",
"User does not exists on pterodactyl's panel": "Пользователь не был найден в панеле птеродактиль",
"user has been removed!": "Пользователь был удален!",
"Notification sent!": "Оповещение отправлено!",
@ -79,13 +78,27 @@
"Amount": "Количество",
"Balance": "Баланс",
"User ID": "ID пользователя",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Ошибка создание сервера",
"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": "Приобрести кредиты",
"If you have any questions please let us know.": "Пожалуйста, сообщите нам, если у Вас есть какие-либо вопросы.",
"Regards": "С уважением,",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Начало работы!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Журнал активности",
"Dashboard": "Контрольная панель",
"No recent activity from cronjobs": "Нет недавних действий со стороны cronjobs",
@ -174,7 +187,7 @@
"Default language": "Язык по умолчанию",
"The fallback Language, if something goes wrong": "Резервный язык, если что-то пойдет не так",
"Datable language": "Датадатируемый язык",
"The datatables lang-code. <br><strong>Example:</strong> en-gb, fr_fr, de_de<br>More Information: ": "Языковой код таблицы данных. <br><strong>Пример:</strong> en-gb, fr_fr, de_de<br>Дополнительная информация:",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Языковой код таблицы данных. <br><strong>Пример:<\/strong> en-gb, fr_fr, de_de<br>Дополнительная информация:",
"Auto-translate": "Автоперевод",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "Если этот флажок установлен, информационная панель будет переводиться на язык клиентов, если он доступен",
"Client Language-Switch": "Переключение языка клиента",
@ -197,6 +210,21 @@
"Enable ReCaptcha": "Включить Recaptcha",
"ReCaptcha Site-Key": "ReCaptcha публичный ключ",
"ReCaptcha Secret-Key": "ReCaptcha секретный ключ",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "ID клиента PayPal",
"PayPal Secret-Key": "Секретный ключ PayPal",
"PayPal Sandbox Client-ID": "PayPal ключ",
@ -215,9 +243,9 @@
"Charges the first hour worth of credits upon creating a server.": "Взимает кредиты за первый час при создании сервера.",
"Credits Display Name": "Отображаемое имя кредитов",
"PHPMyAdmin URL": "URL-адрес PHPMyAdmin",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!</strong>": "Введите URL-адрес вашей установки PHPMyAdmin. <strong>Без косой черты в конце!</strong>",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Введите URL-адрес вашей установки PHPMyAdmin. <strong>Без косой черты в конце!<\/strong>",
"Pterodactyl URL": "URL-адрес птеродактиля",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!</strong>": "Введите URL-адрес вашей установки Pterodactyl. <strong>Без косой черты в конце!</strong>",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Введите URL-адрес вашей установки Pterodactyl. <strong>Без косой черты в конце!<\/strong>",
"Pterodactyl API Key": "API-ключ птеродактиля",
"Enter the API Key to your Pterodactyl installation.": "Введите ключ API для установки Pterodactyl.",
"Force Discord verification": "Требуется верификация в Discord",
@ -234,6 +262,7 @@
"Select panel icon": "Выберите иконку панели управления",
"Select panel favicon": "Выберите иконку favicon",
"Store": "Магазин",
"Server Slots": "Server Slots",
"Currency code": "Код валюты",
"Checkout the paypal docs to select the appropriate code": "Ознакомьтесь с документацией paypal, чтобы выбрать подходящий код",
"Quantity": "Кол-во",
@ -265,6 +294,7 @@
"Confirm Password": "Подтверждение пароля",
"Notify": "Уведомить",
"Avatar": "Аватарка",
"Referrals": "Referrals",
"Verified": "Верифицированный",
"Last seen": "Последняя активность",
"Notifications": "Уведомления",
@ -276,6 +306,7 @@
"Discord": "Дискорд",
"Usage": "Использование",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "Подарочные сертификаты",
"Voucher details": "Подробности купона",
"Summer break voucher": "Промокод на летние каникулы",
@ -285,7 +316,7 @@
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Промокод можно использовать только один раз для каждого пользователя. Пользователь указывает количество различных пользователей, которые могут использовать этот промокод.",
"Max": "Макс.",
"Expires at": "Срок действия до",
"Used / Uses": "Используется / Использует",
"Used \/ Uses": "Используется \/ Использует",
"Expires": "Истекает",
"Sign in to start your session": "Войдите, чтобы начать сессию",
"Password": "Пароль",
@ -300,6 +331,7 @@
"You are only one step a way from your new password, recover your password now.": "Вы находитесь всего в одном шаге от нового пароля, восстановите его сейчас.",
"Retype password": "Введите пароль ещё раз",
"Change password": "Смена пароля",
"Referral code": "Referral code",
"Register": "Регистрация",
"I already have a membership": "У меня уже есть аккаунт",
"Verify Your Email Address": "Подтвердите ваш адрес электронной почты",
@ -312,6 +344,7 @@
"Home": "Главная",
"Language": "Язык",
"See all Notifications": "Показать все уведомления",
"Mark all as read": "Mark all as read",
"Redeem code": "Активировать код",
"Profile": "Профиль",
"Log back in": "Вернуться обратно",
@ -355,7 +388,7 @@
"No nodes have been linked!": "Ни один узел не был связан!",
"No nests available!": "Гнезда в наличии нет!",
"No eggs have been linked!": "Группы были связаны!",
"Software / Games": "Программное обеспечение / Игры",
"Software \/ Games": "Программное обеспечение \/ Игры",
"Please select software ...": "Пожалуйста, выберите программное обеспечение...",
"---": "---",
"Specification ": "Характеристики ",
@ -414,23 +447,6 @@
"Notes": "Примечания",
"Amount in words": "Сумма прописью",
"Please pay until": "Пожалуйста, платите до",
"Key": "Ключ",
"Value": "Значение",
"Edit Configuration": "Редактировать конфигурацию",
"Text Field": "Текстовое поле",
"Cancel": "Отмена",
"Save": "Сохранить",
"Images and Icons may be cached, reload without cache to see your changes appear": "Изображения и значки могут быть кэшированы, перезагрузите без кеша, чтобы увидеть изменения",
"Enter your companys name": "Введите название вашей компании",
"Enter your companys address": "Введите адрес Вашей компании",
"Enter your companys phone number": "Введите телефон компании",
"Enter your companys VAT id": "Введите номер плательщика НДС вашей компании",
"Enter your companys email address": "Введите email адрес вашей компании",
"Enter your companys website": "Введите сайт вашей компании",
"Enter your custom invoice prefix": "Введите собственный префикс счета-фактуры",
"The Language of the Datatables. Grab the Language-Codes from here": "Язык таблиц данных. Возьмите языковые коды отсюда",
"Let the Client change the Language": "Позвольте клиенту изменить язык",
"Icons updated!": "Иконка была обновлена!",
"cs": "Czech",
"de": "German",
"en": "English",
@ -442,5 +458,7 @@
"pl": "Polish",
"zh": "Chinese",
"tr": "Turkish",
"ru": "Русский"
}
"ru": "Русский",
"sv": "Swedish",
"sk": "Slovakish"
}

445
resources/lang/sh.json Normal file
View file

@ -0,0 +1,445 @@
{
"Invoice settings updated!": "Invoice settings updated!",
"Language settings have not been updated!": "Language settings have not been updated!",
"Language settings updated!": "Language settings updated!",
"Misc settings have not been updated!": "Misc settings have not been updated!",
"Misc settings updated!": "Misc settings updated!",
"Payment settings have not been updated!": "Payment settings have not been updated!",
"Payment settings updated!": "Payment settings updated!",
"System settings have not been updated!": "System settings have not been updated!",
"System settings updated!": "System settings updated!",
"api key created!": "api key created!",
"api key updated!": "api key updated!",
"api key has been removed!": "api key has been removed!",
"Edit": "Edit",
"Delete": "Delete",
"Store item has been created!": "Store item has been created!",
"Store item has been updated!": "Store item has been updated!",
"Product has been updated!": "Product has been updated!",
"Store item has been removed!": "Store item has been removed!",
"Created at": "Created at",
"Error!": "Error!",
"unknown": "unknown",
"Pterodactyl synced": "Pterodactyl synced",
"Your credit balance has been increased!": "Your credit balance has been increased!",
"Your payment is being processed!": "Your payment is being processed!",
"Your payment has been canceled!": "Your payment has been canceled!",
"Payment method": "Payment method",
"Invoice": "Invoice",
"Download": "Download",
"Product has been created!": "Product has been created!",
"Product has been removed!": "Product has been removed!",
"Show": "Show",
"Clone": "Clone",
"Server removed": "Server removed",
"An exception has occurred while trying to remove a resource \"": "An exception has occurred while trying to remove a resource \"",
"Server has been updated!": "Server has been updated!",
"Unsuspend": "Unsuspend",
"Suspend": "Suspend",
"configuration has been updated!": "configuration has been updated!",
"link has been created!": "link has been created!",
"link has been updated!": "link has been updated!",
"product has been removed!": "product has been removed!",
"User does not exists on pterodactyl's panel": "User does not exists on pterodactyl's panel",
"user has been removed!": "user has been removed!",
"Notification sent!": "Notification sent!",
"User has been updated!": "User has been updated!",
"Login as User": "Login as User",
"voucher has been created!": "voucher has been created!",
"voucher has been updated!": "voucher has been updated!",
"voucher has been removed!": "voucher has been removed!",
"This voucher has reached the maximum amount of uses": "This voucher has reached the maximum amount of uses",
"This voucher has expired": "This voucher has expired",
"You already redeemed this voucher code": "You already redeemed this voucher code",
"have been added to your balance!": "have been added to your balance!",
"Users": "Users",
"VALID": "VALID",
"Account already exists on Pterodactyl. Please contact the Support!": "Account already exists on Pterodactyl. Please contact the Support!",
"days": "days",
"hours": "hours",
"You ran out of Credits": "You ran out of Credits",
"Profile updated": "Profile updated",
"Server limit reached!": "Server limit reached!",
"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!",
"Status": "Status",
"Price": "Price",
"Type": "Type",
"Amount": "Amount",
"Balance": "Balance",
"User ID": "User ID",
"Server Creation Error": "Server Creation Error",
"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",
"Are cronjobs running?": "Are cronjobs running?",
"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!",
"or click here": "or click here",
"Company Name": "Company Name",
"Company Adress": "Company Adress",
"Company Phonenumber": "Company Phonenumber",
"VAT ID": "VAT ID",
"Company E-Mail Adress": "Company E-Mail Adress",
"Company Website": "Company Website",
"Invoice Prefix": "Invoice Prefix",
"Enable Invoices": "Enable Invoices",
"Logo": "Logo",
"Select Invoice Logo": "Select Invoice Logo",
"Available languages": "Available languages",
"Default language": "Default language",
"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",
"Client Language-Switch": "Client Language-Switch",
"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",
"Mail Host": "Mail Host",
"Mail Port": "Mail Port",
"Mail Username": "Mail Username",
"Mail Password": "Mail Password",
"Mail Encryption": "Mail Encryption",
"Mail From Adress": "Mail From Adress",
"Mail From Name": "Mail From Name",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Enable ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "optional",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"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.",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
"Initial Server Limit": "Initial Server Limit",
"Credits Reward Amount - Discord": "Credits Reward Amount - Discord",
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server": "Server",
"Server Allocation Limit": "Server Allocation Limit",
"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.",
"Thanks": "Thanks",
"Redeem voucher code": "Redeem voucher code",
"Close": "Close",
"Redeem": "Redeem",
"All notifications": "All notifications",
"Required Email verification!": "Required Email verification!",
"Required Discord verification!": "Required Discord verification!",
"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!",
"Software \/ Games": "Software \/ Games",
"Please select software ...": "Please select software ...",
"---": "---",
"Specification ": "Specification ",
"Node": "Node",
"Resource Data:": "Resource Data:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "ports",
"Not enough": "Not enough",
"Create server": "Create server",
"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",
"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",
"Icons updated!": "Icons updated!",
"cs": "Czech",
"de": "German",
"en": "English",
"es": "Spanish",
"fr": "French",
"hi": "Hindi",
"it": "Italian",
"nl": "Dutch",
"pl": "Polish",
"zh": "Chinese",
"tr": "Turkish",
"ru": "Russian"
}

464
resources/lang/sk.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "Nastavenia fakturácie boli uložené!",
"Language settings have not been updated!": "Jazykové nastavenia sa nepodarilo aktualizovať!",
"Language settings updated!": "Jazyk bol úspešne aktualizovaný!",
"Misc settings have not been updated!": "Rôzne nastavenia neboli aktualizované!",
"Misc settings updated!": "Rôzne nastavenia boli aktualizované!",
"Payment settings have not been updated!": "Platobné nastavenia neboli aktualizované!",
"Payment settings updated!": "Platobné nastavenia boli aktualizované!",
"System settings have not been updated!": "Systémové nastavenia neboli aktualizované!",
"System settings updated!": "Systémové nastavenia boli aktualizované!",
"api key created!": "api kľúč bol vytvorený!",
"api key updated!": "api kľúč bol aktualizovaný!",
"api key has been removed!": "api kľúč bol vymazaný!",
"Edit": "Upraviť",
"Delete": "Vymazať",
"Created at": "Vytvorené",
"Error!": "Chyba!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "neznámy",
"Pterodactyl synced": "Pterodactyl synchronizovaný",
"Your credit balance has been increased!": "Kredity boli pripísané!",
"Your payment is being processed!": "Vaša platba sa spracúvava!",
"Your payment has been canceled!": "Vaša platba bola zrušená!",
"Payment method": "Platobná metóda",
"Invoice": "Faktúra",
"Download": "Stiahnuť",
"Product has been created!": "Produkt bol vytvorený!",
"Product has been updated!": "Balíček bol aktualizovaný!",
"Product has been removed!": "Produkt bol vymazaný!",
"Show": "Ukáž",
"Clone": "Duplikovať",
"Server removed": "Server bol vymazaný",
"An exception has occurred while trying to remove a resource \"": "Nastala chyba pri odstraňovaní balíčku",
"Server has been updated!": "Server bol aktualizovaný!",
"Unsuspend": "Zrušiť pozastanevie",
"Suspend": "Pozastaviť",
"Store item has been created!": "Obchodný balíček bol vytvorený!",
"Store item has been updated!": "Obchodný balíček bol aktualizovaný!",
"Store item has been removed!": "Obchodný balíček bol vymazaný!",
"link has been created!": "odkaz bol vytvorený!",
"link has been updated!": "odkaz bol aktualizovaný!",
"product has been removed!": "produkt bol vymazaný!",
"User does not exists on pterodactyl's panel": "Užívateľ neexistuje na pterodactyl panele",
"user has been removed!": "užívateľ bol vymazaný!",
"Notification sent!": "Oznámenie odoslaný!",
"User has been updated!": "Užívateľ bol aktualizovaný!",
"Login as User": "Prihlásiť sa ako užívateľ",
"voucher has been created!": "poukaz bol vytvorený!",
"voucher has been updated!": "poukaz bol aktualizovaný!",
"voucher has been removed!": "poukaz bol odstránený!",
"This voucher has reached the maximum amount of uses": "Tento poukaz dosiahol maximálneho počtu použitia",
"This voucher has expired": "This voucher has expired",
"You already redeemed this voucher code": "You already redeemed this voucher code",
"have been added to your balance!": "have been added to your balance!",
"Users": "Users",
"VALID": "VALID",
"Account already exists on Pterodactyl. Please contact the Support!": "Account already exists on Pterodactyl. Please contact the Support!",
"days": "days",
"hours": "hours",
"You ran out of Credits": "You ran out of Credits",
"Profile updated": "Profile updated",
"Server limit reached!": "Server limit reached!",
"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!",
"Status": "Status",
"Price": "Price",
"Type": "Type",
"Amount": "Amount",
"Balance": "Balance",
"User ID": "User ID",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Server Creation Error",
"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",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Getting started!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Activity Logs",
"Dashboard": "Dashboard",
"No recent activity from cronjobs": "No recent activity from cronjobs",
"Are cronjobs running?": "Are cronjobs running?",
"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?": "Naozaj chcete odstrániť?",
"Nests": "Nests",
"Sync": "Synchronizovať",
"Active": "Aktívny",
"ID": "ID",
"eggs": "distribúcia",
"Name": "Názov",
"Nodes": "Uzly",
"Location": "Umiestnenie",
"Admin Overview": "Prehľad pre správcov",
"Support server": "Server podpory",
"Documentation": "Dokumentácia",
"Github": "Github",
"Support ControlPanel": "Podporiť ControlPanel",
"Servers": "Servery",
"Total": "Celkom",
"Payments": "Platby",
"Pterodactyl": "Pterodactyl",
"Resources": "Zdroje",
"Count": "Počet",
"Locations": "Umiestnenia",
"Eggs": "Distribúcia",
"Last updated :date": "Posledná aktualizácia :date",
"Download all Invoices": "Stiahnuť všetky faktúry",
"Product Price": "Cena produktu",
"Tax Value": "DPH",
"Tax Percentage": "Percento dane",
"Total Price": "Celková cena",
"Payment ID": "Id platby",
"Payment Method": "Spôsob platby",
"Products": "Produkty",
"Product Details": "Podrobnosti o produkte",
"Disabled": "Vypnuté",
"Will hide this option from being selected": "Zabráni tejto možnosti aby nebola vybraná",
"Price in": "Cena v",
"Memory": "Pamäť RAM",
"Cpu": "Cpu",
"Swap": "Swap",
"This is what the users sees": "Toto je náhľad čo uvidí zákazník",
"Disk": "Disk",
"Minimum": "Minimum",
"Setting to -1 will use the value from configuration.": "Nastavením na -1 použijete hodnotu z konfigurácie.",
"IO": "IO",
"Databases": "Databázy",
"Backups": "Zálohy",
"Allocations": "Pridelenie",
"Product Linking": "Prepojenie balíčku",
"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!",
"or click here": "or click here",
"Company Name": "Company Name",
"Company Adress": "Company Adress",
"Company Phonenumber": "Company Phonenumber",
"VAT ID": "VAT ID",
"Company E-Mail Adress": "Company E-Mail Adress",
"Company Website": "Company Website",
"Invoice Prefix": "Invoice Prefix",
"Enable Invoices": "Enable Invoices",
"Logo": "Logo",
"Select Invoice Logo": "Select Invoice Logo",
"Available languages": "Available languages",
"Default language": "Default language",
"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",
"Client Language-Switch": "Client Language-Switch",
"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",
"Mail Host": "Mail Host",
"Mail Port": "Mail Port",
"Mail Username": "Mail Username",
"Mail Password": "Mail Password",
"Mail Encryption": "Mail Encryption",
"Mail From Adress": "Mail From Adress",
"Mail From Name": "Mail From Name",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Enable ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "optional",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"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.",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
"Initial Server Limit": "Initial Server Limit",
"Credits Reward Amount - Discord": "Credits Reward Amount - Discord",
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server": "Server",
"Server Allocation Limit": "Server Allocation Limit",
"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",
"Server Slots": "Server Slots",
"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",
"Referrals": "Referrals",
"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",
"Referals": "Referals",
"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",
"Referral code": "Referral code",
"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",
"Mark all as read": "Mark all as read",
"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.",
"Thanks": "Thanks",
"Redeem voucher code": "Redeem voucher code",
"Close": "Close",
"Redeem": "Redeem",
"All notifications": "All notifications",
"Required Email verification!": "Required Email verification!",
"Required Discord verification!": "Required Discord verification!",
"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!",
"Software \/ Games": "Software \/ Games",
"Please select software ...": "Please select software ...",
"---": "---",
"Specification ": "Specification ",
"Node": "Node",
"Resource Data:": "Resource Data:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "ports",
"Not enough": "Not enough",
"Create server": "Create server",
"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",
"cs": "Czech",
"de": "German",
"en": "English",
"es": "Spanish",
"fr": "French",
"hi": "Hindi",
"it": "Italian",
"nl": "Dutch",
"pl": "Polish",
"zh": "Chinese",
"tr": "Turkish",
"ru": "Russian",
"sv": "Swedish",
"sk": "Slovakish"
}

464
resources/lang/sr.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "Подешавања фактуре су ажурирана!",
"Language settings have not been updated!": "Подешавања језика нису ажурирана!",
"Language settings updated!": "Подешавања језика су ажурирана!",
"Misc settings have not been updated!": "Разна подешавања нису ажурирана!",
"Misc settings updated!": "Dodatna podešavanja ažurirana!",
"Payment settings have not been updated!": "Podešavanja za plaćanje nisu ažurirana!",
"Payment settings updated!": "Podešsavanja za plaćanje su ažurirana!",
"System settings have not been updated!": "Podešavanja sistema nisu ažurirana!",
"System settings updated!": "Podešavanja sistema su ažurirana!",
"api key created!": "API kluč kreiran!",
"api key updated!": "API kluč ažuriran!",
"api key has been removed!": "API kluč je uklonjen!",
"Edit": "Izmeni",
"Delete": "Obriši",
"Created at": "Kreirano",
"Error!": "Greška!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "nepoznato",
"Pterodactyl synced": "Pterodactyl sinhronizovan",
"Your credit balance has been increased!": "Vaše stanje kredita je povećano!",
"Your payment is being processed!": "Vaše uplata se obrađuje!",
"Your payment has been canceled!": "Vaša uplata je otkazana!",
"Payment method": "Način plaćanja",
"Invoice": "Faktura",
"Download": "Preuzimanje",
"Product has been created!": "Proizvod je kreiran!",
"Product has been updated!": "Proizvod je ažuriran!",
"Product has been removed!": "Proizvod je uklonjen!",
"Show": "Prikaži",
"Clone": "Kloniraj",
"Server removed": "Server uklonjen",
"An exception has occurred while trying to remove a resource \"": "Došlo je do izuzetka pri pokušaju uklanjanja resursa \"",
"Server has been updated!": "Server je ažuriran!",
"Unsuspend": "Ukloni suspenziju",
"Suspend": "Suspenduj",
"Store item has been created!": "Proizvod u prodavnici je napravljen!",
"Store item has been updated!": "Proizvod u prodavnici je ažuriran!",
"Store item has been removed!": "Proizvod u prodavnici je uklonjen!",
"link has been created!": "Link je kreiran!",
"link has been updated!": "Link je ažuriran!",
"product has been removed!": "proizvod je uklonjen!",
"User does not exists on pterodactyl's panel": "Korisnik ne postoji na pterodactyl panelu",
"user has been removed!": "Korisnik je uklonjen!",
"Notification sent!": "Obaveštenje je poslato!",
"User has been updated!": "Korisnik je ažuriran!",
"Login as User": "Prijavi se kao korisnik",
"voucher has been created!": "Vaučer je kreiran!",
"voucher has been updated!": "Vaučer je ažuriran!",
"voucher has been removed!": "Vaučer je uklonjen!",
"This voucher has reached the maximum amount of uses": "Ovaj vaučer je dostigao maksimalnu količinu korišćenja",
"This voucher has expired": "Ovaj vaučer je istekao",
"You already redeemed this voucher code": "Već ste iskoristili ovaj kod vaučera",
"have been added to your balance!": "je dodato na vaše stanje!",
"Users": "Korisnici",
"VALID": "VALIDAN",
"Account already exists on Pterodactyl. Please contact the Support!": "Račun već postoji na Pterodactyl-u. Molimo kontaktirajte Podršku!",
"days": "dana",
"hours": "sati",
"You ran out of Credits": "Ponestalo vam je kredita",
"Profile updated": "Profil ažuriran",
"Server limit reached!": "Dostignut je limit servera!",
"You are required to verify your email address before you can create a server.": "Morate da verifikujete svoju adresu e-pošte pre nego što možete da kreirate server.",
"You are required to link your discord account before you can create a server.": "Morate da povežete svoj Discord nalog pre nego što možete da kreirate server.",
"Server created": "Server kreiran",
"No allocations satisfying the requirements for automatic deployment on this node were found.": "Nisu pronađene alokacije koje zadovoljavaju zahteve za automatsku primenu na ovom node-u.",
"You are required to verify your email address before you can purchase credits.": "Morate da verifikujete svoju adresu e-pošte pre nego što možete da kupite kredite.",
"You are required to link your discord account before you can purchase Credits": "Morate da povežete svoju discord račun pre nego što možete da kupite kredite.",
"EXPIRED": "ISTEKLO",
"Payment Confirmation": "Potvrda Plaćanja",
"Payment Confirmed!": "Plaćanje potvrđeno!",
"Your Payment was successful!": "Vaša uplata je uspešno izvršena!",
"Hello": "Pozdrav",
"Your payment was processed successfully!": "Vaša uplata je uspešno obrađena!",
"Status": "Stanje",
"Price": "Cena",
"Type": "Tip",
"Amount": "Iznos",
"Balance": "Stanje",
"User ID": "Korisnički ID",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Greška pri kreiranju servera",
"Your servers have been suspended!": "Vaši serveri su suspendovani!",
"To automatically re-enable your server\/s, you need to purchase more credits.": "Da biste automatski ponovo omogućili svoje servere, potrebno je da kupite još kredita.",
"Purchase credits": "Kupite kredite",
"If you have any questions please let us know.": "Ako imate bilo kakvih pitanja, molimo vas da nas obavestite.",
"Regards": "Pozdravi",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Početak!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Dnevnik aktivnosti",
"Dashboard": "Kontrolna tabla",
"No recent activity from cronjobs": "Nema nedavnih aktivnosti od cron poslova",
"Are cronjobs running?": "Da li cron poslovi rade?",
"Check the docs for it here": "Proverite dokumentaciju za to ovde",
"Causer": "Uzročnik",
"Description": "Opis",
"Application API": "Aplikacija API",
"Create": "Kreirajte",
"Memo": "Poruka",
"Submit": "Potvrdi",
"Create new": "Kreiraj novi",
"Token": "Tokeni",
"Last used": "Poslednje korišćeno",
"Are you sure you wish to delete?": "Da li ste sigurni da želite izbrisati?",
"Nests": "Gnezda",
"Sync": "Sinhronizuj",
"Active": "Aktivno",
"ID": "ID",
"eggs": "jaja",
"Name": "Naziv",
"Nodes": "Nodes",
"Location": "Lokacija",
"Admin Overview": "Administratorski Pregled",
"Support server": "Server za podršku",
"Documentation": "Dokumentacija",
"Github": "GitHub",
"Support ControlPanel": "Podrži ControlPanel",
"Servers": "Serveri",
"Total": "Ukupno",
"Payments": "Plaćanja",
"Pterodactyl": "Pterodactyl",
"Resources": "Resursi",
"Count": "Broj",
"Locations": "Lokacije",
"Eggs": "Jaja",
"Last updated :date": "Poslednja izmena :date",
"Download all Invoices": "Preuzmite sve fakture",
"Product Price": "Cena proizvoda",
"Tax Value": "Vrednost PDV-a",
"Tax Percentage": "Procenat PDV-a",
"Total Price": "Ukupna cena",
"Payment ID": "ID Plaćanja",
"Payment Method": "Način Plaćanja",
"Products": "Proizvodi",
"Product Details": "Detalji o proizvodu",
"Disabled": "Onemogućeno",
"Will hide this option from being selected": "Skloniće ovu opciju iz izbora",
"Price in": "Cena u",
"Memory": "Memorija",
"Cpu": "Cpu",
"Swap": "Swap",
"This is what the users sees": "Ovo je ono što korisnici vide",
"Disk": "Disk",
"Minimum": "Minimum",
"Setting to -1 will use the value from configuration.": "Postavljanje na -1 koristiće vrednost iz konfiguracije.",
"IO": "IO",
"Databases": "Baze podataka",
"Backups": "Rezervne kopije",
"Allocations": "Alokacije",
"Product Linking": "Povezivanje proizvoda",
"Link your products to nodes and eggs to create dynamic pricing for each option": "Povežite svoje proizvode sa node-ovima i jajima da biste kreirali dinamične cene za svaku opciju",
"This product will only be available for these nodes": "Ovaj proizvod će biti dostupan samo za ove node-ove",
"This product will only be available for these eggs": "Ovaj proizvod će biti dostupan samo za ova jaja",
"Product": "Proizvod",
"CPU": "CPU",
"Updated at": "Ažurirano",
"User": "Korisnik",
"Config": "Konfiguracija",
"Suspended at": "Suspendovano",
"Settings": "Podešavanja",
"The installer is not locked!": "Instalater nije zaključan!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "molimo napravite fajl sa nazivom \"install.lock\" u glavnom direktoriju svoje kontrolne table inače niti jedno podešavanje neće biti učitano!",
"or click here": "ili kliknite ovdje",
"Company Name": "Naziv firme",
"Company Adress": "Kontakt adresa",
"Company Phonenumber": "Telefonski broj firme",
"VAT ID": "Poreski identifikacioni broj (PIB)",
"Company E-Mail Adress": "E-Mail adresa firme",
"Company Website": "Web portal firme",
"Invoice Prefix": "Prefiks faktura",
"Enable Invoices": "Aktiviraj fakture",
"Logo": "Logo",
"Select Invoice Logo": "Izaberite logo vaše fakture",
"Available languages": "Dostupni jezici",
"Default language": "Podrazumevani jezik",
"The fallback Language, if something goes wrong": "Sekundarni jezik, u slučaju da bude problema",
"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": "Automatski prevod",
"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",
"Client Language-Switch": "Korisnički izbor za jezik",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "Ako je ova opcija uključena, korisnici imaju mogućnost da ručno mjenjaju jezik svoje kontrolne table",
"Mail Service": "E-mail servis",
"The Mailer to send e-mails with": "Mail servis za slanje email-ova",
"Mail Host": "Mail Host",
"Mail Port": "Mail Port",
"Mail Username": "Mail Username",
"Mail Password": "Mail Password",
"Mail Encryption": "Mail Encryption",
"Mail From Adress": "Mail From Adress",
"Mail From Name": "Mail From Name",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Omogući ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "ID PayPal plaćanja",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "opcionalno",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Secret-Key",
"Stripe Test Secret-Key": "Stripe Test Secret-Key",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Endpoint-Secret-Key",
"Payment Methods": "Načini plaćanja",
"Tax Value in %": "Poreska vrednost u %",
"System": "Sistem",
"Register IP Check": "Registruj IP proveru",
"Prevent users from making multiple accounts using the same IP address.": "Sprečite korisnike da prave više naloga koristeći istu IP adresu.",
"Charge first hour at creation": "Naplati prvi sat na stvaranju",
"Charges the first hour worth of credits upon creating a server.": "Naplaćuje kredite u vrednosti od prvog sata prilikom kreiranja servera.",
"Credits Display Name": "Ime prikaza kredita",
"PHPMyAdmin URL": "PHPMyAdmin Link",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "Unesite URL adresu instalacije PHPMyAdmin. <strong>Bez kose crte!<\/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.",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
"Initial Server Limit": "Initial Server Limit",
"Credits Reward Amount - Discord": "Credits Reward Amount - Discord",
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server": "Server",
"Server Allocation Limit": "Server Allocation Limit",
"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": "Izaberite ikonu panela",
"Select panel favicon": "Izaberite favicon panela",
"Store": "Prodavnica",
"Server Slots": "Server Slots",
"Currency code": "Oznaka valute",
"Checkout the paypal docs to select the appropriate code": "Proverite Paypal dokumentaciju da biste izabrali odgovarajuću oznaku",
"Quantity": "Količina",
"Amount given to the user after purchasing": "Iznos koji se daje korisniku nakon kupovine",
"Display": "Prikaz",
"This is what the user sees at store and checkout": "Ovo je ono što korisnik vidi u prodavnici",
"Adds 1000 credits to your account": "Dodaje 1000 kredita na vaš nalog",
"This is what the user sees at checkout": "Ovo je ono što korisnik vidi na blagajni",
"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": "Korisni linkovi",
"Icon class name": "Naziv klase ikone",
"You can find available free icons": "Možete pronaći dostupne besplatne ikone",
"Title": "Naslov",
"Link": "Link",
"description": "description",
"Icon": "Icon",
"Username": "Korisničko ime",
"Email": "Email",
"Pterodactyl ID": "Pterodactyl ID",
"This ID refers to the user account created on pterodactyls panel.": "Ovaj ID se odnosi na korisnički nalog kreiran na pterodactyl panelu.",
"Only edit this if you know what youre doing :)": "Uredite ovo samo ako znate šta radite :)",
"Server Limit": "Ograničenje servera",
"Role": "Uloga",
" Administrator": " Administrator",
"Client": "Klijent",
"Member": "Član",
"New Password": "Nova Lozinka",
"Confirm Password": "Potvrdi Lozinku",
"Notify": "Obavesti",
"Avatar": "Avatar",
"Referrals": "Referrals",
"Verified": "Verifikovano",
"Last seen": "Poslednji put viđen",
"Notifications": "Obaveštenja",
"All": "Svi",
"Send via": "Pošalji preko",
"Database": "Baza podataka",
"Content": "Sadržaj",
"Server limit": "Server limit",
"Discord": "Discord",
"Usage": "Upotreba",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "Vaučeri",
"Voucher details": "Detalji vaučera",
"Summer break voucher": "Summer break voucher",
"Code": "Kod",
"Random": "Nasumično",
"Uses": "Upotrebe",
"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": "Maksimalno",
"Expires at": "Ističe",
"Used \/ Uses": "Upotrebljeno \/ Upotrebe",
"Expires": "Ističe",
"Sign in to start your session": "Prijavite se da biste započeli sesiju",
"Password": "Lozinka",
"Remember Me": "Zapamti me",
"Sign In": "Prijavite se",
"Forgot Your Password?": "Zaboravili ste lozinku?",
"Register a new membership": "Registrujte novo članstvo",
"Please confirm your password before continuing.": "Molimo potvrdite lozinku pre nego što nastavite.",
"You forgot your password? Here you can easily retrieve a new password.": "Zaboravili ste lozinku? Ovde možete lako da preuzmete novu lozinku.",
"Request new password": "Zahtev za novu lozinku",
"Login": "Prijava",
"You are only one step a way from your new password, recover your password now.": "Samo ste jedan korak od nove lozinke, vratite lozinku sada.",
"Retype password": "Ponovite Lozinku",
"Change password": "Promenite lozinku",
"Referral code": "Referral code",
"Register": "Rеgistrujte sе",
"I already have a membership": "Već imam članstvo",
"Verify Your Email Address": "Potvrdite vašu email adresu",
"A fresh verification link has been sent to your email address.": "Novi link za verifikaciju je poslat na vašu adresu e-pošte.",
"Before proceeding, please check your email for a verification link.": "Pre nego što nastavite, proverite svoju e-poštu za link za verifikaciju.",
"If you did not receive the email": "Ako niste primili e-poštu",
"click here to request another": "kliknite ovde da zatražite drugi",
"per month": "mesečno",
"Out of Credits in": "Bez kredita za",
"Home": "Početna",
"Language": "Language",
"See all Notifications": "Sva obaveštenja",
"Mark all as read": "Mark all as read",
"Redeem code": "Iskoristi kod",
"Profile": "Profil",
"Log back in": "Prijavite se nazad",
"Logout": "Odjava",
"Administration": "Administracija",
"Overview": "Pregled",
"Management": "Upravljanje",
"Other": "Ostalo",
"Logs": "Dnevnik",
"Warning!": "Upozorenje!",
"You have not yet verified your email address": "Još niste verifikovali svoju adresu e-pošte",
"Click here to resend verification email": "Kliknite ovde da ponovo pošaljete e-mejl za verifikaciju",
"Please contact support If you didnt receive your verification email.": "Molimo kontaktirajte podršku ako niste primili e-mejl za verifikaciju.",
"Thank you for your purchase!": "Hvala vam na kupovini!",
"Your payment has been confirmed; Your credit balance has been updated.": "Vaša uplata je potvrđena; Vaše stanje kredita je ažurirano.",
"Thanks": "Hvala",
"Redeem voucher code": "Iskoristite kod vaučera",
"Close": "Zatvori",
"Redeem": "Iskoristi",
"All notifications": "Sva obaveštenja",
"Required Email verification!": "Obavezna verifikacija e-pošte!",
"Required Discord verification!": "Obavezna verifikacija Discord naloga!",
"You have not yet verified your discord account": "Još niste verifikovali svoj Discord nalog",
"Login with discord": "Prijavite se sa Discord-om",
"Please contact support If you face any issues.": "Molimo kontaktirajte podršku ako se suočite sa bilo kakvim problemima.",
"Due to system settings you are required to verify your discord account!": "Zbog sistemskih podešavanja od vas se traži da verifikujete svoj Discord nalog!",
"It looks like this hasnt been set-up correctly! Please contact support.": "Izgleda da ovo nije pravilno podešeno! Molimo kontaktirajte podršku.",
"Change Password": "Promeni lozinku",
"Current Password": "Trenutna lozinka",
"Link your discord account!": "Link your discord account!",
"By verifying your discord account, you receive extra Credits and increased Server amounts": "Verifikacijom vašeg discord naloga dobijate dodatne kredite i povećana organičenja servera",
"Login with Discord": "Login with Discord",
"You are verified!": "Verifikovani ste!",
"Re-Sync Discord": "Ponovo sinhronizuj Discord",
"Save Changes": "Sačuvaj Promene",
"Server configuration": "Konfiguracija servera",
"Make sure to link your products to nodes and eggs.": "Obavezno povežite svoje proizvode sa node-ovima i jajima.",
"There has to be at least 1 valid product for server creation": "Mora da postoji najmanje 1 validan proizvod za kreiranje servera",
"Sync now": "Sync now",
"No products available!": "Nema dostupnih proizvoda!",
"No nodes have been linked!": "Node-ovi nisu povezani!",
"No nests available!": "Nema dostupnih gnezda!",
"No eggs have been linked!": "Jaja nisu povezana!",
"Software \/ Games": "Softver \/ Igrice",
"Please select software ...": "Molimo izaberite softver ...",
"---": "---",
"Specification ": "Specification ",
"Node": "Node",
"Resource Data:": "Resource Data:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "ports",
"Not enough": "Not enough",
"Create server": "Kreirajte server",
"Please select a node ...": "Molimo izaberite node ...",
"No nodes found matching current configuration": "Nije pronađen nijedan node koji odgovara trenutnoj konfiguraciji",
"Please select a resource ...": "Please select a resource ...",
"No resources found matching current configuration": "Nije pronađen nijedan resurs koji odgovara trenutnoj konfiguraciji",
"Please select a configuration ...": "Molimo izaberite konfiguraciju ...",
"Not enough credits!": "Nedovoljno kredita!",
"Create Server": "Kreirajte Server",
"Software": "Software",
"Specification": "Specifikacija",
"Resource plan": "Resource plan",
"RAM": "RAM",
"MySQL Databases": "MySQL Databases",
"per Hour": "per Hour",
"per Month": "per Month",
"Manage": "Upravljaj",
"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": "Datum",
"Subtotal": "Međuzbir",
"Amount Due": "Amount Due",
"Tax": "Porez",
"Submit Payment": "Potvrdi uplatu",
"Purchase": "Kupi",
"There are no store products!": "Nema proizvoda!",
"The store is not correctly configured!": "Prodavnica nije ispravno konfigurisana!",
"Serial No.": "Serijski br.",
"Invoice date": "Datum fakture",
"Seller": "Prodavac",
"Buyer": "Kupac",
"Address": "Adresa",
"VAT Code": "VAT Code",
"Phone": "Telefon",
"Units": "Jedinice",
"Discount": "Popust",
"Total discount": "Ukupan popust",
"Taxable amount": "Опорезиви износ",
"Tax rate": "Poreska stopa",
"Total taxes": "Ukupan porez",
"Shipping": "Dostava",
"Total amount": "Ukupan iznos",
"Notes": "Napomena",
"Amount in words": "Iznos u rečima",
"Please pay until": "Molimo platite do",
"cs": "Czech",
"de": "German",
"en": "English",
"es": "Spanish",
"fr": "French",
"hi": "Hindi",
"it": "Italian",
"nl": "Dutch",
"pl": "Polish",
"zh": "Chinese",
"tr": "Turkish",
"ru": "Russian",
"sv": "Swedish",
"sk": "Slovakish"
}

464
resources/lang/sv.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "Faktura inställningar har uppdaterats!",
"Language settings have not been updated!": "Språk inställningar har inte blivit uppdaterade!",
"Language settings updated!": "Språk inställningar har uppdaterats!",
"Misc settings have not been updated!": "Övriga inställningar har inte uppdaterats!",
"Misc settings updated!": "Övriga inställningar har uppdaterats!",
"Payment settings have not been updated!": "Betalnings instälnningar har inte uppdaterats!",
"Payment settings updated!": "Betalnings inställningar har uppdaterats!",
"System settings have not been updated!": "System inställningar har inte blivit uppdaterade!",
"System settings updated!": "System inställningar uppdaterade!",
"api key created!": "api nyckel skapad!",
"api key updated!": "api nyckel uppdaterad!",
"api key has been removed!": "api nyckel borttagen!",
"Edit": "Ändra",
"Delete": "Radera",
"Created at": "Skapat den",
"Error!": "Fel!",
"Invoice does not exist on filesystem!": "Invoice does not exist on filesystem!",
"unknown": "okänd",
"Pterodactyl synced": "Pterodactyl synkroniserat",
"Your credit balance has been increased!": "Din kredit balans har ökats!",
"Your payment is being processed!": "Din betalning är under behandling!",
"Your payment has been canceled!": "Din betalning har avbrutits!",
"Payment method": "Betalningsmetod",
"Invoice": "Faktura",
"Download": "Ladda ner",
"Product has been created!": "Produkt har skapats!",
"Product has been updated!": "Produkten har blivit uppdaterad!",
"Product has been removed!": "Produkten har raderats!",
"Show": "Visa",
"Clone": "Klona",
"Server removed": "Servern raderades",
"An exception has occurred while trying to remove a resource \"": "Ett fel inträffade när resursen skulle tas bort",
"Server has been updated!": "Servern har uppdaterats!",
"Unsuspend": "Återuppta",
"Suspend": "Suspendera",
"Store item has been created!": "Affärsprodukter har skapats!",
"Store item has been updated!": "Affärsprodukter har blivit uppdaterade!",
"Store item has been removed!": "Affärsprodukten har raderats!",
"link has been created!": "länken har skapats!",
"link has been updated!": "länken har uppdaterats!",
"product has been removed!": "produkten har raderats!",
"User does not exists on pterodactyl's panel": "Användaren finns inte på Pterodactyl's' panel",
"user has been removed!": "användaren har raderats!",
"Notification sent!": "Avisering skickad!",
"User has been updated!": "Användaren har uppdaterats!",
"Login as User": "Logga in som användare",
"voucher has been created!": "kupong har skapats!",
"voucher has been updated!": "kupong har uppdaterats!",
"voucher has been removed!": "kupong har raderats!",
"This voucher has reached the maximum amount of uses": "Denna kupong har nått sin gräns för användning",
"This voucher has expired": "Denna kupongen har utgått",
"You already redeemed this voucher code": "Du har redan använt denna kupongkoden",
"have been added to your balance!": "har lagts till i ditt saldo!",
"Users": "Användare",
"VALID": "GILTIG",
"Account already exists on Pterodactyl. Please contact the Support!": "Kontot finns redan på Pterodactyl. Kontakta supporten!",
"days": "dagar",
"hours": "timmar",
"You ran out of Credits": "Du har slut på krediter",
"Profile updated": "Profil uppdaterad",
"Server limit reached!": "Servergräns nådd!",
"You are required to verify your email address before you can create a server.": "Du måste verifiera din e-postadress innan du kan skapa en server.",
"You are required to link your discord account before you can create a server.": "Du måste länka ditt discord konto innan du kan skapa en server.",
"Server created": "Server skapades",
"No allocations satisfying the requirements for automatic deployment on this node were found.": "Inga allokeringar tillfredsställer dina krav för automatiska installation på denna nod.",
"You are required to verify your email address before you can purchase credits.": "Du måste verifiera din e-postadress innan du kan köpa krediter.",
"You are required to link your discord account before you can purchase Credits": "Du är tvungen att länka ditt discord konto innan du kan köpa krediter",
"EXPIRED": "UTGÅNGEN",
"Payment Confirmation": "Betalningsbekräftelse",
"Payment Confirmed!": "Betalning bekräftad!",
"Your Payment was successful!": "Din betalning lyckades!",
"Hello": "Hej",
"Your payment was processed successfully!": "Betalningen genomfördes!",
"Status": "Status",
"Price": "Pris",
"Type": "Typ",
"Amount": "Belopp",
"Balance": "Saldo",
"User ID": "Användaridentitet",
"Someone registered using your Code!": "Someone registered using your Code!",
"Server Creation Error": "Serverskapande fel",
"Your servers have been suspended!": "Ditt konto har blivit avstängt!",
"To automatically re-enable your server\/s, you need to purchase more credits.": "För att automatiskt återaktivera din server\/s, så måste du köpa mer krediter.",
"Purchase credits": "Köp krediter",
"If you have any questions please let us know.": "Kontakta oss gärna om du har några eventuella frågor.",
"Regards": "Hälsningar",
"Verifying your e-mail address will grant you ": "Verifying your e-mail address will grant you ",
"additional": "additional",
"Verifying your e-mail will also increase your Server Limit by ": "Verifying your e-mail will also increase your Server Limit by ",
"You can also verify your discord account to get another ": "You can also verify your discord account to get another ",
"Verifying your Discord account will also increase your Server Limit by ": "Verifying your Discord account will also increase your Server Limit by ",
"Getting started!": "Kom igång!",
"Welcome to our dashboard": "Welcome to our dashboard",
"Verification": "Verification",
"You can verify your e-mail address and link\/verify your Discord account.": "You can verify your e-mail address and link\/verify your Discord account.",
"Information": "Information",
"This dashboard can be used to create and delete servers": "This dashboard can be used to create and delete servers",
"These servers can be used and managed on our pterodactyl panel": "These servers can be used and managed on our pterodactyl panel",
"If you have any questions, please join our Discord server and #create-a-ticket": "If you have any questions, please join our Discord server and #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "We hope you can enjoy this hosting experience and if you have any suggestions please let us know",
"Activity Logs": "Aktivitetsloggar",
"Dashboard": "Kontrollpanel",
"No recent activity from cronjobs": "Inga nya händelser från cron-jobben",
"Are cronjobs running?": "Körs cron-jobben?",
"Check the docs for it here": "Kolla dokumentationen för det, här",
"Causer": "Orsakar",
"Description": "Beskrivning",
"Application API": "Applikations API",
"Create": "Skapa",
"Memo": "Memo",
"Submit": "Skicka",
"Create new": "Skapa ny",
"Token": "Nyckel",
"Last used": "Senast använd",
"Are you sure you wish to delete?": "Är du säker på att du vill radera?",
"Nests": "Bon",
"Sync": "Synkronisera",
"Active": "Aktiv",
"ID": "Identitet",
"eggs": "ägg",
"Name": "Namn",
"Nodes": "Noder",
"Location": "Plats",
"Admin Overview": "Administratör överblick",
"Support server": "Stödservern",
"Documentation": "Dokumentation",
"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": "Databaser",
"Backups": "Säkerhetskopior",
"Allocations": "Allokeringar",
"Product Linking": "Produktlänkar",
"Link your products to nodes and eggs to create dynamic pricing for each option": "Länka din produkt till noder och ägg för att skapa dynamiska priser för alla alternativ",
"This product will only be available for these nodes": "Denna produkt kommer endast vara tillgänglig för dessa noder",
"This product will only be available for these eggs": "Denna produkt kommer endast vara tillgänglig för dessa äggen",
"Product": "Produkt",
"CPU": "Processor",
"Updated at": "Uppdaterad vid",
"User": "Användare",
"Config": "Konfiguration",
"Suspended at": "Suspenderad vid",
"Settings": "Inställningar",
"The installer is not locked!": "Installationen är inte låst!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "var vänlig och skapa en fil som heter \"install.lock\" i din panels huvudmapp. Annars kommer inga inställningar att laddas!",
"or click here": "eller klicka här",
"Company Name": "Företagsnamn",
"Company Adress": "Företagsadress",
"Company Phonenumber": "Företags telefonnummer",
"VAT ID": "Momsreg. nr.",
"Company E-Mail Adress": "Företagsepost",
"Company Website": "Företagets Hemsida",
"Invoice Prefix": "Prefix för fakturor",
"Enable Invoices": "Aktivera fakturor",
"Logo": "Logotyp",
"Select Invoice Logo": "Välj fakturalogotyp",
"Available languages": "Tillgängliga språk",
"Default language": "Förvalt språk",
"The fallback Language, if something goes wrong": "Reservspråket, om något går fel",
"Datable language": "Daterbart språk",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Datatabellernas språkkod. <br><strong>Exempel:<\/strong> en-gb, fr_fr, de_de<br>Mer information: ",
"Auto-translate": "Auto-översätt",
"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",
"Client Language-Switch": "Client Language-Switch",
"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",
"Mail Host": "Mail Host",
"Mail Port": "Mail Port",
"Mail Username": "Mail Username",
"Mail Password": "Mail Password",
"Mail Encryption": "Mail Encryption",
"Mail From Adress": "Mail From Adress",
"Mail From Name": "Mail From Name",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord Bot-Token",
"Discord Guild-ID": "Discord Guild-ID",
"Discord Invite-URL": "Discord Invite-URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "Enable ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha Site-Key",
"ReCaptcha Secret-Key": "ReCaptcha Secret-Key",
"Enable Referral": "Enable Referral",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "Should a reward be given if a new User registers or if a new user buys credits",
"Commission": "Commission",
"Sign-Up": "Sign-Up",
"Both": "Both",
"Referral reward in percent": "Referral reward in percent",
"(only for commission-mode)": "(only for commission-mode)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought",
"Referral reward in": "Referral reward in",
"(only for sign-up-mode)": "(only for sign-up-mode)",
"Allowed": "Allowed",
"Who is allowed to see their referral-URL": "Who is allowed to see their referral-URL",
"Everyone": "Everyone",
"Clients": "Clients",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal Secret-Key",
"PayPal Sandbox Client-ID": "PayPal Sandbox Client-ID",
"optional": "optional",
"PayPal Sandbox Secret-Key": "PayPal Sandbox Secret-Key",
"Stripe Secret-Key": "Stripe Secret-Key",
"Stripe Endpoint-Secret-Key": "Stripe Endpoint-Secret-Key",
"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.",
"Force Discord verification": "Force Discord verification",
"Force E-Mail verification": "Force E-Mail verification",
"Initial Credits": "Initial Credits",
"Initial Server Limit": "Initial Server Limit",
"Credits Reward Amount - Discord": "Credits Reward Amount - Discord",
"Credits Reward Amount - E-Mail": "Credits Reward Amount - E-Mail",
"Server Limit Increase - Discord": "Server Limit Increase - Discord",
"Server Limit Increase - E-Mail": "Server Limit Increase - E-Mail",
"Server": "Server",
"Server Allocation Limit": "Server Allocation Limit",
"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",
"Server Slots": "Server Slots",
"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",
"Referrals": "Referrals",
"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",
"Referals": "Referals",
"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",
"Referral code": "Referral code",
"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",
"Mark all as read": "Mark all as read",
"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.",
"Thanks": "Thanks",
"Redeem voucher code": "Redeem voucher code",
"Close": "Close",
"Redeem": "Redeem",
"All notifications": "All notifications",
"Required Email verification!": "Required Email verification!",
"Required Discord verification!": "Required Discord verification!",
"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!",
"Software \/ Games": "Software \/ Games",
"Please select software ...": "Please select software ...",
"---": "---",
"Specification ": "Specification ",
"Node": "Node",
"Resource Data:": "Resource Data:",
"vCores": "vCores",
"MB": "MB",
"MySQL": "MySQL",
"ports": "ports",
"Not enough": "Not enough",
"Create server": "Create server",
"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",
"cs": "Czech",
"de": "German",
"en": "English",
"es": "Spanish",
"fr": "French",
"hi": "Hindi",
"it": "Italian",
"nl": "Dutch",
"pl": "Polish",
"zh": "Chinese",
"tr": "Turkish",
"ru": "Russian",
"sv": "Swedish",
"sk": "Slovakish"
}

464
resources/lang/tr.json Normal file
View file

@ -0,0 +1,464 @@
{
"Invoice settings updated!": "Faturalandırma Ayarları Güncellendi!",
"Language settings have not been updated!": "Dil Ayarları Güncellenmedi!",
"Language settings updated!": "Dil Ayarları Güncellendi!",
"Misc settings have not been updated!": "Diğer Ayarlar Güncellenmedi!",
"Misc settings updated!": "Diğer Ayarlar Güncellendi!",
"Payment settings have not been updated!": "Ödeme ayarları güncellenmedi!",
"Payment settings updated!": "Ödeme ayarları güncellendi!",
"System settings have not been updated!": "Sistem ayarları güncellenedi!",
"System settings updated!": "Sistem ayarları güncellendi!",
"api key created!": "api anahtarı oluşturuldu!",
"api key updated!": "Api anahtarı güncellendi!",
"api key has been removed!": "api anahtarı silindi!",
"Edit": "Düzenle",
"Delete": "Sil",
"Created at": "Şu saatte oluşturuldu",
"Error!": "Hata!",
"Invoice does not exist on filesystem!": "Fatura dosya sisteminde yer almıyor!",
"unknown": "bilinmeyen",
"Pterodactyl synced": "Pterodactyl senkronize edildi",
"Your credit balance has been increased!": "Kredi bakiyen arttırıldı!",
"Your payment is being processed!": "Ödemeniz işleniyor!",
"Your payment has been canceled!": "Ödemeniz iptal edildi!",
"Payment method": "Ödeme yöntemi",
"Invoice": "Fatura",
"Download": "İndir",
"Product has been created!": "Ürün oluşturuldu!",
"Product has been updated!": "Ürün güncellendi!",
"Product has been removed!": "Ürün silindi!",
"Show": "Göster",
"Clone": "Kopya",
"Server removed": "Sunucu silindi",
"An exception has occurred while trying to remove a resource \"": "Kaynak silinirken hata oluştu \"",
"Server has been updated!": "Sunucu güncellendi!",
"Unsuspend": "Askıyı kaldır",
"Suspend": "Askıya al",
"Store item has been created!": "Mağaza öğesi oluşturuldu!",
"Store item has been updated!": "Mağaza öğesi güncellendi!",
"Store item has been removed!": "Market öğesi silindi!",
"link has been created!": "Bağlantı oluşturuldu!",
"link has been updated!": "Bağlantı güncellendi!",
"product has been removed!": "Ürün kaldırıldı!",
"User does not exists on pterodactyl's panel": "Kullanıcı pterodactyl panelinde mevcut değil",
"user has been removed!": "Kullanıcı kaldırıldı!",
"Notification sent!": "Bildiirm gönderildi!",
"User has been updated!": "Kullanıcı güncellendi!",
"Login as User": "Kullanıcı olarak giriş yap",
"voucher has been created!": "Kupon oluşturuldu!",
"voucher has been updated!": "Kupon güncellendi!",
"voucher has been removed!": "Kupon silindi!",
"This voucher has reached the maximum amount of uses": "Bu kupon maksimum kullanım limitine ulaştı",
"This voucher has expired": "Bu kuponun süresi doldu",
"You already redeemed this voucher code": "Bu kuponu zaten kullandın",
"have been added to your balance!": "bakiyenize eklendi!",
"Users": "Kullanıcılar",
"VALID": "Geçerli",
"Account already exists on Pterodactyl. Please contact the Support!": "Hesap zaten Pterodactyl de bulunuyor. Lütfen destek ile iletişime geçin!",
"days": "gün",
"hours": "saat",
"You ran out of Credits": "Kredin bitti",
"Profile updated": "Profil güncellendi",
"Server limit reached!": "Sunucu limitine ulaşıldı!",
"You are required to verify your email address before you can create a server.": "Sunucu oluşturmadan önce E-posta adresini onaylaman gerekli.",
"You are required to link your discord account before you can create a server.": "Bir sunucu oluşturabilmeniz için önce discord hesabınızı bağlamanız gerekir.",
"Server created": "Sunucu oluşturuldu",
"No allocations satisfying the requirements for automatic deployment on this node were found.": "Bu düğümde otomatik dağıtım gereksinimlerini karşılayan hiçbir tahsis bulunamadı.",
"You are required to verify your email address before you can purchase credits.": "Kredi satın almadan önce e-posta adresinizi doğrulamanız gerekmektedir.",
"You are required to link your discord account before you can purchase Credits": "Kredi satın almadan önce discord hesabınızı bağlamanız gerekmektedir",
"EXPIRED": "SÜRESİ DOLDU",
"Payment Confirmation": "Ödeme onaylama",
"Payment Confirmed!": "Ödeme Onaylandı!",
"Your Payment was successful!": "Ödemeniz başarılı oldu!",
"Hello": "Merhaba",
"Your payment was processed successfully!": "Ödemeniz başarıyla işlendi!",
"Status": "Durum",
"Price": "Fiyat",
"Type": "Tip",
"Amount": "Miktar",
"Balance": "Denge",
"User ID": "Kullanıcı kimliği",
"Someone registered using your Code!": "Birileri senin kodunu kullanarak kayıt oldu!",
"Server Creation Error": "Sunucu Oluşturma Hatası",
"Your servers have been suspended!": "Sunucularınız askıya alındı!",
"To automatically re-enable your server\/s, you need to purchase more credits.": "Sunucularınızı\/sunucularınızı otomatik olarak yeniden etkinleştirmek için daha fazla kredi satın almanız gerekir.",
"Purchase credits": "Satın alma kredisi",
"If you have any questions please let us know.": "Herhangi bir sorunuz varsa lütfen bize bildirin.",
"Regards": "Saygılarımızla",
"Verifying your e-mail address will grant you ": "E-posta adresinizi doğrulamak size ",
"additional": "ek olarak",
"Verifying your e-mail will also increase your Server Limit by ": "E-postanızı doğrulamak aynı zamanda Sunucu Limitinizi şu kadar artıracaktır ",
"You can also verify your discord account to get another ": "Discord hesabınızı doğurlayarakda ek ",
"Verifying your Discord account will also increase your Server Limit by ": "Discord hesabınızı doğrulamak aynı zamanda Sunucu Limitinizi şu kadar artıracaktır ",
"Getting started!": "Başlarken!",
"Welcome to our dashboard": "Kontrol panelimize hoş geldiniz",
"Verification": "Doğrulama",
"You can verify your e-mail address and link\/verify your Discord account.": "E-posta adresinizi doğrulayabilir ve Discord hesabınızı bağlayabilir\/doğrulayabilirsiniz.",
"Information": "Bilgi",
"This dashboard can be used to create and delete servers": "Bu gösterge panosu, sunucular oluşturmak ve silmek için kullanılabilir",
"These servers can be used and managed on our pterodactyl panel": "Bu sunucular pterodactyl panelimizde kullanılabilir ve yönetilebilir",
"If you have any questions, please join our Discord server and #create-a-ticket": "Herhangi bir sorunuz varsa, lütfen Discord sunucumuza katılın ve #create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "Bu barındırma deneyiminden keyif alacağınızı umuyoruz ve herhangi bir öneriniz varsa lütfen bize bildirin",
"Activity Logs": "Etkinlik Günlükleri",
"Dashboard": "Gösterge Paneli",
"No recent activity from cronjobs": "Cronjobs'tan yeni etkinlik yok",
"Are cronjobs running?": "Kankalar koşuyor mu?",
"Check the docs for it here": "Bunun için belgeleri kontrol edin burada",
"Causer": "Sebep",
"Description": "Açıklama",
"Application API": "Uygulama API'sı",
"Create": "Yaratmak",
"Memo": "Hafıza",
"Submit": "Göndermek",
"Create new": "Yeni oluşturmak",
"Token": "Jeton",
"Last used": "Son kullanılan",
"Are you sure you wish to delete?": "Silmek istediğinizden emin misiniz?",
"Nests": "Yuvalar",
"Sync": "Senkronizasyon",
"Active": "Aktif",
"ID": "ID",
"eggs": "eggs",
"Name": "İsim",
"Nodes": "Düğümler",
"Location": "Lokasyon",
"Admin Overview": "Yönetim Genel Bakış",
"Support server": "Destek sunucusu",
"Documentation": "Dökümantasyon",
"Github": "GitHub",
"Support ControlPanel": "ContrılPanel'i destekle",
"Servers": "Sunucular",
"Total": "Toplam",
"Payments": "Ödemeler",
"Pterodactyl": "Pterodactyl",
"Resources": "Kaynaklar",
"Count": "Sayı",
"Locations": "Lokasyonlar",
"Eggs": "Eggs",
"Last updated :date": "Son güncelleme :date",
"Download all Invoices": "Bütün faturaları indir",
"Product Price": "Ürün Fiyatı",
"Tax Value": "Vergi Değeri",
"Tax Percentage": "Veri Oranı",
"Total Price": "Toplam fiyat",
"Payment ID": "Ödeme kimliği",
"Payment Method": "Ödeme yöntemi",
"Products": "Ürünler",
"Product Details": "Ürün detayları",
"Disabled": "Devre Dışı",
"Will hide this option from being selected": "Bu bilginin seçilmesi önlenecek",
"Price in": "Fiyat",
"Memory": "Bellek",
"Cpu": "İşlemci",
"Swap": "Takas",
"This is what the users sees": "Kullanıcıların gördüğü bu",
"Disk": "Depolama",
"Minimum": "En azı",
"Setting to -1 will use the value from configuration.": "-1 olarak ayarlamak, yapılandırmadaki değeri kullanır.",
"IO": "IO",
"Databases": "Veritabanları",
"Backups": "Yedekler",
"Allocations": "Dağılımlar",
"Product Linking": "Ürün bağlamak",
"Link your products to nodes and eggs to create dynamic pricing for each option": "Her seçenek için dinamik fiyatlandırma oluşturmak için ürünlerinizi nodese ve egglere bağlayın",
"This product will only be available for these nodes": "Bu ürün yalnızca bu nodeler için geçerli olacak",
"This product will only be available for these eggs": "Bu ürün yalnızca bu eggler için geçerli olacak",
"Product": "Ürün",
"CPU": "İşlemci",
"Updated at": "Güncelleme tarihi",
"User": "Kullanıcı",
"Config": "Yapılandırma",
"Suspended at": "Askıya Alındı",
"Settings": "Ayarlar",
"The installer is not locked!": "Kurulum Aracı Kilitli Değil!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "lütfen ana klasörde \"install.lock\" adında bir dosya oluşturun yoksa hiçbir ayar yüklenmeyecek!",
"or click here": "veya buraya tıklayın",
"Company Name": "Firma Adı",
"Company Adress": "Firma Adresi",
"Company Phonenumber": "Firma Telefon numarası",
"VAT ID": "Vergi kimlik numarası",
"Company E-Mail Adress": "Firma e-posta adresi",
"Company Website": "Firma Web Sitesi",
"Invoice Prefix": "Fatura öneki",
"Enable Invoices": "Faturalandırmayı Etkinleştir",
"Logo": "Logo",
"Select Invoice Logo": "Fatura logosu seç",
"Available languages": "Kullanılabilir diller",
"Default language": "Varsayılan Dil",
"The fallback Language, if something goes wrong": "Yedek dil, eğer bir şeyler yanlış giderse",
"Datable language": "Tarih Dili",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "Tarihlerde kullanılacak dil kodu. <br><strong>Örnek:<\/strong> en-gb, fr_fr, de_de<br> Daha fazla bilgi: ",
"Auto-translate": "Otomatik çeviri",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "Eğer bu seçili ise Yönetim paneli kendisini kullanıcının diline çevirecek, eğer kullanılabiliyorsa",
"Client Language-Switch": "Müşteri Dil Değiştiricisi",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "Eğer bu seçili ise müşteriler yönetim paneli dillerini kendileri seçebilirler",
"Mail Service": "Posta servisi",
"The Mailer to send e-mails with": "E postaların gönderileceği posta servisi",
"Mail Host": "Posta Sunucusu",
"Mail Port": "Posta Sunucu Portu",
"Mail Username": "Posta Kullanıcı Adı",
"Mail Password": "Posta Parolası",
"Mail Encryption": "Posta şifrelemesi",
"Mail From Adress": "Posta gönderen adresi",
"Mail From Name": "Posta gönderen ismi",
"Discord Client-ID": "Discord client id'si",
"Discord Client-Secret": "Discord Client Secret'ı",
"Discord Bot-Token": "Discord Bot Tokeni",
"Discord Guild-ID": "Discord Sunucu ID'si",
"Discord Invite-URL": "Discord davet linki",
"Discord Role-ID": "Discord Rol idsi",
"Enable ReCaptcha": "ReCaptcha'yı etkinleştir",
"ReCaptcha Site-Key": "ReCaptcha Site Anahtarı",
"ReCaptcha Secret-Key": "Recaptcha Gizli Anahtar",
"Enable Referral": "Referans sistemini aktifleştir",
"Mode": "Modu",
"Should a reward be given if a new User registers or if a new user buys credits": "Yeni bir Kullanıcı kaydolursa veya yeni bir kullanıcı kredi satın alırsa ödül verilmeli mi?",
"Commission": "Komisyon",
"Sign-Up": "Kaydol",
"Both": "İkisi de",
"Referral reward in percent": "Yüzde olarak referans ödülü",
"(only for commission-mode)": "(sadece komisyon modu için)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "Referans ile kayıt olan bir kullanıcı kredi satın alırsa, Referans gönderen kullanıcı, Referans ile kayıt olan kullanıcının satın aldığı Kredilerin %x'ini alacaktır",
"Referral reward in": "Referans ödülü",
"(only for sign-up-mode)": "(sadece kayıt modu için)",
"Allowed": "İzin Verildi",
"Who is allowed to see their referral-URL": "Kimlerin Referans URL'sini görmesine izin verilmeli",
"Everyone": "Herkes",
"Clients": "Müşteriler",
"PayPal Client-ID": "PayPal Client ID'si",
"PayPal Secret-Key": "PayPal Gizli Anahtarı",
"PayPal Sandbox Client-ID": "PayPal Test Alanı Client ID'si",
"optional": "isteğe bağlı",
"PayPal Sandbox Secret-Key": "PaPal Test Alanı Gizli Anahtarı",
"Stripe Secret-Key": "Stripe Gizli Anahtarı",
"Stripe Endpoint-Secret-Key": "Stripe Uç Nokta Gizli Anahtarı",
"Stripe Test Secret-Key": "Stripe Test Gizli Anahtarı",
"Stripe Test Endpoint-Secret-Key": "Stripe Test Uç Nokta Gizli Anahtarı",
"Payment Methods": "Ödeme Yöntemleri",
"Tax Value in %": "Vergi yüzdesi",
"System": "Sistem",
"Register IP Check": "Kayıt IP Kontrolü",
"Prevent users from making multiple accounts using the same IP address.": "Kullanıcılar bir IP adresinden birden fazla hesap açmasını engeller.",
"Charge first hour at creation": "İlk saatin ödemesini kurulurken al",
"Charges the first hour worth of credits upon creating a server.": "Kullanıcı sunucu oluşturduğumda ilk saatin ödemesini direkt olarak alır.",
"Credits Display Name": "Kredi ismi",
"PHPMyAdmin URL": "PHPMyAdmin linki",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "PHPMyAdmin kurulumunuzun linkini girin <strong> Sonda eğik çizgi olmadan<\/strong>",
"Pterodactyl URL": "Pterodactyl Linki",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "Pterodactyl kurulumunuzun linkini girin <strong> Sonda eğik çizgi olmadan!<\/strong>",
"Pterodactyl API Key": "Pterodactyl API Anahtarı",
"Enter the API Key to your Pterodactyl installation.": "Pterodactyl kurulumunuzun API anahtarını girin.",
"Force Discord verification": "Discord Doğrulamasını zorunlu yap",
"Force E-Mail verification": "E posta doğrulamasını zorunlu yap",
"Initial Credits": "Ana kredi",
"Initial Server Limit": "Ana sunucu limiti",
"Credits Reward Amount - Discord": "Kredi ödülü miktarı - Discord",
"Credits Reward Amount - E-Mail": "Kredi Ödülü miktarı - E posta",
"Server Limit Increase - Discord": "Sunucu limiti arttırımı - Discord",
"Server Limit Increase - E-Mail": "Sunucu limiti arttırımı - E posta",
"Server": "Sunucu",
"Server Allocation Limit": "Sunucu port limiti",
"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!": "Her node'de otomatik oluşturma için kullanılacak maksimum port limiti, Eğer bu limitten fazla port kullanılıyorsa yeni sunucu oluşturulmaz!",
"Select panel icon": "Panel Resmi Seçin",
"Select panel favicon": "Panel küçük resmi seçin",
"Store": "Mağaza",
"Server Slots": "Sunucu yuvaları",
"Currency code": "Para birimi kodu",
"Checkout the paypal docs to select the appropriate code": "Uygun kodu bulmak için PayPal dokümantasyonunu kontrol edin",
"Quantity": "Miktar",
"Amount given to the user after purchasing": "Kullanıcılara satın aldıktan sonra verilecek miktar",
"Display": "Görünüş",
"This is what the user sees at store and checkout": "Bunu kullanıcılar mağaza alışverişini tamamlarken görüntülüyor",
"Adds 1000 credits to your account": "Hesabınıza 1000 kredi ekler",
"This is what the user sees at checkout": "Bunu kullanıcılar alışverişini tamamlarken görüntülüyor",
"No payment method is configured.": "Hiç bir ödeme yöntemi ayarlanmamış.",
"To configure the payment methods, head to the settings-page and add the required options for your prefered payment method.": "Ödeme yöntemlerini ayarlamak için ayarlar sayfasına gidip tercih ettiğiniz ödeme yönteminin gereksinimlerini ekleyin.",
"Useful Links": "Faydalı Linkler",
"Icon class name": "İkon klas adı",
"You can find available free icons": "Kullanabileceğiniz ücretsiz ikonları bulabilirsiniz",
"Title": "Başlık",
"Link": "Link",
"description": "açıklama",
"Icon": "İkon",
"Username": "Kullanıcı Adı",
"Email": "E posta",
"Pterodactyl ID": "Pterodactyl ID'si",
"This ID refers to the user account created on pterodactyls panel.": "Bu id Pterodactyl'nin panelde oluşturulan hesabın ID'si dir.",
"Only edit this if you know what youre doing :)": "Bunu yalnızca ne yaptığınızı biliyorsanız düzenleyin :)",
"Server Limit": "Sunucu Limiti",
"Role": "Rol",
" Administrator": " Yönetici",
"Client": "Müşteri",
"Member": "Üye",
"New Password": "Yeni Parola",
"Confirm Password": "Yeni Parola (Tekrar)",
"Notify": "Bildir",
"Avatar": "Avatar",
"Referrals": "Referanslar",
"Verified": "Doğrulanmış",
"Last seen": "Son görülme",
"Notifications": "Bildirimler",
"All": "Hepsi",
"Send via": "Üzerinden gönder",
"Database": "Veritabanı",
"Content": "İçerik",
"Server limit": "Sunucu limiti",
"Discord": "Discord",
"Usage": "Kullanım",
"IP": "IP",
"Referals": "Referanslar",
"Vouchers": "Kuponlar",
"Voucher details": "Kupon detayları",
"Summer break voucher": "Yaz tatili kuponu",
"Code": "Kod",
"Random": "Rastgele",
"Uses": "Kullanır",
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "Bir kupon, kullanıcı başına yalnızca bir kez kullanılabilir. Kullanımlar, bu kuponu kullanabilecek farklı kullanıcıların sayısını belirtir.",
"Max": "Maks",
"Expires at": "Sona eriyor",
"Used \/ Uses": "Kullanılmış \/ Kullanım Alanları",
"Expires": "Sona eriyor",
"Sign in to start your session": "Oturumunuzu başlatmak için oturum açın",
"Password": "Parola",
"Remember Me": "Beni hatırla",
"Sign In": "Kayıt olmak",
"Forgot Your Password?": "Parolanızı mı unuttunuz?",
"Register a new membership": "Yeni bir üyelik kaydedin",
"Please confirm your password before continuing.": "Lütfen devam etmeden önce şifrenizi onaylayın.",
"You forgot your password? Here you can easily retrieve a new password.": "Şifrenizi mi unuttunuz? Burada kolayca yeni bir şifre alabilirsiniz.",
"Request new password": "Yeni şifre isteği",
"Login": "Giriş yapmak",
"You are only one step a way from your new password, recover your password now.": "Yeni şifrenizden sadece bir adım uzaktasınız, şifrenizi şimdi kurtarın.",
"Retype password": "Şifrenizi yeniden yazın",
"Change password": "Şifreyi değiştir",
"Referral code": "Davet Kodu",
"Register": "Kaydol",
"I already have a membership": "Zaten üyeliğim var",
"Verify Your Email Address": "E-posta adresinizi doğrulayın",
"A fresh verification link has been sent to your email address.": "Yeni bir doğrulama bağlantısı e-posta adresinize gönderildi.",
"Before proceeding, please check your email for a verification link.": "Devam etmeden önce lütfen doğrulama linki için e-postanızı kontrol edin.",
"If you did not receive the email": "E-postayı almadıysanız",
"click here to request another": "başka bir tane daha talep etmek için tıklayın",
"per month": "her ay",
"Out of Credits in": "İçinde Kredi kalmadı",
"Home": "Ana sayfa",
"Language": "Dil",
"See all Notifications": "Tüm Bildirimleri göster",
"Mark all as read": "Tümünü okundu olarak işaretle",
"Redeem code": "Kod kullan",
"Profile": "Profil",
"Log back in": "Tekrar giriş yap",
"Logout": ıkış Yap",
"Administration": "Yönetim",
"Overview": "Genel Bakış",
"Management": "Yönetim",
"Other": "Diğer",
"Logs": "Kayıtlar",
"Warning!": "Uyarı!",
"You have not yet verified your email address": "Hâla e posta adresinizi doğrulamadınız",
"Click here to resend verification email": "Doğrulama e-postasını tekrar almak için buraya tıklayın",
"Please contact support If you didnt receive your verification email.": "Doğrulama e postanızı almadıysanız destek ile iletişime geçin.",
"Thank you for your purchase!": "Satın alımınız için teşekkürler!",
"Your payment has been confirmed; Your credit balance has been updated.": "Ödemeniz onaylandı; Kredi bakiyeniz güncellendi.",
"Thanks": "Teşekkürler",
"Redeem voucher code": "Bakiye kodu kullan",
"Close": "Kapat",
"Redeem": "Kullan",
"All notifications": "Tüm bildirimler",
"Required Email verification!": "E posta doğrulaması zorunlu!",
"Required Discord verification!": "Discord Doğrulaması zorunlu!",
"You have not yet verified your discord account": "Discord hesabınızı doğrulamamışsınız",
"Login with discord": "Discord ile giriş yap",
"Please contact support If you face any issues.": "Eğer bir problem ile karşılaşırsanız lütfen destek ile iletişime geçin.",
"Due to system settings you are required to verify your discord account!": "Sistem ayarlarına göre discord hesabınızı doğrulamak zorundasınız!",
"It looks like this hasnt been set-up correctly! Please contact support.": "Bu doğru kurulmamış gibi gözüküyor lütfen destek ile iletişime geçin.",
"Change Password": "Parola Değiştir",
"Current Password": "Mevcut Parola",
"Link your discord account!": "Discord hesabınızı bağlayın!",
"By verifying your discord account, you receive extra Credits and increased Server amounts": "Discord hesabınızı bağlayarak ekstra kredi ve fazladan sunucu hakkı kazanacaksınız",
"Login with Discord": "Discord ile giriş yap",
"You are verified!": "Doğrulanmışsınız!",
"Re-Sync Discord": "Discord'u tekrar senkronize et",
"Save Changes": "Değişiklikleri Kaydet",
"Server configuration": "Sunucu ayarları",
"Make sure to link your products to nodes and eggs.": "Ürünlerinizi makinelere ve egg'lere bağladığınızdan emin olun.",
"There has to be at least 1 valid product for server creation": "Sunucu oluşturmak için en az bir geçerli ürün olmalı",
"Sync now": "Şimdi Senkronize et",
"No products available!": "Herhangi bir ürün bulunmuyor!",
"No nodes have been linked!": "Hiçbir makine bağlanmamış!",
"No nests available!": "Hiçbir nest bulunamadı!",
"No eggs have been linked!": "Hiçbir egg bağlanmamış!",
"Software \/ Games": "Yazılımlar \/ Oyunlar",
"Please select software ...": "Lütfen bir yazılım seçin ...",
"---": "---",
"Specification ": "Özellikler ",
"Node": "Makine",
"Resource Data:": "Kaynak Verisi:",
"vCores": "sanal Çekirdekler",
"MB": "MB",
"MySQL": "MySQL",
"ports": "portlar",
"Not enough": "Yeterli değil",
"Create server": "Sunucu oluştur",
"Please select a node ...": "Lütfen bir makine seçiniz ...",
"No nodes found matching current configuration": "Bu konfigürasyon ile eşleşen makine bulunamadı",
"Please select a resource ...": "Lütfen bir tür seçin ...",
"No resources found matching current configuration": "Bu konfigürasyon ile eşleşen tür bulunamadı",
"Please select a configuration ...": "Lütfen bir konfigürasyon seçiniz ...",
"Not enough credits!": "Yeterli kredi yok!",
"Create Server": "Sunucu Oluştur",
"Software": "Yazılım",
"Specification": "Özellikler",
"Resource plan": "Kaynak planı",
"RAM": "Bellek",
"MySQL Databases": "MySQL veritabanları",
"per Hour": "saatlik",
"per Month": "aylık",
"Manage": "Yönet",
"Are you sure?": "Emin misiniz?",
"This is an irreversible action, all files of this server will be removed.": "Bu geri döndürülemeyecek bir işlem sunucunun bütün dosyaları silinecektir.",
"Yes, delete it!": "Evet, Sil onu!",
"No, cancel!": "Hayır, iptal et!",
"Canceled ...": "İptal Edildi ...",
"Deletion has been canceled.": "Silme işlemi iptal edildi.",
"Date": "Tarih",
"Subtotal": "Aratoplam",
"Amount Due": "Ödenecek Tutar",
"Tax": "Vergi",
"Submit Payment": "Ödemeyi Tamamla",
"Purchase": "Satın al",
"There are no store products!": "Burada hiç mağaza ürünü yok!",
"The store is not correctly configured!": "Mağaza şu anda ayarlanmış değil!",
"Serial No.": "Seri Numarası.",
"Invoice date": "Fatura tarihi",
"Seller": "Satıcı",
"Buyer": "Alıcı",
"Address": "Adres",
"VAT Code": "Vergi Kodu",
"Phone": "Telefon Numarası",
"Units": "Birimler",
"Discount": "İndirim",
"Total discount": "Toplam indirim",
"Taxable amount": "Vergilendirilebilen tutar",
"Tax rate": "Vergi oranı",
"Total taxes": "Toplam vergiler",
"Shipping": "Gönderim",
"Total amount": "Toplam Tutar",
"Notes": "Notlar",
"Amount in words": "Yazı ile Tutar",
"Please pay until": "Lütfen şu tarihe kadar ödeyin",
"cs": "Çekçe",
"de": "Almanca",
"en": "İngilizce",
"es": "İspanyolca",
"fr": "Fransızca",
"hi": "Hintçe",
"it": "İtalyanca",
"nl": "Flemenkçe",
"pl": "Polonya",
"zh": "Çince",
"tr": "Türkçe",
"ru": "Rusça",
"sv": "İsveççe",
"sk": "Slovakça"
}

View file

@ -1,183 +1,369 @@
{
"Invoice settings updated!": "发票设置已更新",
"Language settings have not been updated!": "语言设置没有被更新",
"Language settings updated!": "语言设置已更新",
"Misc settings have not been updated!": "杂项设置没有被更新",
"Misc settings updated!": "杂项设置已更新",
"Payment settings have not been updated!": "付款设置没有被更新",
"Payment settings updated!": "付款设置已更新",
"System settings have not been updated!": "系统设置没有被更新",
"System settings updated!": "系统设置已更新",
"api key created!": "api密钥已创建!",
"api key updated!": "api密钥已更新!",
"api key has been removed!": "api密钥已被删除!",
"Edit": "编辑",
"Delete": "删除",
"Created at": "创建于",
"Error!": "错误!",
"Invoice does not exist on filesystem!": "文件系统上不存在发票!",
"unknown": "未知",
"Pterodactyl synced": "翼手龙已同步化",
"Your credit balance has been increased!": "您的余额已增加",
"Your payment is being processed!": "您的付款正在被处理",
"Your payment has been canceled!": "您的付款已取消。",
"Payment method": "支付方式",
"Invoice": "发票",
"Download": "下载",
"Product has been created!": "产品已创建!",
"Product has been updated!": "产品已更新!",
"Product has been removed!": "产品已被删除!",
"Show": "显示",
"Clone": "克隆",
"Server removed": "移除服务器",
"An exception has occurred while trying to remove a resource \"": "移除资源时出错。",
"Server has been updated!": "服务器已被更新!",
"Unsuspend": "取消暂停",
"Suspend": "暂停",
"Store item has been created!": "商店项目已创建!",
"Store item has been updated!": "商店商品已更新!",
"Store item has been removed!": "商店物品已被删除!",
"link has been created!": "链接已创建",
"link has been updated!": "链接已更新",
"product has been removed!": "产品已被删除!",
"User does not exists on pterodactyl's panel": "用户不存在于翼龙的面板上",
"user has been removed!": "用户已被删除!",
"Notification sent!": "通知已发送!",
"User has been updated!": "用户已被更新!",
"Login as User": "以用户身份登录",
"voucher has been created!": "代金券已创建!",
"voucher has been updated!": "代金券已被更新!",
"voucher has been removed!": "代金券已被删除!",
"This voucher has reached the maximum amount of uses": "此代金券已达到最大使用量",
"This voucher has expired": "此优惠券已过期",
"You already redeemed this voucher code": "你已经兑换了这个优惠券代码",
"have been added to your balance!": "已被添加到您的余额中!",
"Users": "用户",
"VALID": "有效的",
"Account already exists on Pterodactyl. Please contact the Support!": "帐户已经存在于Pterodactyl上。请联系支持部门",
"days": "天",
"hours": "小时",
"You ran out of Credits": "你的剩额用完了",
"Profile updated": "个人资料已更新",
"Server limit reached!": "已到达服务器限数量制",
"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.": "在创建服务器之前您需要关联您的discord账户",
"Server created": "服务器已创建",
"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 link your discord account before you can purchase Credits": "在添加余额之前您需要关联您的discord账户",
"EXPIRED": "已过期",
"Payment Confirmation": "确认支付",
"Payment Confirmed!": "支付已确认",
"Your Payment was successful!": "恭喜,您的订单支付成功 !",
"Hello": "您好",
"Your payment was processed successfully!": "您的请求已处理成功",
"Status": "状态",
"Price": "价格",
"Type": "类型",
"Amount": "数量",
"Balance": "余额",
"User ID": "用户ID",
"Someone registered using your Code!": "已经有人使用您的代码注册了",
"Server Creation Error": "服务器创建错误",
"Your servers have been suspended!": "您的服务器已被暂停",
"To automatically re-enable your server\/s, you need to purchase more credits.": "如需重新启用你的服务器,您需要购买更多的余额",
"Purchase credits": "购买余额",
"If you have any questions please let us know.": "如果您有其他任何问题,欢迎联系我们。",
"Regards": "此致",
"Verifying your e-mail address will grant you ": "验证您的电子邮件地址将授予您",
"additional": "高级设置",
"Verifying your e-mail will also increase your Server Limit by ": "验证电子邮件也会将服务器限制增加",
"You can also verify your discord account to get another ": "您还可以验证您的discord帐户以获取另一个",
"Verifying your Discord account will also increase your Server Limit by ": "验证您的Discord帐户也会将您的服务器限制增加",
"Getting started!": "开始吧!",
"Welcome to our dashboard": "欢迎访问 dashboard",
"Verification": "验证",
"You can verify your e-mail address and link\/verify your Discord account.": "你可以验证你的邮箱地址或者连接到你的Discord账户",
"Information": "相关信息",
"This dashboard can be used to create and delete servers": "此仪表板可用于创建和删除服务器",
"These servers can be used and managed on our pterodactyl panel": "这些服务器可以在我们的pterodactyl面板上使用和管理",
"If you have any questions, please join our Discord server and #create-a-ticket": "如果您有任何问题请加入我们的Discord服务器并#create-a-ticket",
"We hope you can enjoy this hosting experience and if you have any suggestions please let us know": "我们希望您能享受这种托管体验,如果您有任何建议,请让我们知道",
"Activity Logs": "活动日志",
"Dashboard": "控制面板",
"No recent activity from cronjobs": "最近没有cronjob",
"Check the docs for it here": "在这里查看它的文档",
"Are cronjobs running?": "cronjob正在运行吗",
"Check the docs for it here": "在这里查看它的文档",
"Causer": "引起者",
"Description": "描述",
"Created at": "创建于",
"Edit Configuration": "编辑配置",
"Text Field": "文本字段",
"Cancel": "取消",
"Close": "关闭",
"Save": "保存",
"true": "是",
"false": "否",
"Configurations": "配置",
"Dashboard": "控制面板",
"Key": "密钥",
"Value": "价值",
"Type": "类型",
"Application API": "应用程序API",
"Create": "创建",
"Memo": "备忘录",
"Submit": "提交",
"Create new": "创建新的",
"Token": "代币",
"Last used": "最后使用",
"Are you sure you wish to delete?": "你确定你要删除吗?",
"Nests": "Nests",
"Sync": "同步",
"Active": "激活",
"ID": "身份证",
"eggs": "eggs",
"Name": "名称",
"Nodes": "节点",
"Location": "地理位置",
"Admin Overview": "管理员概述",
"Support server": "支持服务器",
"Documentation": "文档",
"Github": "Github",
"Support ControlPanel": "支持我们",
"Servers": "服务器",
"Users": "用户",
"Total": "总数",
"Payments": "支付费用",
"Pterodactyl": "翼手龙",
"Sync": "同步",
"Resources": "资源",
"Count": "计数",
"Locations": "地点",
"Node": "节点",
"Nodes": "节点",
"Nests": "Nests",
"Eggs": "Eggs",
"Last updated :date": "最后更新时间",
"Purchase": "购买",
"ID": "身份证",
"User": "用户",
"Amount": "数量",
"Download all Invoices": "下载所有发票",
"Product Price": "产品价格",
"Tax": "税收",
"Tax Value": "税率",
"Tax Percentage": "纳税百分比",
"Total Price": "总价",
"Payment_ID": "付款人ID",
"Payer_ID": "付款人ID",
"Product": "产品",
"Payment ID": "付款编号",
"Payment Method": "支付方式",
"Products": "产品",
"Create": "创建",
"Product Details": "产品详情",
"Server Details": "服务器详细信息",
"Product Linking": "产品链接",
"Name": "名称",
"Disabled": "禁用",
"Will hide this option from being selected": "将隐藏此选项,使其不能被选中",
"Price in": "价格",
"Memory": "内存",
"Cpu": "处理器",
"Swap": "虚拟内存",
"This is what the users sees": "这就是用户看到的情况",
"Disk": "磁盘",
"Minimum": "最小值",
"Setting to -1 will use the value from configuration.": "设置为-1将使用配置中的值。",
"IO": "IO",
"Databases": "数据库",
"Database": "数据库",
"Backups": "备份",
"Allocations": "分配",
"Disabled": "禁用",
"Submit": "提交",
"This product will only be available for these nodes": "该产品仅适用于这些节点",
"This product will only be available for these eggs": "该产品仅适用于这些鸡蛋",
"Will hide this option from being selected": "将隐藏此选项,使其不能被选中",
"Product Linking": "产品链接",
"Link your products to nodes and eggs to create dynamic pricing for each option": "将你的产品链接到节点和彩蛋上,为每个选项创建动态定价。",
"Setting to -1 will use the value from configuration.": "设置为-1将使用配置中的值。",
"This is what the users sees": "这就是用户看到的情况",
"Edit": "编辑",
"Price": "价格",
"Are you sure you wish to delete?": "你确定你要删除吗?",
"Create new": "创建新的",
"Show": "显示",
"This product will only be available for these nodes": "该产品仅适用于这些节点",
"This product will only be available for these eggs": "该产品仅适用于这些 Egg",
"Product": "产品",
"CPU": "处理器",
"Updated at": "更新于",
"User": "用户",
"Config": "配置",
"Suspended at": "暂停在",
"Settings": "设置",
"Dashboard icons": "仪表板图标",
"The installer is not locked!": "安装程序没有被锁定!",
"please create a file called \"install.lock\" in your dashboard Root directory. Otherwise no settings will be loaded!": "请在你的Dashboard根目录下创建一个名为 \"install.lock \"的文件,否则将无法加载任何设置!",
"or click here": "或点击此处",
"Company Name": "公司名称",
"Company Adress": "公司地址",
"Company Phonenumber": "公司电话号码",
"VAT ID": "增值税号",
"Company E-Mail Adress": "公司电邮",
"Company Website": "公司网站",
"Invoice Prefix": "发票号前缀",
"Enable Invoices": "启用发票",
"Logo": "网站标志(Logo)",
"Select Invoice Logo": "选择发票标志",
"Available languages": "可用语言",
"Default language": "默认语言",
"The fallback Language, if something goes wrong": "备用语言",
"Datable language": "可用语言",
"The datatables lang-code. <br><strong>Example:<\/strong> en-gb, fr_fr, de_de<br>More Information: ": "数据表语言代码 <br><strong>示例:<\/strong> en-gb、fr_fr、de_de<br> 更多信息: ",
"Auto-translate": "自动翻译",
"If this is checked, the Dashboard will translate itself to the Clients language, if available": "如果勾选此项,系统将把自己翻译成客户语言(如果有)",
"Client Language-Switch": "客户语言切换",
"If this is checked, Clients will have the ability to manually change their Dashboard language": "如果勾选此项,客户将有能力手动改变他们的系统语言",
"Mail Service": "邮件服务",
"The Mailer to send e-mails with": "电邮的发送者",
"Mail Host": "电邮服务器域名或IP地址",
"Mail Port": "电邮服务器端口",
"Mail Username": "电邮服务器用户名",
"Mail Password": "电邮服务器密码",
"Mail Encryption": "电邮服务器加密方法",
"Mail From Adress": "发送者邮箱",
"Mail From Name": "发送者名称",
"Discord Client-ID": "Discord Client-ID",
"Discord Client-Secret": "Discord Client-Secret",
"Discord Bot-Token": "Discord 机器人 Token",
"Discord Guild-ID": "Discord 服务器ID",
"Discord Invite-URL": "Discord 邀请URL",
"Discord Role-ID": "Discord Role-ID",
"Enable ReCaptcha": "使用ReCaptcha",
"ReCaptcha Site-Key": "ReCaptcha网站密钥",
"ReCaptcha Secret-Key": "ReCaptcha密钥",
"Enable Referral": "启用推荐人",
"Mode": "Mode",
"Should a reward be given if a new User registers or if a new user buys credits": "如果新用户注册或新用户购买余额,是否应给予奖励",
"Commission": "提成",
"Sign-Up": "注册",
"Both": "全部",
"Referral reward in percent": "推荐奖励百分比",
"(only for commission-mode)": "(仅用于调试模式)",
"If a referred user buys credits, the referral-user will get x% of the Credits the referred user bought": "如果被推荐用户购买了余额那么被推荐用户将获得被推荐用户购买的余额的x%",
"Referral reward in": "邀请奖励",
"(only for sign-up-mode)": "(仅适用于注册模式)",
"Allowed": "已允许",
"Who is allowed to see their referral-URL": "允许查看其推荐URL的用户",
"Everyone": "所有人",
"Clients": "客户端",
"PayPal Client-ID": "PayPal Client-ID",
"PayPal Secret-Key": "PayPal 密钥",
"PayPal Sandbox Client-ID": "PayPal测试ID",
"optional": "可选",
"PayPal Sandbox Secret-Key": "PayPal测试密钥",
"Stripe Secret-Key": "Stripe密钥",
"Stripe Endpoint-Secret-Key": "Stripe端点密钥",
"Stripe Test Secret-Key": "Stripe测试密钥",
"Stripe Test Endpoint-Secret-Key": "Stripe端点测试密钥",
"Payment Methods": "付款方式",
"Tax Value in %": "增值税 %",
"System": "系统",
"Register IP Check": "注册检查IP地址",
"Prevent users from making multiple accounts using the same IP address.": "防止用户使用同一个IP地址建立多个账户",
"Charge first hour at creation": "在创建时收取第一个小时的费用",
"Charges the first hour worth of credits upon creating a server.": "在创建服务器时收取第一个小时的费用",
"Credits Display Name": "积分显示名称",
"PHPMyAdmin URL": "PHPMyAdmin地址",
"Enter the URL to your PHPMyAdmin installation. <strong>Without a trailing slash!<\/strong>": "输入你PHPMyAdmin的URL。<strong>不要有尾部斜线!<\/strong>",
"Pterodactyl URL": "Pterodactyl地址",
"Enter the URL to your Pterodactyl installation. <strong>Without a trailing slash!<\/strong>": "输入你Pterodactyl的URL。<strong>不要有尾部斜线!<\/strong>",
"Pterodactyl API Key": "Pterodactyl API密钥",
"Enter the API Key to your Pterodactyl installation.": "输入Pterodactyl API密钥",
"Force Discord verification": "强制Discord验证",
"Force E-Mail verification": "强制电邮验证",
"Initial Credits": "初始学分",
"Initial Server Limit": "初始服务器数量限制",
"Credits Reward Amount - Discord": "验证Discord奖励金额",
"Credits Reward Amount - E-Mail": "验证电邮奖励金额",
"Server Limit Increase - Discord": "验证Discord奖励服务器数量限制",
"Server Limit Increase - E-Mail": "验证电邮奖励服务器数量限制",
"Server": "服务器",
"Server Allocation Limit": "服务器端口数量限制",
"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 favicon": "选择面板图标",
"Token": "代币",
"Last used": "最后使用",
"Store": "商店",
"Server Slots": "服务器插槽",
"Currency code": "货币代码",
"Checkout the paypal docs to select the appropriate code": "查看支付宝文档,选择合适的代码。",
"Quantity": "数量",
"Amount given to the user after purchasing": "购买后给用户的金额",
"Display": "显示",
"This is what the user sees at store and checkout": "这就是用户在商店和结账时看到的内容。",
"This is what the user sees at checkout": "这是用户在结账时看到的内容",
"Adds 1000 credits to your account": "为您的账户增加1000个积分",
"Active": "激活",
"Paypal is not configured.": "Paypal没有被配置。",
"To configure PayPal, head to the .env and add your PayPals client id and secret.": "要配置PayPal请到.env中添加你的PayPal的客户ID和秘密。",
"This is what the user sees at checkout": "这是用户在结账时看到的内容",
"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.": "要配置支付方式,请前往设置页面,并为您喜欢的支付方式添加所需的选项",
"Useful Links": "有用的链接",
"Icon class name": "图标类名称",
"You can find available free icons": "你可以找到可用的免费图标",
"Title": "标题",
"Link": "链接",
"description": "描述",
"Icon": "图标",
"Username": "用户名",
"Email": "电子邮件",
"Pterodactly ID": "翼神ID",
"Server Limit": "服务器限制",
"Role": "角色",
"Administrator": "管理员",
"Client": "客户",
"Member": "会员",
"New Password": "新密码",
"Confirm Password": "确认密码",
"Pterodactyl ID": "Pterodactyl ID",
"This ID refers to the user account created on pterodactyls panel.": "这个ID指的是在翼龙面板上创建的用户账户。",
"Only edit this if you know what youre doing :)": "只有在你知道自己在做什么的情况下才可以编辑这个 :)",
"Server Limit": "服务器限制",
"Role": "角色",
" Administrator": " 管理员",
"Client": "客户",
"Member": "成员",
"New Password": "新密码",
"Confirm Password": "确认密码",
"Notify": "通知",
"Avatar": "头像",
"Referrals": "推荐",
"Verified": "已验证",
"Last seen": "最后一次看到",
"Notify": "通知",
"Notifications": "通知",
"All": "全部",
"Send via": "通过以下方式发送",
"Database": "数据库",
"Content": "内容",
"Notifications": "通知",
"Server limit": "服务器限制",
"Discord": "Discord",
"Usage": "使用情况",
"Config": "配置",
"IP": "IP",
"Referals": "Referals",
"Vouchers": "凭证",
"Voucher details": "凭证细节",
"Memo": "备忘录",
"Summer break voucher": "暑期度假券",
"Code": "编码",
"Uses": "使用方式",
"Expires at": "过期时间",
"Max": "最大",
"Random": "随机",
"Status": "状态",
"Used / Uses": "已使用/使用情况",
"Uses": "使用方式",
"A voucher can only be used one time per user. Uses specifies the number of different users that can use this voucher.": "每个用户只能使用一次代金券。使用次数指定了可以使用此代金券的不同用户的数量。",
"Max": "最大",
"Expires at": "过期时间",
"Used \/ Uses": "已使用\/使用情况",
"Expires": "过期",
"Please confirm your password before continuing.": "在继续之前,请确认您的密码。",
"Password": "密码",
"Forgot Your Password?": "忘记密码?",
"Sign in to start your session": "登录以开始您的会议",
"Password": "密码",
"Remember Me": "记住我",
"Sign In": "登录",
"Register a new membership": "注册一个新的会员",
"Forgot Your Password?": "忘记密码?",
"Register a new membership": "注册账号",
"Please confirm your password before continuing.": "在继续之前,请确认您的密码。",
"You forgot your password? Here you can easily retrieve a new password.": "你忘记了你的密码?在这里您可以轻松地找回一个新的密码。",
"Request new password": "申请新密码",
"Login": "登录",
"You are only one step a way from your new password, recover your password now.": "您只差一点就能找到您的密码了。",
"Retype password": "重新输入密码",
"Change password": "更改密码",
"I already have a membership": "我已经有一个会员资格",
"Referral code": "邀请码",
"Register": "注册",
"I already have a membership": "我已经拥有账号",
"Verify Your Email Address": "验证您的电子邮件地址",
"A fresh verification link has been sent to your email address.": "一个新的验证链接已被发送到您的电子邮件地址。",
"Before proceeding, please check your email for a verification link.": "在继续进行之前,请检查您的电子邮件是否有验证链接。",
"If you did not receive the email": "如果您没有收到该邮件",
"click here to request another": "请点击这里申请另一个",
"per month": "每个月",
"Out of Credits in": "余额用完在",
"Home": "首页",
"Languages": "语言",
"Language": "语言",
"See all Notifications": "查看所有通知",
"Mark all as read": "全部标记为已读",
"Redeem code": "兑换代码",
"Profile": "简介",
"Log back in": "重新登录",
"Logout": "注销",
"Administration": "行政管理",
"Overview": "纵观全局",
"Application API": "应用程序API",
"Management": "管理层",
"Other": "其他的",
"Logs": "日志",
"Redeem code": "兑换代码",
"Warning!": "警告!",
"You have not yet verified your email address": "你还没有验证你的电子邮件地址",
"Click here to resend verification email": "点击这里重新发送验证邮件",
"Please contact support If you didnt receive your verification email.": "如果你没有收到你的验证邮件,请联系支持。",
"Thank you for your purchase!": "谢谢您的购买!",
"Your payment has been confirmed; Your credit balance has been updated.": "您的付款已被确认;您的信用余额已被更新。",
"Payment ID": "付款编号",
"Balance": "余额",
"User ID": "用户ID",
"Your payment has been confirmed; Your credit balance has been updated.": "您的付款已被确认,余额已被更新",
"Thanks": "谢谢",
"Redeem voucher code": "兑换优惠券代码",
"Redeem": "赎回",
"Close": "关闭",
"Redeem": "兑换",
"All notifications": "所有通知",
"Required Email verification!": "需要电子邮件验证!",
"Required Discord verification!": "必需的 Discord 验证!",
@ -188,142 +374,91 @@
"It looks like this hasnt been set-up correctly! Please contact support.": "看起来这并没有被正确设置!请联系技术支持。",
"Change Password": "更改密码",
"Current Password": "当前密码",
"Save Changes": "保存更改",
"Re-Sync Discord": "重新同步 Discord",
"You are verified!": "你已经被验证了!",
"Link your discord account!": "绑定Discord帐号",
"By verifying your discord account, you receive extra Credits and increased Server amounts": "通过验证你的 Discord 帐户,你可以获得额外的游戏币和增加的服务器金额。",
"Login with Discord": "用 Discord 登录",
"You are verified!": "你已经被验证了!",
"Re-Sync Discord": "重新同步 Discord",
"Save Changes": "保存更改",
"Server configuration": "服务器配置",
"Error!": "错误!",
"Make sure to link your products to nodes and eggs.": "请确保将你的产品链接到节点和彩蛋。",
"There has to be at least 1 valid product for server creation": "至少要有1个有效的产品才能创建服务器。",
"Sync now": "立即同步",
"No products available!": "没有可用的产品!",
"No nodes have been linked!": "没有节点被链接!",
"No nests available!": "没有可用的巢穴!",
"No eggs have been linked!": "没有蛋被链接!",
"Software / Games": "软件/游戏",
"Software \/ Games": "软件\/游戏",
"Please select software ...": "请选择软件...",
"Specification": "规格",
"No selection": "没有选择",
"per month": "每个月",
"Not enough credits!": "没有足够的点数!",
"Please select a configuration ...": "请选择一个配置 ...",
"No resources found matching current configuration": "没有找到符合当前配置的资源",
"No nodes found matching current configuration": "没有找到符合当前配置的节点",
"Please select a node ...": "请选择一个节点 ...",
"---": "---",
"Specification ": "规格 ",
"Node": "节点",
"Resource Data:": "资源数据:",
"vCores": "线程",
"MB": "MB",
"MySQL": "MySQL",
"ports": "端口",
"Not enough": "没有足够的",
"Create server": "创建服务器",
"Use your servers on our": "使用你的服务器在我们的",
"pterodactyl panel": "翼手龙面板",
"Server limit reached!": "已达到服务器限制!",
"Please select a node ...": "请选择一个节点 ...",
"No nodes found matching current configuration": "没有找到符合当前配置的节点",
"Please select a resource ...": "请选择一资源类型",
"No resources found matching current configuration": "没有找到符合当前配置的资源",
"Please select a configuration ...": "请选择一个配置 ...",
"Not enough credits!": "没有足够的点数!",
"Create Server": "创建服务器",
"Software": "软件",
"Specification": "规格",
"Resource plan": "资源方案",
"RAM": "内存",
"MySQL Databases": "MySQL 数据库",
"per Hour": "每小时",
"per Month": "每个月",
"Manage": "管理",
"Delete server": "删除服务器",
"Price per Hour": "每小时价格",
"Price per Month": "每个月的价格",
"Are you sure?": "您确定吗?",
"This is an irreversible action, all files of this server will be removed.": "这是一个不可逆转的动作,这个服务器的所有文件将被删除。",
"Yes, delete it!": "是的,将其删除!",
"No, cancel!": "不,取消",
"Canceled ...": "已取消",
"Deletion has been canceled.": "操作已被取消",
"Date": "日期",
"To": "目的地",
"From": "从",
"Pending": "待定",
"Subtotal": "小计",
"Amount Due": "应付金额",
"Tax": "税收",
"Submit Payment": "提交付款",
"Payment Methods": "付款方式",
"By purchasing this product you agree and accept our terms of service": "购买此产品,您同意并接受我们的服务条款。",
"Purchase": "购买",
"There are no store products!": "没有商店的产品!",
"The store is not correctly configured!": "商店的配置不正确!",
"Out of Credits in": "信用额度用完在",
"days": "天",
"hours": "小时",
"You ran out of Credits": "你的信用额度用完了",
"Profile updated": "资料更新",
"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.": "在创建服务器之前您需要链接您的discord账户。",
"No allocations satisfying the requirements for automatic deployment on this node were found.": "没有发现符合该节点上自动部署要求的分配。",
"Server removed": "移除服务器",
"Server created": "创建了服务器",
"An exception has occurred while trying to remove a resource \"": "移除资源时出错。",
"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 ": "您需要在购买前链接您的迪斯科账户。 ",
"Warning!": "警告!",
"api key created!": "api密钥已创建!",
"api key updated!": "api密钥已更新!",
"api key has been removed!": "api密钥已被删除!",
"configuration has been updated!": "配置已被更新!",
"Pterodactyl synced": "翼手龙已同步化",
"Your credit balance has been increased!": "您的信用余额已增加!",
"Payment was Canceled": "付款已取消",
"Store item has been created!": "商店项目已创建!",
"Store item has been updated!": "商店商品已更新!",
"Product has been updated!": "产品已更新!",
"Store item has been removed!": "商店物品已被删除!",
"Product has been created!": "产品已创建!",
"Product has been removed!": "产品已被删除!",
"Server has been updated!": "服务器已被更新!",
"Icons updated!": "图标已更新!",
"link has been created!": "链接已创建",
"link has been updated!": "链接已更新",
"user has been removed!": "用户已被删除!",
"Notification sent!": "通知已发送!",
"User has been updated!": "用户已被更新!",
"User does not exists on pterodactyl's panel": "用户不存在于翼龙的面板上",
"voucher has been created!": "代金券已创建!",
"voucher has been updated!": "代金券已被更新!",
"voucher has been removed!": "代金券已被删除!",
"This voucher has reached the maximum amount of uses": "此代金券已达到最大使用量",
"This voucher has expired": "此优惠券已过期",
"You already redeemed this voucher code": "你已经兑换了这个优惠券代码",
"You can't redeem this voucher because you would exceed the limit of ": "你不能兑换此优惠券,因为你会超过此优惠券的使用限额。 ",
"have been added to your balance!": "已被添加到您的余额中!",
"Invoice": "发票",
"Invoice does not exist on filesystem!": "发票不存在于文件系统!",
"Serial No.": "序号",
"Invoice date": "发票日期",
"Seller": "卖家",
"Buyer": "买方",
"Address": "地址",
"VAT code": "增值税代码",
"VAT Code": "增值税代码",
"Phone": "电话",
"Units": "单位",
"Qty": "数量",
"Discount": "折扣",
"Sub total": "小计",
"Total discount": "折扣总额",
"Taxable amount": "应纳税额",
"Total taxes": "总税额",
"Tax rate": "税率",
"Total amount": "总金额",
"Please pay until": "请支付至",
"Amount in words": "税额的字数",
"Notes": "笔记",
"Total taxes": "总税额",
"Shipping": "运费",
"Paid": "已付",
"Due:": "应付。",
"Invoice Settings": "发票设置",
"Download all Invoices": "下载所有发票",
"Enter your companys name": "输入你的公司名称",
"Enter your companys address": "输入你的公司的地址",
"Enter your companys phone number": "输入你的公司的电话号码",
"Enter your companys VAT id": "输入你的公司的增值税识别码",
"Enter your companys email address": "输入公司的电子邮件地址",
"Enter your companys website": "输入你的公司网站",
"Enter your custom invoice prefix": "输入你的自定义发票前缀",
"Select Invoice Logo": "选择发票标志",
"Payment Confirmation": "付款确认",
"Payment Confirmed!": "付款确认!",
"Server Creation Error": "服务器创建错误",
"Your servers have been suspended!": "您的服务器已被暂停!",
"To automatically re-enable your server/s, you need to purchase more credits.": "为了自动重新启用您的服务器,您需要购买更多的点数。",
"Purchase credits": "购买信用额度",
"If you have any questions please let us know.": "如果你有任何问题,请让我们知道。",
"Regards": "联系我们",
"Getting started!": "开始吧!",
"EXPIRED": "已过期",
"VALID": "有效的",
"Unsuspend": "取消暂停",
"Suspend": "暂停",
"Delete": "删除",
"Login as User": "以用户身份登录",
"Clone": "克隆",
"Amount due": "应付金额",
"Your Payment was successful!": "恭喜,您的订单支付成功 !",
"Hello": "您好",
"Your payment was processed successfully!": "您的请求已处理成功"
}
"Total amount": "总金额",
"Notes": "笔记",
"Amount in words": "税额的字数",
"Please pay until": "请支付至",
"cs": "捷克语",
"de": "德语",
"en": "英语",
"es": "西班牙语",
"fr": "法语",
"hi": "印度语",
"it": "意大利语",
"nl": "荷兰语",
"pl": "波兰语",
"zh": "中文(简体)",
"tr": "土耳其语",
"ru": "俄语",
"sv": "乌克兰语",
"sk": "斯洛伐克语"
}

View file

@ -331,7 +331,9 @@
{{__('This product will only be available for these eggs')}}
</div>
</div>
<div class="text-muted">
{{__('No Eggs or Nodes shown?')}} <a href="{{route('admin.overview.sync')}}">{{__("Sync now")}}</a>
</div>
</div>
</div>
</div>

View file

@ -172,6 +172,11 @@
<input x-model="recaptcha-site-key" id="recaptcha-site-key" name="recaptcha-site-key"
type="text" value="{{ config('SETTINGS::RECAPTCHA:SITE_KEY') }}"
class="form-control @error('recaptcha-site-key') is-invalid @enderror">
@error('recaptcha-site-key')
<div class="text-danger">
{{$message}}
</div>
@enderror
</div>
</div>
@ -181,13 +186,28 @@
<input x-model="recaptcha-secret-key" id="recaptcha-secret-key" name="recaptcha-secret-key"
type="text" value="{{ config('SETTINGS::RECAPTCHA:SECRET_KEY') }}"
class="form-control @error('recaptcha-secret-key') is-invalid @enderror">
@error('recaptcha-secret-key')
<div class="text-danger">
{{$message}}
</div>
@enderror
</div>
</div>
@if(config('SETTINGS::RECAPTCHA:ENABLED') == 'true')
<div class="form-group mb-3">
<div class="custom-control p-0">
<label>{{ __('Your Recaptcha') }}:</label>
{!! htmlScriptTagJsApi() !!}
{!! htmlFormSnippet() !!}
</div>
</div>
@endif
</div>
<div class="col-md-3 px-3">
<div class="row mb-2">
<div class="col text-center">
<h1>Referral</h1>
<h1>{{__("Referral System")}}</h1>
</div>
</div>
@ -249,6 +269,21 @@
@endif>{{ __("Clients") }}</option>
</select>
</div>
<div class="row mb-2">
<div class="col text-center">
<h1>Ticket System</h1>
</div>
</div>
<div class="custom-control mb-3 p-0">
<div class="col m-0 p-0 d-flex justify-content-between align-items-center">
<div>
<input value="true" id="ticket_enabled" name="ticket_enabled"
{{ config('SETTINGS::TICKET:ENABLED') == 'true' ? 'checked' : '' }}
type="checkbox">
<label for="ticket_enabled">{{ __('Enable Ticketsystem') }} </label>
</div>
</div>
</div>
</div>
</div>

View file

@ -65,7 +65,18 @@
type="text" value="{{ config('SETTINGS::SYSTEM:PTERODACTYL:TOKEN') }}"
class="form-control @error('pterodactyl-api-key') is-invalid @enderror" required>
</div>
<div class="custom-control p-0 mb-3">
<div class="col m-0 p-0 d-flex justify-content-between align-items-center">
<label for="pterodactyl-admin-api-key">{{ __('Pterodactyl Admin-Account API Key') }}</label>
<i data-toggle="popover" data-trigger="hover" data-html="true"
data-content="{{ __('Enter the Client-API Key to a Pterodactyl-Admin-User here.') }}"
class="fas fa-info-circle"></i>
</div>
<input x-model="pterodactyl-admin-api-key" id="pterodactyl-admin-api-key" name="pterodactyl-admin-api-key"
type="text" value="{{ config('SETTINGS::SYSTEM:PTERODACTYL:ADMIN_USER_TOKEN') }}"
class="form-control @error('pterodactyl-admin-api-key') is-invalid @enderror" required>
</div>
<a href="{{route('admin.settings.checkPteroClientkey')}}"> <button type="button" class="btn btn-secondary">{{__("Test API")}}</button></a>
</div>
</div>

View file

@ -104,6 +104,9 @@
value="admin">
{{__(' Administrator')}}
</option>
<option @if($user->role == 'moderator') selected @endif class="text-info" value="moderator">
{{__('Moderator')}}
</option>
<option @if($user->role == 'client') selected @endif class="text-success"
value="client">
{{__('Client')}}

View file

@ -77,7 +77,7 @@
url: '//cdn.datatables.net/plug-ins/1.11.3/i18n/{{config("app.datatable_locale")}}.json'
},
processing: true,
serverSide: true,
serverSide: false, //increases loading times too much? change back to "true" if it does
stateSave: true,
ajax: "{{route('admin.users.datatable')}}",
order: [[ 11, "asc" ]],

View file

@ -72,7 +72,7 @@
</div>
<div class="col-lg-8">
<span style="max-width: 250px;"
class="d-inline-block text-truncate badge {{$user->role == 'admin' ? 'badge-info' : 'badge-secondary'}}">
class="d-inline-block text-truncate badge {{$user->role == 'admin' || $user->role == 'mod' ? 'badge-info' : 'badge-secondary'}}">
{{$user->role}}
</span>
</div>

View file

@ -63,7 +63,7 @@
</span>
@enderror
</div>
@if (config('SETTINGS::RECAPTCHA:ENABLED') == 'true')
<div class="input-group mb-3">
{!! htmlFormSnippet() !!}
@error('g-recaptcha-response')
@ -72,6 +72,7 @@
</span>
@enderror
</div>
@endif
<div class="row">
<div class="col-8">

View file

@ -101,6 +101,7 @@
</div>
</div>
@endif
@if (config('SETTINGS::RECAPTCHA:ENABLED') == 'true')
<div class="input-group mb-3">
{!! htmlFormSnippet() !!}
@error('g-recaptcha-response')
@ -109,6 +110,7 @@
</span>
@enderror
</div>
@endif
<div class="row">
<div class="col-8">

View file

@ -225,6 +225,31 @@
</a>
</li>
@endif
@if(config("SETTINGS::TICKET:ENABLED"))
<li class="nav-item">
<a href="{{ route('ticket.index') }}" class="nav-link @if (Request::routeIs('ticket.*')) active @endif">
<i class="nav-icon fas fas fa-ticket-alt"></i>
<p>{{ __('Support Ticket') }}</p>
</a>
</li>
@endif
@if ((Auth::user()->role == 'admin' || Auth::user()->role == 'moderator') && config("SETTINGS::TICKET:ENABLED"))
<li class="nav-header">{{ __('Moderation') }}</li>
<li class="nav-item">
<a href="{{ route('moderator.ticket.index') }}" class="nav-link @if (Request::routeIs('moderator.ticket.index')) active @endif">
<i class="nav-icon fas fa-ticket-alt"></i>
<p>{{ __('Ticket List') }}</p>
</a>
</li>
<li class="nav-item">
<a href="{{ route('moderator.ticket.blacklist') }}" class="nav-link @if (Request::routeIs('moderator.ticket.blacklist')) active @endif">
<i class="nav-icon fas fa-user-times"></i>
<p>{{ __('Ticket Blacklist') }}</p>
</a>
</li>
@endif
@if (Auth::user()->role == 'admin')
@ -442,6 +467,22 @@
}
})
@endif
@if (Session::has('info'))
Swal.fire({
icon: 'info',
title: '{{ Session::get('info') }}',
position: 'top-end',
showConfirmButton: false,
background: '#343a40',
toast: true,
timer: 3000,
timerProgressBar: true,
didOpen: (toast) => {
toast.addEventListener('mouseenter', Swal.stopTimer)
toast.addEventListener('mouseleave', Swal.resumeTimer)
}
})
@endif
</script>
</body>

View file

@ -0,0 +1,25 @@
@component('mail::message')
Ticket #{{$ticket->ticket_id}} has been opened by **{{$user->name}}**
### Details:
Client: {{$user->name}} <br>
Subject: {{$ticket->title}} <br>
Category: {{ $ticket->ticketcategory->name }} <br>
Priority: {{ $ticket->priority }} <br>
Status: {{ $ticket->status }} <br>
___
```
{{ $ticket->message }}
```
___
<br>
You can respond to this ticket by simply replying to this email or through the admin area at the url below.
<br>
{{ route('moderator.ticket.show', ['ticket_id' => $ticket->ticket_id]) }}
<br>
{{__('Thanks')}},<br>
{{ config('app.name') }}
@endcomponent

View file

@ -0,0 +1,25 @@
@component('mail::message')
Ticket #{{$ticket->ticket_id}} has had a new reply posted by **{{$user->name}}**
### Details
Client: {{$user->name}} <br>
Subject: {{$ticket->title}} <br>
Category: {{ $ticket->ticketcategory->name }} <br>
Priority: {{ $ticket->priority }} <br>
Status: {{ $ticket->status }} <br>
___
```
{{ $newmessage }}
```
___
<br>
You can respond to this ticket by simply replying to this email or through the admin area at the url below.
<br>
{{ route('moderator.ticket.show', ['ticket_id' => $ticket->ticket_id]) }}
<br>
{{__('Thanks')}},<br>
{{ config('app.name') }}
@endcomponent

View file

@ -0,0 +1,13 @@
@component('mail::message')
Hello {{$ticket->user->name}},
This is a notification that we have received your support request, and your ticket number is **#{{$ticket->ticket_id}}**.
We will be responding to this ticket as soon as possible. If this is a Setup request, please understand that these requests take longer than regular support timeframes. Please be aware that Setups may take up to 48 hours to be completed.
Thank you so much for being so understanding.
<br>
{{__('Thanks')}},<br>
{{ config('app.name') }}
@endcomponent

View file

@ -0,0 +1,18 @@
@component('mail::message')
A response has been added to your ticket. Please see below for our response!
### Details
Ticket ID : {{ $ticket->ticket_id }} <br>
Subject: {{ $ticket->title }} <br>
Status: {{ $ticket->status }} <br>
___
```
{{ $newmessage }}
```
___
<br>
<br>
{{__('Thanks')}},<br>
{{ config('app.name') }}
@endcomponent

View file

@ -0,0 +1,182 @@
@extends('layouts.main')
@section('content')
<!-- CONTENT HEADER -->
<section class="content-header">
<div class="container-fluid">
<div class="row mb-2">
<div class="col-sm-6">
<h1>{{ __('Ticket Blacklist') }}</h1>
</div>
<div class="col-sm-6">
<ol class="breadcrumb float-sm-right">
<li class="breadcrumb-item"><a href="{{ route('home') }}">{{ __('Dashboard') }}</a></li>
<li class="breadcrumb-item"><a class="text-muted"
href="{{ route('moderator.ticket.blacklist') }}">{{ __('Ticket Blacklist') }}</a>
</li>
</ol>
</div>
</div>
</div>
</section>
<!-- END CONTENT HEADER -->
<!-- MAIN CONTENT -->
<section class="content">
<div class="container-fluid">
<div class="row">
<div class="col-lg-8">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><i class="fas fas fa-users mr-2"></i>{{__('Blacklist List')}}</h5>
</div>
</div>
<div class="card-body table-responsive">
<table id="datatable" class="table table-striped">
<thead>
<tr>
<th>{{__('User')}}</th>
<th>{{__('Status')}}</th>
<th>{{__('Reason')}}</th>
<th>{{__('Created At')}}</th>
<th>{{__('Actions')}}</th>
</tr>
</thead>
<tbody>
</tbody>
</table>
</div>
</div>
</div>
<div class="col-lg-4">
<div class="card">
<div class="card-header">
<h5 class="card-title">{{__('Add To Blacklist')}}
<i data-toggle="popover"
data-trigger="hover"
data-content="{{__('please make the best of it')}}"
class="fas fa-info-circle"></i></h5>
</div>
<div class="card-body">
<form action="{{route('moderator.ticket.blacklist.add')}}" method="POST" class="ticket-form">
@csrf
<div class="custom-control mb-3 p-0">
<label for="user_id">{{ __('User') }}:
<i data-toggle="popover" data-trigger="hover"
data-content="{{ __('Please note, the blacklist will make the user unable to make a ticket/reply again') }}" class="fas fa-info-circle"></i>
</label>
<select id="user_id" style="width:100%" class="custom-select" name="user_id" required
autocomplete="off" @error('user_id') is-invalid @enderror>
</select>
</div>
<div class="form-group ">
<label for="reason" class="control-label">{{__("Reason")}}</label>
<input id="reason" type="text" class="form-control" name="reason" placeholder="Input Some Reason" required>
</div>
<button type="submit" class="btn btn-primary ticket-once">
{{__('Submit')}}
</button>
</form>
</div>
</div>
</div>
</div>
</div>
</section>
<!-- END CONTENT -->
<script>
document.addEventListener("DOMContentLoaded", function () {
$('#datatable').DataTable({
language: {
url: '//cdn.datatables.net/plug-ins/1.11.3/i18n/{{config("app.datatable_locale")}}.json'
},
processing: true,
serverSide: true,
stateSave: true,
ajax: "{{route('moderator.ticket.blacklist.datatable')}}",
columns: [
{data: 'user' , name : 'user.name'},
{data: 'status'},
{data: 'reason'},
{data: 'created_at', sortable: false},
{data: 'actions', sortable: false},
],
fnDrawCallback: function( oSettings ) {
$('[data-toggle="popover"]').popover();
}
});
});
</script>
<script type="application/javascript">
function initUserIdSelect(data) {
function escapeHtml(str) {
var div = document.createElement('div');
div.appendChild(document.createTextNode(str));
return div.innerHTML;
}
$('#user_id').select2({
ajax: {
url: '/admin/users.json',
dataType: 'json',
delay: 250,
data: function (params) {
return {
filter: { email: params.term },
page: params.page,
};
},
processResults: function (data, params) {
return { results: data };
},
cache: true,
},
data: data,
escapeMarkup: function (markup) { return markup; },
minimumInputLength: 2,
templateResult: function (data) {
if (data.loading) return escapeHtml(data.text);
return '<div class="user-block"> \
<img class="img-circle img-bordered-xs" src="' + escapeHtml(data.avatarUrl) + '?s=120" alt="User Image"> \
<span class="username"> \
<a href="#">' + escapeHtml(data.name) +'</a> \
</span> \
<span class="description"><strong>' + escapeHtml(data.email) + '</strong>' + '</span> \
</div>';
},
templateSelection: function (data) {
return '<div> \
<span> \
<img class="img-rounded img-bordered-xs" src="' + escapeHtml(data.avatarUrl) + '?s=120" style="height:28px;margin-top:-4px;" alt="User Image"> \
</span> \
<span style="padding-left:5px;"> \
' + escapeHtml(data.name) + ' (<strong>' + escapeHtml(data.email) + '</strong>) \
</span> \
</div>';
}
});
}
$(document).ready(function() {
@if (old('user_id'))
$.ajax({
url: '/admin/users.json?user_id={{ old('user_id') }}',
dataType: 'json',
}).then(function (data) {
initUserIdSelect([ data ]);
});
@else
initUserIdSelect();
@endif
});
</script>
@endsection

View file

@ -0,0 +1,88 @@
@extends('layouts.main')
@section('content')
<!-- CONTENT HEADER -->
<section class="content-header">
<div class="container-fluid">
<div class="row mb-2">
<div class="col-sm-6">
<h1>{{__('Ticket')}}</h1>
</div>
<div class="col-sm-6">
<ol class="breadcrumb float-sm-right">
<li class="breadcrumb-item"><a href="{{route('home')}}">{{__('Dashboard')}}</a></li>
<li class="breadcrumb-item"><a class="text-muted"
href="{{route('moderator.ticket.index')}}">{{__('Ticket List')}}</a></li>
</ol>
</div>
</div>
</div>
</section>
<!-- END CONTENT HEADER -->
<!-- MAIN CONTENT -->
<section class="content">
<div class="container-fluid">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><i class="fas fa-ticket-alt mr-2"></i>{{__('Ticket List')}}</h5>
</div>
</div>
<div class="card-body table-responsive">
<table id="datatable" class="table table-striped">
<thead>
<tr>
<th>{{__('Category')}}</th>
<th>{{__('Title')}}</th>
<th>{{__('User')}}</th>
<th>{{__('Status')}}</th>
<th>{{__('Last Updated')}}</th>
<th>{{__('Actions')}}</th>
</tr>
</thead>
<tbody>
</tbody>
</table>
</div>
</div>
</div>
<!-- END CUSTOM CONTENT -->
</section>
<!-- END CONTENT -->
<script>
document.addEventListener("DOMContentLoaded", function () {
$('#datatable').DataTable({
language: {
url: '//cdn.datatables.net/plug-ins/1.11.3/i18n/{{config("app.datatable_locale")}}.json'
},
processing: true,
serverSide: true,
stateSave: true,
ajax: "{{route('moderator.ticket.datatable')}}",
columns: [
{data: 'category'},
{data: 'title'},
{data: 'user_id'},
{data: 'status'},
{data: 'updated_at'},
{data: 'actions', sortable: false},
],
fnDrawCallback: function( oSettings ) {
$('[data-toggle="popover"]').popover();
}
});
});
</script>
@endsection

View file

@ -0,0 +1,137 @@
@extends('layouts.main')
@section('content')
<!-- CONTENT HEADER -->
<section class="content-header">
<div class="container-fluid">
<div class="row mb-2">
<div class="col-sm-6">
<h1>{{ __('Ticket') }}</h1>
</div>
<div class="col-sm-6">
<ol class="breadcrumb float-sm-right">
<li class="breadcrumb-item"><a href="{{ route('home') }}">{{ __('Dashboard') }}</a></li>
<li class="breadcrumb-item"><a class="text-muted"
href="{{ route('moderator.ticket.index') }}">{{ __('Ticket') }}</a>
</li>
</ol>
</div>
</div>
</div>
</section>
<!-- END CONTENT HEADER -->
<!-- MAIN CONTENT -->
<section class="content">
<div class="container-fluid">
<div class="row">
<div class="col-lg-12">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><i class="fas fa-users mr-2"></i>#{{ $ticket->ticket_id }}</h5>
</div>
</div>
<div class="card-body">
<div class="ticket-info">
@if(!empty($server))
<p><b>Server:</b> <a href="{{ config("SETTINGS::SYSTEM:PTERODACTYL:URL") . '/admin/servers/view/' . $server->pterodactyl_id }}" target="__blank">{{ $server->name }}</a></p>
@endif
<p><b>Title:</b> {{ $ticket->title }}</p>
<p><b>Category:</b> {{ $ticketcategory->name }}</p>
<p>
@if ($ticket->status === 'Open')
<b>Status:</b> <span class="badge badge-success">Open</span>
@elseif ($ticket->status === 'Closed')
<b>Status:</b> <span class="badge badge-danger">Closed</span>
@elseif ($ticket->status === 'Answered')
<b>Status:</b> <span class="badge badge-info">Answered</span>
@elseif ($ticket->status === 'Client Reply')
<b>Status:</b> <span class="badge badge-warning">Client Reply</span>
@endif
</p>
<p><b>Created on:</b> {{ $ticket->created_at->diffForHumans() }}</p>
</div>
</div>
</div>
</div>
<div class="col-lg-12">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><i class="fas fa-cloud mr-2"></i>{{__('Comment')}}</h5>
</div>
</div>
<div class="card-body">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><img
src="https://www.gravatar.com/avatar/{{ md5(strtolower($ticket->user->email)) }}?s=25"
class="user-image" alt="User Image">
<a href="/admin/users/{{$ticket->user->id}}">{{ $ticket->user->name }}</a>
@if($ticket->user->role === "member")
<span class="badge badge-secondary"> Member </span>
@elseif ($ticket->user->role === "client")
<span class="badge badge-success"> Client </span>
@elseif ($ticket->user->role === "moderator")
<span class="badge badge-info"> Moderator </span>
@elseif ($ticket->user->role === "admin")
<span class="badge badge-danger"> Admin </span>
@endif
</h5>
<span class="badge badge-primary">{{ $ticket->created_at->diffForHumans() }}</span>
</div>
</div>
<div class="card-body" style="white-space:pre-wrap">{{ $ticket->message }}</div>
</div>
@foreach ($ticketcomments as $ticketcomment)
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><img
src="https://www.gravatar.com/avatar/{{ md5(strtolower($ticketcomment->user->email)) }}?s=25"
class="user-image" alt="User Image">
<a href="/admin/users/{{$ticketcomment->user->id}}">{{ $ticketcomment->user->name }}</a>
@if($ticketcomment->user->role === "member")
<span class="badge badge-secondary"> Member </span>
@elseif ($ticketcomment->user->role === "client")
<span class="badge badge-success"> Client </span>
@elseif ($ticketcomment->user->role === "moderator")
<span class="badge badge-info"> Moderator </span>
@elseif ($ticketcomment->user->role === "admin")
<span class="badge badge-danger"> Admin </span>
@endif
</h5>
<span class="badge badge-primary">{{ $ticketcomment->created_at->diffForHumans() }}</span>
</div>
</div>
<div class="card-body" style="white-space:pre-wrap">{{ $ticketcomment->ticketcomment }}</div>
</div>
@endforeach
<div class="comment-form">
<form action="{{ route('moderator.ticket.reply')}}" method="POST" class="form">
{!! csrf_field() !!}
<input type="hidden" name="ticket_id" value="{{ $ticket->id }}">
<div class="form-group{{ $errors->has('ticketcomment') ? ' has-error' : '' }}">
<textarea rows="10" id="ticketcomment" class="form-control" name="ticketcomment"></textarea>
@if ($errors->has('ticketcomment'))
<span class="help-block">
<strong>{{ $errors->first('ticketcomment') }}</strong>
</span>
@endif
</div>
<div class="form-group">
<button type="submit" class="btn btn-primary">Submit</button>
</div>
</form>
</div>
</div>
</div>
</div>
</div>
</div>
</section>
<!-- END CONTENT -->
@endsection

View file

@ -211,7 +211,7 @@
</div>
<div class="mt-2 mb-2">
<span class="card-text text-muted">{{ __('Description') }}</span>
<p class="card-text" style="white-space:pre" x-text="product.description"></p>
<p class="card-text" style="white-space:pre-wrap" x-text="product.description"></p>
</div>
</div>
<div class="mt-auto border rounded border-secondary">
@ -356,7 +356,7 @@
this.fetchedProducts = true;
// TODO: Sortable by user chosen property (cpu, ram, disk...)
this.products = response.data.sort((p1, p2) => p1.price > p2.price && 1 || -1)
this.products = response.data.sort((p1, p2) => parseInt(p1.price,10) > parseInt(p2.price,10) && 1 || -1)
//divide cpu by 100 for each product
this.products.forEach(product => {

View file

@ -202,6 +202,11 @@
data-toggle="tooltip" data-placement="bottom" title="{{ __('Manage Server') }}">
<i class="fas fa-tools mx-4"></i>
</a>
<a href="{{ route('servers.show', ['server' => $server->id])}}"
class="btn btn-info mx-3 w-100 align-items-center justify-content-center d-flex"
data-toggle="tooltip" data-placement="bottom" title="{{ __('Server Settings') }}">
<i class="fas fa-cog mr-2"></i>
</a>
<button onclick="handleServerCancel('{{ $server->id }}');" target="__blank"
class="btn btn-warning text-center"
{{ $server->suspended || $server->cancelled ? "disabled" : "" }}

View file

@ -0,0 +1,324 @@
@extends('layouts.main')
@section('content')
<!-- CONTENT HEADER -->
<section class="content-header">
<div class="container-fluid">
<div class="row mb-2">
<div class="col-sm-6">
<h1>{{__('Server Settings')}}</h1>
</div>
<div class="col-sm-6">
<ol class="breadcrumb float-sm-right">
<li class="breadcrumb-item"><a href="{{ route('home') }}">{{__('Dashboard')}}</a></li>
<li class="breadcrumb-item"><a href="{{ route('servers.index') }}">{{__('Server')}}</a></li>
<li class="breadcrumb-item"><a class="text-muted"
href="{{ route('servers.show', $server->id) }}">{{__('Settings')}}</a>
</li>
</ol>
</div>
</div>
</div>
</section>
<!-- END CONTENT HEADER -->
<!-- MAIN CONTENT -->
<section class="content">
<div class="container-fluid">
<div class="row pt-3">
<div class="col-xl-3 col-sm-6 mb-xl-0 mb-4">
<div class="card">
<div class="card-body p-3">
<div class="row">
<div class="col-8">
<div class="numbers">
<p class="text-sm mb-0 text-uppercase font-weight-bold">SERVER NAME</p>
<h5 class="font-weight-bolder" id="domain_text">
<span class="text-success text-sm font-weight-bolder">{{ $server->name }}</span>
</h5>
</div>
</div>
<div class="col-4 text-end">
<div class="icon icon-shape bg-gradient-primary shadow-primary text-center rounded-circle">
<i class='bx bx-fingerprint' style="color: white;"></i>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="col-xl-3 col-sm-6 mb-xl-0 mb-4">
<div class="card">
<div class="card-body p-3">
<div class="row">
<div class="col-8">
<div class="numbers">
<p class="text-sm mb-0 text-uppercase font-weight-bold">CPU</p>
<h5 class="font-weight-bolder">
<span class="text-success text-sm font-weight-bolder">@if($server->product->cpu == 0)Unlimited @else {{$server->product->cpu}} % @endif</span>
</h5>
</div>
</div>
<div class="col-4 text-end">
<div class="icon icon-shape bg-gradient-danger shadow-danger text-center rounded-circle">
<i class='bx bxs-chip' style="color: white;"></i>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="col-xl-3 col-sm-6 mb-xl-0 mb-4">
<div class="card">
<div class="card-body p-3">
<div class="row">
<div class="col-8">
<div class="numbers">
<p class="text-sm mb-0 text-uppercase font-weight-bold">Memory</p>
<h5 class="font-weight-bolder">
<span class="text-success text-sm font-weight-bolder">@if($server->product->memory == 0)Unlimited @else {{$server->product->memory}}MB @endif</span>
</h5>
</div>
</div>
<div class="col-4 text-end">
<div class="icon icon-shape bg-gradient-success shadow-success text-center rounded-circle">
<i class='bx bxs-memory-card' style="color: white;"></i>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="col-xl-3 col-sm-6">
<div class="card">
<div class="card-body p-3">
<div class="row">
<div class="col-8">
<div class="numbers">
<p class="text-sm mb-0 text-uppercase font-weight-bold">STORAGE</p>
<h5 class="font-weight-bolder">
<span class="text-success text-sm font-weight-bolder">@if($server->product->disk == 0)Unlimited @else {{$server->product->disk}}MB @endif</span>
</h5>
</div>
</div>
<div class="col-4 text-end">
<div class="icon icon-shape bg-gradient-warning shadow-warning text-center rounded-circle">
<i class='bx bxs-hdd' style="color: white;"></i>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="card">
<div class="card-header d-flex justify-content-between">
<h5 class="card-title"><i class="fas fa-sliders-h mr-2"></i>{{__('Server Information')}}</h5>
</div>
<div class="card-body">
<div class="row">
<div class="col-lg-6">
<div class="row">
<div class="col-lg-4">
<label>{{__('Server ID')}}</label>
</div>
<div class="col-lg-8">
<span style="max-width: 250px;" class="d-inline-block text-truncate">
{{ $server->id }}
</span>
</div>
</div>
</div>
<div class="col-lg-6">
<div class="row">
<div class="col-lg-4">
<label>{{__('Pterodactyl ID')}}</label>
</div>
<div class="col-lg-8">
<span style="max-width: 250px;" class="d-inline-block text-truncate">
{{ $server->identifier }}
</span>
</div>
</div>
</div>
<div class="col-lg-6">
<div class="row">
<div class="col-lg-4">
<label>{{__('Hourly Price')}}</label>
</div>
<div class="col-lg-8">
<span style="max-width: 250px;" class="d-inline-block text-truncate">
{{ number_format($server->product->getHourlyPrice(), 2, '.', '') }}
</span>
</div>
</div>
</div>
<div class="col-lg-6">
<div class="row">
<div class="col-lg-4">
<label>{{__('Monthly Price')}}</label>
</div>
<div class="col-lg-8">
<span style="max-width: 250px;" class="d-inline-block text-truncate">
{{ $server->product->getHourlyPrice() * 24 * 30 }}
</span>
</div>
</div>
</div>
<div class="col-lg-6">
<div class="row">
<div class="col-lg-4">
<label>{{__('Location')}}</label>
</div>
<div class="col-lg-8">
<span style="max-width: 250px;" class="d-inline-block text-truncate">
{{ $server->location }}
</span>
</div>
</div>
</div>
<div class="col-lg-6">
<div class="row">
<div class="col-lg-4">
<label>{{__('Node')}}</label>
</div>
<div class="col-lg-8">
<span style="max-width: 250px;" class="d-inline-block text-truncate">
{{ $server->node }}
</span>
</div>
</div>
</div>
<div class="col-lg-6">
<div class="row">
<div class="col-lg-4">
<label>{{__('Backups')}}</label>
</div>
<div class="col-lg-8">
<span style="max-width: 250px;" class="d-inline-block text-truncate">
{{ $server->product->backups }}
</span>
</div>
</div>
</div>
<div class="col-lg-6">
<div class="row">
<div class="col-lg-4">
<label>{{__('MySQL Database')}}</label>
</div>
<div class="col-lg-8">
<span style="max-width: 250px;" class="d-inline-block text-truncate">
{{ $server->product->databases }}
</span>
</div>
</div>
</div>
</div>
</div>
<div class="card-footer">
<div class="col-md-12 text-center">
<!-- Upgrade Button trigger modal -->
@if(!config("SETTINGS::SYSTEM:PTERODACTYL:ADMIN_USER_TOKEN") and Auth::user()->role=="admin")
<i data-toggle="popover" data-trigger="hover"
data-content="{{ __('To enable the upgrade/downgrade system, please set your Ptero Admin-User API Key in the Settings!') }}"
class="fas fa-info-circle"></i>
@endif
<button type="button" data-toggle="modal" @if(!config("SETTINGS::SYSTEM:PTERODACTYL:ADMIN_USER_TOKEN")) disabled @endif data-target="#UpgradeModal{{ $server->id }}" target="__blank"
class="btn btn-info btn-md">
<i class="fas fa-upload mr-2"></i>
<span>{{ __('Upgrade / Downgrade') }}</span>
</button>
<!-- Upgrade Modal -->
<div style="width: 100%; margin-block-start: 100px;" class="modal fade" id="UpgradeModal{{ $server->id }}" tabindex="-1">
<div class="modal-dialog">
<div class="modal-content">
<div class="modal-header card-header">
<h5 class="modal-title">{{__("Upgrade/Downgrade Server")}}</h5>
<button type="button" class="close" data-dismiss="modal" aria-label="Close">
<span aria-hidden="true">&times;</span>
</button>
</div>
<div class="modal-body card-body">
<strong>{{__("FOR DOWNGRADE PLEASE CHOOSE A PLAN BELOW YOUR PLAN")}}</strong>
<br>
<br>
<strong>{{__("YOUR PRODUCT")}} : </strong> {{ $server->product->name }}
<br>
<br>
<form action="{{ route('servers.upgrade', ['server' => $server->id]) }}" method="POST" class="upgrade-form">
@csrf
<select name="product_upgrade" id="product_upgrade" class="form-input2 form-control">
<option value="">{{__("Select the product")}}</option>
@foreach($products as $product)
@if(in_array($server->egg, $product->eggs) && $product->id != $server->product->id)
<option value="{{ $product->id }}">{{ $product->name }} [ {{ CREDITS_DISPLAY_NAME }} {{ $product->price }} ]</option>
@endif
@endforeach
</select>
<br> {{__("Once the Upgrade button is pressed, we will automatically deduct the amount for the first hour according to the new product from your credits")}}. <br>
<br> {{_("Server will be automatically restarted once upgraded")}}
</div>
<div class="modal-footer card-body">
<button type="submit" class="btn btn-primary upgrade-once" style="width: 100%"><strong>{{__("Change Product")}}</strong></button>
</div>
</form>
</div>
</div>
</div>
<!-- Delete Button trigger modal -->
<button type="button" data-toggle="modal" data-target="#DeleteModal" target="__blank"
class="btn btn-danger btn-md">
<i class="fas fa-trash mr-2"></i>
<span>{{ __('Delete') }}</span>
</button>
<!-- Delete Modal -->
<div class="modal fade" id="DeleteModal" tabindex="-1" role="dialog" aria-labelledby="DeleteModalLabel" aria-hidden="true">
<div class="modal-dialog" role="document">
<div class="modal-content">
<div class="modal-header">
<h5 class="modal-title" id="DeleteModalLabel">{{__("Delete Server")}}</h5>
<button type="button" class="close" data-dismiss="modal" aria-label="Close">
<span aria-hidden="true">&times;</span>
</button>
</div>
<div class="modal-body">
{{__("This is an irreversible action, all files of this server will be removed!")}}
</div>
<div class="modal-footer">
<button type="button" class="btn btn-secondary" data-dismiss="modal">Cancel</button>
<form class="d-inline" method="post" action="{{ route('servers.destroy', ['server' => $server->id]) }}">
@csrf
@method('DELETE')
<button data-toggle="popover" data-trigger="hover" data-placement="top" class="btn btn-danger mr-1">{{__("Delete")}}</button>
</form>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
<!-- END CUSTOM CONTENT -->
</div>
</section>
<!-- END CONTENT -->
<script type="text/javascript">
$(".upgrade-form").submit(function (e) {
$(".upgrade-once").attr("disabled", true);
return true;
})
</script>
@endsection

View file

@ -0,0 +1,135 @@
@extends('layouts.main')
@section('content')
<!-- CONTENT HEADER -->
<section class="content-header">
<div class="container-fluid">
<div class="row mb-2">
<div class="col-sm-6">
<h1>{{ __('Ticket') }}</h1>
</div>
<div class="col-sm-6">
<ol class="breadcrumb float-sm-right">
<li class="breadcrumb-item"><a href="{{ route('home') }}">{{ __('Dashboard') }}</a></li>
<li class="breadcrumb-item"><a class="text-muted"
href="{{ route('ticket.index') }}">{{ __('Ticket') }}</a>
</li>
</ol>
</div>
</div>
</div>
</section>
<!-- END CONTENT HEADER -->
<!-- MAIN CONTENT -->
<section class="content">
<div class="container-fluid">
<form action="{{route('ticket.new.store')}}" method="POST" class="ticket-form">
@csrf
<div class="row">
<div class="col-lg-6">
<div class="card">
<div class="card-header">
<h5 class="card-title">
<i class="fas fa-money-check-alt mr-2"></i>{{__('Open a new ticket')}}
</h5>
</div>
<div class="card-body">
<div class="form-group col-sm-12 {{ $errors->has('title') ? ' has-error' : '' }}">
<label for="title" class="control-label">Title</label>
<input id="title" type="text" class="form-control" name="title" value="{{ old('title') }}">
@if ($errors->has('title'))
<span class="help-block">
<strong>{{ $errors->first('title') }}</strong>
</span>
@endif
</div>
@if ($servers->count() >= 1)
<div class="form-group col-sm-12 {{ $errors->has('server') ? ' has-error' : '' }}">
<label for="server" class="control-label">Servers</label>
<select id="server" type="server" class="form-control" name="server">
<option value="">Select Servers</option>
@foreach ($servers as $server)
<option value="{{ $server->id }}">{{ $server->name }}</option>
@endforeach
</select>
@if ($errors->has('category'))
<span class="help-block">
<strong>{{ $errors->first('ticketcategory') }}</strong>
</span>
@endif
</div>
@endif
<div class="form-group col-sm-12 {{ $errors->has('ticketcategory') ? ' has-error' : '' }}">
<label for="ticketcategory" class="control-label">Category</label>
<select id="ticketcategory" type="ticketcategory" class="form-control" name="ticketcategory">
<option value="">Select Category</option>
@foreach ($ticketcategories as $ticketcategory)
<option value="{{ $ticketcategory->id }}">{{ $ticketcategory->name }}</option>
@endforeach
</select>
@if ($errors->has('category'))
<span class="help-block">
<strong>{{ $errors->first('ticketcategory') }}</strong>
</span>
@endif
</div>
<div class="form-group col-sm-12 {{ $errors->has('priority') ? ' has-error' : '' }}">
<label for="priority" class="control-label">Priority</label>
<select id="priority" type="" class="form-control" name="priority">
<option value="">Select Priority</option>
<option value="Low">Low</option>
<option value="Medium">Medium</option>
<option value="High">High</option>
</select>
@if ($errors->has('priority'))
<span class="help-block">
<strong>{{ $errors->first('priority') }}</strong>
</span>
@endif
</div>
</div>
<div class="card-footer">
<button type="submit" class="btn btn-primary ticket-once">
{{__('Open Ticket')}}
</button>
</div>
</div>
</div>
<div class="col-lg-6">
<div class="card">
<div class="card-header">
<h5 class="card-title">
<i class="fas fa-money-check-alt mr-2"></i>{{__('Ticket details')}}
</h5>
</div>
<div class="card-body">
<div class="form-group col-sm-12 {{ $errors->has('message') ? ' has-error' : '' }}">
<label for="message" class="control-label">Message</label>
<textarea rows="8" id="message" class="form-control" name="message"></textarea>
@if ($errors->has('message'))
<span class="help-block">
<strong>{{ $errors->first('message') }}</strong>
</span>
@endif
</div>
</div>
</div>
</div>
</div>
</form>
</div>
</section>
<!-- END CONTENT -->
<script type="text/javascript">
$(".ticket-form").submit(function (e) {
$(".ticket-once").attr("disabled", true);
return true;
})
</script>
@endsection

View file

@ -0,0 +1,97 @@
@extends('layouts.main')
@section('content')
<!-- CONTENT HEADER -->
<section class="content-header">
<div class="container-fluid">
<div class="row mb-2">
<div class="col-sm-6">
<h1>{{ __('Ticket') }}</h1>
</div>
<div class="col-sm-6">
<ol class="breadcrumb float-sm-right">
<li class="breadcrumb-item"><a href="{{ route('home') }}">{{ __('Dashboard') }}</a></li>
<li class="breadcrumb-item"><a class="text-muted"
href="{{ route('ticket.index') }}">{{ __('Ticket') }}</a>
</li>
</ol>
</div>
</div>
</div>
</section>
<!-- END CONTENT HEADER -->
<!-- MAIN CONTENT -->
<section class="content">
<div class="container-fluid">
<div class="row">
<div class="col-lg-8">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><i class="fas fa-ticket-alt mr-2"></i>{{__('My Ticket')}}</h5>
<a href="{{route('ticket.new')}}" class="btn btn-sm btn-primary"><i
class="fas fa-plus mr-1"></i>{{__('New Ticket')}}</a>
</div>
</div>
<div class="card-body table-responsive">
<table id="datatable" class="table table-striped">
<thead>
<tr>
<th>{{__('Category')}}</th>
<th>{{__('Title')}}</th>
<th>{{__('Status')}}</th>
<th>{{__('Last Updated')}}</th>
</tr>
</thead>
<tbody>
</tbody>
</table>
</div>
</div>
</div>
<div class="col-lg-4">
<div class="card">
<div class="card-header">
<h5 class="card-title">{{__('Ticket Information')}}
<i data-toggle="popover"
data-trigger="hover"
data-content="{{__('please make the best of it')}}"
class="fas fa-info-circle"></i></h5>
</div>
<div class="card-body">
<p>Can't start your server? Need an additional port? Do you have any other questions? Let us know by
opening a ticket.</p>
</div>
</div>
</div>
</div>
</div>
</section>
<!-- END CONTENT -->
<script>
document.addEventListener("DOMContentLoaded", function () {
$('#datatable').DataTable({
language: {
url: '//cdn.datatables.net/plug-ins/1.11.3/i18n/{{config("app.datatable_locale")}}.json'
},
processing: true,
serverSide: true,
stateSave: true,
ajax: "{{route('ticket.datatable')}}",
columns: [
{data: 'category'},
{data: 'title'},
{data: 'status'},
{data: 'updated_at', sortable: false},
],
fnDrawCallback: function( oSettings ) {
$('[data-toggle="popover"]').popover();
}
});
});
</script>
@endsection

View file

@ -0,0 +1,145 @@
@extends('layouts.main')
@section('content')
<!-- CONTENT HEADER -->
<section class="content-header">
<div class="container-fluid">
<div class="row mb-2">
<div class="col-sm-6">
<h1>{{ __('Ticket') }}</h1>
</div>
<div class="col-sm-6">
<ol class="breadcrumb float-sm-right">
<li class="breadcrumb-item"><a href="{{ route('home') }}">{{ __('Dashboard') }}</a></li>
<li class="breadcrumb-item"><a class="text-muted"
href="{{ route('ticket.index') }}">{{ __('Ticket') }}</a>
</li>
</ol>
</div>
</div>
</div>
</section>
<!-- END CONTENT HEADER -->
<!-- MAIN CONTENT -->
<section class="content">
<div class="container-fluid">
<div class="row">
<div class="col-lg-12">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><i class="fas fa-users mr-2"></i>#{{ $ticket->ticket_id }}</h5>
</div>
</div>
<div class="card-body">
<div class="ticket-info">
@if(!empty($server))
<p><b>Server:</b> <a href="{{ config('SETTINGS::SYSTEM:PTERODACTYL:URL') }}/server/{{ $server->identifier }}" target="__blank">{{ $server->name }} </a></p>
@endif
<p><b>Title:</b> {{ $ticket->title }}</p>
<p><b>Category:</b> {{ $ticketcategory->name }}</p>
<p>
@if ($ticket->status === 'Open')
<b>Status:</b> <span class="badge badge-success">Open</span>
@elseif ($ticket->status === 'Closed')
<b>Status:</b> <span class="badge badge-danger">Closed</span>
@elseif ($ticket->status === 'Answered')
<b>Status:</b> <span class="badge badge-info">Answered</span>
@elseif ($ticket->status === 'Client Reply')
<b>Status:</b> <span class="badge badge-warning">Client Reply</span>
@endif
</p>
<p><b>Created on:</b> {{ $ticket->created_at->diffForHumans() }}</p>
</div>
</div>
</div>
</div>
<div class="col-lg-12">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><i class="fas fa-cloud mr-2"></i>{{__('Comment')}}</h5>
</div>
</div>
<div class="card-body">
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><img
src="https://www.gravatar.com/avatar/{{ md5(strtolower($ticket->user->email)) }}?s=25"
class="user-image" alt="User Image">
<a href="/admin/users/{{$ticket->user->id}}">{{ $ticket->user->name }} </a>
@if($ticket->user->role === "member")
<span class="badge badge-secondary"> Member </span>
@elseif ($ticket->user->role === "client")
<span class="badge badge-success"> Client </span>
@elseif ($ticket->user->role === "moderator")
<span class="badge badge-info"> Moderator </span>
@elseif ($ticket->user->role === "admin")
<span class="badge badge-danger"> Admin </span>
@endif
</h5>
<span class="badge badge-primary">{{ $ticket->created_at->diffForHumans() }}</span>
</div>
</div>
<div class="card-body" style="white-space:pre-wrap">{{ $ticket->message }}</div>
</div>
@foreach ($ticketcomments as $ticketcomment)
<div class="card">
<div class="card-header">
<div class="d-flex justify-content-between">
<h5 class="card-title"><img
src="https://www.gravatar.com/avatar/{{ md5(strtolower($ticketcomment->user->email)) }}?s=25"
class="user-image" alt="User Image">
<a href="/admin/users/{{$ticketcomment->user->id}}">{{ $ticketcomment->user->name }}</a>
@if($ticketcomment->user->role === "member")
<span class="badge badge-secondary"> Member </span>
@elseif ($ticketcomment->user->role === "client")
<span class="badge badge-success"> Client </span>
@elseif ($ticketcomment->user->role === "moderator")
<span class="badge badge-info"> Moderator </span>
@elseif ($ticketcomment->user->role === "admin")
<span class="badge badge-danger"> Admin </span>
@endif
</h5>
<span class="badge badge-primary">{{ $ticketcomment->created_at->diffForHumans() }}</span>
</div>
</div>
<div class="card-body" style="white-space:pre-wrap">{{ $ticketcomment->ticketcomment }}</div>
</div>
@endforeach
<div class="comment-form">
<form action="{{ route('ticket.reply')}}" method="POST" class="form reply-form">
{!! csrf_field() !!}
<input type="hidden" name="ticket_id" value="{{ $ticket->id }}">
<div class="form-group{{ $errors->has('ticketcomment') ? ' has-error' : '' }}">
<textarea rows="10" id="ticketcomment" class="form-control" name="ticketcomment"></textarea>
@if ($errors->has('ticketcomment'))
<span class="help-block">
<strong>{{ $errors->first('ticketcomment') }}</strong>
</span>
@endif
</div>
<div class="form-group">
<button type="submit" class="btn btn-primary reply-once">Submit</button>
</div>
</form>
</div>
</div>
</div>
</div>
</div>
</div>
</section>
<!-- END CONTENT -->
<script type="text/javascript">
$(".reply-form").submit(function (e) {
$(".reply-once").attr("disabled", true);
return true;
})
</script>
@endsection

View file

@ -14,6 +14,7 @@ use App\Http\Controllers\Admin\SettingsController;
use App\Http\Controllers\Admin\UsefulLinkController;
use App\Http\Controllers\Admin\UserController;
use App\Http\Controllers\Admin\VoucherController;
use App\Http\Controllers\Moderation\TicketsController as ModTicketsController;
use App\Http\Controllers\Auth\SocialiteController;
use App\Http\Controllers\HomeController;
use App\Http\Controllers\NotificationController;
@ -22,6 +23,7 @@ use App\Http\Controllers\ProfileController;
use App\Http\Controllers\ServerController;
use App\Http\Controllers\StoreController;
use App\Http\Controllers\TranslationController;
use App\Http\Controllers\TicketsController;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
use Illuminate\Support\Facades\Route;
@ -40,6 +42,7 @@ use App\Classes\Settings\System;
|
*/
Route::middleware('guest')->get('/', function () {
return redirect('login');
})->name('welcome');
@ -62,6 +65,7 @@ Route::middleware(['auth', 'checkSuspended'])->group(function () {
Route::resource('notifications', NotificationController::class);
Route::patch('/servers/cancel/{server}', [ServerController::class, 'cancel'])->name('servers.cancel');
Route::resource('servers', ServerController::class);
Route::post('servers/{server}/upgrade', [ServerController::class,'upgrade'])->name('servers.upgrade');
Route::resource('profile', ProfileController::class);
Route::resource('store', StoreController::class);
@ -91,6 +95,15 @@ Route::middleware(['auth', 'checkSuspended'])->group(function () {
#switch language
Route::post('changelocale', [TranslationController::class, 'changeLocale'])->name('changeLocale');
#ticket user
if(config("SETTINGS::TICKET:ENABLED")) {
Route::get('ticket', [TicketsController::class, 'index'])->name('ticket.index');
Route::get('ticket/datatable', [TicketsController::class, 'datatable'])->name('ticket.datatable');
Route::get('ticket/new', [TicketsController::class, 'create'])->name('ticket.new');
Route::post('ticket/new', [TicketsController::class, 'store'])->middleware(['throttle:ticket-new'])->name('ticket.new.store');
Route::get('ticket/show/{ticket_id}', [TicketsController::class, 'show'])->name('ticket.show');
Route::post('ticket/reply', [TicketsController::class, 'reply'])->middleware(['throttle:ticket-reply'])->name('ticket.reply');
}
#admin
Route::prefix('admin')->name('admin.')->middleware('admin')->group(function () {
@ -104,6 +117,7 @@ Route::middleware(['auth', 'checkSuspended'])->group(function () {
#users
Route::get("users.json", [UserController::class, "json"])->name('users.json');
Route::get('users/loginas/{user}', [UserController::class, 'loginAs'])->name('users.loginas');
Route::get('users/verifyEmail/{user}', [UserController::class, 'verifyEmail'])->name('users.verifyEmail');
Route::get('users/datatable', [UserController::class, 'datatable'])->name('users.datatable');
Route::get('users/notifications', [UserController::class, 'notifications'])->name('users.notifications');
Route::post('users/notifications', [UserController::class, 'notify'])->name('users.notifications');
@ -136,7 +150,7 @@ Route::middleware(['auth', 'checkSuspended'])->group(function () {
#settings
Route::get('settings/datatable', [SettingsController::class, 'datatable'])->name('settings.datatable');
Route::patch('settings/updatevalue', [SettingsController::class, 'updatevalue'])->name('settings.updatevalue');
Route::get("settings/checkPteroClientkey", [System::class, 'checkPteroClientkey'])->name('settings.checkPteroClientkey');
#settings
Route::patch('settings/update/invoice-settings', [Invoices::class, 'updateSettings'])->name('settings.update.invoicesettings');
Route::patch('settings/update/language', [Language::class, 'updateSettings'])->name('settings.update.languagesettings');
@ -147,7 +161,7 @@ Route::middleware(['auth', 'checkSuspended'])->group(function () {
#invoices
Route::get('invoices/download-invoices', [InvoiceController::class, 'downloadAllInvoices'])->name('invoices.downloadAllInvoices');;
Route::get('invoices/download-single-invoice', [InvoiceController::class, 'downloadSingleInvoice'])->name('invoices.downloadSingleInvoice');;
Route::get('invoices/download-single-invoice', [InvoiceController::class, 'downloadSingleInvoice'])->name('invoices.downloadSingleInvoice');
#usefullinks
Route::get('usefullinks/datatable', [UsefulLinkController::class, 'datatable'])->name('usefullinks.datatable');
@ -166,5 +180,22 @@ Route::middleware(['auth', 'checkSuspended'])->group(function () {
]);
});
#mod
Route::prefix('moderator')->name('moderator.')->middleware('moderator')->group(function () {
#ticket moderation
Route::get('ticket', [ModTicketsController::class, 'index'])->name('ticket.index');
Route::get('ticket/datatable', [ModTicketsController::class, 'datatable'])->name('ticket.datatable');
Route::get('ticket/show/{ticket_id}', [ModTicketsController::class, 'show'])->name('ticket.show');
Route::post('ticket/reply', [ModTicketsController::class, 'reply'])->name('ticket.reply');
Route::post('ticket/close/{ticket_id}', [ModTicketsController::class, 'close'])->name('ticket.close');
Route::post('ticket/delete/{ticket_id}', [ModTicketsController::class, 'delete'])->name('ticket.delete');
#ticket moderation blacklist
Route::get('ticket/blacklist', [ModTicketsController::class, 'blacklist'])->name('ticket.blacklist');
Route::post('ticket/blacklist', [ModTicketsController::class, 'blacklistAdd'])->name('ticket.blacklist.add');
Route::post('ticket/blacklist/delete/{id}', [ModTicketsController::class, 'blacklistDelete'])->name('ticket.blacklist.delete');
Route::post('ticket/blacklist/change/{id}', [ModTicketsController::class, 'blacklistChange'])->name('ticket.blacklist.change');
Route::get('ticket/blacklist/datatable', [ModTicketsController::class, 'dataTableBlacklist'])->name('ticket.blacklist.datatable');
});
Route::get('/home', [HomeController::class, 'index'])->name('home');
});