diff --git a/admin/themes/default/template/controllers/orders/helpers/view/view.tpl b/admin/themes/default/template/controllers/orders/helpers/view/view.tpl index 6c4efed72..077a3bb15 100644 --- a/admin/themes/default/template/controllers/orders/helpers/view/view.tpl +++ b/admin/themes/default/template/controllers/orders/helpers/view/view.tpl @@ -542,6 +542,7 @@
+
 {$customer->firstname} {$customer->lastname}
 {$customer->email}
{if $addresses.invoice->phone_mobile || $addresses.invoice->phone}
 {if $addresses.invoice->phone_mobile}{$addresses.invoice->phone_mobile}{else}{$addresses.invoice->phone}{/if}
diff --git a/admin/themes/default/template/controllers/products/informations.tpl b/admin/themes/default/template/controllers/products/informations.tpl index c68ea9f73..68a6d2d18 100644 --- a/admin/themes/default/template/controllers/products/informations.tpl +++ b/admin/themes/default/template/controllers/products/informations.tpl @@ -446,24 +446,21 @@ {if isset($product->id) && $product->id}
-

{l s='Please note that position numbering starts from 0. A position of 0 means room type will be displayed at the topmost.'}

+

{l s='Please note that position numbering starts from 0. A position of 0 means room type will be displayed at the topmost position.'}

+
+ {l s='You can manage positions of the room types of this hotel from'} + {l s='here.'} +
{/if} - {if isset($product->id) && $product->id} -
- {l s='You can change positions of room types of this hotel from '} - {l s='here.'} -
- {/if} - {*
@@ -35,7 +36,7 @@
- +
@@ -46,7 +47,7 @@
- +
@@ -67,7 +68,7 @@
- +
@@ -78,7 +79,7 @@
- +
@@ -89,7 +90,7 @@
- +
diff --git a/classes/MaintenanceAccess.php b/classes/MaintenanceAccess.php index 11e0f758d..4c08b2e9b 100644 --- a/classes/MaintenanceAccess.php +++ b/classes/MaintenanceAccess.php @@ -19,23 +19,15 @@ * @license https://store.webkul.com/license.html */ -class MaintenanceAccessCore extends ObjectModel +class MaintenanceAccessCore extends ObjectModel { - public $id_maintenance_access; public $ip_address; public $email; public $date_add; - const USERNAME_ATTEMPTS_PER_QUARTER_HOUR = 3; - const IP_ATTEMPTS_QUARTER_HOUR = 12; - const USERNAME_ATTEMPTS_PER_HOUR = 6; - const IP_ATTEMPTS_PER_HOUR = 24; - const QUARTER_HOUR = 60*15; - const HOUR = 60*60; - /** - * @see ObjectModel::$definition - */ + const LOGIN_ATTEMPTS_WINDOW = 30; /* in minutes */ + public static $definition = array( 'table' => 'maintenance_access', 'primary' => 'id_maintenance_access', @@ -46,51 +38,40 @@ class MaintenanceAccessCore extends ObjectModel ), ); - public function cleanData() + public function removeFailedAttempts($email, $ipAddress) { - $time = (time() - (self::HOUR*2)); Db::getInstance()->execute( - 'DELETE FROM `' . _DB_PREFIX_ .'maintenance_access` - WHERE `date_add` < "' . pSQL(date("Y-m-d H:i:s", $time)) . '"' + 'DELETE FROM `' . _DB_PREFIX_ .'maintenance_access` ma + WHERE (ma.`email` = "'.pSQL($email).'" AND ma.`ip_address` = "'.pSQL($ipAddress).'")' ); } - public function getUserFailedCount($time, $email=false, $ip_address=false, $attempts) + public function getFailedAttemptsCount($email, $ipAddress) { - $sql = "SELECT COUNT(`id_maintenance_access`) FROM `". _DB_PREFIX_ ."maintenance_access` WHERE `date_add` > '" - . pSQL(date('Y-m-d H:i:s', $time)) ."'"; - - if ($email) { - $sql .= " AND `email` = '".pSQL($email)."'"; - } - - if ($ip_address) { - $sql .= " AND `ip_address` = '".pSQL($ip_address)."'"; - } + $sql = 'SELECT COUNT(ma.`id_maintenance_access`) + FROM `'._DB_PREFIX_.'maintenance_access` ma + WHERE (ma.`email` = "'.pSQL($email).'" OR ma.`ip_address` = "'.pSQL($ipAddress).'") + AND TIMESTAMPDIFF( + MINUTE, + ma.`date_add`, + ( + SELECT MAX(ma.`date_add`) + FROM `'._DB_PREFIX_.'maintenance_access` ma + WHERE (ma.`email` = "'.pSQL($email).'" OR ma.`ip_address` = "'.pSQL($ipAddress).'") + AND TIMESTAMPDIFF(MINUTE, ma.`date_add`, NOW()) < '.(int) MaintenanceAccess::LOGIN_ATTEMPTS_WINDOW.' + ) + ) < '.(int) MaintenanceAccess::LOGIN_ATTEMPTS_WINDOW; - return Db::getInstance()->getValue($sql) >= $attempts; + return Db::getInstance()->getValue($sql); } - public function checkLimit($email) + public function getLastAttempt($email, $ipAddress) { - $has_error = false; - $minutes_ago = time() - self::QUARTER_HOUR; - $hours_ago = time() - self::HOUR; - $ip_address = Tools::getRemoteAddr(); - - $has_error |= $this->getUserFailedCount( - $minutes_ago, $email, false, self::USERNAME_ATTEMPTS_PER_QUARTER_HOUR - )? true : $has_error; - $has_error |= $this->getUserFailedCount( - $minutes_ago, false, $ip_address, self::IP_ATTEMPTS_QUARTER_HOUR - )? true : $has_error; - $has_error |= $this->getUserFailedCount( - $hours_ago, $email, false, self::USERNAME_ATTEMPTS_PER_HOUR - )? true : $has_error; - $has_error |= $this->getUserFailedCount( - $hours_ago, false, $ip_address, self::IP_ATTEMPTS_PER_HOUR - )? true : $has_error; - - return $has_error; + return Db::getInstance()->getRow( + 'SELECT * + FROM `'._DB_PREFIX_.'maintenance_access` ma + WHERE (ma.`email` = "'.pSQL($email).'" OR ma.`ip_address` = "'.pSQL($ipAddress).'") + ORDER BY ma.`date_add` DESC' + ); } -} \ No newline at end of file +} diff --git a/classes/Product.php b/classes/Product.php index d9fb9d6b3..c47bb1f04 100644 --- a/classes/Product.php +++ b/classes/Product.php @@ -5369,7 +5369,7 @@ public function setPositionInCategory($position) $currentPosition = $this->getPositionInCategory(); - if ($currentPosition && isset($result[$currentPosition])) { + if ($currentPosition !== false && isset($result[$currentPosition])) { $save = $result[$currentPosition]; unset($result[$currentPosition]); array_splice($result, (int)$position, 0, $save); diff --git a/classes/controller/FrontController.php b/classes/controller/FrontController.php index 6378c8570..f7ba791f7 100644 --- a/classes/controller/FrontController.php +++ b/classes/controller/FrontController.php @@ -776,6 +776,7 @@ protected function displayMaintenancePage() } if (Tools::isSubmit('SubmitLogin') + && !Configuration::get('PS_SHOP_ENABLE') && Configuration::get('PS_ALLOW_EMP') && !Context::getContext()->cookie->enable_maintenance_view ) { @@ -812,56 +813,102 @@ protected function displayMaintenancePage() protected function processLogin($email, $passwd) { - $result = false; - $objMaintenanceAccess = new MaintenanceAccess(); - - /* Check fields validity */ - if (empty($email)) { - $this->errors[] = Tools::displayError('Email is empty.'); - } elseif (!Validate::isEmail($email)) { - $this->errors[] = Tools::displayError('Invalid email address.'); + $remoteIpAddress = Tools::getRemoteAddr(); + $maxAttempts = Configuration::get('PS_ALLOW_EMP_MAX_ATTEMPTS'); + + if ($maxAttempts) { + $objMaintenanceAccess = new MaintenanceAccess(); + $attemptsCount = $objMaintenanceAccess->getFailedAttemptsCount($email, $remoteIpAddress); // does not include the current one + if ($attemptsCount >= $maxAttempts) { + if ($lastAttempt = $objMaintenanceAccess->getLastAttempt($email, $remoteIpAddress)) { + $minutesElapsed = (int) ((time() - strtotime($lastAttempt['date_add'])) / 60); + + if ($minutesElapsed <= MaintenanceAccess::LOGIN_ATTEMPTS_WINDOW) { + $minutesLeft = MaintenanceAccess::LOGIN_ATTEMPTS_WINDOW - $minutesElapsed; + if ($minutesLeft > 1) { + $this->errors[] = Tools::displayError(sprintf('You have reached the limit of login attempts, please try after %d minutes.', $minutesLeft)); + } elseif ($minutesLeft == 1) { + $this->errors[] = Tools::displayError(sprintf('You have reached the limit of login attempts, please try after %d minute.', $minutesLeft)); + } + } + } + } } - if (empty($passwd)) { - $this->errors[] = Tools::displayError('The password field is blank.'); - } elseif (!Validate::isPasswd($passwd)) { - $this->errors[] = Tools::displayError('Invalid password.'); - } + if (!count($this->errors)) { + if (empty($email)) { + $this->errors[] = Tools::displayError('The Email address field is blank.'); + } elseif (!Validate::isEmail($email)) { + $this->errors[] = Tools::displayError('Invalid Email address.'); + } - if ($objMaintenanceAccess->checkLimit($email)) { - $this->errors[] =Tools::displayError('You have exceeded the limit of login attempts, please try after some time'); - } + if (empty($passwd)) { + $this->errors[] = Tools::displayError('The Password field is blank.'); + } elseif (!Validate::isPasswd($passwd)) { + $this->errors[] = Tools::displayError('Invalid Password.'); + } - if (!count($this->errors)) { - // Find employee - $this->context->employee = new Employee(); - $is_employee_loaded = $this->context->employee->getByEmail($email, $passwd); - $employee_associated_shop = $this->context->employee->getAssociatedShops(); - if (!$is_employee_loaded) { - $this->errors[] = Tools::displayError('The Employee does not exist, or the password provided is incorrect.'); - $this->context->employee->logout(); - } elseif (empty($employee_associated_shop) && !$this->context->employee->isSuperAdmin()) { - $this->errors[] = Tools::displayError('This employee does not manage the shop anymore (Either the shop has been deleted or permissions have been revoked).'); - $this->context->employee->logout(); + if (!count($this->errors)) { + // Find employee + $this->context->employee = new Employee(); + $is_employee_loaded = $this->context->employee->getByEmail($email, $passwd); + $employee_associated_shop = $this->context->employee->getAssociatedShops(); + + if (!$is_employee_loaded) { + $this->errors[] = Tools::displayError('The employee does not exist, or the password provided is incorrect.'); + $this->context->employee->logout(); + } elseif (empty($employee_associated_shop) && !$this->context->employee->isSuperAdmin()) { + $this->errors[] = Tools::displayError('This employee does not manage the website anymore (either the website has been deleted or permissions have been revoked).'); + $this->context->employee->logout(); + } else { + // Login successful + // Update cookie + $cookie = Context::getContext()->cookie; + $cookie->enable_maintenance_view = $this->context->employee->id; + $cookie->remote_addr = ip2long($remoteIpAddress); + $cookie->write(); + + // Reset attempts count on successful login + $objMaintenanceAccess->removeFailedAttempts($email, $remoteIpAddress); + } + + if (count($this->errors)) { + // Save only if attempts limit is set + if ($maxAttempts) { + $objMaintenanceAccess = new MaintenanceAccess(); + $objMaintenanceAccess->email = $email; + $objMaintenanceAccess->ip_address = $remoteIpAddress; + $objMaintenanceAccess->save(); + + if ($attemptsCount < $maxAttempts) { + $attemptsLeft = $maxAttempts - $attemptsCount - 1; + + if ($attemptsLeft > 0) { + if ($attemptsLeft > 1) { + $this->errors[] = Tools::displayError(sprintf('%d attempts left.', ($maxAttempts - $attemptsCount - 1))); + } else { + $this->errors[] = Tools::displayError(sprintf('%d attempt left.', ($maxAttempts - $attemptsCount - 1))); + } + } else { + if (MaintenanceAccess::LOGIN_ATTEMPTS_WINDOW > 1) { + $this->errors[] = Tools::displayError(sprintf('You have reached the limit of login attempts, please try after %d minutes.', MaintenanceAccess::LOGIN_ATTEMPTS_WINDOW)); + } else { + $this->errors[] = Tools::displayError(sprintf('You have reached the limit of login attempts, please try after %d minute.', MaintenanceAccess::LOGIN_ATTEMPTS_WINDOW)); + } + } + } + } + + $this->context->smarty->assign('errors', $this->errors); + } else { + Tools::redirect('index.php'); + } } else { - // Update cookie - $cookie = Context::getContext()->cookie; - $cookie->enable_maintenance_view = $this->context->employee->id; - $cookie->remote_addr = ip2long(Tools::getRemoteAddr()); - $cookie->write(); - } - if (count($this->errors)) { $this->context->smarty->assign('errors', $this->errors); - $objMaintenanceAccess->email = $email; - $objMaintenanceAccess->ip_address = Tools::getRemoteAddr(); - $objMaintenanceAccess->save(); - } else { - Tools::redirect('index.php'); } } else { $this->context->smarty->assign('errors', $this->errors); } - return $result; } /** diff --git a/controllers/admin/AdminMaintenanceController.php b/controllers/admin/AdminMaintenanceController.php index d6911d4da..9e33f84f6 100644 --- a/controllers/admin/AdminMaintenanceController.php +++ b/controllers/admin/AdminMaintenanceController.php @@ -54,7 +54,16 @@ public function __construct() 'validation' => 'isBool', 'cast' => 'intval', 'type' => 'bool', - 'class' => "hello" + 'form_group_class' => (Tools::getValue('PS_SHOP_ENABLE', Configuration::get('PS_SHOP_ENABLE'))) ? 'collapse' : '', + ), + 'PS_ALLOW_EMP_MAX_ATTEMPTS' => array( + 'title' => $this->l('Maximum Login Attempts'), + 'validation' => 'isUnsignedInt', + 'cast' => 'intval', + 'type' => 'text', + 'class' => 'fixed-width-xl', + 'desc' => sprintf($this->l('Set the number of maximum login attempts allowed in %d minutes. Set to 0 to disable this feature.'), MaintenanceAccess::LOGIN_ATTEMPTS_WINDOW), + 'form_group_class' => ((Tools::getValue('PS_SHOP_ENABLE', Configuration::get('PS_SHOP_ENABLE'))) || !(Tools::getValue('PS_ALLOW_EMP', Configuration::get('PS_ALLOW_EMP')))) ? ' collapse' : '', ), 'PS_MAINTENANCE_IP' => array( 'title' => $this->l('Maintenance IP'), @@ -69,9 +78,44 @@ public function __construct() ); } + public function postProcess() + { + if (Tools::isSubmit('submitOptionsconfiguration')) { + $shopEnable = Tools::getValue('PS_SHOP_ENABLE'); + $allowEmp = Tools::getValue('PS_ALLOW_EMP'); + $allowEmpMaxAttempts = trim(Tools::getValue('PS_ALLOW_EMP_MAX_ATTEMPTS')); + $maintenanceIp = trim(Tools::getValue('PS_MAINTENANCE_IP')); + + // validations + if (!$shopEnable && $allowEmp) { + if ($allowEmpMaxAttempts == '') { + $this->errors[] = $this->l('Maximum Login Attempts is a required field.'); + } elseif (!Validate::isUnsignedInt($allowEmpMaxAttempts)) { + $this->errors[] = $this->l('Maximum Login Attempts is invalid. Please enter a value greater than or equal to 0.'); + } + } + + // update values + if (!count($this->errors)) { + Configuration::updateValue('PS_SHOP_ENABLE', $shopEnable); + Configuration::updateValue('PS_MAINTENANCE_IP', $maintenanceIp); + + if (!$shopEnable) { + Configuration::updateValue('PS_ALLOW_EMP', $allowEmp); + + if ($allowEmp) { + Configuration::updateValue('PS_ALLOW_EMP_MAX_ATTEMPTS', $allowEmpMaxAttempts); + } + } + + Tools::redirectAdmin(self::$currentIndex.'&token='.$this->token.'&conf=6'); + } + } + } + public function setMedia() { parent::setMedia(); - $this->addJS(_PS_JS_DIR_.'maintenance.js'); + $this->addJS(_PS_JS_DIR_.'/admin/maintenance.js'); } } diff --git a/controllers/admin/AdminProductsController.php b/controllers/admin/AdminProductsController.php index 21bba9ce7..799be06a7 100644 --- a/controllers/admin/AdminProductsController.php +++ b/controllers/admin/AdminProductsController.php @@ -3272,22 +3272,26 @@ public function processOccupancy() $this->errors[] = Tools::displayError('Invalid base children'); } else if (Configuration::get('WK_GLOBAL_MAX_CHILD_IN_ROOM')) { if ($baseChildren > Configuration::get('WK_GLOBAL_MAX_CHILD_IN_ROOM')) { - $this->errors[] = sprintf(Tools::displayError('Base children cannot be greater than max childern allowed on your website (Max: %s)'), Configuration::get('WK_GLOBAL_MAX_CHILD_IN_ROOM')); + $this->errors[] = sprintf(Tools::displayError('Base children cannot be greater than max childern allowed in the room of this room type (Max: %s)'), Configuration::get('WK_GLOBAL_MAX_CHILD_IN_ROOM')); } } if (!$maxAdults || !Validate::isUnsignedInt($maxAdults)) { $this->errors[] = Tools::displayError('Invalid maximum number of adults'); } elseif ($maxAdults < $baseAdults) { $this->errors[] = Tools::displayError('Maximum number of adults cannot be less than base adults'); + } elseif ($maxAdults > $maxGuests) { + $this->errors[] = Tools::displayError('Maximum number of adults cannot be more than maximum number of guests'); } if ($maxChildren == '' || !Validate::isUnsignedInt($maxChildren)) { $this->errors[] = Tools::displayError('Invalid maximum number of children'); + } elseif ($maxChildren < $baseChildren) { + $this->errors[] = Tools::displayError('Maximum number of children cannot be less than base children'); + } elseif ($maxChildren >= $maxGuests) { + $this->errors[] = Tools::displayError('Maximum number of children cannot be more or equal than maximum number of guests.(1 adult is mandatory in a room)'); } else if (Configuration::get('WK_GLOBAL_MAX_CHILD_IN_ROOM')) { if ($maxChildren > Configuration::get('WK_GLOBAL_MAX_CHILD_IN_ROOM')) { - $this->errors[] = sprintf(Tools::displayError('Maximum number of children cannot be greater than max childern allowed on your website (Max: %s)'), Configuration::get('WK_GLOBAL_MAX_CHILD_IN_ROOM')); + $this->errors[] = sprintf(Tools::displayError('Maximum number of children cannot be greater than max childern allowed in the room of this room type (Max: %s)'), Configuration::get('WK_GLOBAL_MAX_CHILD_IN_ROOM')); } - } elseif ($maxChildren < $baseChildren) { - $this->errors[] = Tools::displayError('Maximum number of children cannot be less than base children'); } if (!$maxGuests || !Validate::isUnsignedInt($maxGuests)) { $this->errors[] = Tools::displayError('Invalid maximum number of guests'); diff --git a/controllers/front/ContactController.php b/controllers/front/ContactController.php index ba68dd08c..8daa86948 100644 --- a/controllers/front/ContactController.php +++ b/controllers/front/ContactController.php @@ -115,99 +115,112 @@ public function postProcess() WHERE cc.id_customer_thread = '.(int)$id_customer_thread.' AND cc.id_shop = '.(int)$this->context->shop->id.' ORDER BY cm.date_add DESC'); if ($old_message == $message) { - $this->context->smarty->assign('alreadySent', 1); + $this->errors[] = Tools::displayError('Your message has already been sent.'); + $_POST = array(); $contact->email = ''; $contact->customer_service = 0; - } - - if ($contact->customer_service) { - if ((int)$id_customer_thread) { - $ct = new CustomerThread($id_customer_thread); - $ct->status = 'open'; - $ct->id_lang = (int)$this->context->language->id; - $ct->id_contact = (int)$id_contact; - $ct->id_order = (int)$id_order; - if ($id_product = (int)Tools::getValue('id_product')) { - $ct->id_product = $id_product; - } - $ct->update(); - } else { - $ct = new CustomerThread(); - if (isset($customer->id)) { - $ct->id_customer = (int)$customer->id; - } - $ct->id_shop = (int)$this->context->shop->id; - $ct->id_order = (int)$id_order; - if ($id_product = (int)Tools::getValue('id_product')) { - $ct->id_product = $id_product; + } else { + if ($contact->customer_service) { + if ((int)$id_customer_thread) { + $ct = new CustomerThread($id_customer_thread); + $ct->status = 'open'; + $ct->id_lang = (int)$this->context->language->id; + $ct->id_contact = (int)$id_contact; + $ct->id_order = (int)$id_order; + if ($id_product = (int)Tools::getValue('id_product')) { + $ct->id_product = $id_product; + } + $ct->update(); + } else { + $ct = new CustomerThread(); + if (isset($customer->id)) { + $ct->id_customer = (int)$customer->id; + } + $ct->id_shop = (int)$this->context->shop->id; + $ct->id_order = (int)$id_order; + if ($id_product = (int)Tools::getValue('id_product')) { + $ct->id_product = $id_product; + } + $ct->id_contact = (int)$id_contact; + $ct->id_lang = (int)$this->context->language->id; + $ct->email = $from; + $ct->status = 'open'; + $ct->token = Tools::passwdGen(12); + $ct->add(); } - $ct->id_contact = (int)$id_contact; - $ct->id_lang = (int)$this->context->language->id; - $ct->email = $from; - $ct->status = 'open'; - $ct->token = Tools::passwdGen(12); - $ct->add(); - } - if ($ct->id) { - $cm = new CustomerMessage(); - $cm->id_customer_thread = $ct->id; - $cm->message = $message; - if (isset($file_attachment['rename']) && !empty($file_attachment['rename']) && rename($file_attachment['tmp_name'], _PS_UPLOAD_DIR_.basename($file_attachment['rename']))) { - $cm->file_name = $file_attachment['rename']; - @chmod(_PS_UPLOAD_DIR_.basename($file_attachment['rename']), 0664); - } - $cm->ip_address = (int)ip2long(Tools::getRemoteAddr()); - $cm->user_agent = $_SERVER['HTTP_USER_AGENT']; - if (!$cm->add()) { + if ($ct->id) { + $cm = new CustomerMessage(); + $cm->id_customer_thread = $ct->id; + $cm->message = $message; + if (isset($file_attachment['rename']) && !empty($file_attachment['rename']) && rename($file_attachment['tmp_name'], _PS_UPLOAD_DIR_.basename($file_attachment['rename']))) { + $cm->file_name = $file_attachment['rename']; + @chmod(_PS_UPLOAD_DIR_.basename($file_attachment['rename']), 0664); + } + $cm->ip_address = (int)ip2long(Tools::getRemoteAddr()); + $cm->user_agent = $_SERVER['HTTP_USER_AGENT']; + if (!$cm->add()) { + $this->errors[] = Tools::displayError('An error occurred while sending the message.'); + } + } else { $this->errors[] = Tools::displayError('An error occurred while sending the message.'); } - } else { - $this->errors[] = Tools::displayError('An error occurred while sending the message.'); } - } - if (!count($this->errors)) { - $var_list = array( - '{order_name}' => '-', - '{attached_file}' => '-', - '{message}' => Tools::nl2br(stripslashes($message)), - '{email}' => $from, - '{product_name}' => '', - ); + if (!count($this->errors)) { + $var_list = array( + '{order_name}' => '-', + '{attached_file}' => '-', + '{message}' => Tools::nl2br(stripslashes($message)), + '{email}' => $from, + '{product_name}' => '', + ); - if (isset($file_attachment['name'])) { - $var_list['{attached_file}'] = $file_attachment['name']; - } + if (isset($file_attachment['name'])) { + $var_list['{attached_file}'] = $file_attachment['name']; + } - $id_product = (int)Tools::getValue('id_product'); + $id_product = (int)Tools::getValue('id_product'); - if (isset($ct) && Validate::isLoadedObject($ct) && $ct->id_order) { - $order = new Order((int)$ct->id_order); - $var_list['{order_name}'] = $order->getUniqReference(); - $var_list['{id_order}'] = (int)$order->id; - } + if (isset($ct) && Validate::isLoadedObject($ct) && $ct->id_order) { + $order = new Order((int)$ct->id_order); + $var_list['{order_name}'] = $order->getUniqReference(); + $var_list['{id_order}'] = (int)$order->id; + } - if ($id_product) { - $product = new Product((int)$id_product); - if (Validate::isLoadedObject($product) && isset($product->name[Context::getContext()->language->id])) { - $var_list['{product_name}'] = $product->name[Context::getContext()->language->id]; + if ($id_product) { + $product = new Product((int)$id_product); + if (Validate::isLoadedObject($product) && isset($product->name[Context::getContext()->language->id])) { + $var_list['{product_name}'] = $product->name[Context::getContext()->language->id]; + } } - } - if (!empty($contact->email)) { - if (!Mail::Send($this->context->language->id, 'contact', Mail::l('Message from contact form').' [no_sync]', - $var_list, $contact->email, $contact->name, null, null, - $file_attachment, null, _PS_MAIL_DIR_, false, null, null, $from)) { - $this->errors[] = Tools::displayError('An error occurred while sending the message.'); + if (!empty($contact->email)) { + Mail::Send( + $this->context->language->id, + 'contact', + Mail::l('Message from contact form').' [no_sync]', + $var_list, + $contact->email, + $contact->name, + null, + null, + $file_attachment, + null, + _PS_MAIL_DIR_, + false, + null, + null, + $from + ); } } - } - if (count($this->errors) > 1) { - array_unique($this->errors); - } elseif (!count($this->errors)) { - $this->context->smarty->assign('confirmation', 1); + if (count($this->errors) > 1) { + array_unique($this->errors); + } elseif (!count($this->errors)) { + Tools::redirect($this->context->link->getPageLink('contact', null, null, array('confirm' => 1))); + } } } } @@ -312,6 +325,7 @@ public function initContent() } } //End + $this->setTemplate(_PS_THEME_DIR_.'contact-form.tpl'); } diff --git a/install/data/xml/configuration.xml b/install/data/xml/configuration.xml index 557f554f6..be03b27c3 100644 --- a/install/data/xml/configuration.xml +++ b/install/data/xml/configuration.xml @@ -92,6 +92,12 @@ 1 + + 0 + + + 3 + 20 diff --git a/install/langs/bg/install.php b/install/langs/bg/install.php index a77ba2105..fccfb73bc 100644 --- a/install/langs/bg/install.php +++ b/install/langs/bg/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Възникна SQL грешка за обект %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Не може да бъде създадено изображение "%1$s" за обекта "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Не може да бъде създадено изображение "%1$s" (грешни права за папка "%2$s")', - 'Cannot create image "%s"' => 'Не може да бъде създадено изображение "%s"', - 'SQL error on query %s' => 'SQL грешка за заявка %s', - '%s Login information' => '%s Информация за вход', - 'Field required' => 'Полето е задължително', - 'Invalid shop name' => 'Невалидно име на магазин', - 'The field %s is limited to %d characters' => 'Полето %s е ограничено до %d символа', - 'Your firstname contains some invalid characters' => 'Вашето име съдържа непозволени символи', - 'Your lastname contains some invalid characters' => 'Вашата фамилия съдържа непозволени символи', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Невалидна парола (поредица от букви и цифри, минимум 8 символа)', - 'Password and its confirmation are different' => 'Паролата е различна от потвърждението ѝ', - 'This e-mail address is invalid' => 'Невалиден e-mail', - 'Image folder %s is not writable' => 'Не може да се записва в папката за изображения %s', - 'An error occurred during logo copy.' => 'Възникна грешка при копирането на логото.', - 'An error occurred during logo upload.' => 'Възникна грешка при качването на логото.', - 'Lingerie and Adult' => 'Дамско бельо и за пълнолетни', - 'Animals and Pets' => 'Животни и домашни любимци', - 'Art and Culture' => 'Изкуство и култура', - 'Babies' => 'Бебета', - 'Beauty and Personal Care' => 'Продукти за разкрасяване', - 'Cars' => 'Коли', - 'Computer Hardware and Software' => 'Компютри и хардуер', - 'Download' => 'За сваляне', - 'Fashion and accessories' => 'Мода и аксесоари', - 'Flowers, Gifts and Crafts' => 'Цветя, подаръци и картички', - 'Food and beverage' => 'Храни и напитки', - 'HiFi, Photo and Video' => 'HiFi, фото и видео', - 'Home and Garden' => 'Дом и градина', - 'Home Appliances' => 'Домакински уреди', - 'Jewelry' => 'Бижута', - 'Mobile and Telecom' => 'Мобилни устройства', - 'Services' => 'Услуги', - 'Shoes and accessories' => 'Обувки и аксесоари', - 'Sports and Entertainment' => 'Спорт и забавления', - 'Travel' => 'Пътувания', - 'Database is connected' => 'Има връзка с базата данни', - 'Database is created' => 'Базата данни е създадена', - 'Cannot create the database automatically' => 'Базата данни не може да бъде създадена автоматично', - 'Create settings.inc file' => 'Създаване на файла settings.inc', - 'Create database tables' => 'Създаване на таблиците в базата от данни', - 'Create default shop and languages' => 'Създаване на основния магазин и езиците', - 'Populate database tables' => 'Запълване на таблиците в базата данни', - 'Configure shop information' => 'Настройка на информацията за магазина', - 'Install demonstration data' => 'Инсталиране на демонстрационни данни', - 'Install modules' => 'Инсталиране на модули', - 'Install Addons modules' => 'Инсталиране на разширителни модули', - 'Install theme' => 'Инсталиране на тема', - 'Required PHP parameters' => 'Необходими параметри на PHP', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 или по-късна версия не е налично', - 'Cannot upload files' => 'Не могат да бъдат качени файлове', - 'Cannot create new files and folders' => 'Не могат да бъдат създадени файлове и папки', - 'GD library is not installed' => 'Библиотеката GD не е инсталирана', - 'MySQL support is not activated' => 'Поддръжката на MySQL не е активирана', - 'Files' => 'Файлове', - 'Not all files were successfully uploaded on your server' => 'Не всички файлове са успешно качени на вашият сървър', - 'Permissions on files and folders' => 'Права на файлове и папки', - 'Recursive write permissions for %1$s user on %2$s' => 'Рекурсивни права за писане за потребител %1$s на %2$s', - 'Recommended PHP parameters' => 'Препоръчвани PHP параметри', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Вие имате инсталиран PHP версия %s. Скоро минималната поддържана версия от PrestaShop ще бъде PHP 5.4. За нормалната работа в бъдеще, препоръчваме да обновите версията си до PHP 5.4 сега!', - 'Cannot open external URLs' => 'Невъзможни за отваряне външни адреси (URL)', - 'PHP register_globals option is enabled' => 'Опцията PHP register_globals е разрешена', - 'GZIP compression is not activated' => 'GZIP компресията не е активирана', - 'Mcrypt extension is not enabled' => 'Разширението Mcrypt не е разрешено', - 'Mbstring extension is not enabled' => 'Разширението Mbstring не е разрешено', - 'PHP magic quotes option is enabled' => 'Разрешено е PHP magic quotes', - 'Dom extension is not loaded' => 'Dom разширението не е заредено', - 'PDO MySQL extension is not loaded' => 'PDO MySQL разширението не е заредено', - 'Server name is not valid' => 'Невалидно име на сървъра', - 'You must enter a database name' => 'Трябва да въведете име на базата данни', - 'You must enter a database login' => 'Трябва да въведете данни за вход в базата данни', - 'Tables prefix is invalid' => 'Невалиден префикс за таблиците', - 'Cannot convert database data to utf-8' => 'Не могат да се конвертират данните от базата данни към utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Поне една таблица със същия префикс вече беше създадена, моля променете вашият префикс или изтрийте вашата база данни', - 'The values of auto_increment increment and offset must be set to 1' => 'Стойността за увеличаване и намаляване на auto_increment трябва да бъде 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Сървъра на базата данни не може да бъде намерен. Моля проверете полетата вход, парола и сървър', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Свързването към MySQL сървъра е успешно, но базата данни "%s" не е намерена', - 'Attempt to create the database automatically' => 'Опит за автоматично създаване на базата данни', - '%s file is not writable (check permissions)' => 'Файлът %s не е достъпен за запис (проверете правата)', - '%s folder is not writable (check permissions)' => 'Папката %s не е достъпна за запис (проверете правата)', - 'Cannot write settings file' => 'Файлът с настройките не може да бъде записан', - 'Database structure file not found' => 'Не е открита структура на базата данни', - 'Cannot create group shop' => 'Не може да бъде създадена група магазин', - 'Cannot create shop' => 'Не може да бъде създаден магазин', - 'Cannot create shop URL' => 'Не може да бъде създаден адрес на магазина (URL)', - 'File "language.xml" not found for language iso "%s"' => 'Файлът "language.xml" не е намерен в iso на езика "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Файлът "language.xml" не е валиден за iso на езика "%s"', - 'Cannot install language "%s"' => 'Не може да се инсталира "%s" език', - 'Cannot copy flag language "%s"' => 'Не може да се копира флага за "%s" език', - 'Cannot create admin account' => 'Не може да бъде създаден администраторски профил', - 'Cannot install module "%s"' => 'Модулът "%s" не може да бъде инсталиран', - 'Fixtures class "%s" not found' => 'Закрепващият клас "%s" не е открит', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" трябва да бъде инстанция на "InstallXmlLoader"', - 'Information about your Store' => 'Информация за вашия магазин', - 'Shop name' => 'Име на магазина', - 'Main activity' => 'Основна дейност', - 'Please choose your main activity' => 'Моля, изберете вашата основна дейност', - 'Other activity...' => 'Други дейности...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Помогнете ни да научим повече за Вашият магазин, за да Ви предложим оптимално упътване за най-добрите опции за Вашият бизнес!', - 'Install demo products' => 'Инсталиране на демонстрационни продукти', - 'Yes' => 'Да', - 'No' => 'Не', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Демонстрационните продукти са добър начин да научите как да ползвате PrestaShop. Трябва да ги инсталирате ако не сте запознати с него.', - 'Country' => 'Държава', - 'Select your country' => 'Изберете вашата държава', - 'Shop timezone' => 'Часова зона на магазина', - 'Select your timezone' => 'Изберете вашата часова зона', - 'Shop logo' => 'Лого на магазина', - 'Optional - You can add you logo at a later time.' => 'По желание - можете да добавите Ваше лого по всяко време.', - 'Your Account' => 'Вашият профил', - 'First name' => 'Име', - 'Last name' => 'Фамилия', - 'E-mail address' => 'Имейл адрес', - 'This email address will be your username to access your store\'s back office.' => 'Този имейл ще бъде вашето потребителско име за достъп до административната част на магазина.', - 'Shop password' => 'Парола за магазина', - 'Must be at least 8 characters' => 'Трябва да бъде поне 8 символа', - 'Re-type to confirm' => 'Повторете я за потвърждение', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Всяка предоставена от вас информация се съхранява, използва се за анализ и статистическа обработка и е необходима на нашия екип за да отговори на въпросите ви. Вашите лични данни могат да бъдат предоставяни на доставчици на услуги или на наши партньори, като част от отношенията ни с тях. Съгласно действащият "Act on Data Processing, Data Files and Individual Liberties" имате право на достъп, промяна или заличаване на личните данни чрез тази връзка.', - 'Configure your database by filling out the following fields' => 'Конфигурирайте Вашата база данни като попълните следните полета', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'За да използвате PrestaShop, трябва да създадете база данни, за да събирате всички свързани с дейността на магазина Ви данни.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Моля, попълнете полетата по-долу, за да се свърже PrestaShop с Вашата база данни. ', - 'Database server address' => 'Адрес на сървъра на базата данни', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Портът по подразбиране е 3306. За да използвате различен порт, добавете номера на порта след адреса на сървъра Ви, например: ":4242".', - 'Database name' => 'Име на базата от данни', - 'Database login' => 'Потребителско име', - 'Database password' => 'Парола', - 'Database Engine' => 'Енджин на базата данни', - 'Tables prefix' => 'Префикс на таблици', - 'Drop existing tables (mode dev)' => 'Изтриване на съществуващите таблици (режим разработване)', - 'Test your database connection now!' => 'Тествайте връзката си с базата данни сега!', - 'Next' => 'Напред', - 'Back' => 'Назад', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Ако ви е нужна помощ, можете да я получите от нашия екип по поддръжката. Също така, можете да се възползвате от официалната документация.', - 'Official forum' => 'Официален форум', - 'Support' => 'Поддръжка', - 'Documentation' => 'Документация', - 'Contact us' => 'Контакти', - 'PrestaShop Installation Assistant' => 'Асистент за инсталиране на PrestaShop', - 'Forum' => 'Форум', - 'Blog' => 'Блог', - 'Contact us!' => 'Свържете се с нас!', - 'menu_welcome' => 'Изберете вашият език', - 'menu_license' => 'Лицензионни споразумения', - 'menu_system' => 'Съвместимост на системата', - 'menu_configure' => 'Информация за магазина', - 'menu_database' => 'Системна конфигурация', - 'menu_process' => 'Инсталиране на магазина', - 'Installation Assistant' => 'Асистент за инсталиране', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'За да инсталирате PrestaShop трябва да активирате JavaScript на вашият браузър.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Лицензионни споразумения', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'За да се насладите на безбройните опции, които предлага безплатно PrestaShop, моля прочетете лицензното споразумение по-долу. Ядрото на PrestaShop е лицензирано под OSL 3.0, докато модулите и темите са лицензирани под AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Съгласен съм с по-горните общи условия.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Съгласен съм да участвам в подобряванията чрез изпращане на анонимна информация за моята конфигурация.', - 'Done!' => 'Готово!', - 'An error occurred during installation...' => 'По време на инсталацията възникна грешка...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Можете да използвате линковете в лявата колона, за да се върнете към предходните стъпки или да рестартирате процеса като натиснете тук.', - 'Your installation is finished!' => 'Инсталацията ви приключи!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Току-що приключихте с инсталирането на вашият магазин. Благодарим Ви, че използвате PrestaShop!', - 'Please remember your login information:' => 'Моля запомнете вашата информация за вход:', - 'E-mail' => 'E-mail', - 'Print my login information' => 'Разпечатване на моята информация за вход', - 'Password' => 'Парола', - 'Display' => 'Показване', - 'For security purposes, you must delete the "install" folder.' => 'Във връзка със сигурността, трябва да изтриете папката "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Административен панел', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Управлявайте Вашият магазин, като ползвате Вашият Административен панел. Управлявайте поръчките и клиентите, добавяйте модули, променяйте теми и т.н.', - 'Manage your store' => 'Управление на магазина', - 'Front Office' => 'Фронт-сайт', - 'Discover your store as your future customers will see it!' => 'Вижте Вашият магазин както бъдещите Ви клиенти!', - 'Discover your store' => 'Разгледайте магазина си', - 'Share your experience with your friends!' => 'Споделете Вашият опит с Ваши приятели!', - 'I just built an online store with PrestaShop!' => 'Току-що направих електронен магазин с PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Гледайте това ободряващо изживяване: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Споделяне', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Разгледайте PrestaShop Addons, за да добавите допълнителна функционалност към вашият магазин!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Проверяваме съвместимостта на PrestaShop с Вашата система', - 'If you have any questions, please visit our documentation and community forum.' => 'Моля, обърнете се към нашата документация и форум ако имате някакви въпроси.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Съвместимостта на PrestaShop с вашата система беше потвърдена!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Моля, коригирайте артикула(ите) по-долу и натиснете на "Опресняване на информацията", за да тествате съвместимостта на Вашата нова система.', - 'Refresh these settings' => 'Опресняване на тези настройки', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'За да работи, PrestaShop изисква поне 32 МБ памет: моля проверете директивата memory_limit във Вашият файл php.ini или се свържете с хостинг доставчика си.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Внимание: повече не можете да ползвате този инструмент, за да обновявате Вашият магазин.

Вече разполагате с инсталиран PrestaShop версия %1$s.

Ако желаете да обновите до последната версия, моля прочетете нашата документация: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Добре дошли в инсталатора на PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Инсталацията на PrestaShop е бърза и лесна. Съвсем скоро, ще станете част от общността, състояща се от повече от 230000 търговци. На път сте да създадете свой собствен уникален онлайн магазин, който можете да управлявате лесно всеки ден.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Ако ви е нужна помощ, не се притеснявайте да погледене в това ръководство или да проверите в официалната документация.', - 'Continue the installation in:' => 'Продължаване на инсталацията на:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Избраният по-горе език важи само за инсталационният помощник. След като магазинът Ви е инсталиран, можете да изберете езика на Вашият магазин от над %d превода, напълно безплатни!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Инсталацията на PrestaShop е бърза и лесна. Съвсем скоро, ще станете част от общността, състояща се от повече от 250000 търговци. На път сте да създадете свой собствен уникален онлайн магазин, който можете да управлявате лесно всеки ден.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Възникна SQL грешка за обект %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Не може да се създаде изображение „%1$s“ за обект „%2$s“', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Не може да се създаде изображение „%1$s“ (лоши разрешения за папка „%2$s“)', + 'Cannot create image "%s"' => 'Не може да се създаде изображение „%s“', + 'SQL error on query %s' => 'SQL грешка при заявка %s', + '%s Login information' => '%s Информация за вход', + 'Field required' => 'Полето е задължително', + 'Invalid shop name' => 'Невалидно име на магазин', + 'The field %s is limited to %d characters' => 'Полето %s е ограничено до %d знака', + 'Your firstname contains some invalid characters' => 'Името ви съдържа някои невалидни знаци', + 'Your lastname contains some invalid characters' => 'Вашето фамилно име съдържа някои невалидни знаци', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Паролата е неправилна (буквено-цифров низ с поне 8 знака)', + 'Password and its confirmation are different' => 'Паролата и нейното потвърждение са различни', + 'This e-mail address is invalid' => 'Този имейл адрес е невалиден', + 'Image folder %s is not writable' => 'Папката с изображения %s не може да се записва', + 'An error occurred during logo copy.' => 'Възникна грешка по време на копирането на логото.', + 'An error occurred during logo upload.' => 'Възникна грешка по време на качване на лого.', + 'Lingerie and Adult' => 'Бельо и възрастни', + 'Animals and Pets' => 'Животни и домашни любимци', + 'Art and Culture' => 'Изкуство и култура', + 'Babies' => 'Бебета', + 'Beauty and Personal Care' => 'Красота и лична грижа', + 'Cars' => 'автомобили', + 'Computer Hardware and Software' => 'Компютърен хардуер и софтуер', + 'Download' => 'Изтегли', + 'Fashion and accessories' => 'Мода и аксесоари', + 'Flowers, Gifts and Crafts' => 'Цветя, подаръци и занаяти', + 'Food and beverage' => 'Храни и напитки', + 'HiFi, Photo and Video' => 'HiFi, фото и видео', + 'Home and Garden' => 'Дом и градина', + 'Home Appliances' => 'Битова техника', + 'Jewelry' => 'Бижута', + 'Mobile and Telecom' => 'Мобилен и телеком', + 'Services' => 'Услуги', + 'Shoes and accessories' => 'Обувки и аксесоари', + 'Sports and Entertainment' => 'Спорт и развлечения', + 'Travel' => 'Пътуване', + 'Database is connected' => 'Базата данни е свързана', + 'Database is created' => 'Създадена е база данни', + 'Cannot create the database automatically' => 'Базата данни не може да се създаде автоматично', + 'Create settings.inc file' => 'Създайте файл settings.inc', + 'Create database tables' => 'Създаване на таблици от бази данни', + 'Create default website and languages' => 'Създайте уебсайт и езици по подразбиране', + 'Populate database tables' => 'Попълване на таблици на база данни', + 'Configure website information' => 'Конфигуриране на информация за уебсайта', + 'Install demonstration data' => 'Инсталирайте демонстрационни данни', + 'Install modules' => 'Инсталирайте модули', + 'Install Addons modules' => 'Инсталирайте модули Addons', + 'Install theme' => 'Инсталиране на тема', + 'Required PHP parameters' => 'Необходими PHP параметри', + 'The required PHP version is between 5.6 to 7.4' => 'Необходимата версия на PHP е между 5.6 и 7.4', + 'Cannot upload files' => 'Не могат да се качват файлове', + 'Cannot create new files and folders' => 'Не могат да се създават нови файлове и папки', + 'GD library is not installed' => 'GD библиотеката не е инсталирана', + 'PDO MySQL extension is not loaded' => 'PDO MySQL разширението не е заредено', + 'Curl extension is not loaded' => 'Разширението за къдрици не е заредено', + 'SOAP extension is not loaded' => 'SOAP разширението не е заредено', + 'SimpleXml extension is not loaded' => 'Разширението SimpleXml не е заредено', + 'In the PHP configuration set memory_limit to minimum 128M' => 'В конфигурацията на PHP задайте memory_limit на минимум 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'В конфигурацията на PHP задайте max_execution_time на минимум 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'В конфигурацията на PHP задайте upload_max_filesize на минимум 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Не могат да се отварят външни URL адреси (изисква enable_url_fopen като On).', + 'ZIP extension is not enabled' => 'ZIP разширението не е активирано', + 'Files' => 'файлове', + 'Not all files were successfully uploaded on your server' => 'Не всички файлове са качени успешно на вашия сървър', + 'Permissions on files and folders' => 'Разрешения за файлове и папки', + 'Recursive write permissions for %1$s user on %2$s' => 'Рекурсивни разрешения за запис за %1$s потребител на %2$s', + 'Recommended PHP parameters' => 'Препоръчителни PHP параметри', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Вие използвате PHP %s версия. Скоро най-новата версия на PHP, поддържана от QloApps, ще бъде PHP 5.6. За да сте сигурни, че сте готови за бъдещето, препоръчваме ви да надстроите до PHP 5.6 сега!', + 'PHP register_globals option is enabled' => 'Опцията PHP register_globals е активирана', + 'GZIP compression is not activated' => 'GZIP компресията не е активирана', + 'Mbstring extension is not enabled' => 'Разширението Mbstring не е активирано', + 'Dom extension is not loaded' => 'Разширението Dom не е заредено', + 'Server name is not valid' => 'Името на сървъра не е валидно', + 'You must enter a database name' => 'Трябва да въведете име на база данни', + 'You must enter a database login' => 'Трябва да въведете данни за вход в базата данни', + 'Tables prefix is invalid' => 'Префиксът на таблиците е невалиден', + 'Cannot convert database data to utf-8' => 'Данните от базата данни не могат да се конвертират в utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Вече е намерена поне една таблица със същия префикс, моля, променете префикса си или изтрийте базата данни', + 'The values of auto_increment increment and offset must be set to 1' => 'Стойностите на auto_increment увеличение и отместване трябва да бъдат зададени на 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Сървърът на базата данни не е намерен. Моля, проверете полетата за вход, парола и сървър', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Връзката към MySQL сървъра е успешна, но базата данни "%s" не е намерена', + 'Attempt to create the database automatically' => 'Опитайте се да създадете базата данни автоматично', + '%s file is not writable (check permissions)' => 'Файлът %s не може да се записва (проверете разрешенията)', + '%s folder is not writable (check permissions)' => 'Папката %s не може да се записва (проверете разрешенията)', + 'Cannot write settings file' => 'Не може да се запише файл с настройки', + 'Database structure file not found' => 'Структурният файл на базата данни не е намерен', + 'Cannot create group shop' => 'Не може да се създаде групов магазин', + 'Cannot create shop' => 'Не може да се създаде магазин', + 'Cannot create shop URL' => 'Не може да се създаде URL адрес на магазин', + 'File "language.xml" not found for language iso "%s"' => 'Файлът "language.xml" не е намерен за език iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Файлът "language.xml" не е валиден за език iso "%s"', + 'Cannot install language "%s"' => 'Не може да се инсталира език "%s"', + 'Cannot copy flag language "%s"' => 'Не може да се копира езикът на флага "%s"', + 'Cannot create admin account' => 'Не може да се създаде администраторски акаунт', + 'Cannot install module "%s"' => 'Не може да се инсталира модул "%s"', + 'Fixtures class "%s" not found' => 'Класът на приспособленията "%s" не е намерен', + '"%s" must be an instance of "InstallXmlLoader"' => '„%s“ трябва да е екземпляр на „InstallXmlLoader“', + 'Information about your Website' => 'Информация за вашия уебсайт', + 'Website name' => 'Име на уебсайт', + 'Main activity' => 'Основна дейност', + 'Please choose your main activity' => 'Моля, изберете основната си дейност', + 'Other activity...' => 'Друга дейност...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Помогнете ни да научим повече за вашия магазин, за да можем да ви предложим оптимални насоки и най-добрите функции за вашия бизнес!', + 'Install demo data' => 'Инсталирайте демонстрационни данни', + 'Yes' => 'да', + 'No' => 'Не', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Инсталирането на демонстрационни данни е добър начин да научите как да използвате QloApps, ако не сте го използвали преди. Тези демонстрационни данни могат по-късно да бъдат изтрити с помощта на модула QloApps Data Cleaner, който идва предварително инсталиран с тази инсталация.', + 'Country' => 'Държава', + 'Select your country' => 'Избери твоята държава', + 'Website timezone' => 'Часова зона на уебсайта', + 'Select your timezone' => 'Изберете вашата часова зона', + 'Enable SSL' => 'Активирайте SSL', + 'Shop logo' => 'Лого на магазина', + 'Optional - You can add you logo at a later time.' => 'По избор - можете да добавите логото си по-късно.', + 'Your Account' => 'Вашата сметка', + 'First name' => 'Първо име', + 'Last name' => 'Фамилия', + 'E-mail address' => 'Имейл адрес', + 'This email address will be your username to access your website\'s back office.' => 'Този имейл адрес ще бъде вашето потребителско име за достъп до бек офиса на вашия уебсайт.', + 'Password' => 'Парола', + 'Must be at least 8 characters' => 'Трябва да съдържа поне 8 знака', + 'Re-type to confirm' => 'Въведете отново, за да потвърдите', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Информацията, която ни предоставяте, се събира от нас и подлежи на обработка на данни и статистика. Съгласно действащия „Закон за обработката на данни, файловете с данни и личните свободи“ имате право на достъп, коригиране и противопоставяне на обработката на вашите лични данни чрез този връзка.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Съгласен съм да получавам бюлетина и промоционалните оферти от QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Винаги ще получавате транзакционни имейли като нови актуализации, корекции на сигурността и пачове, дори ако не изберете тази опция.', + 'Configure your database by filling out the following fields' => 'Конфигурирайте вашата база данни, като попълните следните полета', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'За да използвате QloApps, трябва да създадете база данни, за да събирате всички дейности, свързани с данни на вашия уебсайт.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Моля, попълнете полетата по-долу, за да може QloApps да се свърже с вашата база данни.', + 'Database server address' => 'Адрес на сървър на база данни', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Портът по подразбиране е 3306. За да използвате различен порт, добавете номера на порта в края на адреса на вашия сървър, т.е. „:4242“.', + 'Database name' => 'Име на база данни', + 'Database login' => 'Вход в база данни', + 'Database password' => 'Парола за база данни', + 'Database Engine' => 'Двигател на бази данни', + 'Tables prefix' => 'Префикс на таблици', + 'Drop existing tables (mode dev)' => 'Премахнете съществуващите таблици (режим dev)', + 'Test your database connection now!' => 'Тествайте връзката си с база данни сега!', + 'Next' => 'Следващия', + 'Back' => 'обратно', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Ако имате нужда от помощ, можете да получите персонализирана помощ от нашия екип за поддръжка. Официалната документация също е тук, за да ви насочи.', + 'Official forum' => 'Официален форум', + 'Support' => 'поддържа', + 'Documentation' => 'Документация', + 'Contact us' => 'Свържете се с нас', + 'QloApps Installation Assistant' => 'Асистент за инсталиране на QloApps', + 'Forum' => 'Форум', + 'Blog' => 'Блог', + 'menu_welcome' => 'Изберете вашия език', + 'menu_license' => 'Лицензионни споразумения', + 'menu_system' => 'Съвместимост на системата', + 'menu_configure' => 'Информация за уебсайта', + 'menu_database' => 'Системна конфигурация', + 'menu_process' => 'Инсталиране на QloApps', + 'Need Help?' => 'Нужда от помощ?', + 'Click here to Contact us' => 'Щракнете тук, за да се свържете с нас', + 'Installation' => 'Инсталация', + 'See our Installation guide' => 'Вижте нашето ръководство за инсталиране', + 'Tutorials' => 'Уроци', + 'See our QloApps tutorials' => 'Вижте нашите уроци за QloApps', + 'Installation Assistant' => 'Асистент за инсталиране', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'За да инсталирате QloApps, трябва да имате активиран JavaScript във вашия браузър.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Лицензионни споразумения', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'За да се насладите на многото функции, които се предлагат безплатно от QloApps, моля, прочетете лицензионните условия по-долу. Ядрото на QloApps е лицензирано под OSL 3.0, докато модулите и темите са лицензирани под AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Съгласен съм с горните правила и условия.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Съгласен съм да участвам в подобряването на решението, като изпращам анонимна информация за моята конфигурация.', + 'Done!' => 'Свършен!', + 'An error occurred during installation...' => 'Възникна грешка по време на инсталацията...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Можете да използвате връзките в лявата колона, за да се върнете към предишните стъпки или да рестартирате инсталационния процес, като щракнете тук.', + 'Suggested Modules' => 'Предложени модули', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Намерете точните функции в QloApps Addons, за да направите бизнеса си с хотелиерство успешен.', + 'Discover All Modules' => 'Открийте всички модули', + 'Suggested Themes' => 'Предложени теми', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Създайте дизайн, който подхожда на вашия хотел и вашите клиенти, с готова за използване тема на шаблон.', + 'Discover All Themes' => 'Открийте всички теми', + 'Your installation is finished!' => 'Вашата инсталация е завършена!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Току-що приключихте с инсталирането на QloApps. Благодарим ви, че използвате QloApps!', + 'Please remember your login information:' => 'Моля, запомнете данните си за вход:', + 'E-mail' => 'Електронна поща', + 'Print my login information' => 'Отпечатайте моята информация за вход', + 'Display' => 'Дисплей', + 'For security purposes, you must delete the "install" folder.' => 'От съображения за сигурност трябва да изтриете папката "install".', + 'Back Office' => 'Бек офис', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Управлявайте уебсайта си с помощта на вашия Back Office. Управлявайте вашите поръчки и клиенти, добавяйте модули, променяйте теми и т.н.', + 'Manage Your Website' => 'Управлявайте вашия уебсайт', + 'Front Office' => 'Фронт офис', + 'Discover your website as your future customers will see it!' => 'Открийте уебсайта си така, както ще го видят вашите бъдещи клиенти!', + 'Discover Your Website' => 'Открийте вашия уебсайт', + 'Share your experience with your friends!' => 'Споделете опита си с приятелите си!', + 'I just built an online hotel booking website with QloApps!' => 'Току-що създадох уебсайт за онлайн резервация на хотел с QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Вижте всички функции тук: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweet', + 'Share' => 'Дял', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'В момента проверяваме съвместимостта на QloApps с вашата системна среда', + 'If you have any questions, please visit our documentation and community forum.' => 'Ако имате някакви въпроси, моля, посетете нашата документация и форум на общността< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Съвместимостта на QloApps с вашата системна среда е проверена!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Опа! Моля, коригирайте елемента(ите) по-долу и след това щракнете върху „Опресняване на информацията“, за да тествате съвместимостта на вашата нова система.', + 'Refresh these settings' => 'Обновете тези настройки', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps изисква най-малко 128 MB памет, за да работи: моля, проверете директивата memory_limit във вашия файл php.ini или се свържете с вашия хост доставчик за това.', + 'Welcome to the QloApps %s Installer' => 'Добре дошли в инсталатора на QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Инсталирането на QloApps е бързо и лесно. Само след няколко минути ще станете част от общност. Вие сте на път да създадете свой собствен уебсайт за хотелски резервации, който можете да управлявате лесно всеки ден.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Ако имате нужда от помощ, не се колебайте да гледате този кратък урок или да проверите нашата документация.', + 'Continue the installation in:' => 'Продължете инсталацията в:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Изборът на език по-горе се отнася само за асистента за инсталиране. След като QloApps бъде инсталиран, можете да изберете езика на уебсайта си от над %d превода, всичко това безплатно!', + ), +); \ No newline at end of file diff --git a/install/langs/bn/install.php b/install/langs/bn/install.php index 6bcbf61cf..18924ed89 100644 --- a/install/langs/bn/install.php +++ b/install/langs/bn/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => '%1$s: %2$s এনটিটির জন্য একটি ত্রুটি ঘটেছে ', - 'Cannot create image "%1$s" for entity "%2$s"' => 'এনটিটি "%2$s"এর জন্য চিত্র "%1$s" তৈরি করা যায় নি', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'চিত্র "%1$s" তৈরি করা যায় নি (ফোল্ডার "%2$s"এ অনুমতি জনিত সমস্যা)', - 'Cannot create image "%s"' => 'চিত্র "%s" তৈরি করা যায় নি ', - 'SQL error on query %s' => 'কোয়েরি %s তে SQLত্রুটি', - '%s Login information' => '%s লগইন তথ্য', - 'Field required' => 'ক্ষেত্রটি প্রয়োজন', - 'Invalid shop name' => 'দোকানের নাম ভুল', - 'The field %s is limited to %d characters' => 'ক্ষেত্র%s, %dটি বর্ণের ভিতর সিমাবদ্ধ', - 'Your firstname contains some invalid characters' => 'আপনার নামের ১ম অংশ কিছু ভুল অক্ষর বহন করছে', - 'Your lastname contains some invalid characters' => 'আপনার নামের শেষ অংশ কিছু ভুল অক্ষর বহন করছে ', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'পাসওয়ার্ডটি ভুল(কমপক্ষে ৮ অক্ষরের সংখা-শব্দ এর মিলিত স্ট্রিং)', - 'Password and its confirmation are different' => 'পাসওয়ার্ড এবং তার নিশ্চয়তা ভিন্ন', - 'This e-mail address is invalid' => 'এই ইমেইল ঠিকানাটি ভুল', - 'Image folder %s is not writable' => 'চিত্রের ফোল্ডার%s অনুলিপি যোগ্য নয়', - 'An error occurred during logo copy.' => 'লোগো কপি করার সময় একটি ত্রুটি ঘটেছে', - 'An error occurred during logo upload.' => 'লোগো আপলোড করার সময় একটি ত্রুটি ঘটেছে', - 'Lingerie and Adult' => ' অন্তর্বাস ও পূর্ণবয়স্ক', - 'Animals and Pets' => 'প্রাণী এবং গৃহপালিত', - 'Art and Culture' => 'শিল্প ও সংস্কৃতি', - 'Babies' => 'শিশু', - 'Beauty and Personal Care' => 'সৌন্দর্য্য ও ব্যক্তিগত পরিচর্যা', - 'Cars' => 'গাড়ী', - 'Computer Hardware and Software' => 'কম্পিউটার হার্ডওয়্যার ও সফটওয়্যার', - 'Download' => 'ডাউ্নলোড', - 'Fashion and accessories' => 'ফ্যাশন ও আনুষাঙ্গিক', - 'Flowers, Gifts and Crafts' => 'ফুল, উপহার এবং হস্তশিল্প', - 'Food and beverage' => 'খাদ্য এবং পানীয়', - 'HiFi, Photo and Video' => 'HiFi, ফটো এবং ভিডিও', - 'Home and Garden' => 'বাড়ি এবং বাগান', - 'Home Appliances' => 'গৃহস্থালি সামগ্রী', - 'Jewelry' => 'গয়না', - 'Mobile and Telecom' => 'মোবাইল এবং টেলিকম', - 'Services' => 'সেবা ', - 'Shoes and accessories' => 'জুতো এবং আনুষাঙ্গিক', - 'Sports and Entertainment' => 'ক্রীড়া ও বিনোদন', - 'Travel' => 'পর্যটন', - 'Database is connected' => 'ডাটাবেস সংযুক্ত করা হয়েছে', - 'Database is created' => 'ডাটাবেজ তৈরি করা হয়েছে', - 'Cannot create the database automatically' => 'স্বয়ংক্রিয়ভাবে ডাটাবেস তৈরি করতে পারবেন না', - 'Create settings.inc file' => 'settings.inc ফাইল তৈরি হয়েছে', - 'Create database tables' => 'ডাটাবেস সারণী তৈরী হয়েছে', - 'Create default shop and languages' => 'ডিফল্ট দোকান এবং ভাষাসমূহ তৈর হয়েছে', - 'Populate database tables' => 'ডাটাবেস টেবিল তথ্যপূর্ণ হয়েছে', - 'Configure shop information' => 'দোকানের তথ্য কনফিগার হয়েছে', - 'Install demonstration data' => 'ডেমনেসট্রেসন তথ্য ইনস্টল হয়েছে', - 'Install modules' => 'মডিউল ইনস্টল হয়েছে', - 'Install Addons modules' => 'মডিউল অ্যাডঅনস ইনস্টল হয়েছে', - 'Install theme' => 'থিম ইনস্টল হয়েছে', - 'Required PHP parameters' => 'প্রয়োজনীয় পিএইচপি পরামিতি', - 'PHP 5.1.2 or later is not enabled' => 'পিএইচপি 5.1.2 অথবা পরবর্তী সংস্করণ সক্রিয় করা নেই', - 'Cannot upload files' => 'ফাইল আপলোড করা যাচ্ছে না', - 'Cannot create new files and folders' => 'নতুন ফাইল এবং ফোল্ডার তৈরি করা যাচ্ছে না', - 'GD library is not installed' => 'জিডি লাইব্রেরী ইনস্টল করা নেই', - 'MySQL support is not activated' => 'মাইএসকিউএল সমর্থন সক্রিয় করা নেই', - 'Files' => 'ফাইল', - 'Not all files were successfully uploaded on your server' => 'সব ফাইল সফলভাবে আপনার সার্ভারে আপলোড করা হয় নি', - 'Permissions on files and folders' => 'ফাইল এবং ফোল্ডার অনুমতি', - 'Recursive write permissions for %1$s user on %2$s' => ' %1$s ব্যভারকারির %2$s এর জন্য রিকারসিভ রাইট অনুমতি ', - 'Recommended PHP parameters' => 'প্রস্তাবিত পিএইচপি পরামিতি', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'বাহ্যিক URL-খোলা যাচ্ছে না', - 'PHP register_globals option is enabled' => 'PHP register_globals অপশন সক্রিয় ', - 'GZIP compression is not activated' => 'Gzip কম্প্রেশন সক্রিয় করা নেই', - 'Mcrypt extension is not enabled' => 'Mcrypt এক্সটেনশন সক্রিয় করা নেই', - 'Mbstring extension is not enabled' => 'Mbstring এক্সটেনশন সক্রিয় করা নেই', - 'PHP magic quotes option is enabled' => 'PHP magic quotes অপশনটি সক্রিয় করা', - 'Dom extension is not loaded' => 'Dom এক্সটেনশন লোড করা হয় নি', - 'PDO MySQL extension is not loaded' => 'PDO MySQLএক্সটেনশন লোড করা হয় নি', - 'Server name is not valid' => 'সার্ভারের নাম সঠিক নয় ', - 'You must enter a database name' => 'আপনাকে একটি ডাটাবেসের নাম লিখতে হবে', - 'You must enter a database login' => 'আপনাকে একটি ডাটাবেস লগইন থেকে প্রবেশ করতে হবে', - 'Tables prefix is invalid' => 'টেবিল প্রিফিক্স ভুল', - 'Cannot convert database data to utf-8' => ' ডাটাবেসের তথ্য utf-8 এ রূপান্তর করতে পারবেন না', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'একই প্রিফিক্স যুক্ত কমপক্ষে আরও একটি টেবিল পাওয়া গেছে,আপনার প্রিফিক্স বদলান অথবা ডাটাবেস ড্রপ করুন', - 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'ডাটাবেস সার্ভার খুঁজে পাওয়া যায় নি।লগইন, পাসওয়ার্ড এবং সার্ভার ক্ষেত্র দয়া করে যাচাই করুন।', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'MySQLসার্ভারে সংযোগ সফল হএচে,কিন্তু ডাটাবেস "%s" খুজে পাওয়া যায় নি', - 'Attempt to create the database automatically' => 'স্বয়ংক্রিয়ভাবে ডাটাবেস তৈরি করার চেষ্টা করুন', - '%s file is not writable (check permissions)' => '%sফাইল লিখনযোগ্য নয়(অনুমতি চেক করুন)', - '%s folder is not writable (check permissions)' => '%sফোল্ডার লিখনযোগ্য নয়(অনুমতি চেক করুন) ', - 'Cannot write settings file' => 'সেটিংস ফাইল রাইট করা যায় নি ', - 'Database structure file not found' => 'ডাটাবেজ কাঠামো ফাইল খুঁজে পাওয়া যায় নি', - 'Cannot create group shop' => 'গ্রুপ দোকান তৈরি করা যায় নি ', - 'Cannot create shop' => ' দোকান তৈরি করা যায় নি ', - 'Cannot create shop URL' => ' দোকানের URL তৈরি করা যায় নি ', - 'File "language.xml" not found for language iso "%s"' => '"language.xml"ফাইল টি language iso "%s" তে পাওয়া যায় নি', - 'File "language.xml" not valid for language iso "%s"' => '"language.xml" ফাইল টি language iso "%s এর জন্য সঠিক নয়', - 'Cannot install language "%s"' => ' "%s" ভাষা ইনস্টল করা যাচ্ছে না', - 'Cannot copy flag language "%s"' => '"%s" ফ্লাগ ভাষা কপি করা যাচ্ছে না ', - 'Cannot create admin account' => 'এডমিন অ্যাকাউন্ট তৈরি করা যায় নি ', - 'Cannot install module "%s"' => '"%s" মডিউল ইনস্টল করা যাচ্ছে না', - 'Fixtures class "%s" not found' => '"%s" Fixtures class পাওয়া যায় নি', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" কে অবশ্যই "InstallXmlLoader" এর একটি instaneহতে হবে', - 'Information about your Store' => 'আপনার দোকান সম্পর্কে তথ্য', - 'Shop name' => 'দোকান এর নাম', - 'Main activity' => 'মুখ্য কার্যকলাপ', - 'Please choose your main activity' => 'আপনার প্রধান কার্যকলাপ বেছে নিন', - 'Other activity...' => 'অন্য কার্যকলাপ ...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'আমরা যাতে আপনাকে আপনার ব্যবসার জন্য অনুকূল নির্দেশিকা এবং সর্বোত্তম বৈশিষ্ট্য অফার করতে পারি সেজন্য আমাদের আপনার দোকান সম্বন্ধে আরও জানতে সাহায্য করুন!', - 'Install demo products' => 'ডেমো পণ্য ইনস্টল করুন', - 'Yes' => 'হ্যাঁ', - 'No' => 'না', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'ডেমো পণ্য PrestaShopএর ব্যবহার শিখার একটি ভালো উপায়।আপনি যদি এটার সাথে পরিচিত না হন, তাহলে তাদের ইনস্টল করা উচিত।', - 'Country' => 'দেশ', - 'Select your country' => 'আপনার দেশ নির্বাচন করুন', - 'Shop timezone' => 'দোকানের সময় অঞ্চল (timezone)', - 'Select your timezone' => 'আপনার সময় অঞ্চল নির্বাচন করুন', - 'Shop logo' => 'দোকান লোগো', - 'Optional - You can add you logo at a later time.' => 'ঐচ্ছিক - পরবর্তী সময়ে লোগো যোগ করতে পারেন.', - 'Your Account' => 'আপনার অ্যাকাউন্ট', - 'First name' => 'নামের প্রথমাংশ', - 'Last name' => 'নামের শেষাংশ', - 'E-mail address' => 'ইমেইল ঠিকানা', - 'This email address will be your username to access your store\'s back office.' => 'এই ইমেইল ঠিকানা আপনার দোকান এর ব্যাক অফিস অ্যাক্সেস করতে আপনার ইউজারনেম হবে', - 'Shop password' => 'দোকানের পাসওয়ার্ড', - 'Must be at least 8 characters' => 'আট অক্ষর নূন্যতম', - 'Re-type to confirm' => 'নিশ্চিত করার জন্য আবার টাইপ করুন', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'নিম্নলিখিত ক্ষেত্রগুলি পূরণ করে আপনার ডাটাবেস কনফিগার করুন', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'PrestaShop ব্যবহার করতে, আপনাকে অবশ্যই a href="http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Creatingadatabaseforyourshop" target="_blank">create a database আপনার দোকান সম্পর্কিত সকল তথ্য সংগ্রহ করার জন্য ', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'PrestaShop আপনার ডাটাবেসের সাথে সংযোগ করার জন্য নীচের ক্ষেত্রগুলি পূরণ করুন.', - 'Database server address' => 'ডাটাবেস সার্ভারের ঠিকানা', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'ডিফল্ট পোর্ট হল 3306।ভিন্ন পোর্ট ব্যবহার করতে হলে আপনার সার্ভারের ঠিকানা এবং শেষে পোর্ট সংখ্যা যোগ করুন।যেমন-":4242". ', - 'Database name' => 'ডেটাবেস নাম', - 'Database login' => 'ডাটাবেস লগইন', - 'Database password' => 'ডাটাবেজ পাসওয়ার্ড', - 'Database Engine' => 'ডাটাবেস ইঞ্জিন', - 'Tables prefix' => 'টেবিল প্রিফিক্সঃ', - 'Drop existing tables (mode dev)' => 'বিদ্যমান টেবিল ড্রপ করুন(mode dev)', - 'Test your database connection now!' => 'এখন আপনার ডাটাবেস সংযোগ পরীক্ষা করুন!', - 'Next' => 'পরবর্তী ', - 'Back' => 'পেছনে', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'অফিসিয়াল ফোরাম', - 'Support' => 'সহায়তা', - 'Documentation' => 'নথিপত্র করন', - 'Contact us' => 'আমাদের সাথে যোগাযোগ করুন', - 'PrestaShop Installation Assistant' => 'PrestaShop ইনস্টলেশন সহকারী', - 'Forum' => 'ফোরাম', - 'Blog' => 'ব্লগ', - 'Contact us!' => 'আমাদের সাথে যোগাযোগ করুন', - 'menu_welcome' => 'আপনার ভাষা নির্বাচন করুন', - 'menu_license' => 'লাইসেন্স চুক্তি ', - 'menu_system' => 'সিস্টেম প্রয়োজনীয়তা', - 'menu_configure' => 'দোকান এর তথ্য', - 'menu_database' => 'সিস্টেম কনফিগারেসন', - 'menu_process' => 'দোকান ইন্সটলেসন ', - 'Installation Assistant' => 'ইনস্টলেশন সহকারী', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'PrestaShop ইনস্টল করার জন্য,আপনাকে জাভাস্ক্রিপ্ট আপনার ব্রাউজারে সক্রিয় করতে হবে', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'লাইসেন্স চুক্তি', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'PrestaShop দ্বারা বিনামূল্যে দেওয়া অনেক বৈশিষ্ট্য ভোগ করতে, নীচের লাইসেন্স শর্ত দয়া করে পড়ুন।PrestaShop কোর, OSL 3.0 এর অধীনে লাইসেন্স করা হয় এবং মডিউল, এবং থিমগুলি afl 3.0 অধীনে লাইসেন্স করা হয়', - 'I agree to the above terms and conditions.' => 'আমি উপরের শর্তাবলীর সাথে সম্মত ', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'আমি আমার কনফিগারেশন সম্পর্কে বেনামী তথ্য পাঠিয়ে সমাধান উন্নতিতে অংশগ্রহণের জন্য সম্মত ', - 'Done!' => 'সম্পন্ন!', - 'An error occurred during installation...' => 'ইনস্টলেশনের সময় একটি ত্রুটি ঘটেছে ...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'আপনি বাম কলামের পিছনে ফেরার লিঙ্ক দিয়ে আগের ধাপে ফিরে যেতে পারেন অথবা ইনস্টলেশন প্রক্রিয়া পুনরায় আরম্ভ করুন-clicking here. হতে', - 'Your installation is finished!' => 'আপনার ইনস্টলেশন সমাপ্ত!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => ' আপনার দোকান ইনস্টল সমাপ্ত হয়েছে. PrestaShop ব্যবহারের জন্য আপনাকে ধন্যবাদ!', - 'Please remember your login information:' => 'আপনার লগইন তথ্য দয়া করে মনে রাখবেন', - 'E-mail' => 'ই মেইল', - 'Print my login information' => 'আপনার লগইন তথ্য মুদ্রণ করুন', - 'Password' => 'পাসওয়ার্ড', - 'Display' => 'প্রদর্শন ', - 'For security purposes, you must delete the "install" folder.' => 'নিরাপত্তার জন্য "install" ফোল্ডার মুছে ফেলা আবশ্যক.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'ব্যাক অফিস', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'আপনার ব্যাক অফিস ব্যবহার করে আপনার দোকান পরিচালনা করুন।আপনার অর্ডার এবং গ্রাহকদের, মডিউল, থিম পরিবর্তন , ইত্যাদি পরিচালনা করুন', - 'Manage your store' => 'আপনার দোকান পরিচালনা করুন', - 'Front Office' => 'ফ্রন্ট অফিস', - 'Discover your store as your future customers will see it!' => 'আপনার ভবিষ্যত গ্রাহক দেখতে পাবে আপনার যে দোকানটি তা আবিস্কার করুন!', - 'Discover your store' => 'আপনার দোকান উন্মোচন করুন', - 'Share your experience with your friends!' => 'আপনার বন্ধুদের সঙ্গে আপনার অভিজ্ঞতা শেয়ার করুন!', - 'I just built an online store with PrestaShop!' => 'আমি PrestaShop দিয়ে একটি অনলাইন দোকান নির্মাণ করলাম!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Watch this exhilarating experience: http://vimeo.com/89298199', - 'Tweet' => 'টুইট', - 'Share' => 'শেয়ার ', - 'Google+' => 'Google+ ', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn ', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'আপনার দোকানে অতিরিক্ত কিছু যোগ করতে PrestaShop অ্যাডঅনস পরীক্ষা করে দেখুন!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'আমরা বর্তমানে আপনার সিস্টেম পরিবেশের সঙ্গে PrestaShopএর উপযুক্ততা যাচাই করছি', - 'If you have any questions, please visit our documentation and community forum.' => 'যদি আপনার কোন প্রশ্ন থাকে, তাহলে অনুগ্রহপূর্বক আমাদের নথিপত্র এবং কমুনিটি ফোরাম. পরিদর্শন করুন', - 'PrestaShop compatibility with your system environment has been verified!' => 'আপনার সিস্টেমে পরিবেশের সঙ্গে PrestaShop উপযুক্ততা যাচাই করা হয়েছে!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => ' নীচের আইটেম (গুলি) দয়া করে সঠিক করুন তারপর আপনার নতুন সিস্টেম সামঞ্জস্যের পরীক্ষা করতে "Refresh information" ক্লিক করুন', - 'Refresh these settings' => 'এই সেটিংস রিফ্রেশ করুন', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop চালাতে অন্তত 32M মেমরি প্রয়োজন।php.ini তে আপনার মেমরি চেক করুন অথবা অথবা আপনার হোস্ট সরবরাহকারীর সাথে যোগাযোগ করুন।', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'সতর্কবার্তা: আপনি আপনার দোকান আপগ্রেড করতে আর এই টুল ব্যবহার করতে পারবেন না

আপনার ইতিমধ্যেই আছেPrestaShop সংস্করণ %1$s ইনস্টল করা .

আপনি সর্বশেষ সংস্করণে আপগ্রেড করতে চান তাহলে আমাদের ডকুমেন্টেশন দয়া করে পড়ুন:%2$s', - 'Welcome to the PrestaShop %s Installer' => 'PrestaShop ইনস্টলার %s এ স্বাগতম', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop ইনস্টলেশন দ্রুত এবং সহজ। মাত্র কয়েক মুহূর্তের মধ্যে, আপনি 230.000 এর বেশি বণিকদের একটি কমিউনিটির অংশ হয়ে যাবেন। আপনি আপনার নিজের অসাধারন দোকান তৈরির পথে আছেন যেটি খুব সহজে প্রতিদিন ম্যানেজ করতে পারবেন।', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'এ ইনস্টলেশন চালিয়ে যান: ', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'উপরোক্ত ভাষা নির্বাচন শুধুমাত্র ইনস্টলেশনের সহকারীর জন্য প্রযোজ্য।আপনার দোকান ইনস্টল করা হলে,আপনি উপর থেকে আপনার দোকানের ভাষা নির্বাচন করতে পারবেন একদম বিনামূল্যে!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop ইনস্টলেশন দ্রুত এবং সহজ। মাত্র কয়েক মুহূর্তের মধ্যে, আপনি 250.000 এর বেশি বণিকদের একটি কমিউনিটির অংশ হয়ে যাবেন। আপনি আপনার নিজের অসাধারন দোকান তৈরির পথে আছেন যেটি খুব সহজে প্রতিদিন ম্যানেজ করতে পারবেন।', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => '%1$s সত্তার জন্য একটি SQL ত্রুটি ঘটেছে: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => '"%2$s" সত্তার জন্য ছবি "%1$s" তৈরি করা যাবে না', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'ছবি "%1$s" তৈরি করা যাবে না ("%2$s" ফোল্ডারে খারাপ অনুমতি)', + 'Cannot create image "%s"' => 'ছবি "%s" তৈরি করা যাবে না', + 'SQL error on query %s' => 'প্রশ্ন %s এ SQL ত্রুটি', + '%s Login information' => '%s লগইন তথ্য', + 'Field required' => 'ক্ষেত্র প্রয়োজনীয়', + 'Invalid shop name' => 'অবৈধ দোকানের নাম', + 'The field %s is limited to %d characters' => 'ক্ষেত্র %s %d অক্ষরের মধ্যে সীমাবদ্ধ', + 'Your firstname contains some invalid characters' => 'আপনার প্রথম নামটিতে কিছু অবৈধ অক্ষর রয়েছে৷', + 'Your lastname contains some invalid characters' => 'আপনার শেষনামে কিছু অবৈধ অক্ষর রয়েছে', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'পাসওয়ার্ডটি ভুল (অন্তত 8টি অক্ষর সহ আলফানিউমেরিক স্ট্রিং)', + 'Password and its confirmation are different' => 'পাসওয়ার্ড এবং তার নিশ্চিতকরণ ভিন্ন', + 'This e-mail address is invalid' => 'এই ই-মেইল ঠিকানাটি অবৈধ', + 'Image folder %s is not writable' => 'ছবির ফোল্ডার %s লেখার যোগ্য নয়', + 'An error occurred during logo copy.' => 'লোগো কপি করার সময় একটি ত্রুটি ঘটেছে৷', + 'An error occurred during logo upload.' => 'লোগো আপলোড করার সময় একটি ত্রুটি ঘটেছে৷', + 'Lingerie and Adult' => 'অন্তর্বাস এবং প্রাপ্তবয়স্কদের', + 'Animals and Pets' => 'প্রাণী এবং পোষা প্রাণী', + 'Art and Culture' => 'শিল্প ও সংস্কৃতি', + 'Babies' => 'বাচ্চারা', + 'Beauty and Personal Care' => 'সৌন্দর্য এবং ব্যক্তিগত যত্ন', + 'Cars' => 'গাড়ি', + 'Computer Hardware and Software' => 'কম্পিউটার হার্ডওয়্যার এবং সফটওয়্যার', + 'Download' => 'ডাউনলোড করুন', + 'Fashion and accessories' => 'ফ্যাশন এবং আনুষাঙ্গিক', + 'Flowers, Gifts and Crafts' => 'ফুল, উপহার এবং কারুশিল্প', + 'Food and beverage' => 'খাদ্য ও পানীয়', + 'HiFi, Photo and Video' => 'হাইফাই, ফটো এবং ভিডিও', + 'Home and Garden' => 'বাড়ি এবং বাগান', + 'Home Appliances' => 'হোম অ্যাপ্লায়েন্সেস', + 'Jewelry' => 'গয়না', + 'Mobile and Telecom' => 'মোবাইল এবং টেলিকম', + 'Services' => 'সেবা', + 'Shoes and accessories' => 'জুতা এবং আনুষাঙ্গিক', + 'Sports and Entertainment' => 'খেলাধুলা এবং বিনোদন', + 'Travel' => 'ভ্রমণ', + 'Database is connected' => 'ডাটাবেস সংযুক্ত করা হয়', + 'Database is created' => 'ডাটাবেস তৈরি করা হয়', + 'Cannot create the database automatically' => 'স্বয়ংক্রিয়ভাবে ডাটাবেস তৈরি করা যাবে না', + 'Create settings.inc file' => 'settings.inc ফাইল তৈরি করুন', + 'Create database tables' => 'ডাটাবেস টেবিল তৈরি করুন', + 'Create default website and languages' => 'ডিফল্ট ওয়েবসাইট এবং ভাষা তৈরি করুন', + 'Populate database tables' => 'ডাটাবেস টেবিল পপুলেট', + 'Configure website information' => 'ওয়েবসাইট তথ্য কনফিগার করুন', + 'Install demonstration data' => 'প্রদর্শন তথ্য ইনস্টল করুন', + 'Install modules' => 'মডিউল ইনস্টল করুন', + 'Install Addons modules' => 'Addons মডিউল ইনস্টল করুন', + 'Install theme' => 'থিম ইনস্টল করুন', + 'Required PHP parameters' => 'প্রয়োজনীয় পিএইচপি পরামিতি', + 'The required PHP version is between 5.6 to 7.4' => 'প্রয়োজনীয় পিএইচপি সংস্করণটি 5.6 থেকে 7.4 এর মধ্যে', + 'Cannot upload files' => 'ফাইল আপলোড করা যাবে না', + 'Cannot create new files and folders' => 'নতুন ফাইল এবং ফোল্ডার তৈরি করা যাবে না', + 'GD library is not installed' => 'জিডি লাইব্রেরি ইনস্টল করা নেই', + 'PDO MySQL extension is not loaded' => 'PDO MySQL এক্সটেনশন লোড হয় না', + 'Curl extension is not loaded' => 'কার্ল এক্সটেনশন লোড করা হয় না', + 'SOAP extension is not loaded' => 'SOAP এক্সটেনশন লোড হয় না', + 'SimpleXml extension is not loaded' => 'SimpleXml এক্সটেনশন লোড হয় না', + 'In the PHP configuration set memory_limit to minimum 128M' => 'পিএইচপি কনফিগারেশনে মেমরি_লিমিট ন্যূনতম 128M সেট করুন', + 'In the PHP configuration set max_execution_time to minimum 500' => 'PHP কনফিগারেশনে max_execution_time ন্যূনতম 500 সেট করুন', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'PHP কনফিগারেশনে upload_max_filesize ন্যূনতম 16M সেট করুন', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'বাহ্যিক URL খুলতে পারে না (অনুমতি_url_fopen চালু হিসাবে প্রয়োজন)।', + 'ZIP extension is not enabled' => 'জিপ এক্সটেনশন সক্রিয় করা নেই', + 'Files' => 'নথি পত্র', + 'Not all files were successfully uploaded on your server' => 'আপনার সার্ভারে সব ফাইল সফলভাবে আপলোড করা হয়নি', + 'Permissions on files and folders' => 'ফাইল এবং ফোল্ডারে অনুমতি', + 'Recursive write permissions for %1$s user on %2$s' => '%2$s-এ %1$s ব্যবহারকারীর জন্য পুনরাবৃত্তিমূলক লেখার অনুমতি', + 'Recommended PHP parameters' => 'প্রস্তাবিত PHP প্যারামিটার', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'আপনি PHP %s সংস্করণ ব্যবহার করছেন। শীঘ্রই, QloApps দ্বারা সমর্থিত সর্বশেষ PHP সংস্করণটি হবে PHP 5.6। আপনি ভবিষ্যতের জন্য প্রস্তুত তা নিশ্চিত করতে, আমরা আপনাকে এখনই PHP 5.6-এ আপগ্রেড করার পরামর্শ দিচ্ছি!', + 'PHP register_globals option is enabled' => 'পিএইচপি register_globals বিকল্প সক্রিয় করা হয়েছে', + 'GZIP compression is not activated' => 'GZIP কম্প্রেশন সক্রিয় করা হয় না', + 'Mbstring extension is not enabled' => 'Mbstring এক্সটেনশন সক্রিয় করা নেই', + 'Dom extension is not loaded' => 'Dom এক্সটেনশন লোড করা হয় না', + 'Server name is not valid' => 'সার্ভারের নাম বৈধ নয়', + 'You must enter a database name' => 'আপনাকে অবশ্যই একটি ডাটাবেসের নাম লিখতে হবে', + 'You must enter a database login' => 'আপনি একটি ডাটাবেস লগইন লিখতে হবে', + 'Tables prefix is invalid' => 'সারণি উপসর্গ অবৈধ', + 'Cannot convert database data to utf-8' => 'ডাটাবেস ডেটাকে utf-8 এ রূপান্তর করা যাবে না', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'একই উপসর্গ সহ অন্তত একটি টেবিল ইতিমধ্যে পাওয়া গেছে, অনুগ্রহ করে আপনার উপসর্গ পরিবর্তন করুন বা আপনার ডাটাবেস ফেলে দিন', + 'The values of auto_increment increment and offset must be set to 1' => 'স্বয়ংক্রিয়_বৃদ্ধি বৃদ্ধি এবং অফসেটের মান অবশ্যই 1 এ সেট করতে হবে', + 'Database Server is not found. Please verify the login, password and server fields' => 'ডাটাবেস সার্ভার খুঁজে পাওয়া যায়নি. লগইন, পাসওয়ার্ড এবং সার্ভার ক্ষেত্র যাচাই করুন', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'MySQL সার্ভারের সাথে সংযোগ সফল হয়েছে, কিন্তু ডাটাবেস "%s" পাওয়া যায়নি', + 'Attempt to create the database automatically' => 'স্বয়ংক্রিয়ভাবে ডাটাবেস তৈরি করার চেষ্টা করুন', + '%s file is not writable (check permissions)' => '%s ফাইল লেখার যোগ্য নয় (অনুমতি চেক করুন)', + '%s folder is not writable (check permissions)' => '%s ফোল্ডার লেখার যোগ্য নয় (অনুমতি চেক করুন)', + 'Cannot write settings file' => 'সেটিংস ফাইল লিখতে পারে না', + 'Database structure file not found' => 'ডাটাবেস গঠন ফাইল পাওয়া যায়নি', + 'Cannot create group shop' => 'গ্রুপ শপ তৈরি করা যাবে না', + 'Cannot create shop' => 'দোকান তৈরি করা যাবে না', + 'Cannot create shop URL' => 'দোকান URL তৈরি করা যাবে না', + 'File "language.xml" not found for language iso "%s"' => 'আইএসও "%s" এর জন্য "language.xml" ফাইলটি পাওয়া যায়নি', + 'File "language.xml" not valid for language iso "%s"' => '"language.xml" ফাইলটি iso "%s" ভাষার জন্য বৈধ নয়', + 'Cannot install language "%s"' => '"%s" ভাষা ইনস্টল করা যাচ্ছে না', + 'Cannot copy flag language "%s"' => 'পতাকা ভাষা "%s" অনুলিপি করা যাবে না', + 'Cannot create admin account' => 'অ্যাডমিন অ্যাকাউন্ট তৈরি করা যাবে না', + 'Cannot install module "%s"' => 'মডিউল "%s" ইনস্টল করা যাবে না', + 'Fixtures class "%s" not found' => 'ফিক্সচার ক্লাস "%s" পাওয়া যায়নি', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" অবশ্যই "InstallXmlLoader" এর একটি উদাহরণ হতে হবে', + 'Information about your Website' => 'আপনার ওয়েবসাইট সম্পর্কে তথ্য', + 'Website name' => 'ওয়েবসাইটের নাম', + 'Main activity' => 'প্রধান কাজ', + 'Please choose your main activity' => 'আপনার প্রধান কার্যকলাপ চয়ন করুন', + 'Other activity...' => 'অন্যান্য কার্যকলাপ...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'আপনার দোকান সম্পর্কে আরও জানতে আমাদের সাহায্য করুন যাতে আমরা আপনাকে সর্বোত্তম দিকনির্দেশনা এবং আপনার ব্যবসার জন্য সেরা বৈশিষ্ট্যগুলি অফার করতে পারি!', + 'Install demo data' => 'ডেমো ডেটা ইনস্টল করুন', + 'Yes' => 'হ্যাঁ', + 'No' => 'না', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'আপনি যদি আগে এটি ব্যবহার না করে থাকেন তবে QloApps কীভাবে ব্যবহার করবেন তা শেখার জন্য ডেমো ডেটা ইনস্টল করা একটি ভাল উপায়। এই ডেমো ডেটা পরে মডিউল QloApps ডেটা ক্লিনার ব্যবহার করে মুছে ফেলা যেতে পারে যা এই ইনস্টলেশনের সাথে আগে থেকে ইনস্টল করা হয়।', + 'Country' => 'দেশ', + 'Select your country' => 'তোমার দেশ নির্বাচন কর', + 'Website timezone' => 'ওয়েবসাইট টাইমজোন', + 'Select your timezone' => 'আপনার টাইমজোন নির্বাচন করুন', + 'Enable SSL' => 'SSL সক্ষম করুন', + 'Shop logo' => 'দোকানের লোগো', + 'Optional - You can add you logo at a later time.' => 'ঐচ্ছিক - আপনি পরবর্তী সময়ে আপনার লোগো যোগ করতে পারেন।', + 'Your Account' => 'আপনার অ্যাকাউন্ট', + 'First name' => 'নামের প্রথম অংশ', + 'Last name' => 'নামের শেষাংশ', + 'E-mail address' => 'ই-মেইল ঠিকানা', + 'This email address will be your username to access your website\'s back office.' => 'এই ইমেল ঠিকানাটি আপনার ওয়েবসাইটের ব্যাক অফিস অ্যাক্সেস করার জন্য আপনার ব্যবহারকারীর নাম হবে।', + 'Password' => 'পাসওয়ার্ড', + 'Must be at least 8 characters' => 'কমপক্ষে 8টি অক্ষর হতে হবে', + 'Re-type to confirm' => 'নিশ্চিত করতে পুনরায় টাইপ করুন', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'আপনার দেওয়া তথ্য আমাদের দ্বারা সংগ্রহ করা হয় এবং ডেটা প্রক্রিয়াকরণ এবং পরিসংখ্যান সাপেক্ষে। বর্তমান "অ্যাক্ট অন ডেটা প্রসেসিং, ডেটা ফাইল এবং ব্যক্তিগত স্বাধীনতা" এর অধীনে আপনার এই লিঙ্ক।', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'আমি QloApps থেকে নিউজলেটার এবং প্রচারমূলক অফার পেতে সম্মত।', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'আপনি সর্বদা নতুন আপডেট, নিরাপত্তা সংশোধন এবং প্যাচের মত লেনদেন সংক্রান্ত ইমেল পাবেন, এমনকি যদি আপনি এই বিকল্পটি বেছে না নেন।', + 'Configure your database by filling out the following fields' => 'নিম্নলিখিত ক্ষেত্রগুলি পূরণ করে আপনার ডাটাবেস কনফিগার করুন', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'QloApps ব্যবহার করতে, আপনার ওয়েবসাইটের সমস্ত ডেটা-সম্পর্কিত কার্যকলাপ সংগ্রহ করতে আপনাকে অবশ্যই একটি ডাটাবেস তৈরি করতে হবে৷', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'আপনার ডাটাবেসের সাথে QloApps সংযোগ করার জন্য অনুগ্রহ করে নীচের ক্ষেত্রগুলি সম্পূর্ণ করুন৷', + 'Database server address' => 'ডাটাবেস সার্ভার ঠিকানা', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'ডিফল্ট পোর্ট হল 3306৷ একটি ভিন্ন পোর্ট ব্যবহার করতে, আপনার সার্ভারের ঠিকানার শেষে পোর্ট নম্বর যোগ করুন যেমন ":4242"৷', + 'Database name' => 'ডাটাবেসের নাম', + 'Database login' => 'ডাটাবেস লগইন', + 'Database password' => 'ডাটাবেস পাসওয়ার্ড', + 'Database Engine' => 'ডাটাবেস ইঞ্জিন', + 'Tables prefix' => 'সারণি উপসর্গ', + 'Drop existing tables (mode dev)' => 'বিদ্যমান টেবিল বাদ দিন (মোড ডেভ)', + 'Test your database connection now!' => 'এখন আপনার ডাটাবেস সংযোগ পরীক্ষা করুন!', + 'Next' => 'পরবর্তী', + 'Back' => 'পেছনে', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'আপনার যদি কিছু সহায়তার প্রয়োজন হয়, তাহলে আপনি আমাদের সহায়তা টিম থেকে উপযুক্ত সাহায্য পেতে পারেনঅফিসিয়াল ডকুমেন্টেশন এছাড়াও আপনাকে গাইড করতে এখানে রয়েছে৷', + 'Official forum' => 'অফিসিয়াল ফোরাম', + 'Support' => 'সমর্থন', + 'Documentation' => 'ডকুমেন্টেশন', + 'Contact us' => 'যোগাযোগ করুন', + 'QloApps Installation Assistant' => 'QloApps ইনস্টলেশন সহকারী', + 'Forum' => 'ফোরাম', + 'Blog' => 'ব্লগ', + 'menu_welcome' => 'আপনার ভাষা নির্বাচন করুন', + 'menu_license' => 'লাইসেন্স চুক্তি', + 'menu_system' => 'সিস্টেম সামঞ্জস্য', + 'menu_configure' => 'ওয়েবসাইট তথ্য', + 'menu_database' => 'সিস্টেম কনফিগারেশন', + 'menu_process' => 'QloApps ইনস্টলেশন', + 'Need Help?' => 'সাহায্য দরকার?', + 'Click here to Contact us' => 'আমাদের সাথে যোগাযোগ করতে এখানে ক্লিক করুন', + 'Installation' => 'স্থাপন', + 'See our Installation guide' => 'আমাদের ইনস্টলেশন গাইড দেখুন', + 'Tutorials' => 'টিউটোরিয়াল', + 'See our QloApps tutorials' => 'আমাদের QloApps টিউটোরিয়াল দেখুন', + 'Installation Assistant' => 'ইনস্টলেশন সহকারী', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'QloApps ইনস্টল করার জন্য, আপনার ব্রাউজারে JavaScript সক্রিয় থাকতে হবে।', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'লাইসেন্স চুক্তি', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'QloApps দ্বারা বিনামূল্যে অফার করা অনেক বৈশিষ্ট্য উপভোগ করতে, অনুগ্রহ করে নীচের লাইসেন্সের শর্তাবলী পড়ুন। QloApps কোর OSL 3.0 এর অধীনে লাইসেন্সপ্রাপ্ত, যখন মডিউল এবং থিমগুলি AFL 3.0 এর অধীনে লাইসেন্সপ্রাপ্ত।', + 'I agree to the above terms and conditions.' => 'আমি উপরের শর্তাবলীতে সম্মত।', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'আমি আমার কনফিগারেশন সম্পর্কে বেনামী তথ্য পাঠিয়ে সমাধানের উন্নতিতে অংশগ্রহণ করতে সম্মত।', + 'Done!' => 'সম্পন্ন!', + 'An error occurred during installation...' => 'ইনস্টলেশনের সময় একটি ত্রুটি ঘটেছে...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'আপনি পূর্ববর্তী ধাপে ফিরে যেতে বাম কলামের লিঙ্কগুলি ব্যবহার করতে পারেন, অথবা এখানে ক্লিক করে ইনস্টলেশন প্রক্রিয়া পুনরায় আরম্ভ করতে পারেন৷', + 'Suggested Modules' => 'প্রস্তাবিত মডিউল', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'আপনার আতিথেয়তা ব্যবসাকে সফল করতে QloApps Addons-এ সঠিক বৈশিষ্ট্যগুলি খুঁজুন।', + 'Discover All Modules' => 'সমস্ত মডিউল আবিষ্কার করুন', + 'Suggested Themes' => 'প্রস্তাবিত থিম', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'একটি রেডি-টু-ব্যবহারের টেমপ্লেট থিম সহ একটি ডিজাইন তৈরি করুন যা আপনার হোটেল এবং আপনার গ্রাহকদের জন্য উপযুক্ত।', + 'Discover All Themes' => 'সব থিম আবিষ্কার করুন', + 'Your installation is finished!' => 'আপনার ইনস্টলেশন সমাপ্ত!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'আপনি সবেমাত্র QloApps ইনস্টল করা শেষ করেছেন। QloApps ব্যবহার করার জন্য আপনাকে ধন্যবাদ!', + 'Please remember your login information:' => 'আপনার লগইন তথ্য মনে রাখবেন:', + 'E-mail' => 'ই-মেইল', + 'Print my login information' => 'আমার লগইন তথ্য প্রিন্ট করুন', + 'Display' => 'প্রদর্শন', + 'For security purposes, you must delete the "install" folder.' => 'নিরাপত্তার উদ্দেশ্যে, আপনাকে অবশ্যই "ইনস্টল" ফোল্ডারটি মুছে ফেলতে হবে।', + 'Back Office' => 'ব্যাক অফিস', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'আপনার ব্যাক অফিস ব্যবহার করে আপনার ওয়েবসাইট পরিচালনা করুন। আপনার অর্ডার এবং গ্রাহকদের পরিচালনা করুন, মডিউল যোগ করুন, থিম পরিবর্তন করুন ইত্যাদি।', + 'Manage Your Website' => 'আপনার ওয়েবসাইট পরিচালনা করুন', + 'Front Office' => 'ফ্রন্ট অফিস', + 'Discover your website as your future customers will see it!' => 'আপনার ভবিষ্যত গ্রাহকরা এটি দেখতে পাবেন হিসাবে আপনার ওয়েবসাইট আবিষ্কার করুন!', + 'Discover Your Website' => 'আপনার ওয়েবসাইট আবিষ্কার করুন', + 'Share your experience with your friends!' => 'আপনার বন্ধুদের সাথে আপনার অভিজ্ঞতা শেয়ার করুন!', + 'I just built an online hotel booking website with QloApps!' => 'আমি এইমাত্র QloApps দিয়ে একটি অনলাইন হোটেল বুকিং ওয়েবসাইট তৈরি করেছি!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'এখানে সমস্ত বৈশিষ্ট্য দেখুন: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'টুইট', + 'Share' => 'শেয়ার করুন', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'লিঙ্কডইন', + 'We are currently checking QloApps compatibility with your system environment' => 'আমরা বর্তমানে আপনার সিস্টেম পরিবেশের সাথে QloApps সামঞ্জস্যতা পরীক্ষা করছি', + 'If you have any questions, please visit our documentation and community forum.' => 'আপনার যদি কোনো প্রশ্ন থাকে, অনুগ্রহ করে আমাদের ডকুমেন্টেশন এবং কমিউনিটি ফোরামে যান৷ /a>', + 'QloApps compatibility with your system environment has been verified!' => 'আপনার সিস্টেম পরিবেশের সাথে QloApps সামঞ্জস্য যাচাই করা হয়েছে!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'উফ! অনুগ্রহ করে নীচের আইটেম(গুলি) সংশোধন করুন, এবং তারপর আপনার নতুন সিস্টেমের সামঞ্জস্য পরীক্ষা করতে "তথ্য রিফ্রেশ করুন" এ ক্লিক করুন৷', + 'Refresh these settings' => 'এই সেটিংস রিফ্রেশ করুন', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps চালানোর জন্য কমপক্ষে 128 MB মেমরির প্রয়োজন: অনুগ্রহ করে আপনার php.ini ফাইলে মেমরি_লিমিট নির্দেশিকা চেক করুন বা এই বিষয়ে আপনার হোস্ট প্রদানকারীর সাথে যোগাযোগ করুন।', + 'Welcome to the QloApps %s Installer' => 'QloApps %s ইনস্টলারে স্বাগতম', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'QloApps ইনস্টল করা দ্রুত এবং সহজ। মাত্র কয়েক মুহূর্তের মধ্যে, আপনি একটি সম্প্রদায়ের অংশ হয়ে উঠবেন। আপনি আপনার নিজের হোটেল বুকিং ওয়েবসাইট তৈরি করার পথে আছেন যা আপনি প্রতিদিন সহজেই পরিচালনা করতে পারেন।', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'আপনার যদি সাহায্যের প্রয়োজন হয়, এই ছোট টিউটোরিয়ালটি দেখুন, অথবা আমাদের ডকুমেন্টেশন।', + 'Continue the installation in:' => 'এতে ইনস্টলেশন চালিয়ে যান:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'উপরের ভাষা নির্বাচন শুধুমাত্র ইনস্টলেশন সহকারীর জন্য প্রযোজ্য। QloApps ইনস্টল হয়ে গেলে, আপনি %dটির বেশি অনুবাদ থেকে আপনার ওয়েবসাইটের ভাষা বেছে নিতে পারেন, সবই বিনামূল্যে!', + ), +); \ No newline at end of file diff --git a/install/langs/br/install.php b/install/langs/br/install.php index ec0aa8eb0..41257b61c 100644 --- a/install/langs/br/install.php +++ b/install/langs/br/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Ocorreu um erro SQL para a entidade %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Não foi possível criar imagem "%1$s" para a entidade "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Não foi possível criar imagem "%1$s" (permissão inválida na pasta "%2$s")', - 'Cannot create image "%s"' => 'Não foi possível criar imagem "%s"', - 'SQL error on query %s' => 'Erro SQL na consulta %s', - '%s Login information' => '%s Informação de acesso', - 'Field required' => 'Campos obrigatórios', - 'Invalid shop name' => 'Nome da loja inválido', - 'The field %s is limited to %d characters' => 'O campo %s está limitado a %d caracteres', - 'Your firstname contains some invalid characters' => 'Seu nome contém alguns caracteres inválidos', - 'Your lastname contains some invalid characters' => 'Seu sobrenome contém alguns caracteres inválidos', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A senha é inválida (alfa-numéricos com pelo menos 8 caracteres)', - 'Password and its confirmation are different' => 'A senha original e sua confirmação são diferentes', - 'This e-mail address is invalid' => 'E-mail errado!', - 'Image folder %s is not writable' => 'A pasta de imagem %s não tem permissões de escrita', - 'An error occurred during logo copy.' => 'Ocorreu um erro durante a cópia do logotipo.', - 'An error occurred during logo upload.' => 'Um erro ocorreu durante o carregamento do logo', - 'Lingerie and Adult' => 'Lingerie e Adulto', - 'Animals and Pets' => 'Animais e Pets', - 'Art and Culture' => 'Arte e Cultura', - 'Babies' => 'Bebês', - 'Beauty and Personal Care' => 'Beleza e Cuidados Pessoais', - 'Cars' => 'Carros', - 'Computer Hardware and Software' => 'Informática', - 'Download' => 'Download', - 'Fashion and accessories' => 'Moda e acessórios', - 'Flowers, Gifts and Crafts' => 'Flores, Presentes e Artesanatos', - 'Food and beverage' => 'Alimentos e Bebidas ', - 'HiFi, Photo and Video' => 'HiFi, Foto e Vídeo', - 'Home and Garden' => 'Casa e Jardim', - 'Home Appliances' => 'Eletrodomésticos', - 'Jewelry' => 'Jóias', - 'Mobile and Telecom' => 'Celular e Telecomunicação', - 'Services' => 'Serviços', - 'Shoes and accessories' => 'Sapatos e acessórios', - 'Sports and Entertainment' => 'Esportes e Entretenimento', - 'Travel' => 'Viagens e Turismo', - 'Database is connected' => 'O banco de dados está conectado', - 'Database is created' => 'Banco de dados foi criado', - 'Cannot create the database automatically' => 'Não foi possível criar o banco de dados automaticamente', - 'Create settings.inc file' => 'Criando o arquivo settings.inc', - 'Create database tables' => 'Criando tabelas do banco de dados', - 'Create default shop and languages' => 'Criando a loja padrão e idiomas', - 'Populate database tables' => 'Preenchendo tabelas do banco de dados', - 'Configure shop information' => 'Configurando informações da loja', - 'Install demonstration data' => 'Instalando produtos de demonstração', - 'Install modules' => 'Instalando módulos', - 'Install Addons modules' => 'Instalando módulos do Addons', - 'Install theme' => 'Instalando o tema', - 'Required PHP parameters' => 'Parâmetros PHP obrigatórios', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ou acima não está ativado', - 'Cannot upload files' => 'Não é possível enviar arquivos', - 'Cannot create new files and folders' => 'Nâo é possível criar novos arquivos e pastas', - 'GD library is not installed' => 'Biblioteca GD não está instalada', - 'MySQL support is not activated' => 'Suporte MySQL não está ativado', - 'Files' => 'Arquivos', - 'Not all files were successfully uploaded on your server' => 'Nem todos os arquivos foram carregados para o servidor com sucesso', - 'Permissions on files and folders' => 'Permissões em arquivos e pastas', - 'Recursive write permissions for %1$s user on %2$s' => 'Permissões de gravação recursivas para usuário %1$s em %2$s', - 'Recommended PHP parameters' => 'Parâmetros PHP recomendados', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Você está usando a versão do PHP %s. Em breve, a última versão suportada pelo PrestaShop será a 5.4. Para garantir que a sua loja estará pronta para futuras atualizações, recomendamos atualizar para a versão 5.4 agora!', - 'Cannot open external URLs' => 'Não é possível abrir URLs externas', - 'PHP register_globals option is enabled' => 'A opção PHP register_globals está ativa', - 'GZIP compression is not activated' => 'Compressão GZIP não está ativada', - 'Mcrypt extension is not enabled' => 'Extensão Mcrypt não está habilitada', - 'Mbstring extension is not enabled' => 'Extensão Mbstring não está habilitada', - 'PHP magic quotes option is enabled' => 'Opção PHP magic_quotes está habilitada', - 'Dom extension is not loaded' => 'Extensão Dom não está carregada', - 'PDO MySQL extension is not loaded' => 'Extensão PDO MySQL não está carregada', - 'Server name is not valid' => 'Nome do servidor não é válido', - 'You must enter a database name' => 'Você precisa informar o nome do banco de dados', - 'You must enter a database login' => 'Você precisa informar o login do banco de dados', - 'Tables prefix is invalid' => 'O prefixo das tabelas é inválido', - 'Cannot convert database data to utf-8' => 'Não é possível converter as informações do banco de dados para utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Pelo menos uma tabela com mesmo prefixo já foi encontrada, por favor, mude seu prefixo ou exclua o seu banco de dados', - 'The values of auto_increment increment and offset must be set to 1' => 'Os valores de "auto_increment " e "offset" devem ser definidos como 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'O servidor do banco de dados não foi encontrado. Por favor, verifique os campos de login, senha e servidor', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'A conexão para o servidor MySQL foi realizada com sucesso, mas o banco de dados "%s" não foi encontrado', - 'Attempt to create the database automatically' => 'Tentativa de criar o banco de dados automaticamente', - '%s file is not writable (check permissions)' => 'O arquivo %s não pode ser escrito (verifique permissões)', - '%s folder is not writable (check permissions)' => 'A pasta %s não pode ser escrita (verifique permissões)', - 'Cannot write settings file' => 'Não foi possível gravar o arquivo de configurações', - 'Database structure file not found' => 'Arquivo de estrutura do banco de dados não encontrado', - 'Cannot create group shop' => 'Não foi possível criar o grupo da loja', - 'Cannot create shop' => 'Não foi possível criar a loja', - 'Cannot create shop URL' => 'Não foi possível criar a URL da loja', - 'File "language.xml" not found for language iso "%s"' => 'O arquivo "language.xml" não foi encontrado para o idioma iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'O arquivo "language.xml" não é válido para o idioma iso "%s"', - 'Cannot install language "%s"' => 'Não foi possível instalar o idioma "%s"', - 'Cannot copy flag language "%s"' => 'Não foi possível copiar a bandeira do idioma "%s" ', - 'Cannot create admin account' => 'Não foi possível criar a conta de administrador', - 'Cannot install module "%s"' => 'Não foi possível instalar o módulo "%s"', - 'Fixtures class "%s" not found' => 'A classe fixtures "%s" não foi encontrada', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve ser uma instância de "InstallXmlLoader"', - 'Information about your Store' => 'Informação sobre sua Loja', - 'Shop name' => 'Nome da loja', - 'Main activity' => 'Atividade Principal', - 'Please choose your main activity' => 'Por favor escolha sua atividade principal', - 'Other activity...' => 'Outra atividade...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Nos ajude a conhecer mais sobre a sua loja para que possamos oferecer melhor orientações e ótimos recursos para o seu negócio!', - 'Install demo products' => 'Instalar produtos de demonstração', - 'Yes' => 'Sim', - 'No' => 'Não', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Produtos de demonstração são uma boa maneira de aprender como usar o PrestaShop. Você deve instalá-los se você não estiver familiarizado com a plataforma.', - 'Country' => 'País', - 'Select your country' => 'Selecione seu país', - 'Shop timezone' => 'Fuso horário da loja', - 'Select your timezone' => 'Selecione o seu fuso horário', - 'Shop logo' => 'Logotipo da loja', - 'Optional - You can add you logo at a later time.' => 'Opcional – Você pode adicionar o seu logo mais tarde.', - 'Your Account' => 'Sua Conta', - 'First name' => 'Nome', - 'Last name' => 'Sobrenome', - 'E-mail address' => 'E-mail', - 'This email address will be your username to access your store\'s back office.' => 'Este e-mail será seu nome de usuário para acessar a área administrativa da sua loja.', - 'Shop password' => 'Senha da loja', - 'Must be at least 8 characters' => 'Mínimo de 8 caracteres', - 'Re-type to confirm' => 'Digite novamente para confirmar', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Todas as informações que você nos dá são coletadas e sujeitas ao processamento de dados estatísticos, elas são necessárias para os membros da empresa PrestaShop responderem ás suas demandas e necessidades. Seus dados pessoais podem ser informados para parceiros e prestadores de serviços com relacionamento com o PrestaShop . Sob o documento atual "Act on Data Processing, Data Files and Individual Liberties" você tem o direito de acessar, corrigir e se opor acessando este link.', - 'Configure your database by filling out the following fields' => 'Configure o seu banco de dados preenchendo os seguintes campos', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Para usar o PrestaShop, você deve criar um banco de dados para coletar todas as atividades relacionadas aos dados de sua loja.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Por favor, complete os campos abaixo para que o PrestaShop possa se conectar ao seu banco de dados.', - 'Database server address' => 'Endereço do servidor do banco de dados', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'A porta padrão é 3306. Para usar uma porta diferente, adicione o número da porta no final do endereço do seu servidor, por exemplo “:4242”.', - 'Database name' => 'Nome do banco de dados', - 'Database login' => 'Login do banco de dados', - 'Database password' => 'Senha do banco de dados', - 'Database Engine' => 'Motor da base de dados', - 'Tables prefix' => 'Prefixo das tabelas', - 'Drop existing tables (mode dev)' => 'Excluir as tabelas existentes (mode dev)', - 'Test your database connection now!' => 'Teste a conexão do seu banco de dados agora!', - 'Next' => 'Próximo', - 'Back' => 'Voltar', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se precisar de assistência, você pode obter ajuda personalizada da nossa equipe de suporte. A documentação oficial também pode lhe ajudar.', - 'Official forum' => 'Fórum oficial', - 'Support' => 'Suporte', - 'Documentation' => 'Documentação', - 'Contact us' => 'Fale conosco', - 'PrestaShop Installation Assistant' => 'Assistente de Instalação do PrestaShop', - 'Forum' => 'Fórum', - 'Blog' => 'Blog', - 'Contact us!' => 'Fale conosco!', - 'menu_welcome' => 'Escolha seu idioma', - 'menu_license' => 'Acordo de licença', - 'menu_system' => 'Compatibilidade do Sistema', - 'menu_configure' => 'Informações da Loja', - 'menu_database' => 'Configuração do sistema', - 'menu_process' => 'Instalação da Loja', - 'Installation Assistant' => 'Assistente de Instalação', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Para instalar o PrestaShop, você precisa ter JavaScript ativado no seu navegador', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/pt/', - 'License Agreements' => 'Acordo de licença', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para aproveitar os muitos recursos que são oferecidos gratuitamente pelo PrestaShop, por favor, leia os termos de licença abaixo. O núcleo do PrestaShop é licenciado sob OSL 3.0, enquanto os módulos e temas são licenciados sob AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Eu concordo com os termos e condições acima.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Eu concordo em participar na melhoria da solução enviando informações anônimas sobre a minha configuração.', - 'Done!' => 'Pronto!', - 'An error occurred during installation...' => 'Ocorreu um erro durante a instalação...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Você pode usar os links da coluna da esquerda para voltar às etapas anteriores, ou reiniciar o processo de instalação clicando aqui.', - 'Your installation is finished!' => 'Sua instalação está completa!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Você acabou de terminar de instalar sua loja. Obrigado por utilizar o PrestaShop!', - 'Please remember your login information:' => 'Por favor, memorize suas informações de acesso:', - 'E-mail' => 'Email', - 'Print my login information' => 'Imprimir meus dados de acesso', - 'Password' => 'Senha', - 'Display' => 'Exibir', - 'For security purposes, you must delete the "install" folder.' => 'Por questões de segurança, você deve apagar a pasta "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Área Administrativa', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gerencie sua loja usando sua Área Administrativa. Gerencie seus pedidos e clientes, adicione módulos, mude temas, etc...', - 'Manage your store' => 'Gerencie sua loja', - 'Front Office' => 'Loja', - 'Discover your store as your future customers will see it!' => 'Conheça a sua loja como seus futuros clientes vão vê-la!', - 'Discover your store' => 'Conheça sua loja', - 'Share your experience with your friends!' => 'Compartilhe sua experiência com seus amigos!', - 'I just built an online store with PrestaShop!' => 'Acabei de construir uma loja online com o PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Assista a esta experiência emocionante: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Compartilhar', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Explore os módulos adicionais (Addons) do Prestashop para acrescentar algo mais à sua loja!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Neste momento, nós estamos verificando a compatibilidade do PrestaShop com seu ambiente de sistema', - 'If you have any questions, please visit our documentation and community forum.' => 'Se você tiver alguma dúvida, por favor visite nossa documentação e nosso fórum da comunidade.', - 'PrestaShop compatibility with your system environment has been verified!' => 'A compatibilidade do PrestaShop com seu ambiente de sistema foi verificada!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ops! Por favor corrija os itens abaixo, e depois clique “Atualizar Informações” para testar a compatibilidade do seu novo sistema.', - 'Refresh these settings' => 'Atualizar estas configurações', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop requer ao menos 32 MB para ser executado: por favor, verifique a diretiva memory_limit no seu arquivo php.ini ou contate seu provedor de hospedagem a respeito.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Atenção: Você não pode mais usar essa ferramenta para atualizar sua loja.

Você já tem a versão %1$s do PrestaShop instalada.

Se você deseja atualizar para a versão mais recente, por favor leia nossa documentação: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Bem-vindo ao Instalador do PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A instalação do PrestaShop é rápida e simples. Dentro de apenas alguns momentos, você fará parte de uma comunidade com mais de 230.000 lojistas. Você está prestes a criar a sua loja online que pode sr gerenciada facilmente todos os dias.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Se necessitar de ajuda, não hesite em ver este breve tutorial, ou a nossa documentação.', - 'Continue the installation in:' => 'Continue a instalação em:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'A seleção de idioma acima é válida somente para o Assistente de Instalação. Uma vez que a loja for instalada, você pode escolher o idioma da sua loja entre mais de %d traduções disponíveis, totalmente grátis!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A instalação do PrestaShop é rápida e simples. Dentro de apenas alguns momentos, você fará parte de uma comunidade com mais de 250.000 lojistas. Você está prestes a criar a sua loja online que pode sr gerenciada facilmente todos os dias.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Ocorreu um erro SQL para a entidade %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Não foi possível criar a imagem "%1$s" para a entidade "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Não é possível criar a imagem "%1$s" (permissões incorretas na pasta "%2$s")', + 'Cannot create image "%s"' => 'Não é possível criar a imagem "%s"', + 'SQL error on query %s' => 'Erro SQL na consulta %s', + '%s Login information' => '%s Informações de login', + 'Field required' => 'Campo requerido', + 'Invalid shop name' => 'Nome da loja inválido', + 'The field %s is limited to %d characters' => 'O campo %s está limitado a %d caracteres', + 'Your firstname contains some invalid characters' => 'Seu primeiro nome contém alguns caracteres inválidos', + 'Your lastname contains some invalid characters' => 'Seu sobrenome contém alguns caracteres inválidos', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A senha está incorreta (sequência alfanumérica com pelo menos 8 caracteres)', + 'Password and its confirmation are different' => 'A senha e sua confirmação são diferentes', + 'This e-mail address is invalid' => 'Este endereço de e-mail é inválido', + 'Image folder %s is not writable' => 'A pasta de imagens %s não é gravável', + 'An error occurred during logo copy.' => 'Ocorreu um erro durante a cópia do logotipo.', + 'An error occurred during logo upload.' => 'Ocorreu um erro durante o upload do logotipo.', + 'Lingerie and Adult' => 'Lingerie e Adulto', + 'Animals and Pets' => 'Animais e animais de estimação', + 'Art and Culture' => 'Arte e Cultura', + 'Babies' => 'Bebês', + 'Beauty and Personal Care' => 'Beleza e cuidados pessoais', + 'Cars' => 'Carros', + 'Computer Hardware and Software' => 'Hardware e software de computador', + 'Download' => 'Download', + 'Fashion and accessories' => 'Moda e acessórios', + 'Flowers, Gifts and Crafts' => 'Flores, presentes e artesanato', + 'Food and beverage' => 'Alimentos e bebidas', + 'HiFi, Photo and Video' => 'HiFi, Foto e Vídeo', + 'Home and Garden' => 'Casa e Jardim', + 'Home Appliances' => 'Eletrodomésticos', + 'Jewelry' => 'Joia', + 'Mobile and Telecom' => 'Móvel e Telecomunicações', + 'Services' => 'Serviços', + 'Shoes and accessories' => 'Sapatos e acessórios', + 'Sports and Entertainment' => 'Esportes e Entretenimento', + 'Travel' => 'Viagem', + 'Database is connected' => 'O banco de dados está conectado', + 'Database is created' => 'Banco de dados é criado', + 'Cannot create the database automatically' => 'Não é possível criar o banco de dados automaticamente', + 'Create settings.inc file' => 'Crie o arquivo settings.inc', + 'Create database tables' => 'Criar tabelas de banco de dados', + 'Create default website and languages' => 'Crie sites e idiomas padrão', + 'Populate database tables' => 'Preencher tabelas de banco de dados', + 'Configure website information' => 'Configurar informações do site', + 'Install demonstration data' => 'Instalar dados de demonstração', + 'Install modules' => 'Instalar módulos', + 'Install Addons modules' => 'Instale módulos adicionais', + 'Install theme' => 'Instalar tema', + 'Required PHP parameters' => 'Parâmetros PHP necessários', + 'The required PHP version is between 5.6 to 7.4' => 'A versão necessária do PHP está entre 5.6 e 7.4', + 'Cannot upload files' => 'Não é possível fazer upload de arquivos', + 'Cannot create new files and folders' => 'Não é possível criar novos arquivos e pastas', + 'GD library is not installed' => 'A biblioteca GD não está instalada', + 'PDO MySQL extension is not loaded' => 'A extensão PDO MySQL não está carregada', + 'Curl extension is not loaded' => 'A extensão Curl não está carregada', + 'SOAP extension is not loaded' => 'A extensão SOAP não está carregada', + 'SimpleXml extension is not loaded' => 'A extensão SimpleXml não está carregada', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Na configuração do PHP, defina memory_limit para no mínimo 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Na configuração do PHP, defina max_execution_time para no mínimo 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Na configuração do PHP, defina upload_max_filesize para no mínimo 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Não é possível abrir URLs externos (requer permitir_url_fopen como ativado).', + 'ZIP extension is not enabled' => 'A extensão ZIP não está ativada', + 'Files' => 'arquivos', + 'Not all files were successfully uploaded on your server' => 'Nem todos os arquivos foram carregados com sucesso no seu servidor', + 'Permissions on files and folders' => 'Permissões em arquivos e pastas', + 'Recursive write permissions for %1$s user on %2$s' => 'Permissões de gravação recursivas para usuário %1$s em %2$s', + 'Recommended PHP parameters' => 'Parâmetros PHP recomendados', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Você está usando a versão %s do PHP. Em breve, a versão mais recente do PHP suportada pelo QloApps será o PHP 5.6. Para ter certeza de que você está pronto para o futuro, recomendamos que você atualize para o PHP 5.6 agora!', + 'PHP register_globals option is enabled' => 'A opção PHP Register_globals está habilitada', + 'GZIP compression is not activated' => 'A compactação GZIP não está ativada', + 'Mbstring extension is not enabled' => 'A extensão Mbstring não está habilitada', + 'Dom extension is not loaded' => 'A extensão Dom não está carregada', + 'Server name is not valid' => 'O nome do servidor não é válido', + 'You must enter a database name' => 'Você deve inserir um nome de banco de dados', + 'You must enter a database login' => 'Você deve inserir um login de banco de dados', + 'Tables prefix is invalid' => 'O prefixo das tabelas é inválido', + 'Cannot convert database data to utf-8' => 'Não é possível converter dados do banco de dados para utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Pelo menos uma tabela com o mesmo prefixo já foi encontrada, altere seu prefixo ou elimine seu banco de dados', + 'The values of auto_increment increment and offset must be set to 1' => 'Os valores de incremento e deslocamento de auto_increment devem ser definidos como 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Servidor de banco de dados não encontrado. Verifique os campos de login, senha e servidor', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'A conexão com o servidor MySQL foi bem-sucedida, mas o banco de dados "%s" não foi encontrado', + 'Attempt to create the database automatically' => 'Tentativa de criar o banco de dados automaticamente', + '%s file is not writable (check permissions)' => 'O arquivo %s não é gravável (verifique as permissões)', + '%s folder is not writable (check permissions)' => 'A pasta %s não é gravável (verifique as permissões)', + 'Cannot write settings file' => 'Não é possível gravar o arquivo de configurações', + 'Database structure file not found' => 'Arquivo de estrutura de banco de dados não encontrado', + 'Cannot create group shop' => 'Não é possível criar loja em grupo', + 'Cannot create shop' => 'Não é possível criar loja', + 'Cannot create shop URL' => 'Não é possível criar o URL da loja', + 'File "language.xml" not found for language iso "%s"' => 'Arquivo "idioma.xml" não encontrado para o idioma iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'O arquivo "idioma.xml" não é válido para o idioma iso "%s"', + 'Cannot install language "%s"' => 'Não é possível instalar o idioma "%s"', + 'Cannot copy flag language "%s"' => 'Não é possível copiar o idioma da sinalização "%s"', + 'Cannot create admin account' => 'Não é possível criar conta de administrador', + 'Cannot install module "%s"' => 'Não é possível instalar o módulo "%s"', + 'Fixtures class "%s" not found' => 'Classe de luminárias "%s" não encontrada', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve ser uma instância de "InstallXmlLoader"', + 'Information about your Website' => 'Informações sobre o seu site', + 'Website name' => 'Nome do site', + 'Main activity' => 'Atividade principal', + 'Please choose your main activity' => 'Por favor escolha sua atividade principal', + 'Other activity...' => 'Outra atividade...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajude-nos a saber mais sobre sua loja para que possamos oferecer a melhor orientação e os melhores recursos para o seu negócio!', + 'Install demo data' => 'Instale dados de demonstração', + 'Yes' => 'Sim', + 'No' => 'Não', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Instalar dados de demonstração é uma boa maneira de aprender como usar QloApps, caso você nunca tenha usado antes. Esses dados de demonstração podem ser apagados posteriormente usando o módulo QloApps Data Cleaner que vem pré-instalado com esta instalação.', + 'Country' => 'País', + 'Select your country' => 'Escolha o seu país', + 'Website timezone' => 'Fuso horário do site', + 'Select your timezone' => 'Selecione seu fuso horário', + 'Enable SSL' => 'Habilitar SSL', + 'Shop logo' => 'Logotipo da loja', + 'Optional - You can add you logo at a later time.' => 'Opcional - Você pode adicionar seu logotipo posteriormente.', + 'Your Account' => 'Sua conta', + 'First name' => 'Primeiro nome', + 'Last name' => 'Sobrenome', + 'E-mail address' => 'Endereço de email', + 'This email address will be your username to access your website\'s back office.' => 'Este endereço de e-mail será o seu nome de usuário para acessar o back office do seu site.', + 'Password' => 'Senha', + 'Must be at least 8 characters' => 'Deve ter pelo menos 8 caracteres', + 'Re-type to confirm' => 'Digite novamente para confirmar', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'As informações que você nos fornece são coletadas por nós e estão sujeitas a processamento de dados e estatísticas. De acordo com a atual "Lei sobre Processamento de Dados, Arquivos de Dados e Liberdades Individuais", você tem o direito de acessar, retificar e se opor ao processamento de seus dados pessoais através deste link.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Concordo em receber a Newsletter e ofertas promocionais da QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Você sempre receberá e-mails transacionais como novas atualizações, correções de segurança e patches, mesmo que não opte por esta opção.', + 'Configure your database by filling out the following fields' => 'Configure seu banco de dados preenchendo os seguintes campos', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Para usar QloApps, você deve criar um banco de dados para coletar todas as atividades relacionadas aos dados do seu site.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Preencha os campos abaixo para que o QloApps se conecte ao seu banco de dados.', + 'Database server address' => 'Endereço do servidor de banco de dados', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'A porta padrão é 3306. Para usar uma porta diferente, adicione o número da porta no final do endereço do seu servidor, ou seja, ":4242".', + 'Database name' => 'Nome do banco de dados', + 'Database login' => 'Login do banco de dados', + 'Database password' => 'Senha do banco de dados', + 'Database Engine' => 'Mecanismo de banco de dados', + 'Tables prefix' => 'Prefixo de tabelas', + 'Drop existing tables (mode dev)' => 'Eliminar tabelas existentes (modo dev)', + 'Test your database connection now!' => 'Teste sua conexão com o banco de dados agora!', + 'Next' => 'Próximo', + 'Back' => 'Voltar', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se precisar de ajuda, você pode obter ajuda personalizada de nossa equipe de suporte. A documentação oficial também está aqui para orientá-lo.', + 'Official forum' => 'Fórum oficial', + 'Support' => 'Apoiar', + 'Documentation' => 'Documentação', + 'Contact us' => 'Contate-nos', + 'QloApps Installation Assistant' => 'Assistente de instalação QloApps', + 'Forum' => 'Fórum', + 'Blog' => 'Blogue', + 'menu_welcome' => 'Escolha seu idioma', + 'menu_license' => 'Contratos de licença', + 'menu_system' => 'Compatibilidade do sistema', + 'menu_configure' => 'Informações do site', + 'menu_database' => 'Configuração do sistema', + 'menu_process' => 'Instalação do QloApps', + 'Need Help?' => 'Preciso de ajuda?', + 'Click here to Contact us' => 'Clique aqui para entrar em contato conosco', + 'Installation' => 'Instalação', + 'See our Installation guide' => 'Veja nosso guia de instalação', + 'Tutorials' => 'Tutoriais', + 'See our QloApps tutorials' => 'Veja nossos tutoriais sobre QloApps', + 'Installation Assistant' => 'Assistente de instalação', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Para instalar o QloApps, você precisa ter o JavaScript habilitado em seu navegador.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Contratos de licença', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para aproveitar os diversos recursos oferecidos gratuitamente pelo QloApps, leia os termos de licença abaixo. O núcleo do QloApps é licenciado sob OSL 3.0, enquanto os módulos e temas são licenciados sob AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Concordo com os termos e condições acima.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Concordo em participar na melhoria da solução enviando informações anônimas sobre minha configuração.', + 'Done!' => 'Feito!', + 'An error occurred during installation...' => 'Ocorreu um erro durante a instalação...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Você pode usar os links na coluna da esquerda para voltar às etapas anteriores ou reiniciar o processo de instalação clicando aqui.', + 'Suggested Modules' => 'Módulos sugeridos', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Encontre os recursos certos nos complementos QloApps para tornar seu negócio de hospitalidade um sucesso.', + 'Discover All Modules' => 'Descubra todos os módulos', + 'Suggested Themes' => 'Temas sugeridos', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Crie um design adequado ao seu hotel e aos seus clientes, com um modelo de tema pronto para usar.', + 'Discover All Themes' => 'Descubra todos os temas', + 'Your installation is finished!' => 'Sua instalação está concluída!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Você acabou de instalar o QloApps. Obrigado por usar QloApps!', + 'Please remember your login information:' => 'Lembre-se de suas informações de login:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Imprimir minhas informações de login', + 'Display' => 'Mostrar', + 'For security purposes, you must delete the "install" folder.' => 'Por motivos de segurança, você deve excluir a pasta “instalar”.', + 'Back Office' => 'Backoffice', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Faça a gestão do seu site através do seu Back Office. Gerencie seus pedidos e clientes, adicione módulos, altere temas, etc.', + 'Manage Your Website' => 'Gerencie seu site', + 'Front Office' => 'Recepção', + 'Discover your website as your future customers will see it!' => 'Descubra o seu site como seus futuros clientes o verão!', + 'Discover Your Website' => 'Descubra o seu site', + 'Share your experience with your friends!' => 'Compartilhe sua experiência com seus amigos!', + 'I just built an online hotel booking website with QloApps!' => 'Acabei de criar um site de reservas de hotéis online com QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Veja todos os recursos aqui: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tuitar', + 'Share' => 'Compartilhar', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'No momento, estamos verificando a compatibilidade do QloApps com o ambiente do seu sistema', + 'If you have any questions, please visit our documentation and community forum.' => 'Se você tiver alguma dúvida, visite nossa documentação e o fórum da comunidade< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'A compatibilidade do QloApps com o ambiente do seu sistema foi verificada!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ops! Corrija os itens abaixo e clique em "Atualizar informações" para testar a compatibilidade do seu novo sistema.', + 'Refresh these settings' => 'Atualize essas configurações', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps requer pelo menos 128 MB de memória para ser executado: verifique a diretiva memory_limit em seu arquivo php.ini ou entre em contato com seu provedor de hospedagem sobre isso.', + 'Welcome to the QloApps %s Installer' => 'Bem-vindo ao instalador do QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Instalar QloApps é rápido e fácil. Em apenas alguns momentos, você se tornará parte de uma comunidade. Você está prestes a criar seu próprio site de reservas de hotel, que poderá gerenciar facilmente todos os dias.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Se precisar de ajuda, não hesite em assistir a este breve tutorial ou confira nossa documentação.', + 'Continue the installation in:' => 'Continue a instalação em:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'A seleção de idioma acima se aplica apenas ao Assistente de Instalação. Depois que o QloApps estiver instalado, você poderá escolher o idioma do seu site entre mais de %d traduções, tudo de graça!', + ), +); \ No newline at end of file diff --git a/install/langs/ca/install.php b/install/langs/ca/install.php index 91f1c3f2b..ce83da8dc 100644 --- a/install/langs/ca/install.php +++ b/install/langs/ca/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Ha succeït un error d\'SQL per a l\'entitat %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'No es pot crear la imatge "%1$s" per a l\'entitat "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'No es pot crear la imatge "%1$s" (permisos inadequats a la carpeta "%2$s")', - 'Cannot create image "%s"' => 'No es pot crear la imatge "%s"', - 'SQL error on query %s' => 'Error d\'SQL a la consulta %s', - '%s Login information' => '%s Informació d\'accés', - 'Field required' => 'Camp necessari', - 'Invalid shop name' => 'Nom de botiga no vàlid', - 'The field %s is limited to %d characters' => 'El camp %s està limitat a %d caràcters', - 'Your firstname contains some invalid characters' => 'El vostre nom conté caràcters no vàlids', - 'Your lastname contains some invalid characters' => 'El vostre nom conté caràcters no vàlids', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La contrasenya és incorrecta (cal un mínim de 8 caràcters i alfanumèrics)', - 'Password and its confirmation are different' => 'La contrasenya i la seva confirmació són diferents', - 'This e-mail address is invalid' => 'Aquesta adreça de correu electrònic és incorrecta!', - 'Image folder %s is not writable' => 'No es pot escriure a la carpeta d\'imatges %s', - 'An error occurred during logo copy.' => 'Ha succeït un error mentre es copiava el logotip.', - 'An error occurred during logo upload.' => 'S\'ha produït un error mentre es pujava el logotip.', - 'Lingerie and Adult' => 'Llenceria i Adults', - 'Animals and Pets' => 'Animals i mascotes', - 'Art and Culture' => 'Art i Cultura', - 'Babies' => 'Canalla', - 'Beauty and Personal Care' => 'Bellesa i cura personal', - 'Cars' => 'Automòbils', - 'Computer Hardware and Software' => 'Maquinari i programari', - 'Download' => 'Descarregar', - 'Fashion and accessories' => 'Moda i accessoris', - 'Flowers, Gifts and Crafts' => 'Flors, Regals i Artesania', - 'Food and beverage' => 'Menjar i beguda', - 'HiFi, Photo and Video' => 'HIFI, Foto i Vídeo', - 'Home and Garden' => 'Casa i Jardí', - 'Home Appliances' => 'Electrodomèstics', - 'Jewelry' => 'Joieria', - 'Mobile and Telecom' => 'Telefonia i mòbils', - 'Services' => 'Serveis', - 'Shoes and accessories' => 'Sabates i accessoris', - 'Sports and Entertainment' => 'Esport i lleure', - 'Travel' => 'Viatges', - 'Database is connected' => 'S\'ha connectat la base de dades', - 'Database is created' => 'S\'ha creat la base de dades', - 'Cannot create the database automatically' => 'No es pot crear automàticament la base de dades', - 'Create settings.inc file' => 'El fitxer settings.inc s\'ha creat', - 'Create database tables' => 'Crea les taules de la base de dades', - 'Create default shop and languages' => 'Crea la botiga predeterminada i els idiomes', - 'Populate database tables' => 'Emplenar les taules de la base de dades', - 'Configure shop information' => 'Configurar la informació de la botiga', - 'Install demonstration data' => 'Instal·la dades de demostració', - 'Install modules' => 'Instal·la mòduls', - 'Install Addons modules' => 'Instal·la mòduls d\'Addons', - 'Install theme' => 'Instal·la el tema', - 'Required PHP parameters' => 'Paràmetres PHP necessaris', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 o superior no està habilitat', - 'Cannot upload files' => 'No es poden pujar fitxers', - 'Cannot create new files and folders' => 'No es poden crear els nous fitxers i carpetes', - 'GD library is not installed' => 'La llibreria GD no està instal·lada', - 'MySQL support is not activated' => 'El suport de MySQL no està activat', - 'Files' => 'Fitxers', - 'Not all files were successfully uploaded on your server' => 'No s\'han pujat bé tots els fitxers al servidor', - 'Permissions on files and folders' => 'Permisos de fitxers i carpetes', - 'Recursive write permissions for %1$s user on %2$s' => 'Permisos recursius d\'escriptura per a l\'usuari %1$s a %2$s', - 'Recommended PHP parameters' => 'Paràmetres PHP recomanats', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'No es poden obrir URL externs', - 'PHP register_globals option is enabled' => 'L\'opció de PHP register_globals és activa', - 'GZIP compression is not activated' => 'La compressió GZIP no està activada', - 'Mcrypt extension is not enabled' => 'L\'extensió Mcrypt no està activada', - 'Mbstring extension is not enabled' => 'L\'extensió Mbstring no està activada', - 'PHP magic quotes option is enabled' => 'L\'opció de PHP magic quotes està activada', - 'Dom extension is not loaded' => 'L\'extensió DOM no s\'ha carregat', - 'PDO MySQL extension is not loaded' => 'L\'extensió PDO de MySQL no està carregada', - 'Server name is not valid' => 'El nom del servidor no és vàlid', - 'You must enter a database name' => 'Cal que escriviu un nom per a la base de dades', - 'You must enter a database login' => 'Cal que escriviu un usuari per a la base de dades', - 'Tables prefix is invalid' => 'El prefix de les taules no és vàlid', - 'Cannot convert database data to utf-8' => 'No es pot convertir la base de dades en utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Com a mínim s\'ha trobat una taula amb el mateix prefix, si us plau canvieu el vostre prefix o elimineu la taula de la base de dades', - 'The values of auto_increment increment and offset must be set to 1' => 'El valor autoincremental d\'auto_increment ha d\'estar establert a 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'No es troba el servidor de bases de dades. Si us plau verifiqueu-ne l\'usuari, la contrasenya i els camps de servidor', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'S\'ha pogut connectar amb el servidor MySQL, però no es troba la base de dades "%s"', - 'Attempt to create the database automatically' => 'Intenta crear la base de dades automàticament', - '%s file is not writable (check permissions)' => 'El fitxer %s no es pot escriure (verifiqueu-ne els permisos)', - '%s folder is not writable (check permissions)' => 'La carpeta %s no es pot escriure (verifiqueu-ne els permisos)', - 'Cannot write settings file' => 'No es pot escriure el fitxer de configuració', - 'Database structure file not found' => 'El fitxer d\'estructura de la base de dades no s\'ha trobat', - 'Cannot create group shop' => 'No es pot crear un grup de botigues', - 'Cannot create shop' => 'No es pot crear la botiga', - 'Cannot create shop URL' => 'No es pot crear l\'URL de la botiga', - 'File "language.xml" not found for language iso "%s"' => 'El fitxer "language.xml" no es troba per a la llengua iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'El fitxer "language.xml" no es troba per a la llengua iso "%s"', - 'Cannot install language "%s"' => 'No es pot instal·lar la llengua "%s"', - 'Cannot copy flag language "%s"' => 'No es pot copiar la llengua de la bandera "%s"', - 'Cannot create admin account' => 'No es pot crear un compte d\'administrador', - 'Cannot install module "%s"' => 'No es pot instal·lar el mòdul "%s"', - 'Fixtures class "%s" not found' => 'La classe Fixtures "%s" no s\'ha pogut trobar', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ha de ser una instància de "InstallXmlLoader"', - 'Information about your Store' => 'Informació sobre la vostra botiga', - 'Shop name' => 'Nom de la botiga', - 'Main activity' => 'Activitat principal', - 'Please choose your main activity' => 'Si us plau trieu la vostra activitat principal', - 'Other activity...' => 'Una altra activitat...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajudeu-nos a entendre més sobre la vostra botiga per tal d\'oferir-vos una orientació òptima i les millors prestacions per al vostre negoci!', - 'Install demo products' => 'Instal·lar productes de demostració', - 'Yes' => 'Sí', - 'No' => 'No', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Els productes de demostració són un bon camí per conèixer com utilitzar PrestaShop. Només cal que els instal·leu si no esteu familiaritzats amb el programa.', - 'Country' => 'País', - 'Select your country' => 'Seleccioneu el vostre país', - 'Shop timezone' => 'Zona de data i hora de la vostra botiga', - 'Select your timezone' => 'Seleccioneu la vostra data i hora', - 'Shop logo' => 'Logotip de la botiga', - 'Optional - You can add you logo at a later time.' => 'Opcional - Podeu afegir el vostre logotip en un altre moment.', - 'Your Account' => 'El vostre compte', - 'First name' => 'Nom', - 'Last name' => 'Cognoms', - 'E-mail address' => 'Adreça electrónica', - 'This email address will be your username to access your store\'s back office.' => 'Aquesta adreça electrònica serà el vostre nom d\'usuari per accedir a l\'Administració de la botiga.', - 'Shop password' => 'Contrasenya de la botiga', - 'Must be at least 8 characters' => 'Ha de tenir un mínim de 8 caràcters', - 'Re-type to confirm' => 'Reescriviu-la per confirmar-la', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'Configureu la vostra base de dades emplenant els camps següents', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Per utilitzar PrestaShop, cal que creeu una base de dades per emmagatzemar totes les dades de les vostres botigues.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Si us plau completeu primer els camps en ordre per tal de connectar PrestaShop a la vostra base de dades. ', - 'Database server address' => 'Adreça del servidor de base de dades', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'El port predeterminat és el 3306. Si voleu utilitzar un port diferent, afegiu el número de port al final de l\'adreça, p.ex. ":4242".', - 'Database name' => 'Nom de la base de dades', - 'Database login' => 'Usuari de la base de dades', - 'Database password' => 'Contrasenya de la base de dades', - 'Database Engine' => 'Motor de base de dades', - 'Tables prefix' => 'Prefix de les taules', - 'Drop existing tables (mode dev)' => 'Esborrar les taules existents (mode dev)', - 'Test your database connection now!' => 'Comproveu ara la vostra connexió a la base de dades!', - 'Next' => 'Següent', - 'Back' => 'Enrera', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'Fòrum oficial', - 'Support' => 'Suport', - 'Documentation' => 'Documentació', - 'Contact us' => 'Contacteu-nos', - 'PrestaShop Installation Assistant' => 'Assistent d\'Instal·lació de PrestaShop', - 'Forum' => 'Fòrum', - 'Blog' => 'Blog', - 'Contact us!' => 'Contacteu-nos!', - 'menu_welcome' => 'Seleccioneu la vostra llengua', - 'menu_license' => 'Detalls de llicència', - 'menu_system' => 'Compatibilitat de Sistema', - 'menu_configure' => 'Informació sobre la botiga', - 'menu_database' => 'Configuració de Sistema', - 'menu_process' => 'Instal·lació de botiga', - 'Installation Assistant' => 'Assistent d\'Instal·lació', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Per tal d\'instal·lar PrestaShop, cal que tingueu habilitat JavaScript al vostre navegador.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Detalls de llicència', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Per gaudir de les prestacions que s\'ofereixen de franc per part de PrestaShop, si us plau llegiu-vos els detalls de la llicència. El codi de PrestaShop està llicenciat sota OSL 3.0, mentre que els mòduls i temes estan llicenciats sota AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Estic d\'acord amb tots els termes i condicions.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Estic d\'acord en participar en millorar la solució enviant informació anònima sobre la meva configuració.', - 'Done!' => 'Fet!', - 'An error occurred during installation...' => 'Ha succeït un error mentre es feia la instal·lació...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Podeu utilitzar els enllaços de la columna esquerra per tornar als passos anteriors, o tornar a començar el procés d\'instal·lació fent clic aquí.', - 'Your installation is finished!' => 'Ha finalitzat la vostra instal·lació!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Acabeu de finalitzar la instal·lació de la vostra botiga. Gràcies per utilitzar PrestaShop!', - 'Please remember your login information:' => 'Si us plau recordeu-vos de la vostra informació d\'accés:', - 'E-mail' => 'Adreça electrònica', - 'Print my login information' => 'Imprimir la meva informació d\'accés', - 'Password' => 'Contrasenya', - 'Display' => 'Mostrar', - 'For security purposes, you must delete the "install" folder.' => 'Per raons de seguretat, cal que esborreu la carpeta "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Tauler d\'Administració', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gestioneu la vostra botiga utilitzant el vostre Tauler d\'Administració. Gestiioneu les vostres comandes i clients, afegiu mòduls, canvieu temes, etc.', - 'Manage your store' => 'Gestioneu la vostra botiga', - 'Front Office' => 'Portal Públic', - 'Discover your store as your future customers will see it!' => 'Descobriu com els vostres clients veuran la vostra botiga!', - 'Discover your store' => 'Descobriu la vostra botiga', - 'Share your experience with your friends!' => 'Compartiu la vostra experiència amb els vostres amics!', - 'I just built an online store with PrestaShop!' => 'Ara he acabat de construir una botiga online amb PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Veieu una experiència estimulant: http://vimeo.com/89298199', - 'Tweet' => 'Tuit', - 'Share' => 'Compartir', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Doneu un cop d\'ull als Addons de PrestaShop i afegiu extres a la vostra botiga!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Estem comprovant la compatibilitat de la vostra botiga amb el vostre entorn de sistema', - 'If you have any questions, please visit our documentation and community forum.' => 'Si teniu preguntes, si us plau visiteu la nostra documentació i el nostre fòrum de comunitat.', - 'PrestaShop compatibility with your system environment has been verified!' => 'La compatibilitat de PrestaShop amb el vostre entorn de sistema ha estat verificada!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Uuui! Si us plau corregiu primer els elements següents, i feu clic a "Refrescar informació" per tal de provar la compatibilitat del vostre nou sistema.', - 'Refresh these settings' => 'Refresqueu la configuració', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop requereix com a mínim 32MB de memòria per funcionar: si us plau comproveu la directiva memory_limit al vostre fitxer php.ini o contacteu amb el vostre proveïdor per solucionar-ho.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Alerta: No es pot utilitzar més aquesta eina per actualitzar la vostra botiga.

Ara teniu la versió %1$s de PrestaShop instal·lada.

Si voleu actualitzar-vos a la darrera versió si us plau llegiu la documentació:%2$s', - 'Welcome to the PrestaShop %s Installer' => 'Benvinguts a l\'instal·lador de Prestashop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'La instal·lació de PrestaShop és ràpida i fàcil. En uns instants, formareu part d\'una comunitat formada per més de 230.000 comerciants. Ara esteu en el procés de crear la vostra pròpia botiga online, la qual gestionareu fàcilment dia a dia.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'Continuar la instal·lació a:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'La secció d\'idiomes anterior només s\'aplica a l\'Assistent d\'Instal·lació. Quan la vostra botiga estigui instal·lada, podeu triar la llengua de la vostra botiga entre més de %d traduccions, totes de franc!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'La instal·lació de PrestaShop és ràpida i fàcil. En uns instants, formareu part d\'una comunitat formada per més de 250.000 comerciants. Ara esteu en el procés de crear la vostra pròpia botiga online, la qual gestionareu fàcilment dia a dia.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'S\'ha produït un error SQL per a l\'entitat %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'No es pot crear la imatge "%1$s" per a l\'entitat "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'No es pot crear la imatge "%1$s" (permisos incorrectes a la carpeta "%2$s")', + 'Cannot create image "%s"' => 'No es pot crear la imatge "%s"', + 'SQL error on query %s' => 'Error SQL a la consulta %s', + '%s Login information' => '%s Informació d\'inici de sessió', + 'Field required' => 'Camp obligatori', + 'Invalid shop name' => 'Nom de botiga no vàlid', + 'The field %s is limited to %d characters' => 'El camp %s està limitat a %d caràcters', + 'Your firstname contains some invalid characters' => 'El vostre nom conté alguns caràcters no vàlids', + 'Your lastname contains some invalid characters' => 'El teu cognom conté alguns caràcters no vàlids', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La contrasenya és incorrecta (cadena alfanumèrica amb almenys 8 caràcters)', + 'Password and its confirmation are different' => 'La contrasenya i la seva confirmació són diferents', + 'This e-mail address is invalid' => 'Aquesta adreça de correu electrònic no és vàlida', + 'Image folder %s is not writable' => 'La carpeta d\'imatge %s no es pot escriure', + 'An error occurred during logo copy.' => 'S\'ha produït un error durant la còpia del logotip.', + 'An error occurred during logo upload.' => 'S\'ha produït un error durant la càrrega del logotip.', + 'Lingerie and Adult' => 'Llenceria i Adult', + 'Animals and Pets' => 'Animals i mascotes', + 'Art and Culture' => 'Art i Cultura', + 'Babies' => 'Nadons', + 'Beauty and Personal Care' => 'Bellesa i cura personal', + 'Cars' => 'Cotxes', + 'Computer Hardware and Software' => 'Maquinari i programari informàtic', + 'Download' => 'descarregar', + 'Fashion and accessories' => 'Moda i complements', + 'Flowers, Gifts and Crafts' => 'Flors, regals i manualitats', + 'Food and beverage' => 'Aliments i begudes', + 'HiFi, Photo and Video' => 'HiFi, foto i vídeo', + 'Home and Garden' => 'Casa i Jardí', + 'Home Appliances' => 'Electrodomèstics', + 'Jewelry' => 'Joieria', + 'Mobile and Telecom' => 'Mòbil i Telecomunicacions', + 'Services' => 'Serveis', + 'Shoes and accessories' => 'Calçat i complements', + 'Sports and Entertainment' => 'Esports i entreteniment', + 'Travel' => 'Viatjar', + 'Database is connected' => 'La base de dades està connectada', + 'Database is created' => 'Es crea la base de dades', + 'Cannot create the database automatically' => 'No es pot crear la base de dades automàticament', + 'Create settings.inc file' => 'Crea un fitxer settings.inc', + 'Create database tables' => 'Crear taules de bases de dades', + 'Create default website and languages' => 'Creeu un lloc web i idiomes predeterminats', + 'Populate database tables' => 'Omplir taules de bases de dades', + 'Configure website information' => 'Configura la informació del lloc web', + 'Install demonstration data' => 'Instal·leu dades de demostració', + 'Install modules' => 'Instal·lar mòduls', + 'Install Addons modules' => 'Instal·leu mòduls de complements', + 'Install theme' => 'Instal·leu el tema', + 'Required PHP parameters' => 'Paràmetres PHP necessaris', + 'The required PHP version is between 5.6 to 7.4' => 'La versió de PHP necessària és entre la 5.6 i la 7.4', + 'Cannot upload files' => 'No es poden carregar fitxers', + 'Cannot create new files and folders' => 'No es poden crear fitxers i carpetes nous', + 'GD library is not installed' => 'La biblioteca GD no està instal·lada', + 'PDO MySQL extension is not loaded' => 'L\'extensió PDO MySQL no està carregada', + 'Curl extension is not loaded' => 'L\'extensió de curl no està carregada', + 'SOAP extension is not loaded' => 'L\'extensió SOAP no està carregada', + 'SimpleXml extension is not loaded' => 'L\'extensió SimpleXml no està carregada', + 'In the PHP configuration set memory_limit to minimum 128M' => 'A la configuració de PHP, establiu memory_limit com a mínim 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'A la configuració de PHP, establiu max_execution_time com a mínim 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'A la configuració de PHP, configureu upload_max_filesize com a mínim 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'No es poden obrir URL externs (requereix allow_url_fopen com a Activat).', + 'ZIP extension is not enabled' => 'L\'extensió ZIP no està activada', + 'Files' => 'Fitxers', + 'Not all files were successfully uploaded on your server' => 'No tots els fitxers s\'han penjat correctament al vostre servidor', + 'Permissions on files and folders' => 'Permisos sobre fitxers i carpetes', + 'Recursive write permissions for %1$s user on %2$s' => 'Permisos d\'escriptura recursius per a l\'usuari de %1$s a %2$s', + 'Recommended PHP parameters' => 'Paràmetres PHP recomanats', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Esteu utilitzant la versió de PHP %s. Aviat, la darrera versió de PHP compatible amb QloApps serà PHP 5.6. Per assegurar-vos que esteu preparat per al futur, us recomanem que actualitzeu ara a PHP 5.6!', + 'PHP register_globals option is enabled' => 'L\'opció PHP register_globals està activada', + 'GZIP compression is not activated' => 'La compressió GZIP no està activada', + 'Mbstring extension is not enabled' => 'L\'extensió Mbstring no està activada', + 'Dom extension is not loaded' => 'L\'extensió Dom no està carregada', + 'Server name is not valid' => 'El nom del servidor no és vàlid', + 'You must enter a database name' => 'Heu d\'introduir un nom de base de dades', + 'You must enter a database login' => 'Heu d\'introduir un inici de sessió a la base de dades', + 'Tables prefix is invalid' => 'El prefix de les taules no és vàlid', + 'Cannot convert database data to utf-8' => 'No es poden convertir les dades de la base de dades a utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Ja s\'ha trobat almenys una taula amb el mateix prefix, canvieu el vostre prefix o deixeu anar la base de dades', + 'The values of auto_increment increment and offset must be set to 1' => 'Els valors d\'increment i offset auto_increment s\'han d\'establir a 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'No s\'ha trobat el servidor de bases de dades. Verifiqueu els camps d\'inici de sessió, contrasenya i servidor', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connexió al servidor MySQL s\'ha realitzat correctament, però no s\'ha trobat la base de dades "%s".', + 'Attempt to create the database automatically' => 'Intenteu crear la base de dades automàticament', + '%s file is not writable (check permissions)' => 'El fitxer %s no es pot escriure (comproveu els permisos)', + '%s folder is not writable (check permissions)' => 'La carpeta %s no es pot escriure (comproveu els permisos)', + 'Cannot write settings file' => 'No es pot escriure el fitxer de configuració', + 'Database structure file not found' => 'No s\'ha trobat el fitxer d\'estructura de la base de dades', + 'Cannot create group shop' => 'No es pot crear una botiga de grup', + 'Cannot create shop' => 'No es pot crear una botiga', + 'Cannot create shop URL' => 'No es pot crear l\'URL de la botiga', + 'File "language.xml" not found for language iso "%s"' => 'No s\'ha trobat el fitxer "language.xml" per a l\'idioma "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'El fitxer "language.xml" no és vàlid per a l\'idioma "%s"', + 'Cannot install language "%s"' => 'No es pot instal·lar l\'idioma "%s"', + 'Cannot copy flag language "%s"' => 'No es pot copiar l\'idioma de la bandera "%s"', + 'Cannot create admin account' => 'No es pot crear un compte d\'administrador', + 'Cannot install module "%s"' => 'No es pot instal·lar el mòdul "%s"', + 'Fixtures class "%s" not found' => 'No s\'ha trobat la classe d\'aparells "%s".', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" ha de ser una instància de "InstallXmlLoader"', + 'Information about your Website' => 'Informació sobre el vostre lloc web', + 'Website name' => 'Nom del lloc web', + 'Main activity' => 'Activitat principal', + 'Please choose your main activity' => 'Si us plau, trieu la vostra activitat principal', + 'Other activity...' => 'Altres activitats...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajuda\'ns a conèixer més sobre la teva botiga perquè puguem oferir-te una orientació òptima i les millors funcions per al teu negoci!', + 'Install demo data' => 'Instal·leu dades de demostració', + 'Yes' => 'Sí', + 'No' => 'No', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'La instal·lació de dades de demostració és una bona manera d\'aprendre a utilitzar QloApps si no les heu fet servir abans. Aquestes dades de demostració es poden esborrar més tard mitjançant el mòdul QloApps Data Cleaner que ve preinstal·lat amb aquesta instal·lació.', + 'Country' => 'País', + 'Select your country' => 'Seleccioneu el vostre país', + 'Website timezone' => 'Zona horària del lloc web', + 'Select your timezone' => 'Seleccioneu la vostra zona horària', + 'Enable SSL' => 'Activa SSL', + 'Shop logo' => 'Logotip de la botiga', + 'Optional - You can add you logo at a later time.' => 'Opcional: podeu afegir el vostre logotip més endavant.', + 'Your Account' => 'El teu compte', + 'First name' => 'Nom', + 'Last name' => 'Cognom', + 'E-mail address' => 'Correu electrònic', + 'This email address will be your username to access your website\'s back office.' => 'Aquesta adreça de correu electrònic serà el vostre nom d\'usuari per accedir al back office del vostre lloc web.', + 'Password' => 'Contrasenya', + 'Must be at least 8 characters' => 'Ha de tenir almenys 8 caràcters', + 'Re-type to confirm' => 'Torneu a escriure per confirmar', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'La informació que ens proporciona la recollim nosaltres i està subjecta a tractament de dades i estadístiques. En virtut de l\'actual "Llei sobre tractament de dades, fitxers de dades i llibertats individuals" teniu dret a accedir, rectificar i oposar-vos al tractament de les vostres dades personals a través d\'aquest enllaç.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Accepto rebre el butlletí i les ofertes promocionals de QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Sempre rebràs correus electrònics transaccionals com ara actualitzacions noves, correccions de seguretat i pedaços, encara que no optis per aquesta opció.', + 'Configure your database by filling out the following fields' => 'Configureu la vostra base de dades omplint els camps següents', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Per utilitzar QloApps, heu de crear una base de dades per recollir totes les activitats relacionades amb les dades del vostre lloc web.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Si us plau, ompliu els camps següents per tal que QloApps es connecti a la vostra base de dades.', + 'Database server address' => 'Adreça del servidor de bases de dades', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'El port predeterminat és 3306. Per utilitzar un port diferent, afegiu el número de port al final de l\'adreça del vostre servidor, és a dir, ":4242".', + 'Database name' => 'Nom de la base de dades', + 'Database login' => 'Inici de sessió a la base de dades', + 'Database password' => 'Contrasenya de la base de dades', + 'Database Engine' => 'Motor de base de dades', + 'Tables prefix' => 'Prefix de taules', + 'Drop existing tables (mode dev)' => 'Elimina les taules existents (mode dev)', + 'Test your database connection now!' => 'Proveu la connexió de la vostra base de dades ara!', + 'Next' => 'Pròxim', + 'Back' => 'esquena', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si necessiteu ajuda, podeu obtenir ajuda personalitzada del nostre equip d\'assistència. La documentació oficial també està aquí per guiar-vos.', + 'Official forum' => 'Fòrum oficial', + 'Support' => 'Suport', + 'Documentation' => 'Documentació', + 'Contact us' => 'Contacta amb nosaltres', + 'QloApps Installation Assistant' => 'Assistent d\'instal·lació de QloApps', + 'Forum' => 'Fòrum', + 'Blog' => 'Bloc', + 'menu_welcome' => 'Tria el teu idioma', + 'menu_license' => 'Acords de llicència', + 'menu_system' => 'Compatibilitat del sistema', + 'menu_configure' => 'Informació del lloc web', + 'menu_database' => 'Configuració del sistema', + 'menu_process' => 'Instal·lació de QloApps', + 'Need Help?' => 'Necessitar ajuda?', + 'Click here to Contact us' => 'Feu clic aquí per contactar amb nosaltres', + 'Installation' => 'Instal·lació', + 'See our Installation guide' => 'Consulteu la nostra guia d\'instal·lació', + 'Tutorials' => 'Tutorials', + 'See our QloApps tutorials' => 'Consulteu els nostres tutorials de QloApps', + 'Installation Assistant' => 'Auxiliar d\'instal·lació', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Per instal·lar QloApps, heu de tenir JavaScript habilitat al vostre navegador.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Acords de llicència', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Per gaudir de les nombroses funcions que QloApps ofereix de manera gratuïta, llegiu les condicions de llicència a continuació. El nucli de QloApps té llicència sota OSL 3.0, mentre que els mòduls i els temes tenen llicència sota AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Estic d\'acord amb els termes i condicions anteriors.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Accepto participar en la millora de la solució enviant informació anònima sobre la meva configuració.', + 'Done!' => 'Fet!', + 'An error occurred during installation...' => 'S\'ha produït un error durant la instal·lació...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Podeu utilitzar els enllaços de la columna de l\'esquerra per tornar als passos anteriors o reiniciar el procés d\'instal·lació fent clic aquí.', + 'Suggested Modules' => 'Mòduls suggerits', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Trobeu les funcions adequades als complements de QloApps per fer que el vostre negoci d\'hostaleria sigui un èxit.', + 'Discover All Modules' => 'Descobriu tots els mòduls', + 'Suggested Themes' => 'Temes suggerits', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Creeu un disseny que s\'adapti al vostre hotel i als vostres clients, amb un tema de plantilla llest per utilitzar.', + 'Discover All Themes' => 'Descobreix tots els temes', + 'Your installation is finished!' => 'La teva instal·lació s\'ha acabat!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Acabeu d\'instal·lar QloApps. Gràcies per utilitzar QloApps!', + 'Please remember your login information:' => 'Recordeu la vostra informació d\'inici de sessió:', + 'E-mail' => 'Correu electrònic', + 'Print my login information' => 'Imprimeix la meva informació d\'inici de sessió', + 'Display' => 'Mostra', + 'For security purposes, you must delete the "install" folder.' => 'Per motius de seguretat, heu d\'esborrar la carpeta "instal·lar".', + 'Back Office' => 'Back Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gestioneu el vostre lloc web mitjançant el vostre Back Office. Gestioneu les vostres comandes i clients, afegiu mòduls, canvieu temes, etc.', + 'Manage Your Website' => 'Gestioneu el vostre lloc web', + 'Front Office' => 'Recepció', + 'Discover your website as your future customers will see it!' => 'Descobreix el teu lloc web tal com el veuran els teus futurs clients!', + 'Discover Your Website' => 'Descobriu el vostre lloc web', + 'Share your experience with your friends!' => 'Comparteix la teva experiència amb els teus amics!', + 'I just built an online hotel booking website with QloApps!' => 'Acabo de crear un lloc web de reserves d\'hotels en línia amb QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Consulteu totes les funcions aquí: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tuitejar', + 'Share' => 'Compartir', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Actualment estem comprovant la compatibilitat de QloApps amb el vostre entorn del sistema', + 'If you have any questions, please visit our documentation and community forum.' => 'Si teniu cap pregunta, visiteu la nostra documentació i el fòrum de la comunitat< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'S\'ha verificat la compatibilitat de QloApps amb el vostre entorn del sistema!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Vaja! Corregiu els elements següents i feu clic a "Actualitza la informació" per provar la compatibilitat del vostre nou sistema.', + 'Refresh these settings' => 'Actualitzeu aquests paràmetres', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps requereix almenys 128 MB de memòria per funcionar: si us plau, comproveu la directiva memory_limit al vostre fitxer php.ini o poseu-vos en contacte amb el vostre proveïdor d\'amfitrió.', + 'Welcome to the QloApps %s Installer' => 'Benvingut a l\'instal·lador de QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'La instal·lació de QloApps és ràpida i senzilla. En pocs moments, formaràs part d\'una comunitat. Esteu a punt de crear el vostre propi lloc web de reserves d\'hotel que podeu gestionar fàcilment cada dia.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Si necessiteu ajuda, no dubteu a veure aquest breu tutorial o bé a la nostra documentació.', + 'Continue the installation in:' => 'Continueu la instal·lació a:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'La selecció d\'idioma anterior només s\'aplica a l\'Assistent d\'instal·lació. Un cop instal·lat QloApps, podeu triar l\'idioma del vostre lloc web entre més de %d traduccions, tot de franc!', + ), +); \ No newline at end of file diff --git a/install/langs/cs/install.php b/install/langs/cs/install.php index d8128bdbb..e39cb0996 100644 --- a/install/langs/cs/install.php +++ b/install/langs/cs/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Došlo k chybě SQL entity %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Není možné vytvořit obrázek "%1$s" pro "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Není možné vytvořit obrázek "%1$s" (složka "%2$s" nemá nastavena potřebná práva)', - 'Cannot create image "%s"' => 'Není možné vytvořit obrázek "%s"', - 'SQL error on query %s' => 'Chyba SQL v dotazu %s', - '%s Login information' => '%s Přihlašovací údaje', - 'Field required' => 'Povinné pole', - 'Invalid shop name' => 'Neplatné jméno obchodu', - 'The field %s is limited to %d characters' => 'Pole %s je omezeno %d znaky', - 'Your firstname contains some invalid characters' => 'Vaše křestní jméno obsahuje neplatné znaky', - 'Your lastname contains some invalid characters' => 'Vaše příjmení obsahuje neplatné znaky', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Nesprávné heslo (alfanumerický řetězec dlouhý minimálně 8 znaků)', - 'Password and its confirmation are different' => 'Heslo a potvrzení hesla se neshodují', - 'This e-mail address is invalid' => 'Tato e-mailová adresa je neplatná', - 'Image folder %s is not writable' => 'Složka s obrázky %s nemá práva na zápis', - 'An error occurred during logo copy.' => 'Došlo k chybě při kopírování loga.', - 'An error occurred during logo upload.' => 'Nastala chyba při nahrávání loga.', - 'Lingerie and Adult' => 'Spodní prádlo a pro dospělé', - 'Animals and Pets' => 'Zvířata a mazlíčci', - 'Art and Culture' => 'Umění a kultura', - 'Babies' => 'Pro děti', - 'Beauty and Personal Care' => 'Krása a osobní péče', - 'Cars' => 'Auta', - 'Computer Hardware and Software' => 'Počítače, hardware a software', - 'Download' => 'Ke stažení', - 'Fashion and accessories' => 'Móda a doplňky', - 'Flowers, Gifts and Crafts' => 'Květiny, dárky', - 'Food and beverage' => 'Potraviny a nápoje', - 'HiFi, Photo and Video' => 'HiFi, Foto a Video', - 'Home and Garden' => 'Dům a zahrada', - 'Home Appliances' => 'Domácí spotřebiče', - 'Jewelry' => 'Šperky', - 'Mobile and Telecom' => 'Mobily a telefony', - 'Services' => 'Služby', - 'Shoes and accessories' => 'Obuv a doplňky', - 'Sports and Entertainment' => 'Sport a zábava', - 'Travel' => 'Cestování', - 'Database is connected' => 'Databáze byla úspěšně připojena', - 'Database is created' => 'Databáze byla vytvořena', - 'Cannot create the database automatically' => 'Nelze vytvořit databázi automaticky', - 'Create settings.inc file' => 'Vytvářím soubor settings.inc', - 'Create database tables' => 'Vytvářím tabulky databáze', - 'Create default shop and languages' => 'Vytvářím obchod a jeho překlad', - 'Populate database tables' => 'Plním tabulky databáze', - 'Configure shop information' => 'Nastavuji informace o obchodě', - 'Install demonstration data' => 'Instaluji ukázková data', - 'Install modules' => 'Instaluji moduly', - 'Install Addons modules' => 'Instaluji doplňky k modulům', - 'Install theme' => 'Instaluji šablonu', - 'Required PHP parameters' => 'Požadované parametry PHP', - 'PHP 5.1.2 or later is not enabled' => 'Není nainstalováno PHP 5.1.2 nebo vyšší', - 'Cannot upload files' => 'Není možné nahrát soubory', - 'Cannot create new files and folders' => 'Není možné vytvořit nové složky a soubory', - 'GD library is not installed' => 'Knihovna GD není nainstalovaná', - 'MySQL support is not activated' => 'Podpora MySQL není aktivovaná', - 'Files' => 'Soubory', - 'Not all files were successfully uploaded on your server' => 'Nebyly nahrány všechny soubory na váš server', - 'Permissions on files and folders' => 'Práva k souborům a složkám', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivní práva k zápisu pro %1$s použité na %2$s', - 'Recommended PHP parameters' => 'Doporučené parametry PHP', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Používáte verzi PHP %s. Prosím aktualizujte na verzi PHP 5.4 nyní!', - 'Cannot open external URLs' => 'Není možné otevřít externí URL adresy', - 'PHP register_globals option is enabled' => 'PHP register_globals je povoleno', - 'GZIP compression is not activated' => 'GZIP komprese není aktivní', - 'Mcrypt extension is not enabled' => 'Mcrypt rozšíření není povoleno', - 'Mbstring extension is not enabled' => 'Mbstrings rozšíření není povoleno', - 'PHP magic quotes option is enabled' => 'PHP magic quotes není povoleno', - 'Dom extension is not loaded' => 'Dom rozšíření není načteno', - 'PDO MySQL extension is not loaded' => 'PDO MySQL rozšíření není načteno', - 'Server name is not valid' => 'Název serveru je neplatný', - 'You must enter a database name' => 'Vložte název databáze', - 'You must enter a database login' => 'Vložte přihlašovací jméno do databáze', - 'Tables prefix is invalid' => 'Prefix tabulek je neplatný', - 'Cannot convert database data to utf-8' => 'Nelze převést databázová data na kódování utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Byla nalezena nejméně jedna tabulka se stejným prefixem, prosíme, změňte prefix nebo vymažte databázi', - 'The values of auto_increment increment and offset must be set to 1' => 'Hodnota auto_increment musí být nastavena na 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Databázový server nenalezen. Zkontrolujte prosím pole login, heslo a server', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Připojení k databázi bylo úspěšné, ale databáze "%s" nebyla nalezena', - 'Attempt to create the database automatically' => 'Pokouším se vytvořit databázi automaticky', - '%s file is not writable (check permissions)' => 'Soubor %s nemá práva pro zápis (zkontrolujte oprávnění)', - '%s folder is not writable (check permissions)' => 'Složka %s nemá práva pro zápis (zkontrolujte oprávnění)', - 'Cannot write settings file' => 'Nelze zapisovat do konfiguračního souboru', - 'Database structure file not found' => 'Struktura databáze nebyla nalezena', - 'Cannot create group shop' => 'Nelze vytvořit skupinu obchodu', - 'Cannot create shop' => 'Není možné vytvořit obchod', - 'Cannot create shop URL' => 'Není možné vytvořit URL obchodu', - 'File "language.xml" not found for language iso "%s"' => 'Soubor "language.xml" nebyl nalezen pro vaše iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Soubor "language.xml" není platný pro vaše iso "%s"', - 'Cannot install language "%s"' => 'Není možní nainstalovat jazyk "%s"', - 'Cannot copy flag language "%s"' => 'Není možné zkopírovat vlajku vašeho státu "%s"', - 'Cannot create admin account' => 'Není možné vytvořit účet administrátora', - 'Cannot install module "%s"' => 'Není možné nainstalovat modul "%s"', - 'Fixtures class "%s" not found' => 'Fixtures class "%s" nebyl nalezen', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" musí být instancí "InstallXmlLoader"', - 'Information about your Store' => 'Informace o Vašem eshopu', - 'Shop name' => 'Název obchodu', - 'Main activity' => 'Hlavní aktivita', - 'Please choose your main activity' => 'Prosíme, zvolte vaši hlavní aktivitu', - 'Other activity...' => 'ostatní aktivity...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomozte nám co nejvíce pochopit váš obchod a my vám poté nabídneme optimální funkce pro váš byznys!', - 'Install demo products' => 'Instalovat demo produkty', - 'Yes' => 'Ano', - 'No' => 'Ne', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo produkty jsou dobré pro pochopení, jak používat PrestaShop. Můžete je nainstalovat pro lepší seznámení.', - 'Country' => 'Země', - 'Select your country' => 'Vyberte svou zemi', - 'Shop timezone' => 'Časové pásmo obchodu', - 'Select your timezone' => 'Vyberte vaše časové pásmo', - 'Shop logo' => 'Logo obchodu', - 'Optional - You can add you logo at a later time.' => 'Volitelné - logo můžete přidat i později.', - 'Your Account' => 'Váš účet', - 'First name' => 'Jméno', - 'Last name' => 'Příjmení', - 'E-mail address' => 'E-mailová adresa', - 'This email address will be your username to access your store\'s back office.' => 'Tento email bude také vaše přihlašovací jméno do back office vašeho obchodu.', - 'Shop password' => 'Heslo', - 'Must be at least 8 characters' => 'Zvolte nejméně 8 znaků', - 'Re-type to confirm' => 'Zopakujte heslo pro potvrzení', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'Nastavte vaši databázi vyplněním následujících polí', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Pro použití PrestaShopu musíte vytvořit databázi.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Prosíme, vyplňte pole níže, aby se mohl PrestaShop připojit do vaší databáze. ', - 'Database server address' => 'Adresa databázového serveru', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Výchozí port je 3306. Pokud používáte jiný port, zadejte ho na konec vaší adresy např.: "localhost:4242".', - 'Database name' => 'Název databáze', - 'Database login' => 'Přihlašovací jméno databáze', - 'Database password' => 'Heslo databáze', - 'Database Engine' => 'Databázový Engine', - 'Tables prefix' => 'Prefix tabulek', - 'Drop existing tables (mode dev)' => 'Vymazat existující tabulky (Vývojářský režim)', - 'Test your database connection now!' => 'Vyzkoušejte vaše spojení k databázi!', - 'Next' => 'Další', - 'Back' => 'Zpět', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Pokud potřebujete poraditpodívejte se zde. Dokumentace .', - 'Official forum' => 'Oficiální forum', - 'Support' => 'Podpora', - 'Documentation' => 'Dokumentace', - 'Contact us' => 'Napište nám', - 'PrestaShop Installation Assistant' => 'PrestaShop instalační asistent', - 'Forum' => 'Fórum', - 'Blog' => 'Blog', - 'Contact us!' => 'Kontaktujte nás!', - 'menu_welcome' => 'Vyberte svůj jazyk', - 'menu_license' => 'Licenční podmínky', - 'menu_system' => 'Systémová kompatibilita', - 'menu_configure' => 'Informace o obchodu', - 'menu_database' => 'Systémová konfigurace', - 'menu_process' => 'Instalace obchodu', - 'Installation Assistant' => 'Instalační asistent', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Pro instalaci PrestaShopu musíte mít ve vašem prohlížeči aktivovaný JavaScript.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Licenční podmínky', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Pro využití mnoho funkcí, které jsou nabízeny zdarma PrestaShopem, prosíme, přečtěte si licenční podmínky níže. Jádro PrestaShopu je pod licencí OSL 3.0, zatímco moduly a šablony jsou pod licencí AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Souhlasím s podmínky výše.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Souhlasím s účastní na zdokonalování systému pomocí odeslání anonymních informací o moji konfiguraci.', - 'Done!' => 'Hotovo!', - 'An error occurred during installation...' => 'Při instalaci nastala chyba...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Můžete využít odkazy v levém sloupci pro návrat na předchozí krok nebo restartujte instalační proces kliknutím zde.', - 'Your installation is finished!' => 'Vaši instalace byla úspěšně dokončena!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Podařilo se vám dokončit instalaci vašeho eshopu. Děkujeme, že používáte PrestaShop!', - 'Please remember your login information:' => 'Prosíme, zapamatujte si vaše přihlašovací údaje:', - 'E-mail' => 'E-maily', - 'Print my login information' => 'Vytisknout moje přihlašovací údaje', - 'Password' => 'Heslo', - 'Display' => 'Zobrazit', - 'For security purposes, you must delete the "install" folder.' => 'Z bezpečnostních důvodů musíte smazat složku s názvem "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Administrace (Back Office)', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Spravujte váš obchod prostřednictvím Back Office. Můžete spravovat vaše objednávky, zákazníky, přidávat moduly, měnit vzhled atd...', - 'Manage your store' => 'Spravovat obchod', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Prozkoumejte váš obchod stejně, jako jej uvidí vaši budoucí návštěvníci!', - 'Discover your store' => 'Prozkoumat obchod', - 'Share your experience with your friends!' => 'Sdílejte vaše zkušenosti s přáteli!', - 'I just built an online store with PrestaShop!' => 'Vytvořil jsem si nový obchod pomocí PrestaShopu!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Podívejte se na video: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Sdílet', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Podívejte se na PrestaShop Addony a přidejte něco speciálního do vašeho obchodu!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'V současné době kontrolujeme kompatibilitu PrestaShopu s vaším systémovým prostředím', - 'If you have any questions, please visit our documentation and community forum.' => 'Pokud máte nějaké otázky, podívejte se na dokumentaci a forum.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Kompatibilita PrestaShopu s vaším systémovým prostředím byla ověřena!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Prosíme, opravte položky níže a poté klikněte na "Aktualizovat informace" pro otestování kompatibility s vaším systémem.', - 'Refresh these settings' => 'Aktualizovat nastavení', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop vyžaduje nejměně 32 MB paměti. Prosím zkontrolujte memory_limit v php.ini nebo kontaktujte svého poskytovatele služeb.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Varování: Není možné použít tohoto průvodce pro upgrade vašeho obchodu.

Již máte nainstalován PrestaShop verze %1$s.

Pokud chcete upgradovat na vyšší verzi, prosíme, přečtěte si dokumentaci: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Vítejte v instalaci PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalace PrestaShopu je rychlá a jednoduchá. Během chvilky se stanete součástí komunity čítající více než 230 000 prodejců. Jste na cestě k vytvoření vlastního eshopu, který můžete jednoduše spravovat každý den.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Pokud potřebujete poradit podívejte se na tento tutoriál, nebo do dokumentace.', - 'Continue the installation in:' => 'Pokračovat v instalaci v:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Výběr jazyka výše slouží pouze pro Instalačního Asistenta. Jakmile bude váš obchod nainstalován, můžete si vybrat váš jazyk z více než %d překladů, zdarma!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalace PrestaShopu je rychlá a jednoduchá. Během chvilky se stanete součástí komunity čítající více než 250 000 prodejců. Jste na cestě k vytvoření vlastního eshopu, který můžete jednoduše spravovat každý den.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Došlo k chybě SQL pro entitu %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Nelze vytvořit obrázek „%1$s“ pro entitu „%2$s“', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nelze vytvořit obrázek „%1$s“ (špatná oprávnění ke složce „%2$s“)', + 'Cannot create image "%s"' => 'Nelze vytvořit obrázek "%s"', + 'SQL error on query %s' => 'Chyba SQL v dotazu %s', + '%s Login information' => '%s Přihlašovací údaje', + 'Field required' => 'Pole povinné', + 'Invalid shop name' => 'Neplatný název obchodu', + 'The field %s is limited to %d characters' => 'Pole %s je omezeno na %d znaků', + 'Your firstname contains some invalid characters' => 'Vaše křestní jméno obsahuje některé neplatné znaky', + 'Your lastname contains some invalid characters' => 'Vaše příjmení obsahuje některé neplatné znaky', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Heslo je nesprávné (alfanumerický řetězec s alespoň 8 znaky)', + 'Password and its confirmation are different' => 'Heslo a jeho potvrzení se liší', + 'This e-mail address is invalid' => 'Tato e-mailová adresa je neplatná', + 'Image folder %s is not writable' => 'Do složky obrázků %s nelze zapisovat', + 'An error occurred during logo copy.' => 'Při kopírování loga došlo k chybě.', + 'An error occurred during logo upload.' => 'Při nahrávání loga došlo k chybě.', + 'Lingerie and Adult' => 'Spodní prádlo a dospělé', + 'Animals and Pets' => 'Zvířata a mazlíčci', + 'Art and Culture' => 'Umění a kultura', + 'Babies' => 'Miminka', + 'Beauty and Personal Care' => 'Krása a osobní péče', + 'Cars' => 'Auta', + 'Computer Hardware and Software' => 'Počítačový hardware a software', + 'Download' => 'Stažení', + 'Fashion and accessories' => 'Móda a doplňky', + 'Flowers, Gifts and Crafts' => 'Květiny, dárky a řemesla', + 'Food and beverage' => 'Potravin a nápojů', + 'HiFi, Photo and Video' => 'HiFi, foto a video', + 'Home and Garden' => 'Dům a zahrada', + 'Home Appliances' => 'Domácí spotřebiče', + 'Jewelry' => 'Šperky', + 'Mobile and Telecom' => 'Mobil a Telecom', + 'Services' => 'Služby', + 'Shoes and accessories' => 'Boty a doplňky', + 'Sports and Entertainment' => 'Sport a zábava', + 'Travel' => 'Cestovat', + 'Database is connected' => 'Databáze je připojena', + 'Database is created' => 'Databáze je vytvořena', + 'Cannot create the database automatically' => 'Nelze vytvořit databázi automaticky', + 'Create settings.inc file' => 'Vytvořte soubor settings.inc', + 'Create database tables' => 'Vytvářejte databázové tabulky', + 'Create default website and languages' => 'Vytvořte výchozí web a jazyky', + 'Populate database tables' => 'Naplnění databázových tabulek', + 'Configure website information' => 'Nakonfigurujte informace o webu', + 'Install demonstration data' => 'Nainstalujte ukázková data', + 'Install modules' => 'Nainstalujte moduly', + 'Install Addons modules' => 'Nainstalujte moduly Addons', + 'Install theme' => 'Nainstalujte motiv', + 'Required PHP parameters' => 'Požadované parametry PHP', + 'The required PHP version is between 5.6 to 7.4' => 'Požadovaná verze PHP je mezi 5.6 a 7.4', + 'Cannot upload files' => 'Nelze nahrávat soubory', + 'Cannot create new files and folders' => 'Nelze vytvářet nové soubory a složky', + 'GD library is not installed' => 'Knihovna GD není nainstalována', + 'PDO MySQL extension is not loaded' => 'Rozšíření PDO MySQL není načteno', + 'Curl extension is not loaded' => 'Curl extension není načten', + 'SOAP extension is not loaded' => 'Rozšíření SOAP není načteno', + 'SimpleXml extension is not loaded' => 'Rozšíření SimpleXml není načteno', + 'In the PHP configuration set memory_limit to minimum 128M' => 'V konfiguraci PHP nastavte memory_limit na minimum 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'V konfiguraci PHP nastavte max_execution_time na minimum 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'V konfiguraci PHP nastavte upload_max_filesize na minimálně 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Nelze otevřít externí adresy URL (vyžaduje allow_url_fopen jako Zapnuto).', + 'ZIP extension is not enabled' => 'Rozšíření ZIP není povoleno', + 'Files' => 'Soubory', + 'Not all files were successfully uploaded on your server' => 'Ne všechny soubory byly úspěšně nahrány na váš server', + 'Permissions on files and folders' => 'Oprávnění k souborům a složkám', + 'Recursive write permissions for %1$s user on %2$s' => 'Oprávnění k rekurzivnímu zápisu pro uživatele %1$s na %2$s', + 'Recommended PHP parameters' => 'Doporučené parametry PHP', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Používáte PHP verzi %s. Brzy bude nejnovější verze PHP podporovaná QloApps PHP 5.6. Abyste se ujistili, že jste připraveni na budoucnost, doporučujeme vám nyní upgradovat na PHP 5.6!', + 'PHP register_globals option is enabled' => 'Možnost PHP register_globals je povolena', + 'GZIP compression is not activated' => 'Komprese GZIP není aktivována', + 'Mbstring extension is not enabled' => 'Rozšíření Mbstring není povoleno', + 'Dom extension is not loaded' => 'Rozšíření Dom není načteno', + 'Server name is not valid' => 'Název serveru není platný', + 'You must enter a database name' => 'Musíte zadat název databáze', + 'You must enter a database login' => 'Musíte zadat přihlašovací údaje k databázi', + 'Tables prefix is invalid' => 'Předpona tabulek je neplatná', + 'Cannot convert database data to utf-8' => 'Data databáze nelze převést na utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Minimálně jedna tabulka se stejnou předponou již byla nalezena, změňte prosím předponu nebo zrušte databázi', + 'The values of auto_increment increment and offset must be set to 1' => 'Hodnoty auto_increment increment a offset musí být nastaveny na 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Databázový server nebyl nalezen. Zkontrolujte prosím pole login, password a server', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Připojení k serveru MySQL bylo úspěšné, ale databáze "%s" nebyla nalezena', + 'Attempt to create the database automatically' => 'Pokuste se vytvořit databázi automaticky', + '%s file is not writable (check permissions)' => '%s soubor není zapisovatelný (zkontrolujte oprávnění)', + '%s folder is not writable (check permissions)' => 'Do složky %s nelze zapisovat (zkontrolujte oprávnění)', + 'Cannot write settings file' => 'Nelze zapisovat soubor nastavení', + 'Database structure file not found' => 'Soubor struktury databáze nebyl nalezen', + 'Cannot create group shop' => 'Nelze vytvořit skupinový obchod', + 'Cannot create shop' => 'Nelze vytvořit obchod', + 'Cannot create shop URL' => 'Nelze vytvořit adresu URL obchodu', + 'File "language.xml" not found for language iso "%s"' => 'Soubor "language.xml" nebyl nalezen pro jazyk iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Soubor "language.xml" není platný pro jazyk iso "%s"', + 'Cannot install language "%s"' => 'Nelze nainstalovat jazyk "%s"', + 'Cannot copy flag language "%s"' => 'Nelze zkopírovat jazyk vlajky "%s"', + 'Cannot create admin account' => 'Nelze vytvořit účet správce', + 'Cannot install module "%s"' => 'Nelze nainstalovat modul "%s"', + 'Fixtures class "%s" not found' => 'Třída svítidel "%s" nebyla nalezena', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" musí být instancí "InstallXmlLoader"', + 'Information about your Website' => 'Informace o vašem webu', + 'Website name' => 'Název webu', + 'Main activity' => 'Hlavní aktivita', + 'Please choose your main activity' => 'Vyberte prosím svou hlavní činnost', + 'Other activity...' => 'Jiná činnost...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomozte nám dozvědět se více o vašem obchodě, abychom vám mohli nabídnout optimální vedení a nejlepší funkce pro vaši firmu!', + 'Install demo data' => 'Nainstalujte demo data', + 'Yes' => 'Ano', + 'No' => 'Ne', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Instalace demo dat je dobrý způsob, jak se naučit používat QloApps, pokud jste je dosud nepoužívali. Tato demo data lze později vymazat pomocí modulu QloApps Data Cleaner, který je předinstalován s touto instalací.', + 'Country' => 'Země', + 'Select your country' => 'Vyberte vaší zemi', + 'Website timezone' => 'Časové pásmo webu', + 'Select your timezone' => 'Vyberte své časové pásmo', + 'Enable SSL' => 'Povolit SSL', + 'Shop logo' => 'Logo obchodu', + 'Optional - You can add you logo at a later time.' => 'Volitelné – své logo můžete přidat později.', + 'Your Account' => 'Váš účet', + 'First name' => 'Jméno', + 'Last name' => 'Příjmení', + 'E-mail address' => 'Emailová adresa', + 'This email address will be your username to access your website\'s back office.' => 'Tato e-mailová adresa bude vaším uživatelským jménem pro přístup do back office vašeho webu.', + 'Password' => 'Heslo', + 'Must be at least 8 characters' => 'Musí mít alespoň 8 znaků', + 'Re-type to confirm' => 'Pro potvrzení zadejte znovu', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Informace, které nám poskytnete, shromažďujeme a podléhají zpracování údajů a statistikám. Podle aktuálního „Zákona o zpracování údajů, datových souborech a osobních svobodách“ máte právo na přístup ke svým osobním údajům, jejich opravu a nesouhlas se zpracováním prostřednictvím tohoto odkaz.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Souhlasím se zasíláním newsletteru a propagačních nabídek od QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Vždy budete dostávat transakční e-maily, jako jsou nové aktualizace, bezpečnostní opravy a záplaty, i když se k této možnosti nepřihlásíte.', + 'Configure your database by filling out the following fields' => 'Nakonfigurujte svou databázi vyplněním následujících polí', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Chcete-li používat QloApps, musíte vytvořit databázi ke shromažďování všech aktivit souvisejících s daty vašeho webu.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Vyplňte prosím níže uvedená pole, aby se QloApps mohl připojit k vaší databázi.', + 'Database server address' => 'Adresa databázového serveru', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Výchozí port je 3306. Chcete-li použít jiný port, přidejte číslo portu na konec adresy vašeho serveru, tj. „:4242“.', + 'Database name' => 'Jméno databáze', + 'Database login' => 'Přihlášení do databáze', + 'Database password' => 'Heslo databáze', + 'Database Engine' => 'Databázový stroj', + 'Tables prefix' => 'Předpona tabulek', + 'Drop existing tables (mode dev)' => 'Zrušit existující tabulky (režim vývoj)', + 'Test your database connection now!' => 'Otestujte připojení k databázi nyní!', + 'Next' => 'další', + 'Back' => 'Zadní', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Pokud potřebujete pomoc, můžete získat přizpůsobenou pomoc od našeho týmu podpory. Jako vodítko je zde také Oficiální dokumentace.', + 'Official forum' => 'Oficiální fórum', + 'Support' => 'Podpěra, podpora', + 'Documentation' => 'Dokumentace', + 'Contact us' => 'Kontaktujte nás', + 'QloApps Installation Assistant' => 'Asistent instalace QloApps', + 'Forum' => 'Fórum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Vyberte si jazyk', + 'menu_license' => 'Licenční smlouvy', + 'menu_system' => 'Kompatibilita systému', + 'menu_configure' => 'Informace o webu', + 'menu_database' => 'Konfigurace systému', + 'menu_process' => 'Instalace QloApps', + 'Need Help?' => 'Potřebovat pomoc?', + 'Click here to Contact us' => 'Klikněte sem a kontaktujte nás', + 'Installation' => 'Instalace', + 'See our Installation guide' => 'Viz náš Průvodce instalací', + 'Tutorials' => 'Tutoriály', + 'See our QloApps tutorials' => 'Podívejte se na naše výukové programy QloApps', + 'Installation Assistant' => 'Instalační asistent', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Chcete-li nainstalovat QloApps, musíte mít ve svém prohlížeči povolený JavaScript.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Licenční smlouvy', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Chcete-li si užít mnoho funkcí, které QloApps nabízí zdarma, přečtěte si prosím níže uvedené licenční podmínky. Jádro QloApps je licencováno pod OSL 3.0, zatímco moduly a motivy jsou licencovány pod AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Souhlasím s výše uvedenými podmínkami.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Souhlasím s účastí na zlepšování řešení zasláním anonymních informací o mé konfiguraci.', + 'Done!' => 'Hotovo!', + 'An error occurred during installation...' => 'Při instalaci došlo k chybě...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Pomocí odkazů v levém sloupci se můžete vrátit k předchozím krokům nebo restartovat proces instalace kliknutím sem.', + 'Suggested Modules' => 'Doporučené moduly', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Najděte ty správné funkce na QloApps Addons, aby vaše podnikání v pohostinství bylo úspěšné.', + 'Discover All Modules' => 'Objevte všechny moduly', + 'Suggested Themes' => 'Navrhovaná témata', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Vytvořte design, který bude vyhovovat vašemu hotelu a vašim zákazníkům, s motivem šablony připraveným k použití.', + 'Discover All Themes' => 'Objevte všechna témata', + 'Your installation is finished!' => 'Vaše instalace je dokončena!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Právě jste dokončili instalaci QloApps. Děkujeme, že používáte QloApps!', + 'Please remember your login information:' => 'Zapamatujte si prosím své přihlašovací údaje:', + 'E-mail' => 'E-mailem', + 'Print my login information' => 'Vytisknout moje přihlašovací údaje', + 'Display' => 'Zobrazit', + 'For security purposes, you must delete the "install" folder.' => 'Z bezpečnostních důvodů musíte odstranit složku "install".', + 'Back Office' => 'Zadní kancelář', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Spravujte svůj web pomocí Back Office. Spravujte své objednávky a zákazníky, přidávejte moduly, měňte témata atd.', + 'Manage Your Website' => 'Spravujte svůj web', + 'Front Office' => 'Přední kancelář', + 'Discover your website as your future customers will see it!' => 'Objevte svůj web tak, jak ho uvidí vaši budoucí zákazníci!', + 'Discover Your Website' => 'Objevte svůj web', + 'Share your experience with your friends!' => 'Podělte se o své zkušenosti se svými přáteli!', + 'I just built an online hotel booking website with QloApps!' => 'Právě jsem vytvořil webovou stránku pro online rezervaci hotelů s QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Podívejte se na všechny funkce zde: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'tweet', + 'Share' => 'Podíl', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'V současné době kontrolujeme kompatibilitu QloApps s vaším systémovým prostředím', + 'If you have any questions, please visit our documentation and community forum.' => 'Pokud máte nějaké dotazy, navštivte prosím naši dokumentaci a komunitní fórum< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Byla ověřena kompatibilita QloApps s vaším systémovým prostředím!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Jejda! Opravte níže uvedené položky a poté klikněte na „Obnovit informace“, abyste otestovali kompatibilitu vašeho nového systému.', + 'Refresh these settings' => 'Obnovte tato nastavení', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps vyžaduje ke spuštění alespoň 128 MB paměti: zkontrolujte prosím direktivu memory_limit ve vašem souboru php.ini nebo se o tom obraťte na svého poskytovatele hostitele.', + 'Welcome to the QloApps %s Installer' => 'Vítejte v instalačním programu QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Instalace QloApps je rychlá a snadná. Během několika okamžiků se stanete součástí komunity. Jste na cestě k vytvoření vlastního webu pro rezervaci hotelů, který můžete snadno spravovat každý den.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Pokud potřebujete pomoc, neváhejte podívat se na tento krátký výukový program nebo se podívejte na naše dokumentace.', + 'Continue the installation in:' => 'Pokračujte v instalaci v:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Výše uvedený výběr jazyka platí pouze pro instalačního asistenta. Po instalaci QloApps si můžete vybrat jazyk svých webových stránek z více než %d překladů, vše zdarma!', + ), +); \ No newline at end of file diff --git a/install/langs/de/install.php b/install/langs/de/install.php index bb6abeb1d..e1919bf06 100644 --- a/install/langs/de/install.php +++ b/install/langs/de/install.php @@ -1,212 +1,225 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => - array( - 'An SQL error occurred for entity %1$s: %2$s' => 'SQL-Fehler bei Element %1$s: %2$s aufgetreten', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Bild "%1$s" für "%2$s" kann nicht erstellt werden', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Bild "%1$s"kann nicht erstellt werden (keine Schreibrechte für Ordner "%2$s" vorhanden)', - 'Cannot create image "%s"' => 'Bild "%s" kann nicht erstell werden', - 'SQL error on query %s' => 'SQL-Fehler in der Abfrage %s', - '%s Login information' => '%s Anmeldeinformationen', - 'Field required' => 'Pflichtfeld', - 'Invalid shop name' => 'Ungültiger Shopname', - 'The field %s is limited to %d characters' => 'Das Feld %s ist auf %s Zeichen begrenzt.', - 'Your firstname contains some invalid characters' => 'Ihr Vorname enthält ungültige Zeichen', - 'Your lastname contains some invalid characters' => 'Ihr Nachname enthält ungültige Zeichen', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Das Passwort ist falsch (alphanumerische Zeichenfolge aus mindestens 8 Zeichen)', - 'Password and its confirmation are different' => 'Passwort und Bestätigung stimmen nicht überein', - 'This e-mail address is invalid' => 'E-Mail-Adresse nicht gefunden', - 'Image folder %s is not writable' => 'Keine Schreibrechte für Bilder-Verzeichnis %s vorhanden', - 'An error occurred during logo copy.' => 'Beim Kopieren des Logos ist ein Fehler aufgetreten.', - 'An error occurred during logo upload.' => 'Beim Logo-Upload ist ein Fehler aufgetreten.', - 'Lingerie and Adult' => 'Dessous und Erotik', - 'Animals and Pets' => 'Alles für Tiere', - 'Art and Culture' => 'Kunst und Freizeit', - 'Babies' => 'Baby-Artikel', - 'Beauty and Personal Care' => 'Parfümerie und Kosmetik', - 'Cars' => 'Autos', - 'Computer Hardware and Software' => 'Hard- und Software', - 'Download' => 'Download', - 'Fashion and accessories' => 'Mode und Accessoires', - 'Flowers, Gifts and Crafts' => 'Pflanzen, Geschenke, Handarbeiten', - 'Food and beverage' => 'Essen und Trinken', - 'HiFi, Photo and Video' => 'Elektronik und Foto', - 'Home and Garden' => 'Haus und Garten', - 'Home Appliances' => 'Haushaltsgeräte', - 'Jewelry' => 'Schmuck', - 'Mobile and Telecom' => 'Mobilfunk und Telekommunikation', - 'Services' => 'Dienstleistungen', - 'Shoes and accessories' => 'Schuhe und Zubehör', - 'Sports and Entertainment' => 'Sport und Unterhaltung', - 'Travel' => 'Reisen', - 'Database is connected' => 'Datenbank verbunden', - 'Database is created' => 'Datenbank erstellt', - 'Cannot create the database automatically' => 'Datenbank kann nicht automatisch erstellt werden', - 'Create settings.inc file' => 'Datei settings.inc erstellen', - 'Create database tables' => 'Datenbanktabellen anlegen', - 'Create default shop and languages' => 'Standard-Shop und Standard-Sprachen anlegen', - 'Populate database tables' => 'Datenbankdaten eintragen', - 'Configure shop information' => 'Shopeinstellungen vornehmen', - 'Install demonstration data' => 'Demodaten installieren', - 'Install modules' => 'Module installieren', - 'Install Addons modules' => 'Modul-Addons installieren', - 'Install theme' => 'Template installieren', - 'Required PHP parameters' => 'Erforderliche PHP-Einstellungen', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 oder höher ist nicht aktiv', - 'Cannot upload files' => 'Dateien können nicht hochgeladen werden', - 'Cannot create new files and folders' => 'Neue Dateien und Verzeichnisse können nicht erstellt werden', - 'GD Library is not installed' => 'GD-Bibliothek ist nicht installiert', - 'MySQL support is not activated' => 'MySQL-Unterstützung ist nicht aktiviert', - 'Files' => 'Dateien', - 'All files are not successfully uploaded on your server' => 'Es konnten nicht alle Dateien erfolgreich auf Ihren Server hochgeladen werden', - 'Permissions on files and folders' => 'Rechte für Dateien und Verzeichnisse', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekursive Schreibrechte für Benutzer %1$s bei %2$s', - 'Recommended PHP parameters' => 'Empfohlene PHP-Einstellungen', - 'Cannot open external URLs' => 'Externe URLs können nicht geöffnet werden', - 'PHP register_globals option is enabled' => 'PHP-Anweisung register_globals ist aktiviert', - 'GZIP compression is not activated' => 'GZIP-Komprimierung ist nicht aktiviert', - 'Mcrypt extension is not enabled' => 'Mcrypt-Erweiterung ist nicht aktiviert', - 'Mbstring extension is not enabled' => 'Mbstring-Erweiterung ist nicht aktiviert', - 'PHP magic quotes option is enabled' => 'PHP-Option magic quotes ist aktiviert', - 'Dom extension is not loaded' => 'Dom-Erweiterung ist nicht geladen', - 'PDO MySQL extension is not loaded' => 'PDO MySQL-Erweiterung ist nicht geladen', - 'Server name is not valid' => 'Server-Name ungültig', - 'You must enter a database name' => 'Sie müssen einen Datenbanknamen angeben', - 'You must enter a database login' => 'Sie müssen die Datenbankzugangsdaten angeben', - 'Tables prefix is invalid' => 'Tabellen-Präfix ungültig', - 'Cannot convert database data to utf-8' => 'Daten können nicht nach UTF-8 konvertiert werden', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Mit dem gleichen Tabellen-Präfix sind bereits andere Tabellen in Ihrer Datenbank angelegt. Bitte ändern sie den Präfix oder leeren Sie Ihre Datenbank', - 'Database Server is not found. Please verify the login, password and server fields' => 'Der Datenbank-Server wurde nicht gefunden, bitte prüfen Sie Ihren Benutzernamen oder den Server-Namen', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Datenbankserver gefunden, aber Datenbank nicht vorhanden', - 'Attempt to create the database automatically' => 'Versuche, die Datenbank automatisch zu erstellen.', - '%s file is not writable (check permissions)' => 'Datei %s ist schreibgeschützt (bitte Schreibrechte überprüfen)', - '%s folder is not writable (check permissions)' => 'Verzeichnis %s ist schreibgeschützt (bitte Schreibrechte überprüfen)', - 'Cannot write settings file' => 'Einstellungs-Datei kann nicht geschrieben werden', - 'Database structure file not found' => 'Datenbankstruktur-Datei nicht gefunden', - 'Cannot create group shop' => 'Shop-Gruppe kann nicht erstellt werden', - 'Cannot create shop' => 'Shop kann nicht erstellt werden', - 'Cannot create shop URL' => 'Shop-URL kann nicht erstellt werden', - 'File "language.xml" not found for language iso "%s"' => 'Sprachdatei "Sprache.xml" für Sprache "%s" nicht gefunden', - 'File "language.xml" not valid for language iso "%s"' => 'Sprachdatei "Sprache.xml" für Sprache "%s" ungültig', - 'Cannot install language "%s"' => 'Sprache "%s" kann nicht installiert werden', - 'Cannot copy flag language "%s"' => 'Die Flagge der Sprache "%s" kann nicht kopiert werden', - 'Cannot create admin account' => 'Adminkonto kann nicht erstellt werden', - 'Cannot install module "%s"' => 'Modul "%s" kann nicht installiert werden', - 'Fixtures class "%s" not found' => 'Fixture-Klasse "%s" nicht gefunden', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" muss vom "InstallXmlLoader" aufgerufen werden', - 'Information about your Store' => 'Shop-Informationen', - 'Shop name' => 'Name des Shops', - 'Main activity' => 'Branchenzugehörigkeit', - 'Please choose your main activity' => 'Bitte wählen Sie Ihre Branchenzugehörigkeit', - 'Other activity...' => 'Andere...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Helfen Sie uns, Sie besser kennenzulernen, damit wir Ihnen die optimalen Funktionen für Ihre Branche anbieten können!', - 'Install demo products' => 'Demo-Artikel installieren', - 'Yes' => 'Ja', - 'No' => 'Nein', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo-Artikel sind eine gute Möglichkeit, die Funktionen des Shops näher kennzulernen. Wir empfehlen Ihnen daher, sie zunächst zu installieren. Sie können die Artikel im Back Office jederzeit nachträglich deaktivieren oder löschen', - 'Country' => 'Land', - 'Select your country' => 'Wählen Sie Ihr Land', - 'Shop timezone' => 'Zeitzone', - 'Select your timezone' => 'Wählen Sie Ihre Zeitzone', - 'Shop logo' => 'Shop-Logo', - 'Optional - You can add you logo at a later time.' => 'Optional – Sie können sich auch später entscheiden.', - 'Your Account' => 'Ihre Anmeldedaten', - 'First name' => 'Vorname', - 'Last name' => 'Name', - 'E-mail address' => 'E-Mail-Adresse', - 'This email address will be your username to access your store\'s back office.' => 'Diese E-Mail-Adresse ist Ihre Benutznername, um in den Verwaltungsbereich Ihres Shops zu gelangen.', - 'Shop password' => 'Passwort des Shops', - 'Must be at least 8 characters' => 'Mindestens 8 Zeichen', - 'Re-type to confirm' => 'Bestätigen Sie das Passwort', - 'Sign-up to the newsletter' => 'Für den Newsletter anmelden', - 'PrestaShop can provide you with guidance on a regular basis by sending you tips on how to optimize the management of your store which will help you grow your business. If you do not wish to receive these tips, please uncheck this box.' => 'PrestaShop kann Sie regelmäßig anleiten und Ihnen Tipps für die Shopverwaltung und Ihre geschäftliche Entwicklung geben. Wenn Sie keine Tipps wünschen, dann entfernen Sie bitte den Haken in diesem Kästchen.', - 'Configure your database by filling out the following fields' => 'Richten Sie die Datenbank ein, indem Sie folgende Felder ausfüllen', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Um PrestaShop zu nutzen, müssen Sie eine Datenbank erstellen, in der alle datenbezogenen Aktivitäten Ihres Shops gespeichert werden.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Bitte füllen Sie die untenstehenden Felder aus, damit PrestaShop sich mit Ihrer Datenbank verbinden kann.', - 'Database server address' => 'Datenbank-Adresse', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Wenn Sie einen anderen Port als den Standardport (3306) nutzen möchten, fügen Sie zu Ihrer Serveradresse die Nummer xx Ihres Ports hinzu.', - 'Database name' => 'Name der Datenbank', - 'Database login' => 'Datenbank-Benutzer', - 'Database password' => 'Datenbank-Passwort', - 'Database Engine' => 'Datenbank', - 'Tables prefix' => 'Tabellen-Präfix', - 'Drop existing tables (mode dev)' => 'Vorhandene Tabellen löschen', - 'Test your database connection now!' => 'Testen Sie die Verbindung mit Ihrer Datenbank', - 'Next' => 'Weiter', - 'Back' => 'Zurück', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Falls Sie Unterstützung benötigen, erhalten Sie gezielte Hilfe unseres Support-Teams. Sie können aber auch direkt in der PrestaShop Dokumentation nachschlagen (nur Englisch).', - 'Official forum' => 'Offizielles Forum', - 'Support' => 'Support', - 'Documentation' => 'Dokumentation', - 'Contact us' => 'Kontakt', - 'PrestaShop Installation Assistant' => 'Installationsassistent', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Kontaktieren Sie uns!', - 'menu_welcome' => 'Sprachauswahl', - 'menu_license' => 'Lizenzvereinbarung', - 'menu_system' => 'Systemkompatibilität', - 'menu_configure' => 'Shop-Einstellungen', - 'menu_database' => 'Systemkonfiguration', - 'menu_process' => 'Installation des Shops', - 'Installation Assistant' => 'Installationsassistent', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'JavaScript muss in Ihrem Browser aktiviert sein, um PrestaShop zu installieren.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/de/', - 'License Agreements' => 'Lizenzvereinbarung', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Um all die Vorteile zu nutzen, die Ihnen Prestashop bietet, lesen sie bitte die folgenden Bedingungen. Der PrestaShop ist unter OSL 3.0 lizensiert, die Module und Themen unter AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Ich akzeptiere die obenstehenden AGB', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Ich möchte zur Verbesserung von PrestaShop beitragen und bin einverstanden, dass anonyme Informationen zu meiner Konfiguration übermittelt werden.', - 'Done!' => 'Fertig!', - 'An error occurred during installation...' => 'Bei der Installation ist ein Fehler aufgetreten...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Um zum vorherigen Schritt zu gelangen, können Sie die Links in der linken Spalte nutzen, oder den Installationsprozess komplett neu starten, indem Sie HIER klicken.', - 'Your installation is finished!' => 'Die Installation ist abgeschlossen!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Sie haben soeben Ihren Shop erfolgreich installiert. Danke dass Sie Prestashop nutzen', - 'Please remember your login information:' => 'Merken Sie sich Ihre Anmeldedaten:', - 'E-mail' => 'E-Mail', - 'Print my login information' => 'Meine Zugangsinformationen ausdrucken', - 'Password' => 'Passwort', - 'Display' => 'Anzeige', - 'For security purposes, you must delete the "install" folder.' => 'Aus Sicherheitsgründen müssen Sie das Verzeichnis “install” unbedingt löschen.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS15/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Back Office', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Verwalten Sie Ihren Shop im Back-Office. Verwalten Sie Ihre Bestellungen und Kunden, fügen Sie Module hinzu, ändern Sie Ihr Theme, usw. ...', - 'Manage your store' => 'Verwalten Sie Ihren Shop', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Sehen Sie, wie Ihr Shop später für Ihre Kunden aussieht!', - 'Discover your store' => 'Meinen Shop entdecken', - 'Share your experience with your friends!' => 'Teilen Sie Erfahrungen mit Ihren Freunden!', - 'I just built an online store with PrestaShop!' => 'Ich habe gerade einen Online-Shop mit PrestaShop eingerichtet!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Das Video wird Sie begeistern: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Teilen', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Finden Sie bei PrestaShop Addons die kleinen Extras zu Ihrem Shop!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Wir überprüfen derzeit die Kompatibilität von PrestaShop mit Ihrer Systemumgebung.', - 'If you have any questions, please visit our documentation and community forum.' => 'Bei Fragen nutzen Sie bitte unsere Dokumentation oder Community Forum.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Die Kompatibilität von PrestaShop mit Ihrem System wurde überprüft!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Bitte korrigieren Sie untenstehende(n) Punkt(e) und klicken Sie anschließend auf den Refresh-Button, um erneut die Kompatibilität Ihres Systems zu überprüfen.', - 'Refresh these settings' => 'Einstellungen aktualisieren', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Damit PrestaShop einwandfrei funktionieren kann, werden mindestens 32M Speicher benötigt. Bitte überprüfen Sie die memory_limit directive in php.in oder kontaktieren Sie Ihrem Provider.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Achtung: Sie können mit diesem Tool kein Upgrade Ihres Shops mehr machen.

Sie haben bereits PrestaShop version %1$s installiert.

Wenn Sie ein Upgrade auf die aktuelle Version möchten, lesen Sie bitte die Dokumentation: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Herzlich Willkommen beim PrestaShop %s Installationsassistenten', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop lässt sich einfach und schnell installieren. In wenigen Momenten sind Sie Teil einer Gemeinschaft von über 250.000 Shopbesitzern. Sie sind gerade dabei, Ihren eigenen, einzigartigen Shop zu erstellen, den Sie täglich leicht verwalten können.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'Installation fortführen in:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Die obige Sprachauswahl bezieht sich auf den Installationsassistenten. Sobald Ihr Shop installiert ist, können Sie aus %d Sprachen Ihre Shopsprache wählen!', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Für die Entität %1$s ist ein SQL-Fehler aufgetreten: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Bild „%1$s“ für Entität „%2$s“ kann nicht erstellt werden', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Bild „%1$s“ kann nicht erstellt werden (falsche Berechtigungen für Ordner „%2$s“)', + 'Cannot create image "%s"' => 'Bild „%s“ kann nicht erstellt werden', + 'SQL error on query %s' => 'SQL-Fehler bei Abfrage %s', + '%s Login information' => '%s Anmeldeinformationen', + 'Field required' => 'Pflichtfeld', + 'Invalid shop name' => 'Ungültiger Shopname', + 'The field %s is limited to %d characters' => 'Das Feld %s ist auf %d Zeichen begrenzt', + 'Your firstname contains some invalid characters' => 'Ihr Vorname enthält einige ungültige Zeichen', + 'Your lastname contains some invalid characters' => 'Ihr Nachname enthält einige ungültige Zeichen', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Das Passwort ist falsch (alphanumerische Zeichenfolge mit mindestens 8 Zeichen)', + 'Password and its confirmation are different' => 'Passwort und dessen Bestätigung sind unterschiedlich', + 'This e-mail address is invalid' => 'Diese E-Mail-Adresse ist ungültig', + 'Image folder %s is not writable' => 'Der Bildordner %s ist nicht beschreibbar', + 'An error occurred during logo copy.' => 'Beim Kopieren des Logos ist ein Fehler aufgetreten.', + 'An error occurred during logo upload.' => 'Beim Hochladen des Logos ist ein Fehler aufgetreten.', + 'Lingerie and Adult' => 'Dessous und Erwachsene', + 'Animals and Pets' => 'Tiere und Haustiere', + 'Art and Culture' => 'Kunst und Kultur', + 'Babies' => 'Babys', + 'Beauty and Personal Care' => 'Schönheit und Körperpflege', + 'Cars' => 'Autos', + 'Computer Hardware and Software' => 'Computer-Hardware und -Software', + 'Download' => 'Herunterladen', + 'Fashion and accessories' => 'Mode und Accessoires', + 'Flowers, Gifts and Crafts' => 'Blumen, Geschenke und Kunsthandwerk', + 'Food and beverage' => 'Nahrungsmittel und Getränke', + 'HiFi, Photo and Video' => 'HiFi, Foto und Video', + 'Home and Garden' => 'Haus und Garten', + 'Home Appliances' => 'Haushaltsgeräte', + 'Jewelry' => 'Schmuck', + 'Mobile and Telecom' => 'Mobilfunk und Telekommunikation', + 'Services' => 'Dienstleistungen', + 'Shoes and accessories' => 'Schuhe und Accessoires', + 'Sports and Entertainment' => 'Sport und Unterhaltung', + 'Travel' => 'Reisen', + 'Database is connected' => 'Datenbank ist verbunden', + 'Database is created' => 'Datenbank wird erstellt', + 'Cannot create the database automatically' => 'Die Datenbank kann nicht automatisch erstellt werden', + 'Create settings.inc file' => 'Erstellen Sie die Datei „settings.inc“.', + 'Create database tables' => 'Erstellen von Datenbanktabellen', + 'Create default website and languages' => 'Standardwebsite und -sprachen erstellen', + 'Populate database tables' => 'Datenbanktabellen füllen', + 'Configure website information' => 'Website-Informationen konfigurieren', + 'Install demonstration data' => 'Demodaten installieren', + 'Install modules' => 'Module installieren', + 'Install Addons modules' => 'Add-Ons-Module installieren', + 'Install theme' => 'Theme installieren', + 'Required PHP parameters' => 'Erforderliche PHP-Parameter', + 'The required PHP version is between 5.6 to 7.4' => 'Die erforderliche PHP-Version liegt zwischen 5.6 und 7.4', + 'Cannot upload files' => 'Dateien können nicht hochgeladen werden', + 'Cannot create new files and folders' => 'Es können keine neuen Dateien und Ordner erstellt werden', + 'GD library is not installed' => 'Die GD-Bibliothek ist nicht installiert', + 'PDO MySQL extension is not loaded' => 'Die PDO MySQL-Erweiterung wurde nicht geladen', + 'Curl extension is not loaded' => 'Curl-Erweiterung ist nicht geladen', + 'SOAP extension is not loaded' => 'SOAP-Erweiterung ist nicht geladen', + 'SimpleXml extension is not loaded' => 'Die SimpleXml-Erweiterung wurde nicht geladen', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Setzen Sie in der PHP-Konfiguration das Memory_limit auf mindestens 128 MB.', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Setzen Sie in der PHP-Konfiguration max_execution_time auf mindestens 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Setzen Sie in der PHP-Konfiguration upload_max_filesize auf mindestens 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Externe URLs können nicht geöffnet werden (erfordert „allow_url_fopen“ auf „Ein“).', + 'ZIP extension is not enabled' => 'Die ZIP-Erweiterung ist nicht aktiviert', + 'Files' => 'Dateien', + 'Not all files were successfully uploaded on your server' => 'Nicht alle Dateien wurden erfolgreich auf Ihren Server hochgeladen', + 'Permissions on files and folders' => 'Berechtigungen für Dateien und Ordner', + 'Recursive write permissions for %1$s user on %2$s' => 'Rekursive Schreibberechtigungen für Benutzer %1$s auf %2$s', + 'Recommended PHP parameters' => 'Empfohlene PHP-Parameter', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Sie verwenden die PHP-Version %s. Bald wird die neueste von QloApps unterstützte PHP-Version PHP 5.6 sein. Um sicherzustellen, dass Sie für die Zukunft gerüstet sind, empfehlen wir Ihnen, jetzt auf PHP 5.6 zu aktualisieren!', + 'PHP register_globals option is enabled' => 'Die PHP-Option „register_globals“ ist aktiviert', + 'GZIP compression is not activated' => 'Die GZIP-Komprimierung ist nicht aktiviert', + 'Mbstring extension is not enabled' => 'Die Mbstring-Erweiterung ist nicht aktiviert', + 'Dom extension is not loaded' => 'Die Dom-Erweiterung wurde nicht geladen', + 'Server name is not valid' => 'Der Servername ist ungültig', + 'You must enter a database name' => 'Sie müssen einen Datenbanknamen eingeben', + 'You must enter a database login' => 'Sie müssen einen Datenbank-Login eingeben', + 'Tables prefix is invalid' => 'Tabellenpräfix ist ungültig', + 'Cannot convert database data to utf-8' => 'Datenbankdaten können nicht in UTF-8 konvertiert werden.', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Mindestens eine Tabelle mit demselben Präfix wurde bereits gefunden. Bitte ändern Sie Ihr Präfix oder löschen Sie Ihre Datenbank.', + 'The values of auto_increment increment and offset must be set to 1' => 'Die Werte von auto_increment increment und offset müssen auf 1 gesetzt werden', + 'Database Server is not found. Please verify the login, password and server fields' => 'Der Datenbankserver wurde nicht gefunden. Bitte überprüfen Sie die Felder „Anmelden“, „Passwort“ und „Server“.', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Verbindung zum MySQL-Server erfolgreich, aber Datenbank „%s“ nicht gefunden', + 'Attempt to create the database automatically' => 'Versuchen Sie, die Datenbank automatisch zu erstellen', + '%s file is not writable (check permissions)' => '%s Datei ist nicht beschreibbar (Berechtigungen prüfen)', + '%s folder is not writable (check permissions)' => 'Der Ordner %s ist nicht beschreibbar (überprüfen Sie die Berechtigungen)', + 'Cannot write settings file' => 'Einstellungsdatei kann nicht geschrieben werden', + 'Database structure file not found' => 'Datenbankstrukturdatei nicht gefunden', + 'Cannot create group shop' => 'Gruppenshop kann nicht erstellt werden', + 'Cannot create shop' => 'Shop kann nicht erstellt werden', + 'Cannot create shop URL' => 'Shop-URL kann nicht erstellt werden', + 'File "language.xml" not found for language iso "%s"' => 'Datei „language.xml“ für Sprach-ISO „%s“ nicht gefunden', + 'File "language.xml" not valid for language iso "%s"' => 'Datei „language.xml“ ungültig für Sprach-ISO „%s“', + 'Cannot install language "%s"' => 'Sprache „%s“ kann nicht installiert werden', + 'Cannot copy flag language "%s"' => 'Flaggensprache „%s“ kann nicht kopiert werden', + 'Cannot create admin account' => 'Administratorkonto kann nicht erstellt werden', + 'Cannot install module "%s"' => 'Modul „%s“ kann nicht installiert werden', + 'Fixtures class "%s" not found' => 'Fixture-Klasse „%s“ nicht gefunden', + '"%s" must be an instance of "InstallXmlLoader"' => '„%s“ muss eine Instanz von „InstallXmlLoader“ sein', + 'Information about your Website' => 'Informationen zu Ihrer Website', + 'Website name' => 'Webseiten-Name', + 'Main activity' => 'Hauptaktivität', + 'Please choose your main activity' => 'Bitte wählen Sie Ihre Haupttätigkeit', + 'Other activity...' => 'Andere Aktivität...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Helfen Sie uns, mehr über Ihren Shop zu erfahren, damit wir Ihnen optimale Beratung und die besten Features für Ihr Business bieten können!', + 'Install demo data' => 'Demodaten installieren', + 'Yes' => 'Ja', + 'No' => 'NEIN', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Die Installation von Demodaten ist eine gute Möglichkeit, die Verwendung von QloApps zu erlernen, wenn Sie es noch nicht verwendet haben. Diese Demodaten können später mit dem Modul QloApps Data Cleaner gelöscht werden, das bei dieser Installation vorinstalliert ist.', + 'Country' => 'Land', + 'Select your country' => 'Wähle dein Land', + 'Website timezone' => 'Zeitzone der Website', + 'Select your timezone' => 'Wählen Sie Ihre Zeitzone', + 'Enable SSL' => 'SSL aktivieren', + 'Shop logo' => 'Shop-Logo', + 'Optional - You can add you logo at a later time.' => 'Optional – Sie können Ihr Logo später hinzufügen.', + 'Your Account' => 'Ihr Konto', + 'First name' => 'Vorname', + 'Last name' => 'Familienname, Nachname', + 'E-mail address' => 'E-Mail-Adresse', + 'This email address will be your username to access your website\'s back office.' => 'Diese E-Mail-Adresse ist Ihr Benutzername für den Zugriff auf das Backoffice Ihrer Website.', + 'Password' => 'Passwort', + 'Must be at least 8 characters' => 'Muss mindestens 8 Zeichen lang sein', + 'Re-type to confirm' => 'Zur Bestätigung erneut eingeben', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Die Informationen, die Sie uns geben, werden von uns gesammelt und unterliegen der Datenverarbeitung und Statistik. Gemäß dem aktuellen „Gesetz über Datenverarbeitung, Dateien und individuelle Freiheiten“ haben Sie das Recht, über diesen Link auf Ihre personenbezogenen Daten zuzugreifen, sie zu berichtigen und der Verarbeitung zu widersprechen.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Ich stimme zu, den Newsletter und Werbeangebote von QloApps zu erhalten.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Sie erhalten immer Transaktions-E-Mails wie neue Updates, Sicherheitsfixes und Patches, auch wenn Sie diese Option nicht aktivieren.', + 'Configure your database by filling out the following fields' => 'Konfigurieren Sie Ihre Datenbank, indem Sie die folgenden Felder ausfüllen', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Um QloApps zu verwenden, müssen Sie eine Datenbank erstellen, um alle datenbezogenen Aktivitäten Ihrer Website zu erfassen.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Bitte füllen Sie die folgenden Felder aus, damit QloApps eine Verbindung zu Ihrer Datenbank herstellen kann.', + 'Database server address' => 'Datenbankserveradresse', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Der Standardport ist 3306. Um einen anderen Port zu verwenden, fügen Sie die Portnummer am Ende der Adresse Ihres Servers hinzu, z. B. ":4242".', + 'Database name' => 'Name der Datenbank', + 'Database login' => 'Datenbank-Login', + 'Database password' => 'Datenbankkennwort', + 'Database Engine' => 'Datenbankmodul', + 'Tables prefix' => 'Tabellenpräfix', + 'Drop existing tables (mode dev)' => 'Vorhandene Tabellen löschen (Modus dev)', + 'Test your database connection now!' => 'Testen Sie jetzt Ihre Datenbankverbindung!', + 'Next' => 'Nächste', + 'Back' => 'Zurück', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Wenn Sie Unterstützung benötigen, können Sie von unserem Support-Team maßgeschneiderte Hilfe erhalten. Die offizielle Dokumentation hilft Ihnen ebenfalls weiter.', + 'Official forum' => 'Offizielles Forum', + 'Support' => 'Unterstützung', + 'Documentation' => 'Dokumentation', + 'Contact us' => 'Kontaktiere uns', + 'QloApps Installation Assistant' => 'QloApps Installationsassistent', + 'Forum' => 'Forum', + 'Blog' => 'Der Blog', + 'menu_welcome' => 'Wähle deine Sprache', + 'menu_license' => 'Lizenzvereinbarungen', + 'menu_system' => 'Systemkompatibilität', + 'menu_configure' => 'Website-Informationen', + 'menu_database' => 'Systemkonfiguration', + 'menu_process' => 'QloApps-Installation', + 'Need Help?' => 'Brauchen Sie Hilfe?', + 'Click here to Contact us' => 'Klicken Sie hier, um uns zu kontaktieren', + 'Installation' => 'Installation', + 'See our Installation guide' => 'Siehe unsere Installationsanleitung', + 'Tutorials' => 'Anleitungen', + 'See our QloApps tutorials' => 'Sehen Sie sich unsere QloApps-Tutorials an', + 'Installation Assistant' => 'Installationsassistent', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Um QloApps zu installieren, muss JavaScript in Ihrem Browser aktiviert sein.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Lizenzvereinbarungen', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Um die vielen Funktionen zu nutzen, die QloApps kostenlos anbietet, lesen Sie bitte die unten stehenden Lizenzbedingungen. Der QloApps-Kern ist unter OSL 3.0 lizenziert, während die Module und Designs unter AFL 3.0 lizenziert sind.', + 'I agree to the above terms and conditions.' => 'Ich stimme den oben genannten Bedingungen zu.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Ich stimme zu, an der Verbesserung der Lösung mitzuwirken, indem ich anonyme Informationen zu meiner Konfiguration sende.', + 'Done!' => 'Erledigt!', + 'An error occurred during installation...' => 'Während der Installation ist ein Fehler aufgetreten ...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Sie können die Links in der linken Spalte verwenden, um zu den vorherigen Schritten zurückzukehren, oder den Installationsvorgang neu starten, indem Sie hier klicken.', + 'Suggested Modules' => 'Vorgeschlagene Module', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Finden Sie bei QloApps Addons genau die richtigen Funktionen, um Ihr Gastgewerbe erfolgreich zu machen.', + 'Discover All Modules' => 'Entdecken Sie alle Module', + 'Suggested Themes' => 'Vorgeschlagene Themen', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Erstellen Sie mit einem gebrauchsfertigen Vorlagenthema ein Design, das zu Ihrem Hotel und Ihren Kunden passt.', + 'Discover All Themes' => 'Alle Themen entdecken', + 'Your installation is finished!' => 'Ihre Installation ist abgeschlossen!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Sie haben gerade die Installation von QloApps abgeschlossen. Vielen Dank für die Verwendung von QloApps!', + 'Please remember your login information:' => 'Bitte merken Sie sich Ihre Login-Daten:', + 'E-mail' => 'Email', + 'Print my login information' => 'Meine Zugangsdaten ausdrucken', + 'Display' => 'Anzeige', + 'For security purposes, you must delete the "install" folder.' => 'Aus Sicherheitsgründen müssen Sie den Ordner „install“ löschen.', + 'Back Office' => 'Backoffice', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Verwalten Sie Ihre Website über Ihr Back Office. Verwalten Sie Ihre Bestellungen und Kunden, fügen Sie Module hinzu, ändern Sie Designs usw.', + 'Manage Your Website' => 'Verwalten Sie Ihre Website', + 'Front Office' => 'Vorderbüro', + 'Discover your website as your future customers will see it!' => 'Entdecken Sie Ihre Website, wie Ihre zukünftigen Kunden sie sehen werden!', + 'Discover Your Website' => 'Entdecken Sie Ihre Website', + 'Share your experience with your friends!' => 'Teilen Sie Ihre Erfahrungen mit Ihren Freunden!', + 'I just built an online hotel booking website with QloApps!' => 'Ich habe gerade mit QloApps eine Online-Website zur Hotelbuchung erstellt!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Alle Funktionen finden Sie hier: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweet', + 'Share' => 'Aktie', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Wir prüfen derzeit die Kompatibilität von QloApps mit Ihrer Systemumgebung', + 'If you have any questions, please visit our documentation and community forum.' => 'Wenn Sie Fragen haben, besuchen Sie bitte unsere Dokumentation und unser Community-Forum.', + 'QloApps compatibility with your system environment has been verified!' => 'Die Kompatibilität von QloApps mit Ihrer Systemumgebung wurde überprüft!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Hoppla! Bitte korrigieren Sie die folgenden Punkte und klicken Sie dann auf „Informationen aktualisieren“, um die Kompatibilität Ihres neuen Systems zu testen.', + 'Refresh these settings' => 'Diese Einstellungen aktualisieren', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Zum Ausführen von QloApps sind mindestens 128 MB Arbeitsspeicher erforderlich: Bitte überprüfen Sie die Direktive „memory_limit“ in Ihrer php.ini-Datei oder wenden Sie sich diesbezüglich an Ihren Hostprovider.', + 'Welcome to the QloApps %s Installer' => 'Willkommen beim QloApps %s Installer', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Die Installation von QloApps ist schnell und einfach. In nur wenigen Augenblicken werden Sie Teil einer Community. Sie sind auf dem Weg, Ihre eigene Hotelbuchungswebsite zu erstellen, die Sie jeden Tag problemlos verwalten können.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Wenn Sie Hilfe benötigen, sehen Sie sich dieses kurze Tutorial an oder lesen Sie unsere Dokumentation.', + 'Continue the installation in:' => 'Setzen Sie die Installation fort in:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Die obige Sprachauswahl gilt nur für den Installationsassistenten. Sobald QloApps installiert ist, können Sie die Sprache Ihrer Website aus über %d Übersetzungen auswählen, alles kostenlos!', + ), +); \ No newline at end of file diff --git a/install/langs/en/install.php b/install/langs/en/install.php index b8b0cb0a2..981f83521 100644 --- a/install/langs/en/install.php +++ b/install/langs/en/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'An SQL error occurred for entity %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Cannot create image "%1$s" for entity "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Cannot create image "%1$s" (bad permissions on folder "%2$s")', - 'Cannot create image "%s"' => 'Cannot create image "%s"', - 'SQL error on query %s' => 'SQL error on query %s', - '%s Login information' => '%s Login information', - 'Field required' => 'Field required', - 'Invalid shop name' => 'Invalid shop name', - 'The field %s is limited to %d characters' => 'The field %s is limited to %d characters', - 'Your firstname contains some invalid characters' => 'Your firstname contains some invalid characters', - 'Your lastname contains some invalid characters' => 'Your lastname contains some invalid characters', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'The password is incorrect (alphanumeric string with at least 8 characters)', - 'Password and its confirmation are different' => 'Password and its confirmation are different', - 'This e-mail address is invalid' => 'This e-mail address is invalid', - 'Image folder %s is not writable' => 'Image folder %s is not writable', - 'An error occurred during logo copy.' => 'An error occurred during logo copy.', - 'An error occurred during logo upload.' => 'An error occurred during logo upload.', - 'Lingerie and Adult' => 'Lingerie and Adult', - 'Animals and Pets' => 'Animals and Pets', - 'Art and Culture' => 'Art and Culture', - 'Babies' => 'Babies', - 'Beauty and Personal Care' => 'Beauty and Personal Care', - 'Cars' => 'Cars', - 'Computer Hardware and Software' => 'Computer Hardware and Software', - 'Download' => 'Download', - 'Fashion and accessories' => 'Fashion and accessories', - 'Flowers, Gifts and Crafts' => 'Flowers, Gifts and Crafts', - 'Food and beverage' => 'Food and beverage', - 'HiFi, Photo and Video' => 'HiFi, Photo and Video', - 'Home and Garden' => 'Home and Garden', - 'Home Appliances' => 'Home Appliances', - 'Jewelry' => 'Jewelry', - 'Mobile and Telecom' => 'Mobile and Telecom', - 'Services' => 'Services', - 'Shoes and accessories' => 'Shoes and accessories', - 'Sports and Entertainment' => 'Sports and Entertainment', - 'Travel' => 'Travel', - 'Database is connected' => 'Database is connected', - 'Database is created' => 'Database is created', - 'Cannot create the database automatically' => 'Cannot create the database automatically', - 'Create settings.inc file' => 'Create settings.inc file', - 'Create database tables' => 'Create database tables', - 'Create default website and languages' => 'Create default website and languages', - 'Populate database tables' => 'Populate database tables', - 'Configure website information' => 'Configure website information', - 'Install demonstration data' => 'Install demonstration data', - 'Install modules' => 'Install modules', - 'Install Addons modules' => 'Install Addons modules', - 'Install theme' => 'Install theme', - 'Required PHP parameters' => 'Required PHP parameters', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 or later is not enabled', - 'Cannot upload files' => 'Cannot upload files', - 'Cannot create new files and folders' => 'Cannot create new files and folders', - 'GD library is not installed' => 'GD library is not installed', - 'MySQL support is not activated' => 'MySQL support is not activated', - 'Files' => 'Files', - 'Not all files were successfully uploaded on your server' => 'Not all files were successfully uploaded on your server', - 'Permissions on files and folders' => 'Permissions on files and folders', - 'Recursive write permissions for %1$s user on %2$s' => 'Recursive write permissions for %1$s user on %2$s', - 'Recommended PHP parameters' => 'Recommended PHP parameters', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'Cannot open external URLs', - 'PHP register_globals option is enabled' => 'PHP register_globals option is enabled', - 'GZIP compression is not activated' => 'GZIP compression is not activated', - 'Mcrypt extension is not enabled' => 'Mcrypt extension is not enabled', - 'Mbstring extension is not enabled' => 'Mbstring extension is not enabled', - 'PHP magic quotes option is enabled' => 'PHP magic quotes option is enabled', - 'Dom extension is not loaded' => 'Dom extension is not loaded', - 'PDO MySQL extension is not loaded' => 'PDO MySQL extension is not loaded', - 'Server name is not valid' => 'Server name is not valid', - 'You must enter a database name' => 'You must enter a database name', - 'You must enter a database login' => 'You must enter a database login', - 'Tables prefix is invalid' => 'Tables prefix is invalid', - 'Cannot convert database data to utf-8' => 'Cannot convert database data to utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'At least one table with same prefix was already found, please change your prefix or drop your database', - 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Database Server is not found. Please verify the login, password and server fields', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Connection to MySQL server succeeded, but database "%s" not found', - 'Attempt to create the database automatically' => 'Attempt to create the database automatically', - '%s file is not writable (check permissions)' => '%s file is not writable (check permissions)', - '%s folder is not writable (check permissions)' => '%s folder is not writable (check permissions)', - 'Cannot write settings file' => 'Cannot write settings file', - 'Database structure file not found' => 'Database structure file not found', - 'Cannot create group shop' => 'Cannot create group shop', - 'Cannot create shop' => 'Cannot create shop', - 'Cannot create shop URL' => 'Cannot create shop URL', - 'File "language.xml" not found for language iso "%s"' => 'File "language.xml" not found for language iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'File "language.xml" not valid for language iso "%s"', - 'Cannot install language "%s"' => 'Cannot install language "%s"', - 'Cannot copy flag language "%s"' => 'Cannot copy flag language "%s"', - 'Cannot create admin account' => 'Cannot create admin account', - 'Cannot install module "%s"' => 'Cannot install module "%s"', - 'Fixtures class "%s" not found' => 'Fixtures class "%s" not found', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" must be an instance of "InstallXmlLoader"', - 'Information about your Store' => 'Information about your Store', - 'Shop name' => 'Shop name', - 'Main activity' => 'Main activity', - 'Please choose your main activity' => 'Please choose your main activity', - 'Other activity...' => 'Other activity...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!', - 'Install demo products' => 'Install demo products', - 'Yes' => 'Yes', - 'No' => 'No', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.', - 'Country' => 'Country', - 'Select your country' => 'Select your country', - 'Shop timezone' => 'Shop timezone', - 'Select your timezone' => 'Select your timezone', - 'Shop logo' => 'Shop logo', - 'Optional - You can add you logo at a later time.' => 'Optional - You can add you logo at a later time.', - 'Your Account' => 'Your Account', - 'First name' => 'First name', - 'Last name' => 'Last name', - 'E-mail address' => 'E-mail address', - 'This email address will be your username to access your store\'s back office.' => 'This email address will be your username to access your store\'s back office.', - 'Shop password' => 'Shop password', - 'Must be at least 8 characters' => 'Must be at least 8 characters', - 'Re-type to confirm' => 'Re-type to confirm', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'Configure your database by filling out the following fields', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Please complete the fields below in order for PrestaShop to connect to your database. ', - 'Database server address' => 'Database server address', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".', - 'Database name' => 'Database name', - 'Database login' => 'Database login', - 'Database password' => 'Database password', - 'Database Engine' => 'Database Engine', - 'Tables prefix' => 'Tables prefix', - 'Drop existing tables (mode dev)' => 'Drop existing tables (mode dev)', - 'Test your database connection now!' => 'Test your database connection now!', - 'Next' => 'Next', - 'Back' => 'Back', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'Official forum', - 'Support' => 'Support', - 'Documentation' => 'Documentation', - 'Contact us' => 'Contact us', - 'PrestaShop Installation Assistant' => 'PrestaShop Installation Assistant', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Contact us!', - 'menu_welcome' => 'Choose your language', - 'menu_license' => 'License agreements', - 'menu_system' => 'System compatibility', - 'menu_configure' => 'Website information', - 'menu_database' => 'System configuration', - 'menu_process' => 'QloApps installation', - 'Installation Assistant' => 'Installation Assistant', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'To install PrestaShop, you need to have JavaScript enabled in your browser.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'License Agreements', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.', - 'I agree to the above terms and conditions.' => 'I agree to the above terms and conditions.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'I agree to participate in improving the solution by sending anonymous information about my configuration.', - 'Done!' => 'Done!', - 'An error occurred during installation...' => 'An error occurred during installation...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.', - 'Your installation is finished!' => 'Your installation is finished!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'You have just finished installing your shop. Thank you for using PrestaShop!', - 'Please remember your login information:' => 'Please remember your login information:', - 'E-mail' => 'E-mail', - 'Print my login information' => 'Print my login information', - 'Password' => 'Password', - 'Display' => 'Display', - 'For security purposes, you must delete the "install" folder.' => 'For security purposes, you must delete the "install" folder.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Back Office', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.', - 'Manage your store' => 'Manage your store', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Discover your store as your future customers will see it!', - 'Discover your store' => 'Discover your store', - 'Share your experience with your friends!' => 'Share your experience with your friends!', - 'I just built an online store with PrestaShop!' => 'I just built an online store with PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Watch this exhilarating experience: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Share', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Check out PrestaShop Addons to add that little something extra to your store!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'We are currently checking PrestaShop compatibility with your system environment', - 'If you have any questions, please visit our documentation and community forum.' => 'If you have any questions, please visit our documentation and community forum.', - 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop compatibility with your system environment has been verified!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.', - 'Refresh these settings' => 'Refresh these settings', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Welcome to the PrestaShop %s Installer', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'Continue the installation in:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'An SQL error occurred for entity %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Cannot create image "%1$s" for entity "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Cannot create image "%1$s" (bad permissions on folder "%2$s")', + 'Cannot create image "%s"' => 'Cannot create image "%s"', + 'SQL error on query %s' => 'SQL error on query %s', + '%s Login information' => '%s Login information', + 'Field required' => 'Field required', + 'Invalid shop name' => 'Invalid shop name', + 'The field %s is limited to %d characters' => 'The field %s is limited to %d characters', + 'Your firstname contains some invalid characters' => 'Your firstname contains some invalid characters', + 'Your lastname contains some invalid characters' => 'Your lastname contains some invalid characters', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'The password is incorrect (alphanumeric string with at least 8 characters)', + 'Password and its confirmation are different' => 'Password and its confirmation are different', + 'This e-mail address is invalid' => 'This e-mail address is invalid', + 'Image folder %s is not writable' => 'Image folder %s is not writable', + 'An error occurred during logo copy.' => 'An error occurred during logo copy.', + 'An error occurred during logo upload.' => 'An error occurred during logo upload.', + 'Lingerie and Adult' => 'Lingerie and Adult', + 'Animals and Pets' => 'Animals and Pets', + 'Art and Culture' => 'Art and Culture', + 'Babies' => 'Babies', + 'Beauty and Personal Care' => 'Beauty and Personal Care', + 'Cars' => 'Cars', + 'Computer Hardware and Software' => 'Computer Hardware and Software', + 'Download' => 'Download', + 'Fashion and accessories' => 'Fashion and accessories', + 'Flowers, Gifts and Crafts' => 'Flowers, Gifts and Crafts', + 'Food and beverage' => 'Food and beverage', + 'HiFi, Photo and Video' => 'HiFi, Photo and Video', + 'Home and Garden' => 'Home and Garden', + 'Home Appliances' => 'Home Appliances', + 'Jewelry' => 'Jewelry', + 'Mobile and Telecom' => 'Mobile and Telecom', + 'Services' => 'Services', + 'Shoes and accessories' => 'Shoes and accessories', + 'Sports and Entertainment' => 'Sports and Entertainment', + 'Travel' => 'Travel', + 'Database is connected' => 'Database is connected', + 'Database is created' => 'Database is created', + 'Cannot create the database automatically' => 'Cannot create the database automatically', + 'Create settings.inc file' => 'Create settings.inc file', + 'Create database tables' => 'Create database tables', + 'Create default website and languages' => 'Create default website and languages', + 'Populate database tables' => 'Populate database tables', + 'Configure website information' => 'Configure website information', + 'Install demonstration data' => 'Install demonstration data', + 'Install modules' => 'Install modules', + 'Install Addons modules' => 'Install Addons modules', + 'Install theme' => 'Install theme', + 'Required PHP parameters' => 'Required PHP parameters', + 'The required PHP version is between 5.6 to 7.4' => 'The required PHP version is between 5.6 to 7.4', + 'Cannot upload files' => 'Cannot upload files', + 'Cannot create new files and folders' => 'Cannot create new files and folders', + 'GD library is not installed' => 'GD library is not installed', + 'PDO MySQL extension is not loaded' => 'PDO MySQL extension is not loaded', + 'Curl extension is not loaded' => 'Curl extension is not loaded', + 'SOAP extension is not loaded' => 'SOAP extension is not loaded', + 'SimpleXml extension is not loaded' => 'SimpleXml extension is not loaded', + 'In the PHP configuration set memory_limit to minimum 128M' => 'In the PHP configuration set memory_limit to minimum 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'In the PHP configuration set max_execution_time to minimum 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'In the PHP configuration set upload_max_filesize to minimum 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Cannot open external URLs (requires allow_url_fopen as On).', + 'ZIP extension is not enabled' => 'ZIP extension is not enabled', + 'Files' => 'Files', + 'Not all files were successfully uploaded on your server' => 'Not all files were successfully uploaded on your server', + 'Permissions on files and folders' => 'Permissions on files and folders', + 'Recursive write permissions for %1$s user on %2$s' => 'Recursive write permissions for %1$s user on %2$s', + 'Recommended PHP parameters' => 'Recommended PHP parameters', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!', + 'PHP register_globals option is enabled' => 'PHP register_globals option is enabled', + 'GZIP compression is not activated' => 'GZIP compression is not activated', + 'Mbstring extension is not enabled' => 'Mbstring extension is not enabled', + 'Dom extension is not loaded' => 'Dom extension is not loaded', + 'Server name is not valid' => 'Server name is not valid', + 'You must enter a database name' => 'You must enter a database name', + 'You must enter a database login' => 'You must enter a database login', + 'Tables prefix is invalid' => 'Tables prefix is invalid', + 'Cannot convert database data to utf-8' => 'Cannot convert database data to utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'At least one table with same prefix was already found, please change your prefix or drop your database', + 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Database Server is not found. Please verify the login, password and server fields', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Connection to MySQL server succeeded, but database "%s" not found', + 'Attempt to create the database automatically' => 'Attempt to create the database automatically', + '%s file is not writable (check permissions)' => '%s file is not writable (check permissions)', + '%s folder is not writable (check permissions)' => '%s folder is not writable (check permissions)', + 'Cannot write settings file' => 'Cannot write settings file', + 'Database structure file not found' => 'Database structure file not found', + 'Cannot create group shop' => 'Cannot create group shop', + 'Cannot create shop' => 'Cannot create shop', + 'Cannot create shop URL' => 'Cannot create shop URL', + 'File "language.xml" not found for language iso "%s"' => 'File "language.xml" not found for language iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'File "language.xml" not valid for language iso "%s"', + 'Cannot install language "%s"' => 'Cannot install language "%s"', + 'Cannot copy flag language "%s"' => 'Cannot copy flag language "%s"', + 'Cannot create admin account' => 'Cannot create admin account', + 'Cannot install module "%s"' => 'Cannot install module "%s"', + 'Fixtures class "%s" not found' => 'Fixtures class "%s" not found', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" must be an instance of "InstallXmlLoader"', + 'Information about your Website' => 'Information about your Website', + 'Website name' => 'Website name', + 'Main activity' => 'Main activity', + 'Please choose your main activity' => 'Please choose your main activity', + 'Other activity...' => 'Other activity...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!', + 'Install demo data' => 'Install demo data', + 'Yes' => 'Yes', + 'No' => 'No', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.', + 'Country' => 'Country', + 'Select your country' => 'Select your country', + 'Website timezone' => 'Website timezone', + 'Select your timezone' => 'Select your timezone', + 'Enable SSL' => 'Enable SSL', + 'Shop logo' => 'Shop logo', + 'Optional - You can add you logo at a later time.' => 'Optional - You can add you logo at a later time.', + 'Your Account' => 'Your Account', + 'First name' => 'First name', + 'Last name' => 'Last name', + 'E-mail address' => 'E-mail address', + 'This email address will be your username to access your website\'s back office.' => 'This email address will be your username to access your website\'s back office.', + 'Password' => 'Password', + 'Must be at least 8 characters' => 'Must be at least 8 characters', + 'Re-type to confirm' => 'Re-type to confirm', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'I agree to receive the Newsletter and promotional offers from QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.', + 'Configure your database by filling out the following fields' => 'Configure your database by filling out the following fields', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Please complete the fields below in order for QloApps to connect to your database.', + 'Database server address' => 'Database server address', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".', + 'Database name' => 'Database name', + 'Database login' => 'Database login', + 'Database password' => 'Database password', + 'Database Engine' => 'Database Engine', + 'Tables prefix' => 'Tables prefix', + 'Drop existing tables (mode dev)' => 'Drop existing tables (mode dev)', + 'Test your database connection now!' => 'Test your database connection now!', + 'Next' => 'Next', + 'Back' => 'Back', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', + 'Official forum' => 'Official forum', + 'Support' => 'Support', + 'Documentation' => 'Documentation', + 'Contact us' => 'Contact us', + 'QloApps Installation Assistant' => 'QloApps Installation Assistant', + 'Forum' => 'Forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Choose your language', + 'menu_license' => 'License agreements', + 'menu_system' => 'System compatibility', + 'menu_configure' => 'Website information', + 'menu_database' => 'System configuration', + 'menu_process' => 'QloApps installation', + 'Need Help?' => 'Need Help?', + 'Click here to Contact us' => 'Click here to Contact us', + 'Installation' => 'Installation', + 'See our Installation guide' => 'See our Installation guide', + 'Tutorials' => 'Tutorials', + 'See our QloApps tutorials' => 'See our QloApps tutorials', + 'Installation Assistant' => 'Installation Assistant', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'To install QloApps, you need to have JavaScript enabled in your browser.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'License Agreements', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.', + 'I agree to the above terms and conditions.' => 'I agree to the above terms and conditions.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'I agree to participate in improving the solution by sending anonymous information about my configuration.', + 'Done!' => 'Done!', + 'An error occurred during installation...' => 'An error occurred during installation...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.', + 'Suggested Modules' => 'Suggested Modules', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Find just the right features on QloApps Addons to make your hospitality business a success.', + 'Discover All Modules' => 'Discover All Modules', + 'Suggested Themes' => 'Suggested Themes', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.', + 'Discover All Themes' => 'Discover All Themes', + 'Your installation is finished!' => 'Your installation is finished!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'You have just finished installing QloApps. Thank you for using QloApps!', + 'Please remember your login information:' => 'Please remember your login information:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Print my login information', + 'Display' => 'Display', + 'For security purposes, you must delete the "install" folder.' => 'For security purposes, you must delete the "install" folder.', + 'Back Office' => 'Back Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.', + 'Manage Your Website' => 'Manage Your Website', + 'Front Office' => 'Front Office', + 'Discover your website as your future customers will see it!' => 'Discover your website as your future customers will see it!', + 'Discover Your Website' => 'Discover Your Website', + 'Share your experience with your friends!' => 'Share your experience with your friends!', + 'I just built an online hotel booking website with QloApps!' => 'I just built an online hotel booking website with QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'See all the features here : https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweet', + 'Share' => 'Share', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'We are currently checking QloApps compatibility with your system environment', + 'If you have any questions, please visit our documentation and community forum.' => 'If you have any questions, please visit our documentation and community forum.', + 'QloApps compatibility with your system environment has been verified!' => 'QloApps compatibility with your system environment has been verified!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.', + 'Refresh these settings' => 'Refresh these settings', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.', + 'Welcome to the QloApps %s Installer' => 'Welcome to the QloApps %s Installer', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', + 'Continue the installation in:' => 'Continue the installation in:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!', + ), +); \ No newline at end of file diff --git a/install/langs/es/install.php b/install/langs/es/install.php index 4250efe13..8acbcd60c 100644 --- a/install/langs/es/install.php +++ b/install/langs/es/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Se ha producido un error de SQL para la entrada %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'No se puede crear la imagen "%1$s" para la entidad "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'No se puede crear la imagen "%1$s" (permisos incorrectos en el directorio "%2$s")', - 'Cannot create image "%s"' => 'No se puede crear la imagen "%s"', - 'SQL error on query %s' => 'Error SQL en la consulta %s', - '%s Login information' => '%s Información para iniciar sesión', - 'Field required' => 'Campo obligatorio', - 'Invalid shop name' => 'Nombre de tienda no válido', - 'The field %s is limited to %d characters' => 'El campo %s está limitado a %d caracteres', - 'Your firstname contains some invalid characters' => 'Sunombre de pila contiene caracteres no válidos', - 'Your lastname contains some invalid characters' => 'Su apellido contiene caracteres no válidos', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La contraseña no es válida (de ser una cadena alfanumérica de al menos 8 caracteres)', - 'Password and its confirmation are different' => 'La contraseña y la confirmación de la contraseña no son iguales', - 'This e-mail address is invalid' => 'Esta dirección email no es válida', - 'Image folder %s is not writable' => 'No se puede escribir en el directorio de imágenes %s', - 'An error occurred during logo copy.' => 'Se produjo un error durante la copia del logotipo.', - 'An error occurred during logo upload.' => 'Se ha producido un error durante la subida del fichero del logotipo.', - 'Lingerie and Adult' => 'Lencería y adultos', - 'Animals and Pets' => 'Animales y animales domésticos', - 'Art and Culture' => 'Arte, Cultura y Ocio', - 'Babies' => 'Bebes', - 'Beauty and Personal Care' => 'Belleza e higiene personal', - 'Cars' => 'Coches y Motos', - 'Computer Hardware and Software' => 'Material informático y softwares', - 'Download' => 'Descargar', - 'Fashion and accessories' => 'Moda y complementos', - 'Flowers, Gifts and Crafts' => 'Flores, regalos y artesanía', - 'Food and beverage' => 'Alimentación y bebidas', - 'HiFi, Photo and Video' => 'HiFi, Foto y Vídeo', - 'Home and Garden' => 'Hogar y Jardín', - 'Home Appliances' => 'Electrodomésticos', - 'Jewelry' => 'Joyería', - 'Mobile and Telecom' => 'Móviles y Telefonía', - 'Services' => 'Servicios', - 'Shoes and accessories' => 'Calzado y Complementos', - 'Sports and Entertainment' => 'Deportes y Entretenimiento', - 'Travel' => 'Viajes y Turismo', - 'Database is connected' => 'La base de datos está conectada', - 'Database is created' => 'La Base de datos está creada', - 'Cannot create the database automatically' => 'No se puede crear la base de datos automáticamente', - 'Create settings.inc file' => 'Crear fichero settings.inc', - 'Create database tables' => 'Crear tablas de la base de datos', - 'Create default shop and languages' => 'Crear tienda por defecto e idiomas', - 'Populate database tables' => 'Rellenar las tablas de la base de datos', - 'Configure shop information' => 'Configurar la información de la tienda', - 'Install demonstration data' => 'Instalar datos de prueba (DEMO)', - 'Install modules' => 'Instalar módulos', - 'Install Addons modules' => 'Instalar módulos Addons', - 'Install theme' => 'Instalar plantilla', - 'Required PHP parameters' => 'Parámetros PHP requeridos', - 'PHP 5.1.2 or later is not enabled' => 'La versión PHP 5.1.2 o posterior no está habilitada', - 'Cannot upload files' => 'No se pueden subir ficheros', - 'Cannot create new files and folders' => 'No se pueden crear nuevos ficheros y directorios', - 'GD library is not installed' => 'La librería GD no está instalada', - 'MySQL support is not activated' => 'El soporte para MySQL no está activado', - 'Files' => 'Ficheros', - 'Not all files were successfully uploaded on your server' => 'No todos los archivos se han subido correctamente a su servidor', - 'Permissions on files and folders' => 'Permisos de archivos y carpetas', - 'Recursive write permissions for %1$s user on %2$s' => 'Permisos recursivos de escritura para el usuario %1$s en %2$s', - 'Recommended PHP parameters' => 'Parámetros PHP recomendados', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Está usando la versión %s de PHP. Pronto la última versión de PHP soportada por PrestaShop será la 5.4. ¡Para garantizar que esté preparado para el futuro actualice a PHP 5.4 ahora!', - 'Cannot open external URLs' => 'No se pueden abrir URLs externas', - 'PHP register_globals option is enabled' => 'La opción PHP register_globals está activada', - 'GZIP compression is not activated' => 'La compresión GZIP no está activada', - 'Mcrypt extension is not enabled' => 'La extensión Mcrypt no está habilitada', - 'Mbstring extension is not enabled' => 'La extensión Mbstring no está habilitada', - 'PHP magic quotes option is enabled' => 'La opción PHP magic quotes está habilitada', - 'Dom extension is not loaded' => 'La extensión Dom no se ha cargado', - 'PDO MySQL extension is not loaded' => 'La extensión PDO MySQL no se ha cargado', - 'Server name is not valid' => 'El nombre del servidor no es válido', - 'You must enter a database name' => 'Debes indicar un nombre de base de datos', - 'You must enter a database login' => 'Debes indicar los datos de conexión a la base de datos', - 'Tables prefix is invalid' => 'El prefijo de las tablas no es válido', - 'Cannot convert database data to utf-8' => 'No se puede convertir la base de datos al formato UTF-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Se ha encontrado al menos una tabla con el mismo prefijo, por favor cambie su prefijo o vacíe su base de datos', - 'The values of auto_increment increment and offset must be set to 1' => 'Los valores de incremento y compensación de auto_increment deben establecerse en 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'No se ha encontrado el servidor de la base de datos. Por favor verifique los campos para el usuario, la contraseña y el servidor', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'La conexión con el servidor MySQL ha sido satisfactoria, pero no se ha encontrado la base de datos "%s"', - 'Attempt to create the database automatically' => 'Tentativa de crear la base de datos automáticamente', - '%s file is not writable (check permissions)' => 'No se puede escribir en el fichero %s (verifica los permisos)', - '%s folder is not writable (check permissions)' => 'No se puede escribir en el directorio %s (verifica los permisos)', - 'Cannot write settings file' => 'No se puede escribir en el fichero de configuración', - 'Database structure file not found' => 'El archive de estructura de la base de datos no se encuentra', - 'Cannot create group shop' => 'No se puede crear un grupo de tiendas', - 'Cannot create shop' => 'No se puede crear una tienda', - 'Cannot create shop URL' => 'No se puede crear una URL para la tienda', - 'File "language.xml" not found for language iso "%s"' => 'En el fichero "language.xml" no encuentra el idioma con ISO "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'El fichero "language.xml" no es válido para el idioma ISO "%s"', - 'Cannot install language "%s"' => 'No se puede instalar el idioma "%s"', - 'Cannot copy flag language "%s"' => 'No se pueden copiar las banderas de los idiomas "%s"', - 'Cannot create admin account' => 'No se puede crear la cuenta de administrador', - 'Cannot install module "%s"' => 'No se puede instalar el módulo "%s"', - 'Fixtures class "%s" not found' => 'No se ha encontrado la clase Fixtures "%s"', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" debe ser un ejemplo de "InstallXmlLoader"', - 'Information about your Store' => 'Información sobre su tienda', - 'Shop name' => 'Nombre de la tienda', - 'Main activity' => 'Actividad principal', - 'Please choose your main activity' => 'Por favor, selecciona tu actividad principal', - 'Other activity...' => 'Otra actividad...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ayúdanos a aprender más acerca de su tienda, ¡para que le podamos ofrecer una orientación óptima y mejoras funcionales para su negocio!', - 'Install demo products' => 'Instalar productos de prueba (DEMO)', - 'Yes' => 'Sí', - 'No' => 'No', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Los productos de prueba son una buena forma de aprender a utilizar PrestaShop. Te recomendamos instalarlo si todavía no estás familiarizado con él.', - 'Country' => 'País', - 'Select your country' => 'Selecciona tu país', - 'Shop timezone' => 'Zona horaria de la tienda', - 'Select your timezone' => 'Selecciona tu zona horaria', - 'Shop logo' => 'Logo de la tienda', - 'Optional - You can add you logo at a later time.' => 'Opcional – Puedes añadir el logo de tu tienda más tarde.', - 'Your Account' => 'Su cuenta', - 'First name' => 'Nombre', - 'Last name' => 'Apellido', - 'E-mail address' => 'Dirección de correo electrónico', - 'This email address will be your username to access your store\'s back office.' => 'Esta dirección de correo electrónico corresponderá a tu usuario en el acceso al interfaz de administración de tu tienda Online.', - 'Shop password' => 'Contraseña de la tienda', - 'Must be at least 8 characters' => 'Mínimo 8 caracteres', - 'Re-type to confirm' => 'Confirmar la contraseña', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Todos los datos recopilados podrán ser tratados y utilizados con fines estadísticos. Tus datos personales podrán comunicarse a proveedores de servicios y socios comerciales. En virtud de la "Ley de Procesamiento de Datos, Archivos de Datos y Libertades Individuales" en vigor, puedes ejercer los derechos de acceso, rectificación y oposición al tratamiento de tus datos personales a través del siguiente link.', - 'Configure your database by filling out the following fields' => 'Configura tu base de datos rellenando los siguientes campos', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Para usar PrestaShop, usted debe crear una base de datos para recolectar todas las actividades relacionadas con información de su tienda.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Por favor, rellena estos datos con el fin de que PrestaShop pueda conectarse a tu base de datos.', - 'Database server address' => 'Dirección del servidor de base de datos', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'El puerto utilizado por defecto es el 3306. Si utilizas un puerto diferente, añade este número de puerto al final de la dirección del servidor con dos puntos, por ejemplo ":4242".', - 'Database name' => 'Nombre de la base de datos', - 'Database login' => 'Usuario de la base de datos', - 'Database password' => 'Contraseña de la base de datos', - 'Database Engine' => 'Motor de la base de datos', - 'Tables prefix' => 'Prefijo de las tablas', - 'Drop existing tables (mode dev)' => 'Eliminar las tablas existentes (sólo para modo desarrollo)', - 'Test your database connection now!' => '¡Comprueba la conexión de tu base de datos ahora!', - 'Next' => 'Siguiente', - 'Back' => 'Atrás', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si necesita asistencia, puede solicitar asistencia de nuestro equipo de soporte. También tiene a su disposición la documentación oficial.', - 'Official forum' => 'Foro oficial', - 'Support' => 'Soporte', - 'Documentation' => 'Documentación', - 'Contact us' => 'Contacte con nosotros', - 'PrestaShop Installation Assistant' => 'Asistente para la instalación de PrestaShop', - 'Forum' => 'Foro', - 'Blog' => 'Blog', - 'Contact us!' => '¡Contáctenos!', - 'menu_welcome' => 'Elegir el idioma', - 'menu_license' => 'Aceptar las licencias', - 'menu_system' => 'Compatibilidad del sistema', - 'menu_configure' => 'Información de la tienda', - 'menu_database' => 'Configuración del sistema', - 'menu_process' => 'Instalación de la tienda', - 'Installation Assistant' => 'Asistente de instalación', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Para instalar PrestaShop, usted necesita tener el Javascript activado en su navegador.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Validación de los contratos de licencias', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para disfrutar de las numerosas funcionalidades ofrecidas de forma gratuita por PrestaShop, por favor lea los términos de la licencia a continuación. Core PrestaShop está disponible bajo la licencia OSL 3.0, mientras que los módulos y los temas están licenciados bajo la AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Acepto los términos y condiciones arriba indicados.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Acepto participar en la mejora de la solución enviando información anónima sobre mi configuración.', - 'Done!' => '¡Ya está!', - 'An error occurred during installation...' => 'Se ha producido un error durante la instalación...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Puedes utilizar los enlaces que se encuentran en la columna de la izquierda para volver a los pasos anteriores, o también reiniciar el proceso de instalación haciendo clic aquí.', - 'Your installation is finished!' => '¡Tu instalación ha finalizado!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Acabas de finalizar la instalación de tu tienda. ¡Gracias por utilizar PrestaShop!', - 'Please remember your login information:' => 'Por favor, recuerda la información de inicio de sesión:', - 'E-mail' => 'Correo Electrónico', - 'Print my login information' => 'Imprimir la información e inicio de sesión', - 'Password' => 'Contraseña', - 'Display' => 'Mostrar', - 'For security purposes, you must delete the "install" folder.' => 'Por razones de seguridad, debe eliminar la carpeta "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/pages/viewpage.action?pageId=28016773#InstalacióndePrestaShop-Finalizacióndelainstalación', - 'Back Office' => 'Interfaz de administración (Back Office)', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Administra tu tienda utilizando el interfaz de administración. Gestiona los pedidos y clientes, añade módulos, cambia plantillas, etc.', - 'Manage your store' => 'Administra tu tienda', - 'Front Office' => 'Interfaz de usuario (Front Office)', - 'Discover your store as your future customers will see it!' => '¡Descubre tu tienda tal y cómo la verán tus clientes!', - 'Discover your store' => 'Visita tu tienda', - 'Share your experience with your friends!' => 'Comparte tu experiencia con tus amigos!', - 'I just built an online store with PrestaShop!' => 'Acabo de construir una tienda online con PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Mira esta experiencia maravillosa: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Compartir', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => '¡Echa un vistazo a PrestaShop Addons para añadir un extra a su tienda!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Verificamos en este momento la compatibilidad de PrestaShop con tu entorno del sistema', - 'If you have any questions, please visit our documentation and community forum.' => 'Si tienes alguna pregunta, por favor visítanos en documentación y foro de la comunidad .', - 'PrestaShop compatibility with your system environment has been verified!' => '¡La compatibilidad de PrestaShop con su entorno del sistema ha sido verificada correctamente!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => '¡Uups! Por favor corrija los siguientes puntos marcados como errores y después hacer Clic en el botón "Actualizar esta información" con el fin de probar de nuevo la compatibilidad de tu sistema.', - 'Refresh these settings' => 'Actualizar esta información', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop requiere al menos 32 MB de memoria para funcionar: comprueba la directriz memory_limit de tu archivo php.ini o contacta con tu servidor acerca de esto.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Aviso: no puedes utilizar esta herramienta para mejorar más tu tienda.

Ya tienes instalada la versión %1$s de PrestaShop.

Si quieres actualizar a la última versión, lee nuestra documentación: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Bienvenido al %s de Instalación de PrestaShop', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalar PrestaShop es rápido y fácil. En tan sólo unos momentos, formará parte de una comunidad de más de 230,000 comerciantes. Está a punto de crear su propia tienda online que podrá gestionar fácilmente cada día.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Si necesita ayuda, puede revisar este tutorial, o leer la documentación.', - 'Continue the installation in:' => 'Continúe con la instalación en:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'La elección del idioma se realiza sólo al inicio y se aplica al asistente de instalación. Una vez que tu tienda Online está instalada, podrás elegir el idioma de tu tienda, ¡entre las más de %d traducciones disponibles, ¡todas ellas de forma gratuitas!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalar PrestaShop es rápido y fácil. En tan sólo unos momentos, formará parte de una comunidad de más de 250,000 comerciantes. Está a punto de crear su propia tienda online que podrá gestionar fácilmente cada día.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Se produjo un error de SQL para la entidad %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'No se puede crear la imagen "%1$s" para la entidad "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'No se puede crear la imagen "%1$s" (permisos incorrectos en la carpeta "%2$s")', + 'Cannot create image "%s"' => 'No se puede crear la imagen "%s"', + 'SQL error on query %s' => 'Error de SQL en la consulta %s', + '%s Login information' => '%s información de inicio de sesión', + 'Field required' => 'Campo requerido', + 'Invalid shop name' => 'Nombre de tienda no válido', + 'The field %s is limited to %d characters' => 'El campo %s está limitado a %d caracteres', + 'Your firstname contains some invalid characters' => 'Su nombre contiene algunos caracteres no válidos', + 'Your lastname contains some invalid characters' => 'Su apellido contiene algunos caracteres no válidos', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La contraseña es incorrecta (cadena alfanumérica de al menos 8 caracteres)', + 'Password and its confirmation are different' => 'La contraseña y su confirmación son diferentes.', + 'This e-mail address is invalid' => 'Esta dirección de correo electrónico no es válida.', + 'Image folder %s is not writable' => 'La carpeta de imágenes %s no se puede escribir', + 'An error occurred during logo copy.' => 'Se produjo un error durante la copia del logotipo.', + 'An error occurred during logo upload.' => 'Se produjo un error durante la carga del logotipo.', + 'Lingerie and Adult' => 'Lencería y Adulto', + 'Animals and Pets' => 'Animales y mascotas', + 'Art and Culture' => 'Arte y Cultura', + 'Babies' => 'Bebés', + 'Beauty and Personal Care' => 'Belleza y cuidado personal', + 'Cars' => 'Carros', + 'Computer Hardware and Software' => 'Hardware y software de computadora', + 'Download' => 'Descargar', + 'Fashion and accessories' => 'Moda y complementos', + 'Flowers, Gifts and Crafts' => 'Flores, Regalos y Artesanías', + 'Food and beverage' => 'Alimentos y bebidas', + 'HiFi, Photo and Video' => 'Alta fidelidad, fotografía y vídeo', + 'Home and Garden' => 'Casa y Jardín', + 'Home Appliances' => 'Electrodomésticos', + 'Jewelry' => 'Joyas', + 'Mobile and Telecom' => 'Móviles y Telecomunicaciones', + 'Services' => 'Servicios', + 'Shoes and accessories' => 'Zapatos y accesorios', + 'Sports and Entertainment' => 'Deportes y entretenimiento', + 'Travel' => 'Viajar', + 'Database is connected' => 'La base de datos está conectada.', + 'Database is created' => 'Se crea la base de datos', + 'Cannot create the database automatically' => 'No se puede crear la base de datos automáticamente', + 'Create settings.inc file' => 'Crear archivo settings.inc', + 'Create database tables' => 'Crear tablas de base de datos', + 'Create default website and languages' => 'Crear sitio web e idiomas predeterminados', + 'Populate database tables' => 'Llenar tablas de bases de datos', + 'Configure website information' => 'Configurar la información del sitio web', + 'Install demonstration data' => 'Instalar datos de demostración', + 'Install modules' => 'Instalar módulos', + 'Install Addons modules' => 'Instalar módulos de complementos', + 'Install theme' => 'Instalar el tema', + 'Required PHP parameters' => 'Parámetros PHP requeridos', + 'The required PHP version is between 5.6 to 7.4' => 'La versión de PHP requerida está entre 5.6 y 7.4', + 'Cannot upload files' => 'No se pueden cargar archivos', + 'Cannot create new files and folders' => 'No se pueden crear nuevos archivos y carpetas', + 'GD library is not installed' => 'La biblioteca GD no está instalada', + 'PDO MySQL extension is not loaded' => 'La extensión PDO MySQL no está cargada', + 'Curl extension is not loaded' => 'La extensión de rizo no está cargada', + 'SOAP extension is not loaded' => 'La extensión SOAP no está cargada', + 'SimpleXml extension is not loaded' => 'La extensión SimpleXml no está cargada', + 'In the PHP configuration set memory_limit to minimum 128M' => 'En la configuración de PHP, establezca el límite de memoria en un mínimo de 128 M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'En la configuración de PHP, establezca max_execution_time en un mínimo de 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'En la configuración de PHP, establezca upload_max_filesize en un mínimo de 16 M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'No se pueden abrir URL externas (requiere que enable_url_fopen esté activado).', + 'ZIP extension is not enabled' => 'La extensión ZIP no está habilitada', + 'Files' => 'Archivos', + 'Not all files were successfully uploaded on your server' => 'No todos los archivos se cargaron correctamente en su servidor', + 'Permissions on files and folders' => 'Permisos sobre archivos y carpetas', + 'Recursive write permissions for %1$s user on %2$s' => 'Permisos de escritura recursiva para %1$s usuario en %2$s', + 'Recommended PHP parameters' => 'Parámetros PHP recomendados', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Estás usando PHP %s versión. Pronto, la última versión de PHP compatible con QloApps será PHP 5.6. Para asegurarse de que está preparado para el futuro, le recomendamos que actualice a PHP 5.6 ahora.', + 'PHP register_globals option is enabled' => 'La opción PHP Register_globals está habilitada', + 'GZIP compression is not activated' => 'La compresión GZIP no está activada', + 'Mbstring extension is not enabled' => 'La extensión MBstring no está habilitada', + 'Dom extension is not loaded' => 'La extensión Dom no está cargada', + 'Server name is not valid' => 'El nombre del servidor no es válido', + 'You must enter a database name' => 'Debe ingresar un nombre de base de datos', + 'You must enter a database login' => 'Debe ingresar un inicio de sesión de base de datos', + 'Tables prefix is invalid' => 'El prefijo de las tablas no es válido', + 'Cannot convert database data to utf-8' => 'No se pueden convertir los datos de la base de datos a utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Ya se encontró al menos una tabla con el mismo prefijo. Cambie su prefijo o elimine su base de datos.', + 'The values of auto_increment increment and offset must be set to 1' => 'Los valores de incremento y compensación de auto_increment deben establecerse en 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'No se encuentra el servidor de base de datos. Por favor verifique los campos de inicio de sesión, contraseña y servidor.', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'La conexión al servidor MySQL fue exitosa, pero no se encontró la base de datos "%s"', + 'Attempt to create the database automatically' => 'Intenta crear la base de datos automáticamente.', + '%s file is not writable (check permissions)' => 'El archivo %s no se puede escribir (verifique los permisos)', + '%s folder is not writable (check permissions)' => 'No se puede escribir en la carpeta %s (verifique los permisos)', + 'Cannot write settings file' => 'No se puede escribir el archivo de configuración', + 'Database structure file not found' => 'Archivo de estructura de base de datos no encontrado', + 'Cannot create group shop' => 'No se puede crear una tienda grupal', + 'Cannot create shop' => 'No se puede crear tienda', + 'Cannot create shop URL' => 'No se puede crear la URL de la tienda', + 'File "language.xml" not found for language iso "%s"' => 'No se encontró el archivo "language.xml" para el idioma iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'El archivo "language.xml" no es válido para el idioma iso "%s"', + 'Cannot install language "%s"' => 'No se puede instalar el idioma "%s"', + 'Cannot copy flag language "%s"' => 'No se puede copiar el idioma de la bandera "%s"', + 'Cannot create admin account' => 'No se puede crear una cuenta de administrador', + 'Cannot install module "%s"' => 'No se puede instalar el módulo "%s"', + 'Fixtures class "%s" not found' => 'Clase de accesorios "%s" no encontrada', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" debe ser una instancia de "InstallXmlLoader"', + 'Information about your Website' => 'Información sobre su sitio web', + 'Website name' => 'Nombre del Sitio Web', + 'Main activity' => 'Actividad principal', + 'Please choose your main activity' => 'Por favor elige tu actividad principal', + 'Other activity...' => 'Otra actividad...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => '¡Ayúdanos a conocer más sobre tu tienda para que podamos ofrecerte una orientación óptima y las mejores características para tu negocio!', + 'Install demo data' => 'Instalar datos de demostración', + 'Yes' => 'Sí', + 'No' => 'No', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Instalar datos de demostración es una buena manera de aprender a usar QloApps si no lo ha usado antes. Estos datos de demostración se pueden borrar posteriormente utilizando el módulo QloApps Data Cleaner que viene preinstalado con esta instalación.', + 'Country' => 'País', + 'Select your country' => 'Selecciona tu pais', + 'Website timezone' => 'Zona horaria del sitio web', + 'Select your timezone' => 'Selecciona tu zona horaria', + 'Enable SSL' => 'Habilitar SSL', + 'Shop logo' => 'Logotipo de la tienda', + 'Optional - You can add you logo at a later time.' => 'Opcional: puede agregar su logotipo más adelante.', + 'Your Account' => 'Su cuenta', + 'First name' => 'Nombre de pila', + 'Last name' => 'Apellido', + 'E-mail address' => 'Dirección de correo electrónico', + 'This email address will be your username to access your website\'s back office.' => 'Esta dirección de correo electrónico será su nombre de usuario para acceder al back office de su sitio web.', + 'Password' => 'Contraseña', + 'Must be at least 8 characters' => 'Debe tener al menos 8 caracteres.', + 'Re-type to confirm' => 'Rescriba para confirmar', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'La información que nos proporcionas es recopilada por nosotros y está sujeta a procesamiento de datos y estadísticas. Según la actual "Ley de Tratamiento de Datos, Ficheros de Datos y Libertades Individuales" usted tiene derecho a acceder, rectificar y oponerse al tratamiento de sus datos personales a través de este enlace.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Acepto recibir la Newsletter y ofertas promocionales de QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Siempre recibirá correos electrónicos transaccionales como nuevas actualizaciones, correcciones de seguridad y parches, incluso si no opta por esta opción.', + 'Configure your database by filling out the following fields' => 'Configura tu base de datos llenando los siguientes campos', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Para utilizar QloApps, debe crear una base de datos para recopilar todas las actividades relacionadas con los datos de su sitio web.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Complete los campos a continuación para que QloApps se conecte a su base de datos.', + 'Database server address' => 'Dirección del servidor de base de datos', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'El puerto predeterminado es 3306. Para utilizar un puerto diferente, agregue el número de puerto al final de la dirección de su servidor, es decir, ":4242".', + 'Database name' => 'Nombre de la base de datos', + 'Database login' => 'Inicio de sesión en la base de datos', + 'Database password' => 'Contraseña de la base de datos', + 'Database Engine' => 'Motor de base de datos', + 'Tables prefix' => 'Prefijo de tablas', + 'Drop existing tables (mode dev)' => 'Eliminar tablas existentes (modo desarrollo)', + 'Test your database connection now!' => '¡Prueba tu conexión a la base de datos ahora!', + 'Next' => 'Próximo', + 'Back' => 'Atrás', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si necesita ayuda, puede obtener ayuda personalizada de nuestro equipo de soporte. La documentación oficial también está aquí para guiarle.', + 'Official forum' => 'Foro oficial', + 'Support' => 'Apoyo', + 'Documentation' => 'Documentación', + 'Contact us' => 'Contáctenos', + 'QloApps Installation Assistant' => 'Asistente de instalación de QloApps', + 'Forum' => 'Foro', + 'Blog' => 'Blog', + 'menu_welcome' => 'Elige tu idioma', + 'menu_license' => 'Acuerdos de licencia', + 'menu_system' => 'Compatibilidad del sistema', + 'menu_configure' => 'Información del sitio web', + 'menu_database' => 'Configuración del sistema', + 'menu_process' => 'Instalación de QloApps', + 'Need Help?' => '¿Necesitas ayuda?', + 'Click here to Contact us' => 'Haga clic aquí para ponerse en contacto con nosotros', + 'Installation' => 'Instalación', + 'See our Installation guide' => 'Vea nuestra guía de instalación', + 'Tutorials' => 'Tutoriales', + 'See our QloApps tutorials' => 'Vea nuestros tutoriales de QloApps', + 'Installation Assistant' => 'Asistente de instalación', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Para instalar QloApps, necesita tener JavaScript habilitado en su navegador.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Acuerdos de licencia', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para disfrutar de las numerosas funciones que QloApps ofrece de forma gratuita, lea los términos de licencia a continuación. El núcleo de QloApps tiene licencia OSL 3.0, mientras que los módulos y temas tienen licencia AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Acepto los términos y condiciones anteriores.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Acepto participar en la mejora de la solución enviando información anónima sobre mi configuración.', + 'Done!' => '¡Hecho!', + 'An error occurred during installation...' => 'Se produjo un error durante la instalación...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Puede utilizar los enlaces de la columna de la izquierda para volver a los pasos anteriores o reiniciar el proceso de instalación haciendo clic aquí.', + 'Suggested Modules' => 'Módulos sugeridos', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Encuentre las funciones adecuadas en los complementos de QloApps para que su negocio hotelero sea un éxito.', + 'Discover All Modules' => 'Descubra todos los módulos', + 'Suggested Themes' => 'Temas sugeridos', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Cree un diseño que se adapte a su hotel y a sus clientes, con un tema de plantilla listo para usar.', + 'Discover All Themes' => 'Descubra todos los temas', + 'Your installation is finished!' => '¡Tu instalación ha terminado!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Acabas de terminar de instalar QloApps. ¡Gracias por usar QloApps!', + 'Please remember your login information:' => 'Recuerde su información de inicio de sesión:', + 'E-mail' => 'Correo electrónico', + 'Print my login information' => 'Imprimir mi información de inicio de sesión', + 'Display' => 'Mostrar', + 'For security purposes, you must delete the "install" folder.' => 'Por motivos de seguridad, debe eliminar la carpeta "instalación".', + 'Back Office' => 'Oficina Trasera', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Administre su sitio web usando su Back Office. Gestiona tus pedidos y clientes, añade módulos, cambia temas, etc.', + 'Manage Your Website' => 'Administre su sitio web', + 'Front Office' => 'Oficina frontal', + 'Discover your website as your future customers will see it!' => '¡Descubre tu sitio web como lo verán tus futuros clientes!', + 'Discover Your Website' => 'Descubra su sitio web', + 'Share your experience with your friends!' => '¡Comparte tu experiencia con tus amigos!', + 'I just built an online hotel booking website with QloApps!' => '¡Acabo de crear un sitio web de reservas de hoteles en línea con QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Vea todas las funciones aquí: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Pío', + 'Share' => 'Compartir', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Actualmente estamos comprobando la compatibilidad de QloApps con el entorno de su sistema.', + 'If you have any questions, please visit our documentation and community forum.' => 'Si tiene alguna pregunta, visite nuestra documentación y el foro comunitario< /a>.', + 'QloApps compatibility with your system environment has been verified!' => '¡Se ha verificado la compatibilidad de QloApps con el entorno de su sistema!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => '¡Ups! Corrija los elementos a continuación y luego haga clic en "Actualizar información" para probar la compatibilidad de su nuevo sistema.', + 'Refresh these settings' => 'Actualizar estas configuraciones', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps requiere al menos 128 MB de memoria para ejecutarse: verifique la directiva Memory_limit en su archivo php.ini o comuníquese con su proveedor de alojamiento al respecto.', + 'Welcome to the QloApps %s Installer' => 'Bienvenido al instalador de QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Instalar QloApps es rápido y sencillo. En tan solo unos momentos, pasarás a formar parte de una comunidad. Está en camino de crear su propio sitio web de reservas de hotel que podrá administrar fácilmente todos los días.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Si necesita ayuda, no dude en ver este breve tutorial o consultar nuestra documentación.', + 'Continue the installation in:' => 'Continuar la instalación en:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'La selección de idioma anterior solo se aplica al Asistente de instalación. Una vez instalado QloApps, podrás elegir el idioma de tu sitio web entre más de %d traducciones, ¡todo gratis!', + ), +); \ No newline at end of file diff --git a/install/langs/fa/install.php b/install/langs/fa/install.php index c272d2344..de2c9214e 100644 --- a/install/langs/fa/install.php +++ b/install/langs/fa/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'یک خطای SQL رخ داده است برای موجودی %1$s : %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'نمیتوان برای "%1$s" عکس ایجاد کرد برای موجودی "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'نمیتوان برای "%1$s" عکس ایجاد کرد (دسترسی‏های نادرست روی پوشه "%2$s")', - 'Cannot create image "%s"' => 'نمی‌توان عکس ایجاد کرد "%s"', - 'SQL error on query %s' => 'روی ورودی %s خطای SQL رخ داده است', - '%s Login information' => 'اطلاعات ورود %s', - 'Field required' => 'فیلد ضروری', - 'Invalid shop name' => 'نام فروشگاه نامعتبر است', - 'The field %s is limited to %d characters' => 'فیلد %s به %d کاراکتر محدود شده است.', - 'Your firstname contains some invalid characters' => 'نام شما شامل کاراکترهای غیر مجاز است', - 'Your lastname contains some invalid characters' => 'نام خانوادگی شما شامل کاراکترهای غیر مجاز است', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'کلمه عبور نامعتبر است (کلمه عبور حداقل 8 کاراکتری شامل حروف الفبا و اعداد)', - 'Password and its confirmation are different' => 'رمز عبور و تاییدیه‏ی آن مطابقت ندارند', - 'This e-mail address is invalid' => 'این آدرس ایمیل نامعتبر است', - 'Image folder %s is not writable' => 'پوشه‏ عکس %s قابل نوشتن نیست', - 'An error occurred during logo copy.' => 'خطایی هنگام کپی کردن لوگو رخ داد.', - 'An error occurred during logo upload.' => 'یک خطا هنگام آپلود آرم رخ داد.', - 'Lingerie and Adult' => 'بزرگسالان', - 'Animals and Pets' => 'حیوانت اهلی و غیر اهلی', - 'Art and Culture' => 'هنر و فرهنگ', - 'Babies' => 'نوزادان', - 'Beauty and Personal Care' => 'زیبایی و مراقبت شخصی', - 'Cars' => 'ماشین ها', - 'Computer Hardware and Software' => 'سخت افزار و نرم افزار کامپیوتر', - 'Download' => 'دانلود', - 'Fashion and accessories' => 'فشن و لوازم مورد نیاز', - 'Flowers, Gifts and Crafts' => 'گل ها، هدایا و صنایع دستی', - 'Food and beverage' => 'غذا و آشامیدنی', - 'HiFi, Photo and Video' => 'های فای، عکس و ویدیو', - 'Home and Garden' => 'خانه و باغچه', - 'Home Appliances' => 'لوازم خانگی', - 'Jewelry' => 'جواهرات', - 'Mobile and Telecom' => 'موبایل و مخابرات', - 'Services' => 'خدمات', - 'Shoes and accessories' => 'کفش ها و لوازم جانبی', - 'Sports and Entertainment' => 'ورزش و سرگرمی', - 'Travel' => 'سفر', - 'Database is connected' => 'پایگاه داده متصل است', - 'Database is created' => 'پایگاه داده ایجاد شد', - 'Cannot create the database automatically' => 'ساخت خودکار پایگاه داده امکان پذیر نیست', - 'Create settings.inc file' => 'ایجاد فایل settings.inc', - 'Create database tables' => 'ایجاد جداول پایگاه داده', - 'Create default shop and languages' => 'ایجاد فروشگاه و زبان های پیش‏فرض', - 'Populate database tables' => 'استقرار جداول پایگاه داده', - 'Configure shop information' => 'تنظیم اطلاعات فروشگاه', - 'Install demonstration data' => 'نصب اطلاعات نمونه', - 'Install modules' => 'نصب ماژول‏ها', - 'Install Addons modules' => 'نصب ماژول‌های افزودنی', - 'Install theme' => 'نصب قالب', - 'Required PHP parameters' => 'پارامترهای مورد نیاز PHP', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 یا بالاتر فعال نشده', - 'Cannot upload files' => 'نمی‌توان فایل‌ها را بارگذاری کرد', - 'Cannot create new files and folders' => 'نمی‌توان فایل و پوشه جدید ایجاد کرد', - 'GD library is not installed' => 'GD Library نصب نشده است', - 'MySQL support is not activated' => 'پشتیبانی از MySQL فعال نشده است', - 'Files' => 'فایل‌ها', - 'Not all files were successfully uploaded on your server' => 'همه پرونده ها با موفقیت بر روی سرور بارگذاری نشده بودند', - 'Permissions on files and folders' => 'دسترسی به فایل‌ها و پوشه‌ها', - 'Recursive write permissions for %1$s user on %2$s' => 'اجازه های نوشتن بازگشتی برای %1$s تعداد کاربر در %2$s', - 'Recommended PHP parameters' => 'پارامترهای توصیه شده‌ی PHP', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'شما از ویرایش %s PHP استفاده می‌کنید. به زودی آخرین ویرایش PHP پشتبانی شده توسط پرستاشاپ PHP 5.4 خواهد بود. برای اطمینان از این که برای آینده آماده‌ باشید، پیشنهاد می کنیم همین حالا به PHP 5.4 ارتقا دهید!', - 'Cannot open external URLs' => 'نمی‌توان لینک‌های خارجی را باز کرد', - 'PHP register_globals option is enabled' => 'گزینه PHP register_globals فعال است', - 'GZIP compression is not activated' => 'فشرده سازی GZIP فعال نیست', - 'Mcrypt extension is not enabled' => 'افزونه Mcrypt فعال نیست', - 'Mbstring extension is not enabled' => 'افزونه Mbstring فعال نیست', - 'PHP magic quotes option is enabled' => 'گزینه PHP magic quotes فعال است', - 'Dom extension is not loaded' => 'افزونه Dom بارگیری نشده', - 'PDO MySQL extension is not loaded' => 'افزونه PDO MySQL بارگیری نشده', - 'Server name is not valid' => 'نام سرور صحیح نیست', - 'You must enter a database name' => 'شما باید یک نام پایگاه داده وارد کنید', - 'You must enter a database login' => 'شما باید یک نام کاربری پایگاه داده وارد کنید', - 'Tables prefix is invalid' => 'پیشوند جداول نادرست است', - 'Cannot convert database data to utf-8' => 'نمیتوان داده‏های پایگاه داده را به UTF-8 تغییر داد', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'حداقل یک جدول با پیشوند مشابه پیدا شد، لطفا پیشوند پایگاه داده خود را تغییر دهید یا پایگاده داده را پاک کنید', - 'The values of auto_increment increment and offset must be set to 1' => 'مقدار افزایش auto_increment و offset باید 1 قرار داده شود', - 'Database Server is not found. Please verify the login, password and server fields' => 'سرور پایگاه داده یافت نشد. لطفا نام کاربری، گذرواژه و فیلدهای پایگاه داده را بررسی کنید', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'اتصال به MySQL موفقیت آمیز بود، اما پایگاه داده "%s" یافت نشد', - 'Attempt to create the database automatically' => 'تلاش برای ایجاد خودکار پایگاه داده', - '%s file is not writable (check permissions)' => 'فایل %s قابل نوشتن نیست (دسترسی‏ها را بررسی کنید)', - '%s folder is not writable (check permissions)' => 'پوشه %s قابل نوشتن نیست (دسترسی‏ها را بررسی کنید)', - 'Cannot write settings file' => 'فایل تنظیمات را نمیتوان نوشت', - 'Database structure file not found' => 'فایل ساختار پایگاه داده یافت نشد', - 'Cannot create group shop' => 'نمیتوان گروه فروشگاه را ایجاد کرد', - 'Cannot create shop' => 'نمیتوان گروه فروشگاه را ایجاد کرد', - 'Cannot create shop URL' => 'نمیتوان URL فروشگاه را ایجاد کرد', - 'File "language.xml" not found for language iso "%s"' => 'فایل "language.xml" برای iso زبان "%s" یافت نشد', - 'File "language.xml" not valid for language iso "%s"' => 'فایل "language.xml" برای iso زبان "%s" معتبر نیست', - 'Cannot install language "%s"' => 'نمیتوان زبان "%s" را نصب کرد', - 'Cannot copy flag language "%s"' => 'نمی توان پرچم زبان را کپی کرد "%s"', - 'Cannot create admin account' => 'نمیتوان حساب کاربری مدیر را ایجاد کرد', - 'Cannot install module "%s"' => 'نمیتوان ماژول "%s" را نصب کرد', - 'Fixtures class "%s" not found' => 'کلاس ثابت "%s" یافت نشد', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" باید نمونه ای از "InstallXmlLoader" باشد', - 'Information about your Store' => 'اطلاعات فروشگاه شما', - 'Shop name' => 'نام فروشگاه', - 'Main activity' => 'فعالیت اصلی', - 'Please choose your main activity' => 'لطفا فعالیت اصلی خود را انتخاب کنید', - 'Other activity...' => 'سایر فعالیت‏ها...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'به ما کمک کنید تا اطلاعات بیشتری درباره ی فروشگاه شما بیاموزیم. در این حالت ما می توانیم به شما پیشنهاد هایی درخواستی مانند راهنما و خاصیت های ویژه ای برای تجارت شما دهیم!', - 'Install demo products' => 'افزودن محصولات نمونه', - 'Yes' => 'بله', - 'No' => 'خیر', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'محصولات نمونه روش خوبی برای یادگیری استفاده از پرستا شاپ میباشند. شما باید آن‏ها را نصب کنید اگر با آن آشنا نیستید.', - 'Country' => 'کشور', - 'Select your country' => 'کشور خود را انتخاب کنید', - 'Shop timezone' => 'منطقه زمانی فروشگاه', - 'Select your timezone' => 'زمان بندی فروشگاه خود را انتخاب کنید', - 'Shop logo' => 'لوگوی فروشگاه', - 'Optional - You can add you logo at a later time.' => 'اختیاری - شما می توانید آرم را در آینده بیافزایید', - 'Your Account' => 'حساب کاربری شما', - 'First name' => 'نام', - 'Last name' => 'نام خانوادگی', - 'E-mail address' => '‌آدرس ایمیل', - 'This email address will be your username to access your store\'s back office.' => 'این آدرس ایمیل، همان نام کاربری شما برای دسترسی به بخش مدیریت فروشگاه خواهد بود.', - 'Shop password' => 'رمز عبور فروشگاه', - 'Must be at least 8 characters' => 'حداقل ۸ کاراکتر', - 'Re-type to confirm' => 'نوشتن مجدد برای تایید', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'تنظیمات پایگاه داده را با پر کردن بخش‌های زیر کامل کنید', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'برای استفاده ار پرستاشاپ، شما باید یک پایگاه داده ایجاد کنید برای جمع آوری همه ی فعالیت های داده های مرتبط با فروشگاه.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'لطفا جهت اتصال پرستاشاپ با پایگاه داده، بخش‌های زیر را کامل کنید. ', - 'Database server address' => 'آدرس پایگاه داده', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'پورت پیش فرض 3306 است. برای استفاده ی پورتی متفاوت، شماره ی پورت را در پایان آدرس سرور خود، اضافه کنید. مانند: ":4242".', - 'Database name' => 'نام پایگاه داده', - 'Database login' => 'نام کاربری پایگاه داده', - 'Database password' => 'رمز عبور پایگاه داده', - 'Database Engine' => 'موتور پایگاه داده', - 'Tables prefix' => 'پیشوند جداول', - 'Drop existing tables (mode dev)' => 'حذف جداول موجود', - 'Test your database connection now!' => 'هم اکنون اتصال به دیتابیس را بررسی کن!', - 'Next' => 'بعدی', - 'Back' => 'قبلی', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'انجمن اختصاصی', - 'Support' => 'پشتیبانی', - 'Documentation' => 'مستندات', - 'Contact us' => 'تماس با ما', - 'PrestaShop Installation Assistant' => 'راهبر نصب پرستاشاپ', - 'Forum' => 'انجمن', - 'Blog' => 'بلاگ', - 'Contact us!' => 'تماس با ما!', - 'menu_welcome' => 'زبان خود را انتخاب کنید', - 'menu_license' => 'موافقت نامه', - 'menu_system' => 'سازگاری سیستم', - 'menu_configure' => 'اطلاعات فروشگاه', - 'menu_database' => 'پیکربندی سیستم', - 'menu_process' => 'فرآیند نصب', - 'Installation Assistant' => 'راهبر نصب', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'برای نصب پرستاشاپ جاوااسکریپت باید در مرورگر شما فعال باشد.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'موافقت نامه', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'برای لذت بردن از پیشنهاد های زیادی که به وسیله ی پرستاشاپ به صورت رایگان ارائه شده اند، لطفا شرایط مجوز زیر را مطالعه کنید. هسته ی پرستاشاپ تحت مجوز OSL 3.0 است در حالی که افزونه ها و قالب ها تحت مجوز AFL 3.0 هستند.', - 'I agree to the above terms and conditions.' => 'من با شرایط و ضوابط زیر موافق هستم.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'موافقم با ارسال اطلاعات پیکربندی خود به صورت ناشناس در گسترش راه حل‏ها مشارکت داشته باشم.', - 'Done!' => 'انجام شد!', - 'An error occurred during installation...' => 'خطایی در هنگام نصب رخ داد...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'شما می‌توانید از طریق لینک‏های موجود در ستون کناری به مراحل قبلی بازگردید، یا برای آغاز مجدد پروسه اینجا کلیک کنید.', - 'Your installation is finished!' => 'کار نصب به پایان رسید!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'شما نصب فروشگاه خود را به پایان رساندید. با سپاس از شما برای استفاده از پرستاشاپ!', - 'Please remember your login information:' => 'لطفا اطلاعات ورود خود را به خاطر بسپارید:', - 'E-mail' => 'ایمیل', - 'Print my login information' => 'پرینت اطلاعات ورود من', - 'Password' => 'رمز عبور', - 'Display' => 'نمایش', - 'For security purposes, you must delete the "install" folder.' => 'به منظور حفط امنیت، شما باید پوشه "install" را حذف نمائید.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS15/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'بخش مديريت', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'با استفاده از بخش مدیریت، فروشگاه خود را مدیریت کنید. سفارشات و مشتریان خود را مدیریت کنید، ماژول اضافه کنید، پوسته را تعویض کنید و ...', - 'Manage your store' => 'فروشگاه خود را مدیریت کنید', - 'Front Office' => 'بخش فروشگاهی', - 'Discover your store as your future customers will see it!' => 'فروشگاه خود را آنگونه که مشتریان در آینده خواهند دید مشاهده کنید!', - 'Discover your store' => 'فروشگاه خود را مشاهده کنید!', - 'Share your experience with your friends!' => 'تجربیات خود را با دوستان‌تان به اشتراک بگذارید!', - 'I just built an online store with PrestaShop!' => 'من فقط توسط پرستاشاپ، فروشگاهی ایجاد کردم!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'این تجربه هیجان انگیز را نگاه کنید : http://vimeo.com/89298199', - 'Tweet' => 'توییت', - 'Share' => 'اشتراک گذاری', - 'Google+' => 'گوگل+', - 'Pinterest' => 'پینترست', - 'LinkedIn' => 'لینکد این', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'برای افزودن مقداری امکانات بیشتر، سری به افرونه های پرساشاپ بزنید!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'ما در حال بررسی سازگاری پرستاشاپ با سیستم شما هستیم', - 'If you have any questions, please visit our documentation and community forum.' => 'اگر هرگونه سوالی دارید، لطفا مستندات و انجمن ما را مشاهده کنید.', - 'PrestaShop compatibility with your system environment has been verified!' => 'سازگاری پرستاشاپ با شرایط سیستم شما مورد تایید قرار گرفت!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'لطفا موارد زیر را درست کنید، سپس "تازه سازی داده ها" را برای چک کردن سازگاری سیستم جدید شما، کلیک کنید.', - 'Refresh these settings' => 'اطلاعات را بازبینی کن', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'پرستاشاپ برای اجرا حداقل به 32مگابایت حافظه نیاز دارد. لطفا کنترل کنید که مقدار memory_limit در php.ini درست باشد و یا با مدیر هاست خود تماس بگیرید.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'هشدار: شما دیگر نمیتوانید از این ابزار برای ارتقای فروشگاه خود استفاده کنید.
شما هم اکنون یک پرستا شاپ نسخه %1$s را نصب دارید.

اگر میخواهید به آخرین نسخه ارتقا بدهید لطفا مستندات ما را مطالعه کنید: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'به محیط نصب پرستاشاپ %s خوش آمدید', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'نصب پرستاشاپ سریع و آسان است. در مدت چند دقیقه، شما عضوی از انجمنی خواهید شد که بیش از 230,000 فروشنده در آن هستند. شما در مسیر ساخت فروشگاه منحصر به فرد خود هستید که می‌توانید هر روز آن را به سادگی، مدیریت کنید.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'ادامه نصب در:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'انتخاب زبان در بالا فقط برای کمک در نصب است. به محض نصب فروشگاه، شما می توانید زبان فروشگاه خود را از بین %d تعداد ترجمه انتخاب کنید. به صورت کاملا رایگان!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'نصب پرستاشاپ سریع و آسان است. در مدت چند دقیقه، شما عضوی از انجمنی خواهید شد که بیش از 250,000 فروشنده در آن هستند. شما در مسیر ساخت فروشگاه منحصر به فرد خود هستید که می‌توانید هر روز آن را به سادگی، مدیریت کنید.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'یک خطای SQL برای موجودیت %1$s رخ داد: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'نمی توان تصویر "%1$s" را برای موجودیت "%2$s" ایجاد کرد', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'نمی توان تصویر "%1$s" ایجاد کرد (مجوزهای بد در پوشه "%2$s")', + 'Cannot create image "%s"' => 'نمی توان تصویر "%s" ایجاد کرد', + 'SQL error on query %s' => 'خطای SQL در پرس و جو %s', + '%s Login information' => 'اطلاعات ورود %s', + 'Field required' => 'فیلد مورد نیاز', + 'Invalid shop name' => 'نام مغازه نامعتبر است', + 'The field %s is limited to %d characters' => 'فیلد %s به %d کاراکتر محدود شده است', + 'Your firstname contains some invalid characters' => 'نام شما حاوی تعدادی نویسه نامعتبر است', + 'Your lastname contains some invalid characters' => 'نام خانوادگی شما حاوی تعدادی نویسه نامعتبر است', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'رمز عبور نادرست است (رشته الفبایی با حداقل 8 کاراکتر)', + 'Password and its confirmation are different' => 'رمز عبور و تایید آن متفاوت است', + 'This e-mail address is invalid' => 'این آدرس ایمیل نامعتبر است', + 'Image folder %s is not writable' => 'پوشه تصویر %s قابل نوشتن نیست', + 'An error occurred during logo copy.' => 'هنگام کپی لوگو خطایی روی داد.', + 'An error occurred during logo upload.' => 'هنگام آپلود لوگو خطایی روی داد.', + 'Lingerie and Adult' => 'لباس زیر زنانه و بزرگسالان', + 'Animals and Pets' => 'حیوانات و حیوانات خانگی', + 'Art and Culture' => 'هنر و فرهنگ', + 'Babies' => 'نوزادان', + 'Beauty and Personal Care' => 'زیبایی و مراقبت شخصی', + 'Cars' => 'ماشین ها', + 'Computer Hardware and Software' => 'سخت افزار و نرم افزار کامپیوتر', + 'Download' => 'دانلود', + 'Fashion and accessories' => 'مد و لوازم جانبی', + 'Flowers, Gifts and Crafts' => 'گل، هدایا و صنایع دستی', + 'Food and beverage' => 'خوردنی و آشامیدنی', + 'HiFi, Photo and Video' => 'HiFi، عکس و ویدئو', + 'Home and Garden' => 'خانه و باغ', + 'Home Appliances' => 'لوازم خانگی', + 'Jewelry' => 'جواهر سازی', + 'Mobile and Telecom' => 'موبایل و مخابرات', + 'Services' => 'خدمات', + 'Shoes and accessories' => 'کفش و لوازم جانبی', + 'Sports and Entertainment' => 'ورزش و سرگرمی', + 'Travel' => 'مسافرت رفتن', + 'Database is connected' => 'پایگاه داده متصل است', + 'Database is created' => 'پایگاه داده ایجاد می شود', + 'Cannot create the database automatically' => 'نمی توان پایگاه داده را به طور خودکار ایجاد کرد', + 'Create settings.inc file' => 'فایل settings.inc ایجاد کنید', + 'Create database tables' => 'جداول پایگاه داده ایجاد کنید', + 'Create default website and languages' => 'وب سایت و زبان های پیش فرض ایجاد کنید', + 'Populate database tables' => 'پر کردن جداول پایگاه داده', + 'Configure website information' => 'پیکربندی اطلاعات وب سایت', + 'Install demonstration data' => 'داده های نمایشی را نصب کنید', + 'Install modules' => 'ماژول ها را نصب کنید', + 'Install Addons modules' => 'ماژول های Addons را نصب کنید', + 'Install theme' => 'تم را نصب کنید', + 'Required PHP parameters' => 'پارامترهای مورد نیاز PHP', + 'The required PHP version is between 5.6 to 7.4' => 'نسخه PHP مورد نیاز بین 5.6 تا 7.4 است', + 'Cannot upload files' => 'نمی توان فایل ها را آپلود کرد', + 'Cannot create new files and folders' => 'نمی توان فایل ها و پوشه های جدید ایجاد کرد', + 'GD library is not installed' => 'کتابخانه GD نصب نشده است', + 'PDO MySQL extension is not loaded' => 'پسوند PDO MySQL بارگیری نشده است', + 'Curl extension is not loaded' => 'افزونه Curl بارگیری نمی شود', + 'SOAP extension is not loaded' => 'برنامه افزودنی SOAP بارگیری نشده است', + 'SimpleXml extension is not loaded' => 'برنامه افزودنی SimpleXml بارگیری نشده است', + 'In the PHP configuration set memory_limit to minimum 128M' => 'در پیکربندی PHP memory_limit را روی حداقل 128M تنظیم کنید', + 'In the PHP configuration set max_execution_time to minimum 500' => 'در پیکربندی PHP max_execution_time را روی حداقل 500 تنظیم کنید', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'در پیکربندی PHP upload_max_filesize را روی حداقل 16M تنظیم کنید', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'نمی توان URL های خارجی را باز کرد (به allow_url_fopen به عنوان روشن نیاز دارد).', + 'ZIP extension is not enabled' => 'پسوند ZIP فعال نیست', + 'Files' => 'فایل ها', + 'Not all files were successfully uploaded on your server' => 'همه فایل ها با موفقیت در سرور شما آپلود نشدند', + 'Permissions on files and folders' => 'مجوزها بر روی فایل ها و پوشه ها', + 'Recursive write permissions for %1$s user on %2$s' => 'مجوزهای نوشتن بازگشتی برای کاربر %1$s در %2$s', + 'Recommended PHP parameters' => 'پارامترهای پیشنهادی PHP', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'شما از نسخه %s PHP استفاده می کنید. به زودی آخرین نسخه PHP پشتیبانی شده توسط QloApps PHP 5.6 خواهد بود. برای اطمینان از اینکه برای آینده آماده هستید، به شما توصیه می کنیم همین حالا به PHP 5.6 ارتقا دهید!', + 'PHP register_globals option is enabled' => 'گزینه PHP register_globals فعال است', + 'GZIP compression is not activated' => 'فشرده سازی GZIP فعال نیست', + 'Mbstring extension is not enabled' => 'پسوند Mbstring فعال نیست', + 'Dom extension is not loaded' => 'پسوند Dom بارگیری نشده است', + 'Server name is not valid' => 'نام سرور معتبر نیست', + 'You must enter a database name' => 'شما باید یک نام پایگاه داده را وارد کنید', + 'You must enter a database login' => 'شما باید ورود به پایگاه داده را وارد کنید', + 'Tables prefix is invalid' => 'پیشوند جداول نامعتبر است', + 'Cannot convert database data to utf-8' => 'نمی توان داده های پایگاه داده را به utf-8 تبدیل کرد', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'حداقل یک جدول با همان پیشوند قبلاً پیدا شده است، لطفاً پیشوند خود را تغییر دهید یا پایگاه داده خود را رها کنید', + 'The values of auto_increment increment and offset must be set to 1' => 'مقادیر auto_increment increment و offset باید روی 1 تنظیم شود', + 'Database Server is not found. Please verify the login, password and server fields' => 'سرور پایگاه داده یافت نشد. لطفاً فیلدهای ورود، رمز عبور و سرور را بررسی کنید', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'اتصال به سرور MySQL با موفقیت انجام شد، اما پایگاه داده "%s" یافت نشد', + 'Attempt to create the database automatically' => 'سعی کنید پایگاه داده را به صورت خودکار ایجاد کنید', + '%s file is not writable (check permissions)' => 'فایل %s قابل نوشتن نیست (مجوزها را بررسی کنید)', + '%s folder is not writable (check permissions)' => 'پوشه %s قابل نوشتن نیست (مجوزها را بررسی کنید)', + 'Cannot write settings file' => 'نمی توان فایل تنظیمات را نوشت', + 'Database structure file not found' => 'فایل ساختار پایگاه داده یافت نشد', + 'Cannot create group shop' => 'امکان ایجاد فروشگاه گروهی وجود ندارد', + 'Cannot create shop' => 'نمی توان فروشگاه ایجاد کرد', + 'Cannot create shop URL' => 'URL فروشگاه ایجاد نمی شود', + 'File "language.xml" not found for language iso "%s"' => 'فایل "language.xml" برای زبان iso "%s" یافت نشد', + 'File "language.xml" not valid for language iso "%s"' => 'فایل "language.xml" برای زبان iso "%s" معتبر نیست', + 'Cannot install language "%s"' => 'نمی توان زبان "%s" را نصب کرد', + 'Cannot copy flag language "%s"' => 'نمی توان زبان پرچم "%s" را کپی کرد', + 'Cannot create admin account' => 'نمی توان حساب کاربری ایجاد کرد', + 'Cannot install module "%s"' => 'نمی توان ماژول "%s" را نصب کرد', + 'Fixtures class "%s" not found' => 'کلاس وسایل "%s" یافت نشد', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" باید یک نمونه از "InstallXmlLoader" باشد', + 'Information about your Website' => 'اطلاعاتی در مورد وب سایت شما', + 'Website name' => 'نام وب سایت', + 'Main activity' => 'فعالیت اصلی', + 'Please choose your main activity' => 'لطفاً فعالیت اصلی خود را انتخاب کنید', + 'Other activity...' => 'فعالیت دیگر ...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'ما را در کسب اطلاعات بیشتر در مورد فروشگاه خود یاری کنید تا بتوانیم راهنمایی های بهینه و بهترین ویژگی ها را برای کسب و کارتان به شما ارائه دهیم!', + 'Install demo data' => 'داده های نمایشی را نصب کنید', + 'Yes' => 'آره', + 'No' => 'خیر', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'اگر قبلاً از QloApps استفاده نکرده‌اید، نصب داده‌های نمایشی راه خوبی برای یادگیری نحوه استفاده از QloApps است. این داده‌های نمایشی را می‌توان بعداً با استفاده از ماژول QloApps Data Cleaner که با نصب از قبل نصب شده است، پاک کرد.', + 'Country' => 'کشور', + 'Select your country' => 'کشورت را انتخاب کن', + 'Website timezone' => 'منطقه زمانی وب سایت', + 'Select your timezone' => 'منطقه زمانی خود را انتخاب کنید', + 'Enable SSL' => 'SSL را فعال کنید', + 'Shop logo' => 'لوگوی فروشگاه', + 'Optional - You can add you logo at a later time.' => 'اختیاری - می‌توانید لوگوی خود را در زمان دیگری اضافه کنید.', + 'Your Account' => 'حساب شما', + 'First name' => 'نام کوچک', + 'Last name' => 'نام خانوادگی', + 'E-mail address' => 'آدرس ایمیل', + 'This email address will be your username to access your website\'s back office.' => 'این آدرس ایمیل نام کاربری شما برای دسترسی به دفتر پشتی وب سایت شما خواهد بود.', + 'Password' => 'کلمه عبور', + 'Must be at least 8 characters' => 'باید حداقل 8 کاراکتر باشد', + 'Re-type to confirm' => 'برای تایید دوباره تایپ کنید', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'اطلاعاتی که به ما می‌دهید توسط ما جمع‌آوری می‌شود و تابع پردازش داده‌ها و آمار است. تحت «قانون پردازش داده‌ها، فایل‌های داده و آزادی‌های فردی» کنونی، شما حق دسترسی، اصلاح و مخالفت با پردازش داده‌های شخصی خود را از طریق این پیوند.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'من موافق دریافت خبرنامه و پیشنهادات تبلیغاتی از QloApps هستم.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'شما همیشه ایمیل‌های تراکنشی مانند به‌روزرسانی‌های جدید، اصلاحات امنیتی و وصله‌ها را دریافت خواهید کرد، حتی اگر این گزینه را انتخاب نکنید.', + 'Configure your database by filling out the following fields' => 'پایگاه داده خود را با پر کردن فیلدهای زیر پیکربندی کنید', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'برای استفاده از QloApps، باید ایجاد یک پایگاه داده برای جمع آوری تمام فعالیت های مربوط به داده های وب سایت خود.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'لطفاً فیلدهای زیر را تکمیل کنید تا QloApps به پایگاه داده شما متصل شود.', + 'Database server address' => 'آدرس سرور پایگاه داده', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'پورت پیش فرض 3306 است. برای استفاده از یک پورت دیگر، شماره پورت را در انتهای آدرس سرور خود اضافه کنید، یعنی ":4242".', + 'Database name' => 'نام پایگاه داده', + 'Database login' => 'ورود به پایگاه داده', + 'Database password' => 'رمز پایگاه داده', + 'Database Engine' => 'موتور پایگاه داده', + 'Tables prefix' => 'پیشوند جداول', + 'Drop existing tables (mode dev)' => 'جدا کردن جداول موجود (حالت توسعه دهنده)', + 'Test your database connection now!' => 'اکنون اتصال پایگاه داده خود را آزمایش کنید!', + 'Next' => 'بعد', + 'Back' => 'بازگشت', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'اگر به کمک نیاز دارید، می‌توانید از تیم پشتیبانی ما راهنمایی متناسب دریافت کنید. اسناد رسمی نیز برای راهنمایی شما اینجاست.', + 'Official forum' => 'انجمن رسمی', + 'Support' => 'حمایت کردن', + 'Documentation' => 'مستندات', + 'Contact us' => 'با ما تماس بگیرید', + 'QloApps Installation Assistant' => 'دستیار نصب QloApps', + 'Forum' => 'انجمن', + 'Blog' => 'وبلاگ', + 'menu_welcome' => 'زبان خود را انتخاب کنید', + 'menu_license' => 'موافقت نامه های مجوز', + 'menu_system' => 'سازگاری سیستم', + 'menu_configure' => 'اطلاعات وب سایت', + 'menu_database' => 'پیکربندی سیستم', + 'menu_process' => 'نصب QloApps', + 'Need Help?' => 'کمک خواستن؟', + 'Click here to Contact us' => 'برای تماس با ما اینجا کلیک کنید', + 'Installation' => 'نصب و راه اندازی', + 'See our Installation guide' => 'راهنمای نصب ما را ببینید', + 'Tutorials' => 'آموزش ها', + 'See our QloApps tutorials' => 'آموزش های QloApps ما را ببینید', + 'Installation Assistant' => 'دستیار نصب', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'برای نصب QloApps باید جاوا اسکریپت را در مرورگر خود فعال کنید.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'موافقت نامه های مجوز', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'برای لذت بردن از بسیاری از ویژگی هایی که به صورت رایگان توسط QloApps ارائه می شود، لطفاً شرایط مجوز زیر را بخوانید. هسته QloApps تحت مجوز OSL 3.0 است، در حالی که ماژول ها و تم ها تحت مجوز AFL 3.0 هستند.', + 'I agree to the above terms and conditions.' => 'من با شرایط و ضوابط فوق موافقم.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'من موافقت می کنم که با ارسال اطلاعات ناشناس در مورد پیکربندی خود در بهبود راه حل شرکت کنم.', + 'Done!' => 'انجام شده!', + 'An error occurred during installation...' => 'هنگام نصب خطایی روی داد...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'می توانید از پیوندهای موجود در ستون سمت چپ برای بازگشت به مراحل قبلی استفاده کنید، یا با کلیک کردن اینجا فرآیند نصب را مجدداً راه اندازی کنید.', + 'Suggested Modules' => 'ماژول های پیشنهادی', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'فقط ویژگی های مناسب را در افزونه های QloApps بیابید تا تجارت مهمان نوازی خود را موفقیت آمیز کنید.', + 'Discover All Modules' => 'همه ماژول ها را کشف کنید', + 'Suggested Themes' => 'تم های پیشنهادی', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'طرحی ایجاد کنید که مناسب هتل و مشتریان شما باشد، با تم قالب آماده استفاده.', + 'Discover All Themes' => 'همه تم ها را کشف کنید', + 'Your installation is finished!' => 'نصب شما تمام شد!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'شما به تازگی نصب QloApps را به پایان رسانده اید. از شما برای استفاده از QloApps متشکریم!', + 'Please remember your login information:' => 'لطفا اطلاعات ورود خود را به خاطر بسپارید:', + 'E-mail' => 'پست الکترونیک', + 'Print my login information' => 'اطلاعات ورود به سیستم من را چاپ کنید', + 'Display' => 'نمایش دادن', + 'For security purposes, you must delete the "install" folder.' => 'برای اهداف امنیتی، باید پوشه "نصب" را حذف کنید.', + 'Back Office' => 'پشت دفتر', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'وب سایت خود را با استفاده از بک آفیس مدیریت کنید. سفارشات و مشتریان خود را مدیریت کنید، ماژول ها را اضافه کنید، تم ها را تغییر دهید و غیره.', + 'Manage Your Website' => 'وب سایت خود را مدیریت کنید', + 'Front Office' => 'جلو دفتر', + 'Discover your website as your future customers will see it!' => 'وب سایت خود را همانطور که مشتریان آینده شما خواهند دید، کشف کنید!', + 'Discover Your Website' => 'وب سایت خود را کشف کنید', + 'Share your experience with your friends!' => 'تجربه خود را با دوستان خود به اشتراک بگذارید!', + 'I just built an online hotel booking website with QloApps!' => 'من به تازگی یک وب سایت رزرو هتل آنلاین با QloApps ایجاد کردم!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'همه ویژگی ها را اینجا ببینید: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'توییت', + 'Share' => 'اشتراک گذاری', + 'Google+' => '+Google', + 'Pinterest' => 'پینترست', + 'LinkedIn' => 'لینکدین', + 'We are currently checking QloApps compatibility with your system environment' => 'ما در حال حاضر در حال بررسی سازگاری QloApps با محیط سیستم شما هستیم', + 'If you have any questions, please visit our documentation and community forum.' => 'اگر سؤالی دارید، لطفاً از اسناد و تالار گفتمان انجمن< بازدید کنید. /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'سازگاری QloApps با محیط سیستم شما تأیید شده است!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'اوه! لطفاً مورد(های) زیر را تصحیح کنید و سپس روی "Refresh information" کلیک کنید تا سازگاری سیستم جدید خود را آزمایش کنید.', + 'Refresh these settings' => 'این تنظیمات را بازخوانی کنید', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps برای اجرا به حداقل 128 مگابایت حافظه نیاز دارد: لطفاً دستورالعمل memory_limit را در فایل php.ini خود بررسی کنید یا در این مورد با ارائه دهنده میزبان خود تماس بگیرید.', + 'Welcome to the QloApps %s Installer' => 'به نصب کننده %s QloApps خوش آمدید', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'نصب QloApps سریع و آسان است. تنها در چند لحظه، شما بخشی از یک جامعه خواهید شد. شما در راه ایجاد وب سایت رزرو هتل خود هستید که بتوانید هر روز آن را به راحتی مدیریت کنید.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'اگر به کمک نیاز دارید، در مشاهده این آموزش کوتاه تردید نکنید، یا اسناد ما.', + 'Continue the installation in:' => 'ادامه نصب در:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'انتخاب زبان بالا فقط برای دستیار نصب اعمال می شود. پس از نصب QloApps، می‌توانید زبان وب‌سایت خود را از بیش از %d ترجمه، همه به صورت رایگان انتخاب کنید!', + ), +); \ No newline at end of file diff --git a/install/langs/fr/install.php b/install/langs/fr/install.php index cf98397c2..139a69ecb 100644 --- a/install/langs/fr/install.php +++ b/install/langs/fr/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Une erreur SQL est survenue pour l\'entité %1$s : %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossible de créer l\'image "%1$s" pour l\'entité "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossible de créer l\'image "%1$s" (mauvaises permissions sur le dossier "%2$s")', - 'Cannot create image "%s"' => 'Impossible de créer l\'image "%s"', - 'SQL error on query %s' => 'Erreur SQL sur la requête %s', - '%s Login information' => 'Informations de connexion sur %s', - 'Field required' => 'Champ requis', - 'Invalid shop name' => 'Nom de votre boutique non valide', - 'The field %s is limited to %d characters' => 'Le champs %s est limité à %d caractères', - 'Your firstname contains some invalid characters' => 'Votre prénom contient des caractères invalides', - 'Your lastname contains some invalid characters' => 'Votre nom contient des caractères invalides', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Le mot de passe est invalide (caractères alpha numériques et au moins 8 lettres)', - 'Password and its confirmation are different' => 'Le mot de passe de confirmation est différent de l\'original', - 'This e-mail address is invalid' => 'Cette adresse e-mail est invalide', - 'Image folder %s is not writable' => 'Le dossier d\'images %s ne possède pas les droits d\'écriture', - 'An error occurred during logo copy.' => 'Impossible de copier le logo', - 'An error occurred during logo upload.' => 'Impossible d\'uploader le logo', - 'Lingerie and Adult' => 'Lingerie et Adulte', - 'Animals and Pets' => 'Animaux', - 'Art and Culture' => 'Arts et culture', - 'Babies' => 'Articles pour bébé', - 'Beauty and Personal Care' => 'Santé et beauté', - 'Cars' => 'Auto et moto', - 'Computer Hardware and Software' => 'Informatique et logiciels', - 'Download' => 'Téléchargement', - 'Fashion and accessories' => 'Mode et accessoires', - 'Flowers, Gifts and Crafts' => 'Fleurs, cadeaux et artisanat', - 'Food and beverage' => 'Alimentation et gastronomie', - 'HiFi, Photo and Video' => 'Hifi, photo et vidéo', - 'Home and Garden' => 'Maison et jardin', - 'Home Appliances' => 'Électroménager', - 'Jewelry' => 'Bijouterie', - 'Mobile and Telecom' => 'Téléphonie et communication', - 'Services' => 'Services ', - 'Shoes and accessories' => 'Chaussures et accessoires', - 'Sports and Entertainment' => 'Sports et loisirs', - 'Travel' => 'Voyage et tourisme', - 'Database is connected' => 'La base de données est connectée', - 'Database is created' => 'Base de données créée', - 'Cannot create the database automatically' => 'Impossible de créer la base de données automatiquement', - 'Create settings.inc file' => 'Création du fichier settings.inc', - 'Create database tables' => 'Création des tables de la base', - 'Create default shop and languages' => 'Création de la boutique par défaut et des langues', - 'Populate database tables' => 'Remplissage des tables de la base', - 'Configure shop information' => 'Configuration de la boutique', - 'Install demonstration data' => 'Installation des produits de démo', - 'Install modules' => 'Installation des modules', - 'Install Addons modules' => 'Installation des modules Addons', - 'Install theme' => 'Installation du thème', - 'Required PHP parameters' => 'Configuration PHP requise', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ou ultérieur n\'est pas activé', - 'Cannot upload files' => 'Impossible d\'uploader des fichiers', - 'Cannot create new files and folders' => 'Impossible de créer de nouveaux fichiers et dossiers', - 'GD library is not installed' => 'La bibliothèque GD n\'est pas installée', - 'MySQL support is not activated' => 'Le support de MySQL n\'est pas activé', - 'Files' => 'Fichiers', - 'Not all files were successfully uploaded on your server' => 'Tous les fichiers n\'ont pas pu être mis en ligne sur votre serveur', - 'Permissions on files and folders' => 'Permissions d\'accès sur les fichiers et dossiers', - 'Recursive write permissions for %1$s user on %2$s' => 'Droits récursifs en écriture pour l\'utilisateur %1$s sur le dossier %2$s', - 'Recommended PHP parameters' => 'Configuration PHP recommandée', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Vous utilisez la version %s de PHP. PrestaShop ne supportera bientôt plus les versions PHP antérieures à 5.4. Pour anticiper ce changement, nous vous recommandons d\'effectuer une mise à jour vers PHP 5.4 dès maintenant !', - 'Cannot open external URLs' => 'Impossible d\'ouvrir des URL externes', - 'PHP register_globals option is enabled' => 'L\'option PHP "register_globals" est activée', - 'GZIP compression is not activated' => 'La compression GZIP n\'est pas activée', - 'Mcrypt extension is not enabled' => 'L\'extension Mcrypt n\'est pas activée', - 'Mbstring extension is not enabled' => 'L\'extension Mbstring n\'est pas activée', - 'PHP magic quotes option is enabled' => 'L\'option magic quotes de PHP est activée', - 'Dom extension is not loaded' => 'L\'extension DOM n\'est pas chargée', - 'PDO MySQL extension is not loaded' => 'Le support de MySQL PDO n\'est pas activé', - 'Server name is not valid' => 'L\'adresse du serveur est invalide', - 'You must enter a database name' => 'Vous devez saisir un nom de base de données', - 'You must enter a database login' => 'Vous devez saisir un identifiant pour la base de données', - 'Tables prefix is invalid' => 'Le préfixe des tables est invalide', - 'Cannot convert database data to utf-8' => 'Impossible de convertir la base en utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Au moins une table avec le même préfixe a été trouvée, merci de changer votre préfixe ou de supprimer vos tables existantes', - 'The values of auto_increment increment and offset must be set to 1' => 'Les valeurs d\'incrémentation "auto_increment" et "offset" doivent être fixées à 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Impossible de se connecter au serveur de la base de données. Vérifiez vos identifiants de connexion', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connexion au serveur de base de données a réussi, mais la base "%s" n\'a pas été trouvée', - 'Attempt to create the database automatically' => 'Essayer de créer la base de données automatiquement', - '%s file is not writable (check permissions)' => 'Le fichier %s ne peut être écrit (vérifiez vos permissions fichiers)', - '%s folder is not writable (check permissions)' => 'Le dossier %s ne peut être écrit (vérifiez vos permissions fichiers)', - 'Cannot write settings file' => 'Impossible de générer le fichier settings', - 'Database structure file not found' => 'Le fichier de structure de base de donnée n\'a pu être trouvé', - 'Cannot create group shop' => 'Impossible de créer le groupe de boutique', - 'Cannot create shop' => 'Impossible de créer la boutique', - 'Cannot create shop URL' => 'Impossible de créer l\'URL pour la boutique', - 'File "language.xml" not found for language iso "%s"' => 'Le fichier "language.xml" n\'a pas été trouvé pour l\'iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Le fichier "language.xml" est invalide pour l\'iso "%s"', - 'Cannot install language "%s"' => 'Impossible d\'installer la langue "%s"', - 'Cannot copy flag language "%s"' => 'Impossible de copier le drapeau pour la langue "%s"', - 'Cannot create admin account' => 'Impossible de créer le compte administrateur', - 'Cannot install module "%s"' => 'Impossible d\'installer le module "%s"', - 'Fixtures class "%s" not found' => 'La classe "%s" pour les fixtures n\'a pas été trouvée', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" doit être une instance de "InstallXmlLoader"', - 'Information about your Store' => 'Informations à propos de votre boutique', - 'Shop name' => 'Nom de la boutique', - 'Main activity' => 'Activité principale', - 'Please choose your main activity' => 'Merci de choisir une activité', - 'Other activity...' => 'Autre activité ...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aidez-nous à mieux vous connaitre pour que nous puissions vous orienter et vous proposer les fonctionnalités les plus adaptées à votre activité !', - 'Install demo products' => 'Installer les produits de démo', - 'Yes' => 'Oui', - 'No' => 'Non', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Les produits de démo sont un bon moyen pour apprendre à utiliser PrestaShop. Vous devriez les installer si vous n\'êtes pas familier avec le logiciel.', - 'Country' => 'Pays', - 'Select your country' => 'Sélectionnez un pays', - 'Shop timezone' => 'Fuseau horaire de la boutique', - 'Select your timezone' => 'Choisissez un fuseau horaire', - 'Shop logo' => 'Logo de la boutique', - 'Optional - You can add you logo at a later time.' => 'Optionnel - Vous pourrez ajouter votre logo par la suite.', - 'Your Account' => 'Votre compte', - 'First name' => 'Prénom', - 'Last name' => 'Nom', - 'E-mail address' => 'Adresse e-mail', - 'This email address will be your username to access your store\'s back office.' => 'Cette adresse e-mail vous servira d\'identifiant pour accéder à l\'interface de gestion de votre boutique.', - 'Shop password' => 'Mot de passe', - 'Must be at least 8 characters' => 'Minimum 8 caractères', - 'Re-type to confirm' => 'Confirmation du mot de passe', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Les informations recueillies font l\'objet d’un traitement informatique et statistique, elles sont nécessaires aux membres de la société PrestaShop afin de répondre au mieux à votre demande. Ces informations peuvent être communiquées à nos partenaires à des fins de prospection commerciale et être transmises dans le cadre de nos relations partenariales. Conformément à la loi « Informatique et Libertés » du 6 janvier 1978 modifiée en 2004, vous pouvez exercer votre droit d\'accès, de rectification et d\'opposition au traitement des données qui vous concernent en cliquant ici.', - 'Configure your database by filling out the following fields' => 'Configurez la connexion à votre base de données en remplissant les champs suivants.', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Pour utiliser PrestaShop vous devez créer une base de données afin d\'y enregistrer toutes les données nécessaires au fonctionnement de votre boutique.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Merci de renseigner ci-dessous les informations requises pour que PrestaShop puisse se connecter à votre base de données.', - 'Database server address' => 'Adresse du serveur de la base', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Si vous souhaitez utiliser un port différent du port par défaut (3306) ajoutez ":XX" à l\'adresse de votre serveur, XX étant le numéro de votre port.', - 'Database name' => 'Nom de la base', - 'Database login' => 'Identifiant de la base', - 'Database password' => 'Mot de passe de la base', - 'Database Engine' => 'Moteur de base de données', - 'Tables prefix' => 'Préfixe des tables', - 'Drop existing tables (mode dev)' => 'Supprimer les tables (mode dev)', - 'Test your database connection now!' => 'Tester la connexion à la base de données', - 'Next' => 'Suivant', - 'Back' => 'Précédent', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si vous avez besoin d\'accompagnement, notre équipe support vous apportera une aide sur mesure. La documentation officielle est également là pour vous guider.', - 'Official forum' => 'Forum officiel', - 'Support' => 'Support', - 'Documentation' => 'Documentation', - 'Contact us' => 'Contactez-nous', - 'PrestaShop Installation Assistant' => 'Assistant d\'installation', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Contactez-nous !', - 'menu_welcome' => 'Choix de la langue', - 'menu_license' => 'Acceptation des licences', - 'menu_system' => 'Compatibilité système', - 'menu_configure' => 'Informations', - 'menu_database' => 'Configuration du système', - 'menu_process' => 'Installation de la boutique', - 'Installation Assistant' => 'Assistant d\'installation', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Pour installer PrestaShop, vous devez avoir JavaScript activé dans votre navigateur', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/fr/', - 'License Agreements' => 'Acceptation des licences', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Afin de profiter gratuitement des nombreuses fonctionnalités qu\'offre PrestaShop, merci de prendre connaissance des termes des licences ci-dessous. Le coeur de PrestaShop est publié sous licence OSL 3.0 tandis que les modules et thèmes sont publiés sous licence AFL 3.0.', - 'I agree to the above terms and conditions.' => 'J\'accepte les termes et conditions du contrat ci-dessus.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'J\'accepte de participer à l\'amélioration de PrestaShop en envoyant des informations anonymes sur ma configuration', - 'Done!' => 'Fin !', - 'An error occurred during installation...' => 'Une erreur est survenue durant l\'installation...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Vous pouvez utiliser les liens à gauche pour revenir aux étapes précédentes, ou redémarrer l\'installation en cliquant ici.', - 'Your installation is finished!' => 'L\'installation est finie !', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Vous venez d\'installer votre boutique en ligne, merci d\'avoir choisi PrestaShop !', - 'Please remember your login information:' => 'Merci de conserver les informations de connexion suivantes :', - 'E-mail' => 'Email', - 'Print my login information' => 'Imprimer cette page', - 'Password' => 'Mot de passe', - 'Display' => 'Affichage', - 'For security purposes, you must delete the "install" folder.' => 'Pour des raisons de sécurité, vous devez supprimer le dossier "install" manuellement.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installer+PrestaShop#InstallerPrestaShop-Terminerl%27installation', - 'Back Office' => 'Administration', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Accédez dès à présent à votre interface de gestion pour commencer la configuration de votre boutique.', - 'Manage your store' => 'Gérez votre boutique', - 'Front Office' => 'Front-Office', - 'Discover your store as your future customers will see it!' => 'Découvrez l\'apparence de votre boutique avec quelques produits de démonstration, prête à être personnalisée par vos soins !', - 'Discover your store' => 'Découvrez votre boutique', - 'Share your experience with your friends!' => 'Partagez votre expérience avec vos amis !', - 'I just built an online store with PrestaShop!' => 'Je viens de créer ma boutique en ligne avec PrestaShop !', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Découvrez notre vidéo de présentation : http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Partager', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Explorez le site PrestaShop Addons pour ajouter ce "petit quelque chose en plus" qui rendra votre boutique unique !', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Nous vérifions en ce moment la compatibilité de PrestaShop avec votre système', - 'If you have any questions, please visit our documentation and community forum.' => 'Si vous avez la moindre question, n\'hésitez pas à visiter notre documentation et notre forum communautaire.', - 'PrestaShop compatibility with your system environment has been verified!' => 'La compatibilité de PrestaShop avec votre système a été vérifiée', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Merci de bien vouloir corriger le(s) point(s) ci-dessous puis de cliquer sur le bouton "Rafraichir ces informations" afin de tester à nouveau la compatibilité de votre système.', - 'Refresh these settings' => 'Rafraîchir ces informations', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop a besoin d\'au moins 32 Mo d\'espace mémoire pour fonctionner : veuillez vérifier la directive memory_limit de votre fichier php.ini, ou contacter votre hébergeur à ce propos.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Attention : vous ne pouvez plus utiliser cet outil pour mettre à jour votre boutique.

Vous disposez déjà de PrestaShop version %1$s.

Si vous voulez passer à la dernière version, lisez notre documentation : %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Bienvenue sur l\'installation de PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'L\'installation de PrestaShop est simple et rapide. Dans quelques minutes, vous ferez partie d\'une communauté de plus de 230 000 marchands. Vous êtes sur le point de créer votre propre boutique en ligne, unique en son genre, que vous pourrez gérer très facilement au quotidien.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Besoin d\'aide ? N\'hésitez pas à regarder cette courte vidéo, ou à parcourir notre documentation.', - 'Continue the installation in:' => 'Continuer l\'installation en :', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Le choix de la langue ci-dessus s\'applique à l\'assistant d\'installation. Une fois votre boutique installée, vous pourrez choisir la langue de votre boutique parmi plus de %d traductions disponibles gratuitement !', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'L\'installation de PrestaShop est simple et rapide. Dans quelques minutes, vous ferez partie d\'une communauté de plus de 250 000 marchands. Vous êtes sur le point de créer votre propre boutique en ligne, unique en son genre, que vous pourrez gérer très facilement au quotidien.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Une erreur SQL s\'est produite pour l\'entité %1$s : %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossible de créer l\'image "%1$s" pour l\'entité "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossible de créer l\'image "%1$s" (autorisations incorrectes sur le dossier "%2$s")', + 'Cannot create image "%s"' => 'Impossible de créer l\'image "%s"', + 'SQL error on query %s' => 'Erreur SQL sur la requête %s', + '%s Login information' => '%s Informations de connexion', + 'Field required' => 'Champ obligatoire', + 'Invalid shop name' => 'Nom de boutique invalide', + 'The field %s is limited to %d characters' => 'Le champ %s est limité à %d caractères', + 'Your firstname contains some invalid characters' => 'Votre prénom contient des caractères invalides', + 'Your lastname contains some invalid characters' => 'Votre nom de famille contient des caractères invalides', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Le mot de passe est incorrect (chaîne alphanumérique d\'au moins 8 caractères)', + 'Password and its confirmation are different' => 'Le mot de passe et sa confirmation sont différents', + 'This e-mail address is invalid' => 'Cette adresse e-mail n\'est pas valide', + 'Image folder %s is not writable' => 'Le dossier d\'images %s n\'est pas accessible en écriture', + 'An error occurred during logo copy.' => 'Une erreur s\'est produite lors de la copie du logo.', + 'An error occurred during logo upload.' => 'Une erreur s\'est produite lors du téléchargement du logo.', + 'Lingerie and Adult' => 'Lingerie et Adulte', + 'Animals and Pets' => 'Animaux et animaux de compagnie', + 'Art and Culture' => 'Art et Culture', + 'Babies' => 'Bébés', + 'Beauty and Personal Care' => 'Beauté et soins personnels', + 'Cars' => 'Voitures', + 'Computer Hardware and Software' => 'Matériel informatique et logiciels', + 'Download' => 'Télécharger', + 'Fashion and accessories' => 'Mode et accessoires', + 'Flowers, Gifts and Crafts' => 'Fleurs, cadeaux et artisanat', + 'Food and beverage' => 'Nourriture et boisson', + 'HiFi, Photo and Video' => 'HiFi, Photo et Vidéo', + 'Home and Garden' => 'Maison et jardin', + 'Home Appliances' => 'Appareils électroménagers', + 'Jewelry' => 'Bijoux', + 'Mobile and Telecom' => 'Mobile et Télécom', + 'Services' => 'Prestations de service', + 'Shoes and accessories' => 'Chaussures et accessoires', + 'Sports and Entertainment' => 'Sports et divertissement', + 'Travel' => 'Voyage', + 'Database is connected' => 'La base de données est connectée', + 'Database is created' => 'La base de données est créée', + 'Cannot create the database automatically' => 'Impossible de créer la base de données automatiquement', + 'Create settings.inc file' => 'Créer un fichier settings.inc', + 'Create database tables' => 'Créer des tables de base de données', + 'Create default website and languages' => 'Créer un site Web et des langues par défaut', + 'Populate database tables' => 'Remplir les tables de la base de données', + 'Configure website information' => 'Configurer les informations du site Web', + 'Install demonstration data' => 'Installer les données de démonstration', + 'Install modules' => 'Installer des modules', + 'Install Addons modules' => 'Installer les modules complémentaires', + 'Install theme' => 'Installer le thème', + 'Required PHP parameters' => 'Paramètres PHP requis', + 'The required PHP version is between 5.6 to 7.4' => 'La version PHP requise est comprise entre 5.6 et 7.4', + 'Cannot upload files' => 'Impossible de télécharger des fichiers', + 'Cannot create new files and folders' => 'Impossible de créer de nouveaux fichiers et dossiers', + 'GD library is not installed' => 'La bibliothèque GD n\'est pas installée', + 'PDO MySQL extension is not loaded' => 'L\'extension PDO MySQL n\'est pas chargée', + 'Curl extension is not loaded' => 'L\'extension Curl n\'est pas chargée', + 'SOAP extension is not loaded' => 'L\'extension SOAP n\'est pas chargée', + 'SimpleXml extension is not loaded' => 'L\'extension SimpleXml n\'est pas chargée', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Dans la configuration PHP, définissez memory_limit sur un minimum de 128 Mo.', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Dans la configuration PHP, définissez max_execution_time sur un minimum de 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Dans la configuration PHP, définissez upload_max_filesize sur un minimum de 16 Mo.', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Impossible d\'ouvrir les URL externes (nécessite allow_url_fopen comme activé).', + 'ZIP extension is not enabled' => 'L\'extension ZIP n\'est pas activée', + 'Files' => 'Des dossiers', + 'Not all files were successfully uploaded on your server' => 'Tous les fichiers n\'ont pas été téléchargés avec succès sur votre serveur', + 'Permissions on files and folders' => 'Autorisations sur les fichiers et dossiers', + 'Recursive write permissions for %1$s user on %2$s' => 'Autorisations d\'écriture récursives pour l\'utilisateur %1$s sur %2$s', + 'Recommended PHP parameters' => 'Paramètres PHP recommandés', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Vous utilisez la version PHP %s. Bientôt, la dernière version de PHP prise en charge par QloApps sera PHP 5.6. Pour être sûr d\'être prêt pour l\'avenir, nous vous recommandons de passer à PHP 5.6 dès maintenant !', + 'PHP register_globals option is enabled' => 'L\'option PHP register_globals est activée', + 'GZIP compression is not activated' => 'La compression GZIP n\'est pas activée', + 'Mbstring extension is not enabled' => 'L\'extension Mbstring n\'est pas activée', + 'Dom extension is not loaded' => 'L\'extension Dom n\'est pas chargée', + 'Server name is not valid' => 'Le nom du serveur n\'est pas valide', + 'You must enter a database name' => 'Vous devez entrer un nom de base de données', + 'You must enter a database login' => 'Vous devez entrer un identifiant de base de données', + 'Tables prefix is invalid' => 'Le préfixe des tables n\'est pas valide', + 'Cannot convert database data to utf-8' => 'Impossible de convertir les données de la base de données en utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Au moins une table avec le même préfixe a déjà été trouvée, veuillez modifier votre préfixe ou supprimer votre base de données', + 'The values of auto_increment increment and offset must be set to 1' => 'Les valeurs de l\'incrément et du décalage auto_increment doivent être définies sur 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Le serveur de base de données est introuvable. Veuillez vérifier les champs login, mot de passe et serveur', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connexion au serveur MySQL a réussi, mais la base de données "%s" est introuvable', + 'Attempt to create the database automatically' => 'Tentative de création automatique de la base de données', + '%s file is not writable (check permissions)' => 'Le fichier %s n\'est pas accessible en écriture (vérifiez les autorisations)', + '%s folder is not writable (check permissions)' => 'Le dossier %s n\'est pas accessible en écriture (vérifiez les autorisations)', + 'Cannot write settings file' => 'Impossible d\'écrire le fichier de paramètres', + 'Database structure file not found' => 'Fichier de structure de base de données introuvable', + 'Cannot create group shop' => 'Impossible de créer une boutique de groupe', + 'Cannot create shop' => 'Impossible de créer une boutique', + 'Cannot create shop URL' => 'Impossible de créer l\'URL de la boutique', + 'File "language.xml" not found for language iso "%s"' => 'Fichier "langue.xml" introuvable pour l\'iso de langue "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Le fichier "langue.xml" n\'est pas valide pour l\'iso de langue "%s"', + 'Cannot install language "%s"' => 'Impossible d\'installer la langue "%s"', + 'Cannot copy flag language "%s"' => 'Impossible de copier la langue du drapeau "%s"', + 'Cannot create admin account' => 'Impossible de créer un compte administrateur', + 'Cannot install module "%s"' => 'Impossible d\'installer le module "%s"', + 'Fixtures class "%s" not found' => 'Classe d\'appareils "%s" introuvable', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" doit être une instance de "InstallXmlLoader"', + 'Information about your Website' => 'Informations sur votre site Web', + 'Website name' => 'Nom du site Web', + 'Main activity' => 'Activité principale', + 'Please choose your main activity' => 'Veuillez choisir votre activité principale', + 'Other activity...' => 'Autre activité...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aidez-nous à en savoir plus sur votre magasin afin que nous puissions vous offrir des conseils optimaux et les meilleures fonctionnalités pour votre entreprise !', + 'Install demo data' => 'Installer les données de démonstration', + 'Yes' => 'Oui', + 'No' => 'Non', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'L\'installation de données de démonstration est un bon moyen d\'apprendre à utiliser QloApps si vous ne l\'avez jamais utilisé auparavant. Ces données de démonstration peuvent ensuite être effacées à l\'aide du module QloApps Data Cleaner préinstallé avec cette installation.', + 'Country' => 'Pays', + 'Select your country' => 'Sélectionnez votre pays', + 'Website timezone' => 'Fuseau horaire du site Web', + 'Select your timezone' => 'Sélectionnez votre fuseau horaire', + 'Enable SSL' => 'Activer SSL', + 'Shop logo' => 'Logo de la boutique', + 'Optional - You can add you logo at a later time.' => 'Facultatif - Vous pourrez ajouter votre logo ultérieurement.', + 'Your Account' => 'Votre compte', + 'First name' => 'Prénom', + 'Last name' => 'Nom de famille', + 'E-mail address' => 'Adresse e-mail', + 'This email address will be your username to access your website\'s back office.' => 'Cette adresse e-mail sera votre nom d\'utilisateur pour accéder au back-office de votre site Internet.', + 'Password' => 'Mot de passe', + 'Must be at least 8 characters' => 'Doit contenir au moins 8 caractères', + 'Re-type to confirm' => 'Resaisissez pour confirmer', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Les informations que vous nous communiquez sont collectées par nos soins et font l\'objet d\'un traitement informatique et de statistiques. Conformément à la loi « Informatique, fichiers et libertés » en vigueur, vous disposez d\'un droit d\'accès, de rectification et d\'opposition au traitement de vos données personnelles via ce lien.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'J\'accepte de recevoir la Newsletter et les offres promotionnelles de QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Vous recevrez toujours des e-mails transactionnels tels que de nouvelles mises à jour, correctifs de sécurité et correctifs même si vous n\'acceptez pas cette option.', + 'Configure your database by filling out the following fields' => 'Configurez votre base de données en remplissant les champs suivants', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Pour utiliser QloApps, vous devez créer une base de données pour collecter toutes les activités liées aux données de votre site Web.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Veuillez remplir les champs ci-dessous pour que QloApps se connecte à votre base de données.', + 'Database server address' => 'Adresse du serveur de base de données', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Le port par défaut est 3306. Pour utiliser un autre port, ajoutez le numéro de port à la fin de l\'adresse de votre serveur, c\'est-à-dire ":4242".', + 'Database name' => 'Nom de la base de données', + 'Database login' => 'Connexion à la base de données', + 'Database password' => 'Mot de passe de la base de données', + 'Database Engine' => 'Moteur de base de données', + 'Tables prefix' => 'Préfixe des tableaux', + 'Drop existing tables (mode dev)' => 'Supprimer les tables existantes (mode dev)', + 'Test your database connection now!' => 'Testez votre connexion à la base de données maintenant !', + 'Next' => 'Suivant', + 'Back' => 'Dos', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si vous avez besoin d\'aide, vous pouvez obtenir une aide personnalisée de notre équipe d\'assistance. La documentation officielle est également là pour vous guider.', + 'Official forum' => 'Forum officiel', + 'Support' => 'Soutien', + 'Documentation' => 'Documentation', + 'Contact us' => 'Contactez-nous', + 'QloApps Installation Assistant' => 'Assistant d\'installation QloApps', + 'Forum' => 'Forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Choisissez votre langue', + 'menu_license' => 'Contrats de licence', + 'menu_system' => 'Compatibilité du système', + 'menu_configure' => 'Informations sur le site Web', + 'menu_database' => 'Configuration du système', + 'menu_process' => 'Installation de QloApps', + 'Need Help?' => 'Besoin d\'aide?', + 'Click here to Contact us' => 'Cliquez ici pour nous contacter', + 'Installation' => 'Installation', + 'See our Installation guide' => 'Voir notre guide d\'installation', + 'Tutorials' => 'Tutoriels', + 'See our QloApps tutorials' => 'Voir nos tutoriels QloApps', + 'Installation Assistant' => 'Assistante d\'installation', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Pour installer QloApps, vous devez activer JavaScript dans votre navigateur.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Contrats de licence', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Pour profiter des nombreuses fonctionnalités proposées gratuitement par QloApps, veuillez lire les termes de licence ci-dessous. Le noyau de QloApps est sous licence OSL 3.0, tandis que les modules et thèmes sont sous licence AFL 3.0.', + 'I agree to the above terms and conditions.' => 'J\'accepte les termes et conditions ci-dessus.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'J\'accepte de participer à l\'amélioration de la solution en envoyant des informations anonymes sur ma configuration.', + 'Done!' => 'Fait!', + 'An error occurred during installation...' => 'Une erreur s\'est produite lors de l\'installation...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Vous pouvez utiliser les liens dans la colonne de gauche pour revenir aux étapes précédentes ou redémarrer le processus d\'installation en cliquant ici.', + 'Suggested Modules' => 'Modules suggérés', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Trouvez les bonnes fonctionnalités sur QloApps Addons pour faire de votre entreprise hôtelière un succès.', + 'Discover All Modules' => 'Découvrez tous les modules', + 'Suggested Themes' => 'Thèmes suggérés', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Créez un design qui convient à votre hôtel et à vos clients, avec un thème de modèle prêt à l\'emploi.', + 'Discover All Themes' => 'Découvrez tous les thèmes', + 'Your installation is finished!' => 'Votre installation est terminée !', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Vous venez de terminer l\'installation de QloApps. Merci d\'utiliser QloApps !', + 'Please remember your login information:' => 'N\'oubliez pas vos informations de connexion :', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Imprimer mes informations de connexion', + 'Display' => 'Afficher', + 'For security purposes, you must delete the "install" folder.' => 'Pour des raisons de sécurité, vous devez supprimer le dossier « install ».', + 'Back Office' => 'Back-Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gérez votre site Web à l\'aide de votre Back Office. Gérez vos commandes et vos clients, ajoutez des modules, changez de thèmes, etc.', + 'Manage Your Website' => 'Gérez votre site Web', + 'Front Office' => 'Réception', + 'Discover your website as your future customers will see it!' => 'Découvrez votre site internet tel que vos futurs clients le verront !', + 'Discover Your Website' => 'Découvrez votre site Web', + 'Share your experience with your friends!' => 'Partagez votre expérience avec vos amis !', + 'I just built an online hotel booking website with QloApps!' => 'Je viens de créer un site de réservation d\'hôtel en ligne avec QloApps !', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Voir toutes les fonctionnalités ici : https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweeter', + 'Share' => 'Partager', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Nous vérifions actuellement la compatibilité de QloApps avec votre environnement système', + 'If you have any questions, please visit our documentation and community forum.' => 'Si vous avez des questions, veuillez consulter notre documentation et notre forum communautaire< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'La compatibilité de QloApps avec votre environnement système a été vérifiée !', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Veuillez corriger les éléments ci-dessous, puis cliquez sur « Actualiser les informations » pour tester la compatibilité de votre nouveau système.', + 'Refresh these settings' => 'Actualiser ces paramètres', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps nécessite au moins 128 Mo de mémoire pour fonctionner : veuillez vérifier la directive memory_limit dans votre fichier php.ini ou contacter votre fournisseur d\'hébergement à ce sujet.', + 'Welcome to the QloApps %s Installer' => 'Bienvenue dans le programme d\'installation de QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'L\'installation de QloApps est simple et rapide. En quelques instants, vous ferez partie d’une communauté. Vous êtes sur le point de créer votre propre site de réservation d’hôtel que vous pourrez gérer facilement au quotidien.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Si vous avez besoin d\'aide, n\'hésitez pas à regarder ce court tutoriel, ou à consulter notre documentation.', + 'Continue the installation in:' => 'Continuez l\'installation dans :', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'La sélection de langue ci-dessus s\'applique uniquement à l\'assistant d\'installation. Une fois QloApps installé, vous pouvez choisir la langue de votre site Web parmi plus de %d traductions, le tout gratuitement !', + ), +); \ No newline at end of file diff --git a/install/langs/he/install.php b/install/langs/he/install.php index a9b621851..acf23babc 100644 --- a/install/langs/he/install.php +++ b/install/langs/he/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'שגיאת SQL אירעה עבור %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'כשלון ביצירת תמונה "%1$s" עבור "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'כשלון ביצירת תמונה "%1$s" (הרשאות שגויות עבור התקייה "%2$s")', - 'Cannot create image "%s"' => 'כשלון ביצירת תמונה "%s"', - 'SQL error on query %s' => 'שגיאת SQL אירעה עבור השאילתא %s', - '%s Login information' => 'פרטי התחברות %s', - 'Field required' => 'שדה חובה', - 'Invalid shop name' => 'שם חנות לא תקין', - 'The field %s is limited to %d characters' => 'אורך השדה %s מוגבל ל %d תווים', - 'Your firstname contains some invalid characters' => 'השם הפרטי מכיל תווים לא תקינים', - 'Your lastname contains some invalid characters' => 'שם המשפחה מכיל תווים לא חוקיים', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'הסיסמא לא תקינה (מחרוזת תווים בת לפחות 8 תווים)', - 'Password and its confirmation are different' => 'שתי הסיסמאות לא תואמות', - 'This e-mail address is invalid' => 'כתובת האמייל הזו לא תקינה', - 'Image folder %s is not writable' => 'לא ניתן לכתוב לספרית התמונות %s', - 'An error occurred during logo copy.' => 'שגיאה אירעה בעת העתקת לוגו.', - 'An error occurred during logo upload.' => 'שגיאה אירעה בעת העלאת הלוגו.', - 'Lingerie and Adult' => 'ביגוד תחתון ומוצרי מבוגרים', - 'Animals and Pets' => 'חיות וחיות בית', - 'Art and Culture' => 'תרבות ואומנות', - 'Babies' => 'תינוקות', - 'Beauty and Personal Care' => 'יופי וטיפוח אישי', - 'Cars' => 'מכוניות', - 'Computer Hardware and Software' => 'חומרה ותוכנה', - 'Download' => 'הורדות', - 'Fashion and accessories' => 'אופנה ואקססוריז', - 'Flowers, Gifts and Crafts' => 'פרחים, מתנות ומלאכת יד', - 'Food and beverage' => 'מזון ומשקאות', - 'HiFi, Photo and Video' => 'תמונות, וידיאו ועריכה', - 'Home and Garden' => 'בית וגינון', - 'Home Appliances' => 'מוצרים לבית', - 'Jewelry' => 'תכשיטים', - 'Mobile and Telecom' => 'תקשורת וסלולר', - 'Services' => 'שירותים', - 'Shoes and accessories' => 'נעליים ואקססוריז', - 'Sports and Entertainment' => 'ספורט ובידור', - 'Travel' => 'נסיעות', - 'Database is connected' => 'התחברות למסד הנתונים', - 'Database is created' => 'יצירת מסד נתונים', - 'Cannot create the database automatically' => 'לא ניתן ליצור את מסד הנתונים באופן אוטומטי', - 'Create settings.inc file' => 'יוצר קובץ הגדרות', - 'Create database tables' => 'יוצר טבלאות', - 'Create default shop and languages' => 'יוצר את חנות ושפות ברירת המחדל', - 'Populate database tables' => 'מאכלס את טבלאות מסד הנתונים', - 'Configure shop information' => 'הגדר פרטי חנות', - 'Install demonstration data' => 'התקן נתוני דמו', - 'Install modules' => 'מתקין מודולים', - 'Install Addons modules' => 'התקן תוספים', - 'Install theme' => 'מתקין תבניות עיצוב', - 'Required PHP parameters' => 'פרמטרים PHP נדרשים', - 'PHP 5.1.2 or later is not enabled' => 'PHP בגרסה 5.1.2 או יותר אינה פעילה', - 'Cannot upload files' => 'לא ניתן להעלות קבצים', - 'Cannot create new files and folders' => 'לא ניתן ליצור קבצים וספריות חדשים', - 'GD library is not installed' => 'GD Library אינה מותקנת', - 'MySQL support is not activated' => 'תמיכה ב MySQL אינה מופעלת', - 'Files' => 'קבצים', - 'Not all files were successfully uploaded on your server' => 'לא כל הקבצים הועלו לשרת בהצלחה', - 'Permissions on files and folders' => 'הרשאות קבצים וספריות', - 'Recursive write permissions for %1$s user on %2$s' => 'הרשאות כתיבה רקורסיביות עבור המשתמש %1$s ב %2$s', - 'Recommended PHP parameters' => 'פרמטרי PHP מומלצים', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'אין אפשרות לפתוח קישורים חיצוניים', - 'PHP register_globals option is enabled' => 'אפשרות PHP register_globals אינה מופעלת', - 'GZIP compression is not activated' => 'דחיסת GZIP לא מופעלת', - 'Mcrypt extension is not enabled' => 'ההרחבה Mcrypt לא מופעלת', - 'Mbstring extension is not enabled' => 'ההרחבה Mbstring לא מופעלת', - 'PHP magic quotes option is enabled' => 'אפשרות PHP magic quotes אינה פעילה', - 'Dom extension is not loaded' => 'הרחבת Dom לא נטענה', - 'PDO MySQL extension is not loaded' => 'הרחבת PDO עבור MySQL לא נטענה', - 'Server name is not valid' => 'יש לבחור שם שרת', - 'You must enter a database name' => 'יש להזין שם מסד נתונים', - 'You must enter a database login' => 'יש להזין שם משתמש עבור התחברות אל מסד הנתונים', - 'Tables prefix is invalid' => 'קידומת הטבלאות אינה חוקית', - 'Cannot convert database data to utf-8' => 'לא ניתן להמיר את נתוני מסד הנתונים אל utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'לפחות טבלה אחת בעלת אותה תחילית נמצאה, יד לשנות את התחילית או לבצע \'drop\' למסד הנתונים', - 'The values of auto_increment increment and offset must be set to 1' => 'ערכי הגדילה (increment) של auto_increment ושל היסט (offset) מוכרחים להיות מוגדרים כ 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'שרת מסד הנתונים לא נמצא. וודא את נכונות השדות: שרת, שם משתמש וסיסמה עבור מסד הנתונים', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'התחברות לשרת MySQL בוצעה בהלחה, אך מסד הנתונים "%s" לא נמצא', - 'Attempt to create the database automatically' => 'מנסה ליצור את מסד הנתונים באופן אוטומטי', - '%s file is not writable (check permissions)' => 'לא ניתן לכתוב אל הקובץ %s (בדוק הרשאות)', - '%s folder is not writable (check permissions)' => 'לא ניתן לכתוב אל התקייה %s (בדוק הרשאות)', - 'Cannot write settings file' => 'כשלון בעדכון קובץ הגדרות', - 'Database structure file not found' => 'קובץ מבנה מסד הנתונים לא נמצא', - 'Cannot create group shop' => 'כישלון ביצירת קבוצת חנויות', - 'Cannot create shop' => 'כישלון ביצירת חנות', - 'Cannot create shop URL' => 'כישלון ביצירת כתובת החנות', - 'File "language.xml" not found for language iso "%s"' => 'לא נמצא קובץ "language.xml" עבור השפה בעלת קוד איזו "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'קובץ ה "language.xml" אינו תקין עבור השפה בעלת קוד איזו "%s"', - 'Cannot install language "%s"' => 'כישלון בהתקנת שפה "%s"', - 'Cannot copy flag language "%s"' => 'כישלון בהעתקת הדגל עבור השפה "%s"', - 'Cannot create admin account' => 'כשלון ביצירת חשבון admin', - 'Cannot install module "%s"' => 'כישלון בהתקנת מודול "%s"', - 'Fixtures class "%s" not found' => 'Fixtures class "%s" לא נמצאה', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" חייב להיות מופע של "InstallXmlLoader"', - 'Information about your Store' => 'פרטים אודות החנות', - 'Shop name' => 'שם חנות', - 'Main activity' => 'פעילות עיקרית', - 'Please choose your main activity' => 'בחר פעילות עיקרית של החנות', - 'Other activity...' => 'פעילות אחרת...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'עזור לנו ללמוד עוד אודות חנותך כדי שנוכל להציע לך את ההדרכה והאפשרויות המתאימות ביותר לעסקך!', - 'Install demo products' => 'התקן מוצרי הדגמה', - 'Yes' => 'כן', - 'No' => 'לא', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'מוצרי הדגמה הם דרך טובה ללמוד על השימוש בפרסטהשופ. כדאי שתתקין אותם אם עדיין אין לך ניסיון עם המערכת.', - 'Country' => 'ארץ', - 'Select your country' => 'בחר מדינה', - 'Shop timezone' => 'איזור הזמן של החנות', - 'Select your timezone' => 'בחר איזור זמן', - 'Shop logo' => 'לוגו החנות', - 'Optional - You can add you logo at a later time.' => 'אופציונלי - ניתן להוסיף לוגו מאוחר יותר.', - 'Your Account' => 'החשבון שלך', - 'First name' => 'שם פרטי', - 'Last name' => 'שם משפחה', - 'E-mail address' => 'אימייל', - 'This email address will be your username to access your store\'s back office.' => 'כתובת אימייל זו תשמש כשם המשתמש שלך עבור התחברות לממשק הניהול של החנות.', - 'Shop password' => 'סיסמת החנות', - 'Must be at least 8 characters' => 'לפחות 8 תווים', - 'Re-type to confirm' => 'הקש שוב לאישור', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'הגדר את מסד הנתונים שלך ע"י מילוי השדות הבאים', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'לשימוש בפרסטהשופ, עליך ליצור מסד נתונים שבו ייאספו כל נתוני הפעילות של חנותך.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'בבקשה השלם את השדות הבאים כדי לאפשר לפרסטהשופ להתחבר למסד הנתונים. ', - 'Database server address' => 'כתובת שרת מסד הנתונים', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'פורט ברירת המחדל הוא 3306. לשימוש בפורט אחר, הוסף אותו לאחר כתובת השרת לדוגמה "4242:".', - 'Database name' => 'שם מסד הנתונים', - 'Database login' => 'שם המשתמש של מסד הנתונים', - 'Database password' => 'סיסמה של מסד הנתונים', - 'Database Engine' => 'סוג מסד נתונים', - 'Tables prefix' => 'תחילית שם טבלה', - 'Drop existing tables (mode dev)' => 'מחק טבלאות קיימות ייחד עם כל הנתונים (מצב פיתוח)', - 'Test your database connection now!' => 'בדוק קישוריות לדטהבייס כעת!', - 'Next' => 'הבא', - 'Back' => 'חזרה', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'פורום פרסטהשופ', - 'Support' => 'תמיכה', - 'Documentation' => 'תיעוד', - 'Contact us' => 'צור קשר', - 'PrestaShop Installation Assistant' => 'מסייע ההתקנה של פרסטהשופ', - 'Forum' => 'פורום', - 'Blog' => 'בלוג', - 'Contact us!' => 'צור קשר!', - 'menu_welcome' => 'בחר שפה', - 'menu_license' => 'הסכמי רישוי', - 'menu_system' => 'תאימות למערכת', - 'menu_configure' => 'פרטי החנות', - 'menu_database' => 'הגדרות מערכת', - 'menu_process' => 'התקנת החנות', - 'Installation Assistant' => 'מסייע ההתקנות', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'להתקנת פרסטהשופ, עליך לאפשר הרצת קוד ג\'אווה סקריפט בדפדפן שלך.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'הסכמי רישוי', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'כדי להנות ממגוון האפשרויות המוצעות חינם על ידי פרסטהשופ, קרא בבקשה את תנאי הרשיון למטה. קבצי הבסיס של פרסטהשופ הם תחת הרשיון OSL 3.0 , ואילו המודולים וערכות העיצוב הם תחת הרשיון AFL 3.0.', - 'I agree to the above terms and conditions.' => 'אני מסכים לתנאי השימוש.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'אני מסכים להשתתף בשיפור המערכת על ידי שליחת מידע אנונימי על ההגדרות שלי.', - 'Done!' => 'הסתיים!', - 'An error occurred during installation...' => 'שגיאה אירעה במהלך ההתקנה...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'אתה יכול להיעזר בקישורים שבעמודה משמאל לחזור לצעד הקודם, ובאפשרותך גם לאתחל את ההתקנה על ידי לחיצה כאן.', - 'Your installation is finished!' => 'ההתקנה הסתיימה!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'סיימת להתקין את החנות. תודה שבחרת בפרסטהשופ!', - 'Please remember your login information:' => 'אל תשכח את פרטי הכניסה שלך:', - 'E-mail' => 'אימייל', - 'Print my login information' => 'הדפס פרטי התחברות', - 'Password' => 'סיסמא', - 'Display' => 'הצג', - 'For security purposes, you must delete the "install" folder.' => 'לצורך אבטחת החנות, יש למחוק כעת את ספריית "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'ממשק ניהול', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'נהל את חנותך על ידי שימוש בממשק הניהול. נהל את ההזמנות והלקוחות, הוסף מודולים, שנה ערכות עיצוב, ועוד.', - 'Manage your store' => 'נהל את החנות', - 'Front Office' => 'ממשק לקוח', - 'Discover your store as your future customers will see it!' => 'סייר בחנותך כפי שתוצג בפני לקוחותיך העתידים!', - 'Discover your store' => 'גלה את החנות', - 'Share your experience with your friends!' => 'שתף עם חברים!', - 'I just built an online store with PrestaShop!' => 'הרגע סיימתי לבנות חנות אלקטרונית עם פרסטהשופ!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'צפה בחוויה הבאה: http://vimeo.com/89298199', - 'Tweet' => 'צייץ', - 'Share' => 'שתף', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'בדוק את התוספים של פרסטהשופ והרחב את מערכת החנות!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'בדיקת תאימות פרסטהשופ לסביבת המערכת', - 'If you have any questions, please visit our documentation and community forum.' => 'לכל שאלה שתצוץ, ראה תיעוד או בקר בפורום הקהילתי.', - 'PrestaShop compatibility with your system environment has been verified!' => 'המערכת שלך תואמת לדרישות פרסטהשופ!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'אופס! תקן בבקשה את הפריט/ים למטה, ולחץ על "רענן מידע" לבדוק את תאימות נמערכת מחדש.', - 'Refresh these settings' => 'רענן הגדרות', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'להרצת פרסטהשופ נדרש לפחות 32 MB של זיכרון: בדוק את הגדרת memory_limit בקובץ ה php.ini שלך, או צור קשר עם ספק האכסון שלך בנושא.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'אזהרה: אין באפשרותך להשתמש עוד בכלי זה לשדרוג חנותך.

כבר מותקנת אצלך גרסה %1$s של פרסטהשופ.

אם ברצונך לשדרג לגרסה האחרונה, קרא בבקשה את התיעוד: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'ברוכים הבאים להתקנת פרסטהשופ %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'התקנת פרסטהשופ היא קלה ופשוטה. תוך מספר דקות תהפוך לחלק מקהילה הכוללת מעל 230,000 סוחרים. אתה נמצא בדרכך ליצירת חנות וירטואלית ייחודית שתוכל לנהלה בקלות על בסיס יומי.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'המשך התקנה בשפה:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'בחירת השפה למעלה חלה על תהליך ההתקנה בלבד. לאחר שהחנות מותקנת, באפשרותך לבחור שפה עבור ממשק החנות מתוך מעל %d תרגומים, והכל בחינם!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'התקנת פרסטהשופ היא קלה ופשוטה. תוך מספר דקות תהפוך לחלק מקהילה הכוללת מעל 250,000 סוחרים. אתה נמצא בדרכך ליצירת חנות וירטואלית ייחודית שתוכל לנהלה בקלות על בסיס יומי.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'אירעה שגיאת SQL עבור הישות %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'לא ניתן ליצור תמונה "%1$s" עבור הישות "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'לא ניתן ליצור תמונה "%1$s" (הרשאות לא טובות בתיקייה "%2$s")', + 'Cannot create image "%s"' => 'לא ניתן ליצור תמונה "%s"', + 'SQL error on query %s' => 'שגיאת SQL בשאילתה %s', + '%s Login information' => '%s פרטי התחברות', + 'Field required' => 'שדה חובה', + 'Invalid shop name' => 'שם חנות לא חוקי', + 'The field %s is limited to %d characters' => 'השדה %s מוגבל ל-%d תווים', + 'Your firstname contains some invalid characters' => 'השם הפרטי שלך מכיל כמה תווים לא חוקיים', + 'Your lastname contains some invalid characters' => 'שם המשפחה שלך מכיל כמה תווים לא חוקיים', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'הסיסמה שגויה (מחרוזת אלפאנומרית עם לפחות 8 תווים)', + 'Password and its confirmation are different' => 'הסיסמה ואישורה שונים', + 'This e-mail address is invalid' => 'כתובת דואר אלקטרוני זו אינה חוקית', + 'Image folder %s is not writable' => 'תיקיית התמונות %s אינה ניתנת לכתיבה', + 'An error occurred during logo copy.' => 'אירעה שגיאה במהלך העתקת הלוגו.', + 'An error occurred during logo upload.' => 'אירעה שגיאה במהלך העלאת הלוגו.', + 'Lingerie and Adult' => 'הלבשה תחתונה ומבוגרים', + 'Animals and Pets' => 'בעלי חיים וחיות מחמד', + 'Art and Culture' => 'אומנות ותרבות', + 'Babies' => 'תינוקות', + 'Beauty and Personal Care' => 'יופי וטיפוח אישי', + 'Cars' => 'מכוניות', + 'Computer Hardware and Software' => 'חומרה ותוכנה למחשב', + 'Download' => 'הורד', + 'Fashion and accessories' => 'אופנה ואביזרים', + 'Flowers, Gifts and Crafts' => 'פרחים, מתנות ויצירה', + 'Food and beverage' => 'מזון ומשקאות', + 'HiFi, Photo and Video' => 'HiFi, צילום ווידאו', + 'Home and Garden' => 'בית וגן', + 'Home Appliances' => 'מכשירי חשמל לבית', + 'Jewelry' => 'תכשיט', + 'Mobile and Telecom' => 'נייד וטלקום', + 'Services' => 'שירותים', + 'Shoes and accessories' => 'נעליים ואביזרים', + 'Sports and Entertainment' => 'ספורט ובידור', + 'Travel' => 'לִנְסוֹעַ', + 'Database is connected' => 'מסד הנתונים מחובר', + 'Database is created' => 'נוצר מסד נתונים', + 'Cannot create the database automatically' => 'לא ניתן ליצור את מסד הנתונים באופן אוטומטי', + 'Create settings.inc file' => 'צור קובץ settings.inc', + 'Create database tables' => 'צור טבלאות מסד נתונים', + 'Create default website and languages' => 'צור אתר אינטרנט ושפות ברירת מחדל', + 'Populate database tables' => 'אכלס טבלאות מסד נתונים', + 'Configure website information' => 'הגדר מידע על האתר', + 'Install demonstration data' => 'התקן נתוני הדגמה', + 'Install modules' => 'התקן מודולים', + 'Install Addons modules' => 'התקן מודולי תוספות', + 'Install theme' => 'התקן ערכת נושא', + 'Required PHP parameters' => 'פרמטרי PHP נדרשים', + 'The required PHP version is between 5.6 to 7.4' => 'גרסת ה-PHP הנדרשת היא בין 5.6 ל-7.4', + 'Cannot upload files' => 'לא ניתן להעלות קבצים', + 'Cannot create new files and folders' => 'לא ניתן ליצור קבצים ותיקיות חדשים', + 'GD library is not installed' => 'ספריית GD אינה מותקנת', + 'PDO MySQL extension is not loaded' => 'תוסף MySQL PDO אינו נטען', + 'Curl extension is not loaded' => 'סיומת תלתל אינה נטענת', + 'SOAP extension is not loaded' => 'תוסף SOAP אינו נטען', + 'SimpleXml extension is not loaded' => 'תוסף SimpleXml לא נטען', + 'In the PHP configuration set memory_limit to minimum 128M' => 'בתצורת PHP הגדר את memory_limit למינימום 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'בתצורת PHP הגדר את max_execution_time למינימום 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'בתצורת PHP הגדר את upload_max_filesize למינימום 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'לא ניתן לפתוח כתובות URL חיצוניות (מחייב allow_url_fopen כ-On).', + 'ZIP extension is not enabled' => 'סיומת ZIP אינה מופעלת', + 'Files' => 'קבצים', + 'Not all files were successfully uploaded on your server' => 'לא כל הקבצים הועלו בהצלחה לשרת שלך', + 'Permissions on files and folders' => 'הרשאות על קבצים ותיקיות', + 'Recursive write permissions for %1$s user on %2$s' => 'הרשאות כתיבה רקורסיביות למשתמש %1$s ב-%2$s', + 'Recommended PHP parameters' => 'פרמטרי PHP מומלצים', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'אתה משתמש בגרסת PHP %s. בקרוב, גרסת ה-PHP העדכנית הנתמכת על ידי QloApps תהיה PHP 5.6. כדי לוודא שאתה מוכן לעתיד, אנו ממליצים לך לשדרג ל-PHP 5.6 עכשיו!', + 'PHP register_globals option is enabled' => 'אפשרות PHP register_globals מופעלת', + 'GZIP compression is not activated' => 'דחיסת GZIP אינה מופעלת', + 'Mbstring extension is not enabled' => 'סיומת Mbstring אינה מופעלת', + 'Dom extension is not loaded' => 'סיומת Dom אינה נטענת', + 'Server name is not valid' => 'שם השרת אינו חוקי', + 'You must enter a database name' => 'עליך להזין שם מסד נתונים', + 'You must enter a database login' => 'עליך להזין התחברות למסד נתונים', + 'Tables prefix is invalid' => 'קידומת טבלאות אינה חוקית', + 'Cannot convert database data to utf-8' => 'לא ניתן להמיר נתוני מסד נתונים ל-utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'לפחות טבלה אחת עם אותה קידומת כבר נמצאה, אנא שנה את הקידומת שלך או שחרר את מסד הנתונים שלך', + 'The values of auto_increment increment and offset must be set to 1' => 'יש להגדיר את הערכים של increment auto_increment והיסט ל-1', + 'Database Server is not found. Please verify the login, password and server fields' => 'שרת מסד הנתונים לא נמצא. נא לאמת את שדות הכניסה, הסיסמה והשרת', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'החיבור לשרת MySQL הצליח, אך מסד הנתונים "%s" לא נמצא', + 'Attempt to create the database automatically' => 'נסה ליצור את מסד הנתונים באופן אוטומטי', + '%s file is not writable (check permissions)' => 'קובץ %s אינו בר כתיבה (בדוק הרשאות)', + '%s folder is not writable (check permissions)' => 'התיקייה %s אינה ניתנת לכתיבה (בדוק הרשאות)', + 'Cannot write settings file' => 'לא ניתן לכתוב קובץ הגדרות', + 'Database structure file not found' => 'קובץ מבנה מסד הנתונים לא נמצא', + 'Cannot create group shop' => 'לא ניתן ליצור חנות קבוצתית', + 'Cannot create shop' => 'לא ניתן ליצור חנות', + 'Cannot create shop URL' => 'לא ניתן ליצור כתובת אתר של חנות', + 'File "language.xml" not found for language iso "%s"' => 'הקובץ "language.xml" לא נמצא עבור שפת iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'הקובץ "language.xml" אינו חוקי עבור שפת iso "%s"', + 'Cannot install language "%s"' => 'לא ניתן להתקין את השפה "%s"', + 'Cannot copy flag language "%s"' => 'לא ניתן להעתיק את שפת הדגל "%s"', + 'Cannot create admin account' => 'לא ניתן ליצור חשבון אדמין', + 'Cannot install module "%s"' => 'לא ניתן להתקין את המודול "%s"', + 'Fixtures class "%s" not found' => 'מחלקת התקנים "%s" לא נמצאה', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" חייב להיות מופע של "InstallXmlLoader"', + 'Information about your Website' => 'מידע על האתר שלך', + 'Website name' => 'שם האתר', + 'Main activity' => 'פעילות עיקרית', + 'Please choose your main activity' => 'אנא בחר את הפעילות העיקרית שלך', + 'Other activity...' => 'פעילות אחרת...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'עזור לנו ללמוד עוד על החנות שלך כדי שנוכל להציע לך הדרכה אופטימלית ואת התכונות הטובות ביותר עבור העסק שלך!', + 'Install demo data' => 'התקן נתוני הדגמה', + 'Yes' => 'כן', + 'No' => 'לא', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'התקנת נתוני הדגמה היא דרך טובה ללמוד כיצד להשתמש ב-QloApps אם לא השתמשת בהם בעבר. ניתן למחוק את נתוני ההדגמה הללו מאוחר יותר באמצעות מודול QloApps Data Cleaner המגיע מותקן מראש עם התקנה זו.', + 'Country' => 'מדינה', + 'Select your country' => 'בחר את המדינה שלך', + 'Website timezone' => 'אזור זמן של האתר', + 'Select your timezone' => 'בחר את אזור הזמן שלך', + 'Enable SSL' => 'אפשר SSL', + 'Shop logo' => 'לוגו של החנות', + 'Optional - You can add you logo at a later time.' => 'אופציונלי - אתה יכול להוסיף את הלוגו שלך במועד מאוחר יותר.', + 'Your Account' => 'החשבון שלך', + 'First name' => 'שם פרטי', + 'Last name' => 'שם משפחה', + 'E-mail address' => 'כתובת דוא"ל', + 'This email address will be your username to access your website\'s back office.' => 'כתובת דוא"ל זו תהיה שם המשתמש שלך כדי לגשת למשרד האחורי של האתר שלך.', + 'Password' => 'סיסמה', + 'Must be at least 8 characters' => 'חייב להיות לפחות 8 תווים', + 'Re-type to confirm' => 'הקלד מחדש כדי לאשר', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'המידע שאתה נותן לנו נאסף על ידינו ונתון לעיבוד נתונים וסטטיסטיקות. לפי "החוק על עיבוד נתונים, קבצי נתונים וחירויות אינדיבידואליות" הנוכחי יש לך את הזכות לגשת, לתקן ולהתנגד לעיבוד הנתונים האישיים שלך באמצעות קישור.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'אני מסכים לקבל את הניוזלטר והצעות קידום מ-QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'תמיד תקבל אימייל עסקה כמו עדכונים חדשים, תיקוני אבטחה ותיקונים גם אם לא תבחר באפשרות זו.', + 'Configure your database by filling out the following fields' => 'הגדר את מסד הנתונים שלך על ידי מילוי השדות הבאים', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'כדי להשתמש ב-QloApps, עליך ליצור מסד נתונים כדי לאסוף את כל הפעילויות הקשורות לנתונים באתר שלך.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'אנא מלא את השדות למטה כדי ש-QloApps יתחבר למסד הנתונים שלך.', + 'Database server address' => 'כתובת שרת מסד הנתונים', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'יציאת ברירת המחדל היא 3306. כדי להשתמש ביציאה אחרת, הוסף את מספר היציאה בסוף כתובת השרת שלך, כלומר ":4242".', + 'Database name' => 'שם בסיס הנתונים', + 'Database login' => 'כניסה למסד נתונים', + 'Database password' => 'סיסמת מסד נתונים', + 'Database Engine' => 'מנוע מסד נתונים', + 'Tables prefix' => 'קידומת טבלאות', + 'Drop existing tables (mode dev)' => 'זרוק טבלאות קיימות (מפתח מצב)', + 'Test your database connection now!' => 'בדוק את חיבור מסד הנתונים שלך עכשיו!', + 'Next' => 'הַבָּא', + 'Back' => 'חזור', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'אם אתה זקוק לסיוע מסוים, תוכל לקבל עזרה מותאמת מצוות התמיכה שלנו. התיעוד הרשמי גם כאן כדי להדריך אותך.', + 'Official forum' => 'הפורום הרשמי', + 'Support' => 'תמיכה', + 'Documentation' => 'תיעוד', + 'Contact us' => 'צור קשר', + 'QloApps Installation Assistant' => 'עוזר התקנה של QloApps', + 'Forum' => 'פוֹרוּם', + 'Blog' => 'בלוג', + 'menu_welcome' => 'בחר את השפה שלך', + 'menu_license' => 'הסכמי רישיון', + 'menu_system' => 'תאימות מערכת', + 'menu_configure' => 'מידע על האתר', + 'menu_database' => 'הגדרות מערכת', + 'menu_process' => 'התקנת QloApps', + 'Need Help?' => 'זקוק לעזרה?', + 'Click here to Contact us' => 'לחץ כאן ליצירת קשר', + 'Installation' => 'הַתקָנָה', + 'See our Installation guide' => 'עיין במדריך ההתקנה שלנו', + 'Tutorials' => 'הדרכות', + 'See our QloApps tutorials' => 'עיין במדריכי QloApps שלנו', + 'Installation Assistant' => 'עוזר התקנה', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'כדי להתקין QloApps, עליך להפעיל JavaScript בדפדפן שלך.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'הסכמי רישיון', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'כדי ליהנות מתכונות רבות המוצעות בחינם על ידי QloApps, אנא קרא את תנאי הרישיון למטה. הליבה של QloApps היא ברישיון תחת OSL 3.0, בעוד שהמודולים והנושאים מורשים תחת AFL 3.0.', + 'I agree to the above terms and conditions.' => 'אני מסכים לתנאים וההגבלות שלעיל.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'אני מסכים להשתתף בשיפור הפתרון על ידי שליחת מידע אנונימי על התצורה שלי.', + 'Done!' => 'בוצע!', + 'An error occurred during installation...' => 'אירעה שגיאה במהלך ההתקנה...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'אתה יכול להשתמש בקישורים בעמודה השמאלית כדי לחזור לשלבים הקודמים, או להפעיל מחדש את תהליך ההתקנה על ידי לחיצה כאן.', + 'Suggested Modules' => 'מודולים מוצעים', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'מצא בדיוק את התכונות הנכונות ב-QloApps Addons כדי להפוך את עסקי האירוח שלך להצלחה.', + 'Discover All Modules' => 'גלה את כל המודולים', + 'Suggested Themes' => 'ערכות נושא מוצעות', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'צור עיצוב שמתאים למלון שלך וללקוחות שלך, עם ערכת תבנית מוכנה לשימוש.', + 'Discover All Themes' => 'גלה את כל הנושאים', + 'Your installation is finished!' => 'ההתקנה שלך הסתיימה!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'זה עתה סיימת להתקין QloApps. תודה על השימוש ב-QloApps!', + 'Please remember your login information:' => 'אנא זכור את פרטי הכניסה שלך:', + 'E-mail' => 'אימייל', + 'Print my login information' => 'הדפס את פרטי הכניסה שלי', + 'Display' => 'לְהַצִיג', + 'For security purposes, you must delete the "install" folder.' => 'למטרות אבטחה, עליך למחוק את תיקיית "התקן".', + 'Back Office' => 'Back Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'נהל את האתר שלך באמצעות Back Office שלך. נהל את ההזמנות והלקוחות שלך, הוסף מודולים, שנה ערכות נושא וכו\'.', + 'Manage Your Website' => 'נהל את האתר שלך', + 'Front Office' => 'משרד קדמי', + 'Discover your website as your future customers will see it!' => 'גלה את האתר שלך כפי שהלקוחות העתידיים שלך יראו אותו!', + 'Discover Your Website' => 'גלה את האתר שלך', + 'Share your experience with your friends!' => 'שתף את החוויה שלך עם החברים שלך!', + 'I just built an online hotel booking website with QloApps!' => 'זה עתה בניתי אתר אינטרנט להזמנת מלונות עם QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'ראה את כל התכונות כאן: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'צִיוּץ', + 'Share' => 'לַחֲלוֹק', + 'Google+' => 'Google+', + 'Pinterest' => 'פינטרסט', + 'LinkedIn' => 'לינקדאין', + 'We are currently checking QloApps compatibility with your system environment' => 'אנו בודקים כעת את תאימות QloApps לסביבת המערכת שלך', + 'If you have any questions, please visit our documentation and community forum.' => 'אם יש לך שאלות כלשהן, בקר בתיעוד ובפורום הקהילה< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'אומתה תאימות QloApps לסביבת המערכת שלך!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'אופס! אנא תקן את הפריט/ים למטה, ולאחר מכן לחץ על "רענן מידע" כדי לבדוק את התאימות של המערכת החדשה שלך.', + 'Refresh these settings' => 'רענן את ההגדרות הללו', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps דורש לפחות 128 MB של זיכרון כדי לפעול: אנא בדוק את הוראת memory_limit בקובץ php.ini שלך או פנה לספק המארח שלך בעניין זה.', + 'Welcome to the QloApps %s Installer' => 'ברוכים הבאים למתקין QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'התקנת QloApps היא מהירה וקלה. תוך רגעים ספורים אתה תהפוך לחלק מקהילה. אתה בדרך ליצור אתר אינטרנט משלך להזמנת מלונות שתוכל לנהל בקלות בכל יום.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'אם אתה זקוק לעזרה, אל תהסס לצפות במדריך הקצר הזה, או בדוק את התיעוד שלנו.', + 'Continue the installation in:' => 'המשך בהתקנה ב:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'בחירת השפה למעלה חלה רק על מסייע ההתקנה. לאחר התקנת QloApps, אתה יכול לבחור את שפת האתר שלך מתוך יותר מ-%d תרגומים, הכל בחינם!', + ), +); \ No newline at end of file diff --git a/install/langs/hr/install.php b/install/langs/hr/install.php index 691df30e6..5b804cecf 100644 --- a/install/langs/hr/install.php +++ b/install/langs/hr/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Došlo je do pogreške SQL za entitet %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Ne mogu stvoriti sliku "%1$s" za entitet "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Ne mogu stvoriti sliku "%1$s" (loše dozvole na mapi "%2$s")', - 'Cannot create image "%s"' => 'Ne mogu stvoriti sliku "%s"', - 'SQL error on query %s' => 'SQL error na upit %s', - '%s Login information' => '%s Login informacije', - 'Field required' => 'Polje je potrebno', - 'Invalid shop name' => 'Pogrešno ime trgovine', - 'The field %s is limited to %d characters' => 'Polje %s je ograničeno na %d znakove', - 'Your firstname contains some invalid characters' => 'Vaše ime sadrži neke znakove koji nisu valjani', - 'Your lastname contains some invalid characters' => 'Vaše prezime sadrži neke znakove koji nisu valjani', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Lozinka je neispravna (alfanumerički niz s najmanje 8 znakova)', - 'Password and its confirmation are different' => 'Lozinka i njena potvrda su različiti', - 'This e-mail address is invalid' => 'Ova e-mail adresa nije ispravna', - 'Image folder %s is not writable' => 'U mapu za slike %s nije moguće pisati', - 'An error occurred during logo copy.' => 'Dogodila se pogreška tijekom kopiranja logotipa.', - 'An error occurred during logo upload.' => 'Došlo je do pogreške tijekom učitavanja logotipa.', - 'Lingerie and Adult' => 'Donje rublje i odrasli', - 'Animals and Pets' => 'Životinje i kućni ljubimci', - 'Art and Culture' => 'Umjetnost i kultura', - 'Babies' => 'Djeca', - 'Beauty and Personal Care' => 'Ljepota i osobna njega', - 'Cars' => 'Automobili', - 'Computer Hardware and Software' => 'Kompjuterski hardver i softver', - 'Download' => 'Preuzimanje', - 'Fashion and accessories' => 'Moda i pribor', - 'Flowers, Gifts and Crafts' => 'Cvijeće, pokloni i zanati', - 'Food and beverage' => 'Hrana i piće', - 'HiFi, Photo and Video' => 'HiFi, foto i video', - 'Home and Garden' => 'Kuća i vrt', - 'Home Appliances' => 'Kućanski aparati', - 'Jewelry' => 'Nakit', - 'Mobile and Telecom' => 'Mobiteli i telekomunikacije', - 'Services' => 'Servisi', - 'Shoes and accessories' => 'Cipele i pribor', - 'Sports and Entertainment' => 'Sport i zabava', - 'Travel' => 'Putovanje', - 'Database is connected' => 'Baza podataka je povezana', - 'Database is created' => 'Baza podataka je kreirana', - 'Cannot create the database automatically' => 'Ne može se automatski stvoriti bazu podataka', - 'Create settings.inc file' => 'Stvaranje settings.inc datoteke', - 'Create database tables' => 'Stvaranje tablice baze podataka', - 'Create default shop and languages' => 'Stvaranje zadane trgovine i jezika', - 'Populate database tables' => 'Popunjavanje tablice baze podataka', - 'Configure shop information' => 'Konfiguracija informacija o trgovini', - 'Install demonstration data' => 'Instaliranje demonstracijskih podataka', - 'Install modules' => 'Instaliranje modula', - 'Install Addons modules' => 'Instaliranje Addons modula', - 'Install theme' => 'Instaliranje teme', - 'Required PHP parameters' => 'Obavezni PHP parametri', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ili kasniji nije omogućen', - 'Cannot upload files' => 'Ne mogu učitati datoteke', - 'Cannot create new files and folders' => 'Ne mogu stvoriti nove datoteke i mape', - 'GD library is not installed' => 'GD biblioteka nije instalirana', - 'MySQL support is not activated' => 'MySQL podrška nije aktivirana', - 'Files' => 'Datoteke', - 'Not all files were successfully uploaded on your server' => 'Sve datoteke nisu uspješno učitane na server', - 'Permissions on files and folders' => 'Dozvole na datoteke i mape', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivna dozvola pisanja za %1$s korisnika na %2$s', - 'Recommended PHP parameters' => 'Preporučeni PHP parametri', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Vi koristite PHP inačicu %s . Uskoro, najnovija verzija PHP podržana od PrestaShopa će biti PHP 5.4. Da biste bili sigurni da ste spremni za budućnost, preporučujemo vam da nadogradite PHP 5.4 sada!', - 'Cannot open external URLs' => 'Ne mogu otvoriti vanjske URL-ove', - 'PHP register_globals option is enabled' => 'PHP register_globals opcija je uključena', - 'GZIP compression is not activated' => 'GZIP kompresija nije aktivirana', - 'Mcrypt extension is not enabled' => 'Mcrypt ekstenzija nije uključena', - 'Mbstring extension is not enabled' => 'Mbstring proširenje nije omogućeno', - 'PHP magic quotes option is enabled' => 'PHP magic quotes opcija je omogućena', - 'Dom extension is not loaded' => 'Dom proširenje nije učitano', - 'PDO MySQL extension is not loaded' => 'PDO MySQL ekstenzija nije usnimljena', - 'Server name is not valid' => 'Ime servera ne odgovara', - 'You must enter a database name' => 'Morate unijeti ime baze podataka', - 'You must enter a database login' => 'Morate unijeti login baze podataka', - 'Tables prefix is invalid' => 'Tablica prefiksa je nevažeća', - 'Cannot convert database data to utf-8' => 'Ne može se pretvoriti podatke baze podataka u UTF-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Najmanje jedan stol s istim prefiksom već je pronađen, molimo promijenite prefiks ili ispustite svoju bazu podataka', - 'The values of auto_increment increment and offset must be set to 1' => 'Vrijednosti AUTO_INCREMENT prirasta i offset moraju biti postavljene na 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Baza podataka Servera nije pronađena. Molimo provjerite prijavu, lozinke i polja poslužitelja', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Spajanje na MySQL poslužitelj uspio, ali baza "%s" nije pronađena', - 'Attempt to create the database automatically' => 'Automatski pokušaj stvaranja baze podataka', - '%s file is not writable (check permissions)' => '%s datoteku nije moguće upisati (provjerite dozvole)', - '%s folder is not writable (check permissions)' => '%s datoteku nije moguće upisati (provjerite dozvole)', - 'Cannot write settings file' => 'Ne možete pisati postavke datoteke', - 'Database structure file not found' => 'Struktura baze podataka datoteke nije pronađena', - 'Cannot create group shop' => 'Ne mogu stvoriti grupnu kupnju', - 'Cannot create shop' => 'Ne mogu kreirati shop', - 'Cannot create shop URL' => 'ne mogu kreirati URL shopa', - 'File "language.xml" not found for language iso "%s"' => 'Datoteka "language.xml" nije pronađena za jezik iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Datoteka "language.xml" nije valjana za jezik iso "%s"', - 'Cannot install language "%s"' => 'Ne mogu instalirati jezik "%s"', - 'Cannot copy flag language "%s"' => 'Ne mogu kopirati zastavu jezika "%s"', - 'Cannot create admin account' => 'Ne mogu kreirati račun administratora', - 'Cannot install module "%s"' => 'Ne mogu instalirati modul "%s"', - 'Fixtures class "%s" not found' => 'Raspored klase "%s" nije nađen', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" mora biti primjer od "InstallXmlLoader"', - 'Information about your Store' => 'Informacije o Vašoj trgovini', - 'Shop name' => 'Naziv trgovine', - 'Main activity' => 'Osnovna aktivnost', - 'Please choose your main activity' => 'Molimo odaberite svoju glavnu aktivnost', - 'Other activity...' => 'Druge aktivnosti...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomozite nam saznali više o vašoj trgovini, tako Vam možemo ponuditi optimalne smjernice i najbolje mogućnosti za Vaše poslovanje!', - 'Install demo products' => 'Instaliraj demo proizvode', - 'Yes' => 'Da', - 'No' => 'Ne', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo proizvodi su dobar način kako bi naučili kako koristiti Prestashop. Trebali bi ih instalirati, ako niste upoznati s njima.', - 'Country' => 'Država', - 'Select your country' => 'Odaberite državu', - 'Shop timezone' => 'Vremenska zona trgovine', - 'Select your timezone' => 'Odaberite svoju vremensku zonu', - 'Shop logo' => 'Logo trgovine', - 'Optional - You can add you logo at a later time.' => 'Izborno - Možete dodati logotip kasnije.', - 'Your Account' => 'Vaš račun', - 'First name' => 'Ime', - 'Last name' => 'Prezime', - 'E-mail address' => 'E-mail adresa', - 'This email address will be your username to access your store\'s back office.' => 'Ova e-mail adresa će biti vaše korisničko ime za pristup vašoj trgovini u back office.', - 'Shop password' => 'Lozinka shopa', - 'Must be at least 8 characters' => 'Mora biti najmanje 8 znakova', - 'Re-type to confirm' => 'Ponovite za potvrdu', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Sve informacije koje nam dajete se prikupljaju i podliježu obradi podataka i statistike, te potrebno koriste članovima PrestaShop tvrtke kako bi se odgovorilo na vaše zahtjeve. Vaši osobni podaci mogu biti proslijeđeni partnerima u sklopu partnerskih odnosa. Prema trenutnim "Zakonima o obradi podataka, podatkovnih datoteka i osobnih sloboda" imate pravo na pristup, ispraviti i protiviti se obradi vaših osobnih podataka kroz ovo link.', - 'Configure your database by filling out the following fields' => 'Konfiguriranje baze podataka ispunjavanjem sljedećih polja', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Za korištenje Presta shopa morate kreirati bazu podataka za prikupljanje svih aktivnosti na datotekama vaše trgovine.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Molimo ispunite polja ispod u PrestaShopu za spajanje na bazu podataka. ', - 'Database server address' => 'Adresa baze podataka', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Predefinirani port je 3306. Za korištenje drugog portal, dodajte broj porta na kraju serverske adrese je. ":4242".', - 'Database name' => 'Naziv baze podataka', - 'Database login' => 'Prijava u bazu podataka', - 'Database password' => 'Lozinka baze podataka', - 'Database Engine' => 'Vrsta baze podataka', - 'Tables prefix' => 'Prefiks tablica', - 'Drop existing tables (mode dev)' => 'Ispusti postojeće tablice (način dev)', - 'Test your database connection now!' => 'Testirajte sada konekciju na bazu podataka!', - 'Next' => 'Dalje', - 'Back' => 'Natrag', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Ukoliko trebate pomoć možete ostvariti pomoć po mjeri našeg tima za podršku. Oficijelna dokumentacija je također ovdje na pomoći.', - 'Official forum' => 'Oficijelni forum', - 'Support' => 'Podrška', - 'Documentation' => 'Dokumentacija', - 'Contact us' => 'Kontaktirajte nas', - 'PrestaShop Installation Assistant' => 'PrestaShop asistent za instalaciju', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Kontaktirajte nas!', - 'menu_welcome' => 'Odaberite svoj jezik', - 'menu_license' => 'Sporazum o licenci', - 'menu_system' => 'Kompatibilnost sistema', - 'menu_configure' => 'Informacije o prodavaonici', - 'menu_database' => 'Podešavanje sustava', - 'menu_process' => 'Instalacija trgovine', - 'Installation Assistant' => 'Asistent instalacije', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Za instalaciju Prestashop, morate imati omogućen JavaScript u pregledniku.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/hr/', - 'License Agreements' => 'Sporazum o licenci', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Za uživanje u mnogo mogućnosti koje se nude u besplatnom PrestaShopu, molimo pročitajte uvjete korištenja u nastavku. PrestaShop jezgra je licencirana pod OSL 3,0, dok su moduli i teme licencirane pod AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Slažem se s pravilima i uvjetima korištenja.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Slažem se za sudjelovanje u poboljšanju rješenja slanjem anonimne informacije o mojoj konfiguraciji.', - 'Done!' => 'Gotovo!', - 'An error occurred during installation...' => 'Došlo je do pogreške tijekom instalacije...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Možete koristiti linkove na lijevom stupcu se vratiti na prijašnji korak, ili ponovno pokrenuti postupak instalacije klikni ovdje.', - 'Your installation is finished!' => 'Vaša instalacija je dovršena!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Upravo ste završili instalaciju svoje trgovine. Hvala što koristite Prestashop!', - 'Please remember your login information:' => 'Molimo zapamtite vaše informacije za prijavu:', - 'E-mail' => 'Email', - 'Print my login information' => 'Isprintaj moje login informacije', - 'Password' => 'Lozinka', - 'Display' => 'Prikaži', - 'For security purposes, you must delete the "install" folder.' => 'Iz sigurnosnih razloga, morate izbrisati mapu "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Administracija', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Upravljajte svojom trgovinom koristeći svoj back office. Upravljajte svojim narudžbama i kupcima, dodajte module, promjenite teme, itd.', - 'Manage your store' => 'Upravljajte svojom trgovinom', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Otkrijte svoj dućan kako će ga Vaši budući kupci vidjeti!', - 'Discover your store' => 'Otkrijte svoju trgovinu', - 'Share your experience with your friends!' => 'Podjelite svoje iskustvo s prijateljima!', - 'I just built an online store with PrestaShop!' => 'Upravo sam izgradio online trgovinu s PrestaShopom!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Pogledaj ovo uzbudljivo iskustvo: http://vimeo.com/89298199', - 'Tweet' => 'Tweetaj', - 'Share' => 'Dijeli', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Provjerite Prestashop Addons kako bi dodali nešto extra u svoju trgovinu!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Trenutno smo u provjeri PrestaShop kompatibilnosti sustava okolišu', - 'If you have any questions, please visit our documentation and community forum.' => 'Ukoliko imate pitanja molimo posjetite našu dokumentaciju i community forum.', - 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop kompatibilnost s vašim sustavom potvrđena!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ups! Ispravite stavku (e) u nastavku, a zatim kliknite na "Osvježi podatke" da bi testirali kompatibilnost vašeg novog sustava.', - 'Refresh these settings' => 'Osvježi ove postavke', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop zahtijeva barem 32 MB memorije za pokretanje: provjerite memory_limit direktivu u svoj php.ini datoteci ili kontaktirajte svog domaćina, pružatelja usluga.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Upozorenje: Ne možete više koristiti ovaj alat za nadogradnju svoje trgovine

Vi već imate PrestaShop version %1$s instaliranu.

Ukoliko se želite nadograditi na zadnju verziju molimo pročitajte dokumentaciju: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Dobro došli na PrestaShop %s instaler', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instaliranje Prestashop je brzo i jednostavno. U samo nekoliko trenutaka, vi ćete postati dio zajednice koja se sastoji od više od 230 tisuća trgovaca. Vi ste na putu za stvaranje vlastite jedinstvene online trgovine kojom možete upravljati lako svaki dan.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Ako vam je potrebna pomoć, ne ustručavajte se pogledati kratki tutorial, ili provjerite našu dokumentaciju.', - 'Continue the installation in:' => 'Nastavite instalaciju u:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Izbor jezika navedeno vrijedi samo za instalaciju pomoćnika. Nakon što je Vaša trgovina instalirana, možete odabrati jezik svoje trgovine s više od %d prijevoda, sve besplatno!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instaliranje Prestashop je brzo i jednostavno. U samo nekoliko trenutaka, vi ćete postati dio zajednice koja se sastoji od više od 250 tisuća trgovaca. Vi ste na putu za stvaranje vlastite jedinstvene online trgovine kojom možete upravljati lako svaki dan.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Došlo je do SQL pogreške za entitet %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Nije moguće izraditi sliku "%1$s" za entitet "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nije moguće stvoriti sliku "%1$s" (loše dozvole za mapu "%2$s")', + 'Cannot create image "%s"' => 'Ne mogu stvoriti sliku "%s"', + 'SQL error on query %s' => 'SQL pogreška na upitu %s', + '%s Login information' => '%s Podaci za prijavu', + 'Field required' => 'Polje obavezno', + 'Invalid shop name' => 'Nevažeći naziv trgovine', + 'The field %s is limited to %d characters' => 'Polje %s ograničeno je na %d znakova', + 'Your firstname contains some invalid characters' => 'Vaše ime sadrži neke nevažeće znakove', + 'Your lastname contains some invalid characters' => 'Vaše prezime sadrži neke nevažeće znakove', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Lozinka je netočna (alfanumerički niz s najmanje 8 znakova)', + 'Password and its confirmation are different' => 'Lozinka i njena potvrda su različite', + 'This e-mail address is invalid' => 'Ova adresa e-pošte je nevažeća', + 'Image folder %s is not writable' => 'Nije moguće pisati u mapu slika %s', + 'An error occurred during logo copy.' => 'Došlo je do pogreške tijekom kopiranja logotipa.', + 'An error occurred during logo upload.' => 'Došlo je do pogreške tijekom učitavanja logotipa.', + 'Lingerie and Adult' => 'Donje rublje i za odrasle', + 'Animals and Pets' => 'Životinje i kućni ljubimci', + 'Art and Culture' => 'Umjetnost i kultura', + 'Babies' => 'Bebe', + 'Beauty and Personal Care' => 'Ljepota i osobna njega', + 'Cars' => 'Automobili', + 'Computer Hardware and Software' => 'Računalni hardver i softver', + 'Download' => 'preuzimanje datoteka', + 'Fashion and accessories' => 'Moda i dodaci', + 'Flowers, Gifts and Crafts' => 'Cvijeće, darovi i rukotvorine', + 'Food and beverage' => 'Hrane i pića', + 'HiFi, Photo and Video' => 'HiFi, foto i video', + 'Home and Garden' => 'Dom i vrt', + 'Home Appliances' => 'Kućanskih aparata', + 'Jewelry' => 'Nakit', + 'Mobile and Telecom' => 'Mobitel i Telekom', + 'Services' => 'Usluge', + 'Shoes and accessories' => 'Cipele i dodaci', + 'Sports and Entertainment' => 'Sport i zabava', + 'Travel' => 'Putovati', + 'Database is connected' => 'Baza podataka je povezana', + 'Database is created' => 'Baza podataka je kreirana', + 'Cannot create the database automatically' => 'Nije moguće automatski izraditi bazu podataka', + 'Create settings.inc file' => 'Stvorite datoteku settings.inc', + 'Create database tables' => 'Stvaranje tablica baze podataka', + 'Create default website and languages' => 'Stvorite zadanu web stranicu i jezike', + 'Populate database tables' => 'Popunjavanje tablica baze podataka', + 'Configure website information' => 'Konfigurirajte informacije o web stranici', + 'Install demonstration data' => 'Instalirajte demonstracijske podatke', + 'Install modules' => 'Instalirajte module', + 'Install Addons modules' => 'Instalirajte Addons module', + 'Install theme' => 'Instalirajte temu', + 'Required PHP parameters' => 'Potrebni PHP parametri', + 'The required PHP version is between 5.6 to 7.4' => 'Potrebna verzija PHP-a je između 5.6 i 7.4', + 'Cannot upload files' => 'Ne mogu učitati datoteke', + 'Cannot create new files and folders' => 'Nije moguće stvoriti nove datoteke i mape', + 'GD library is not installed' => 'GD biblioteka nije instalirana', + 'PDO MySQL extension is not loaded' => 'PDO MySQL ekstenzija nije učitana', + 'Curl extension is not loaded' => 'Ekstenzija za kovrče nije učitana', + 'SOAP extension is not loaded' => 'SOAP ekstenzija nije učitana', + 'SimpleXml extension is not loaded' => 'Ekstenzija SimpleXml nije učitana', + 'In the PHP configuration set memory_limit to minimum 128M' => 'U PHP konfiguraciji postavite memory_limit na najmanje 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'U PHP konfiguraciji postavite max_execution_time na najmanje 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'U PHP konfiguraciji postavite upload_max_filesize na najmanje 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Nije moguće otvoriti vanjske URL-ove (zahtijeva enable_url_fopen kao On).', + 'ZIP extension is not enabled' => 'ZIP proširenje nije omogućeno', + 'Files' => 'Datoteke', + 'Not all files were successfully uploaded on your server' => 'Nisu sve datoteke uspješno učitane na vaš poslužitelj', + 'Permissions on files and folders' => 'Dopuštenja za datoteke i mape', + 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivna dopuštenja pisanja za %1$s korisnika na %2$s', + 'Recommended PHP parameters' => 'Preporučeni PHP parametri', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Koristite verziju PHP %s. Uskoro će najnovija verzija PHP-a koju podržava QloApps biti PHP 5.6. Kako biste bili sigurni da ste spremni za budućnost, preporučujemo da odmah nadogradite na PHP 5.6!', + 'PHP register_globals option is enabled' => 'PHP register_globals opcija je omogućena', + 'GZIP compression is not activated' => 'GZIP kompresija nije aktivirana', + 'Mbstring extension is not enabled' => 'Proširenje Mbstring nije omogućeno', + 'Dom extension is not loaded' => 'Dom ekstenzija nije učitana', + 'Server name is not valid' => 'Naziv poslužitelja nije valjan', + 'You must enter a database name' => 'Morate unijeti naziv baze podataka', + 'You must enter a database login' => 'Morate unijeti prijavu u bazu podataka', + 'Tables prefix is invalid' => 'Prefiks tablice nije valjan', + 'Cannot convert database data to utf-8' => 'Nije moguće pretvoriti podatke baze podataka u utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Najmanje jedna tablica s istim prefiksom je već pronađena, promijenite prefiks ili ispustite svoju bazu podataka', + 'The values of auto_increment increment and offset must be set to 1' => 'Vrijednosti inkrementa i pomaka auto_increment moraju biti postavljene na 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Poslužitelj baze podataka nije pronađen. Provjerite polja za prijavu, lozinku i poslužitelj', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Povezivanje s MySQL poslužiteljem je uspjelo, ali baza podataka "%s" nije pronađena', + 'Attempt to create the database automatically' => 'Pokušajte automatski stvoriti bazu podataka', + '%s file is not writable (check permissions)' => 'U datoteku %s nije moguće pisati (provjerite dopuštenja)', + '%s folder is not writable (check permissions)' => 'U mapu %s nije moguće pisati (provjerite dopuštenja)', + 'Cannot write settings file' => 'Ne mogu napisati datoteku postavki', + 'Database structure file not found' => 'Datoteka strukture baze podataka nije pronađena', + 'Cannot create group shop' => 'Nije moguće stvoriti grupnu trgovinu', + 'Cannot create shop' => 'Nije moguće stvoriti trgovinu', + 'Cannot create shop URL' => 'Nije moguće izraditi URL trgovine', + 'File "language.xml" not found for language iso "%s"' => 'Datoteka "language.xml" nije pronađena za jezik iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Datoteka "language.xml" nije važeća za jezik iso "%s"', + 'Cannot install language "%s"' => 'Nije moguće instalirati jezik "%s"', + 'Cannot copy flag language "%s"' => 'Nije moguće kopirati jezik zastave "%s"', + 'Cannot create admin account' => 'Nije moguće stvoriti administratorski račun', + 'Cannot install module "%s"' => 'Ne mogu instalirati modul "%s"', + 'Fixtures class "%s" not found' => 'Klasa učvršćenja "%s" nije pronađena', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" mora biti instanca "InstallXmlLoader"', + 'Information about your Website' => 'Informacije o vašoj web stranici', + 'Website name' => 'Naziv web stranice', + 'Main activity' => 'Glavna aktivnost', + 'Please choose your main activity' => 'Odaberite svoju glavnu djelatnost', + 'Other activity...' => 'Ostale aktivnosti...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomozite nam da saznamo više o vašoj trgovini kako bismo vam mogli ponuditi optimalne smjernice i najbolje značajke za vaše poslovanje!', + 'Install demo data' => 'Instalirajte demo podatke', + 'Yes' => 'Da', + 'No' => 'Ne', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Instaliranje demo podataka dobar je način da naučite kako koristiti QloApps ako ga prije niste koristili. Ovi demo podaci mogu se kasnije izbrisati pomoću modula QloApps Data Cleaner koji dolazi predinstaliran s ovom instalacijom.', + 'Country' => 'Zemlja', + 'Select your country' => 'Izaberite svoju zemlju', + 'Website timezone' => 'Vremenska zona web stranice', + 'Select your timezone' => 'Odaberite svoju vremensku zonu', + 'Enable SSL' => 'Omogući SSL', + 'Shop logo' => 'Logo trgovine', + 'Optional - You can add you logo at a later time.' => 'Izborno - svoj logotip možete dodati kasnije.', + 'Your Account' => 'Vaš korisnički račun', + 'First name' => 'Ime', + 'Last name' => 'Prezime', + 'E-mail address' => 'Email adresa', + 'This email address will be your username to access your website\'s back office.' => 'Ova adresa e-pošte bit će vaše korisničko ime za pristup pozadinskom uredu vaše web stranice.', + 'Password' => 'Lozinka', + 'Must be at least 8 characters' => 'Mora imati najmanje 8 znakova', + 'Re-type to confirm' => 'Ponovno upišite za potvrdu', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Podatke koje nam dajete prikupljamo mi i podliježu obradi podataka i statistici. Prema važećem "Zakonu o obradi podataka, podatkovnim datotekama i osobnim slobodama" imate pravo pristupiti, ispraviti i usprotiviti se obradi vaših osobnih podataka putem ovog veza.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Slažem se s primanjem biltena i promotivnih ponuda od QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Uvijek ćete primati transakcijske e-poruke kao što su nova ažuriranja, sigurnosni popravci i zakrpe čak i ako ne odaberete ovu opciju.', + 'Configure your database by filling out the following fields' => 'Konfigurirajte svoju bazu podataka ispunjavanjem sljedećih polja', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Da biste koristili QloApps, morate izraditi bazu podataka za prikupljanje svih aktivnosti vezanih uz podatke vaše web stranice.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Ispunite donja polja kako bi se QloApps povezao s vašom bazom podataka.', + 'Database server address' => 'Adresa poslužitelja baze podataka', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Zadani port je 3306. Za korištenje drugog porta dodajte broj porta na kraj adrese vašeg poslužitelja, tj. ":4242".', + 'Database name' => 'Naziv baze podataka', + 'Database login' => 'Prijava u bazu podataka', + 'Database password' => 'Lozinka baze podataka', + 'Database Engine' => 'Motor baze podataka', + 'Tables prefix' => 'Prefiks tablice', + 'Drop existing tables (mode dev)' => 'Ispusti postojeće tablice (mode dev)', + 'Test your database connection now!' => 'Sada testirajte svoju vezu s bazom podataka!', + 'Next' => 'Sljedeći', + 'Back' => 'leđa', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Ako trebate pomoć, možete dobiti prilagođenu pomoć od našeg tima za podršku. Službena dokumentacija također je ovdje da vas vodi.', + 'Official forum' => 'Službeni forum', + 'Support' => 'podrška', + 'Documentation' => 'Dokumentacija', + 'Contact us' => 'Kontaktirajte nas', + 'QloApps Installation Assistant' => 'QloApps pomoćnik za instalaciju', + 'Forum' => 'Forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Odaberite svoj jezik', + 'menu_license' => 'Licencni ugovori', + 'menu_system' => 'Kompatibilnost sustava', + 'menu_configure' => 'Podaci o web stranici', + 'menu_database' => 'Sistemska konfiguracija', + 'menu_process' => 'QloApps instalacija', + 'Need Help?' => 'Trebate pomoć?', + 'Click here to Contact us' => 'Kliknite ovdje da nas kontaktirate', + 'Installation' => 'Montaža', + 'See our Installation guide' => 'Pogledajte naš vodič za instalaciju', + 'Tutorials' => 'Tutoriali', + 'See our QloApps tutorials' => 'Pogledajte naše vodiče za QloApps', + 'Installation Assistant' => 'Pomoćnik pri instalaciji', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Da biste instalirali QloApps, morate imati omogućen JavaScript u pregledniku.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Ugovori o licenci', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Kako biste uživali u brojnim značajkama koje besplatno nudi QloApps, pročitajte licencne uvjete u nastavku. QloApps jezgra je licencirana pod OSL 3.0, dok su moduli i teme licencirani pod AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Slažem se s gore navedenim uvjetima.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Suglasan sam sudjelovati u poboljšanju rješenja slanjem anonimnih informacija o mojoj konfiguraciji.', + 'Done!' => 'Gotovo!', + 'An error occurred during installation...' => 'Došlo je do greške tijekom instalacije...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Možete koristiti veze u lijevom stupcu za povratak na prethodne korake ili ponovno pokrenuti proces instalacije klikom ovdje.', + 'Suggested Modules' => 'Predloženi moduli', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Pronađite prave značajke na QloApps Addons kako bi vaš ugostiteljski posao bio uspješan.', + 'Discover All Modules' => 'Otkrijte sve module', + 'Suggested Themes' => 'Predložene teme', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Stvorite dizajn koji odgovara vašem hotelu i vašim klijentima, s temom predloška spremnom za korištenje.', + 'Discover All Themes' => 'Otkrijte sve teme', + 'Your installation is finished!' => 'Vaša instalacija je gotova!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Upravo ste završili instalaciju QloApps. Hvala što koristite QloApps!', + 'Please remember your login information:' => 'Zapamtite svoje podatke za prijavu:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Ispiši moje podatke za prijavu', + 'Display' => 'Prikaz', + 'For security purposes, you must delete the "install" folder.' => 'Iz sigurnosnih razloga morate izbrisati mapu "install".', + 'Back Office' => 'Stražnji ured', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Upravljajte svojim web mjestom koristeći Back Office. Upravljajte svojim narudžbama i klijentima, dodajte module, promijenite teme itd.', + 'Manage Your Website' => 'Upravljajte svojom web stranicom', + 'Front Office' => 'Ispred ureda', + 'Discover your website as your future customers will see it!' => 'Otkrijte svoju web stranicu onako kako će je vidjeti vaši budući kupci!', + 'Discover Your Website' => 'Otkrijte svoju web stranicu', + 'Share your experience with your friends!' => 'Podijelite svoje iskustvo s prijateljima!', + 'I just built an online hotel booking website with QloApps!' => 'Upravo sam izradio web mjesto za online rezervaciju hotela s QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Pogledajte sve značajke ovdje: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Cvrkut', + 'Share' => 'Udio', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Trenutno provjeravamo kompatibilnost QloApps s vašim okruženjem sustava', + 'If you have any questions, please visit our documentation and community forum.' => 'Ako imate pitanja, posjetite našu dokumentaciju i forum zajednice< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Kompatibilnost QloApps s okolinom vašeg sustava je provjerena!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ups! Ispravite stavku(e) ispod, a zatim kliknite "Osvježi informacije" da testirate kompatibilnost vašeg novog sustava.', + 'Refresh these settings' => 'Osvježite ove postavke', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps zahtijeva najmanje 128 MB memorije za rad: molimo provjerite memory_limit direktivu u vašoj php.ini datoteci ili kontaktirajte svog pružatelja usluge hostinga u vezi s tim.', + 'Welcome to the QloApps %s Installer' => 'Dobro došli u QloApps %s Installer', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Instaliranje QloApps je brzo i jednostavno. Za samo nekoliko trenutaka postat ćete dio zajednice. Na putu ste da stvorite vlastitu web stranicu za rezervaciju hotela kojom možete lako upravljati svaki dan.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Ako trebate pomoć, slobodno pogledajte ovaj kratki vodič ili provjerite naša dokumentacija.', + 'Continue the installation in:' => 'Nastavite instalaciju u:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Gornji odabir jezika odnosi se samo na pomoćnika za instalaciju. Nakon što je QloApps instaliran, možete odabrati jezik svoje web stranice među više od %d prijevoda, i to sve besplatno!', + ), +); \ No newline at end of file diff --git a/install/langs/hu/install.php b/install/langs/hu/install.php index 0cec3fa58..d2362127c 100644 --- a/install/langs/hu/install.php +++ b/install/langs/hu/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'SQL hiba lépett fel a következőnél: %1$s, hibaüzenete %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => '"%1$s" kép nem hozható létre "%2$s" részére', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => '"%1$s" kép nem létrehozható (jogosultságprobléma "%2$s" mappádnál)', - 'Cannot create image "%s"' => '"%s" kép nem létrehozható', - 'SQL error on query %s' => '%s lekérésednél SQL hiba lépett fel', - '%s Login information' => '%s bejelentkezési információ', - 'Field required' => 'Szükséges mező', - 'Invalid shop name' => 'Érvénytelen boltnév', - 'The field %s is limited to %d characters' => '%s meződ korlátja %d karakter', - 'Your firstname contains some invalid characters' => 'A keresztnév érvénytelen karaktereket tartalmaz', - 'Your lastname contains some invalid characters' => 'A vezetéknév érvénytelen karaktereket tartalmaz', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A jelszó nem megfelelő (betűk és számok, legalább 8 karakter)', - 'Password and its confirmation are different' => 'Eltérő a jelszó és a megerősítése', - 'This e-mail address is invalid' => 'Ez az emailcím hibás', - 'Image folder %s is not writable' => 'A kép mappa (%s) nem írható', - 'An error occurred during logo copy.' => 'Hiba történt a logó másolása közben.', - 'An error occurred during logo upload.' => 'Hiba történt a logó feltöltése közben.', - 'Lingerie and Adult' => 'Fehérnemű és felnőt tartalom', - 'Animals and Pets' => 'Vad- és háziállatok', - 'Art and Culture' => 'Művészet és kultúra', - 'Babies' => 'Baba-mama', - 'Beauty and Personal Care' => 'Szépségápolás', - 'Cars' => 'Autók', - 'Computer Hardware and Software' => 'Számítógép hardver és szoftver', - 'Download' => 'Letöltés', - 'Fashion and accessories' => 'Divat és kiegészítők', - 'Flowers, Gifts and Crafts' => 'Virág, ajándék és kreatív', - 'Food and beverage' => 'Étel és Ital', - 'HiFi, Photo and Video' => 'Hifi, fotó és videó', - 'Home and Garden' => 'Háztartás és kert', - 'Home Appliances' => 'Háztartási készülékek', - 'Jewelry' => 'Ékszerek', - 'Mobile and Telecom' => 'Mobil és telekommunikáció', - 'Services' => 'Szolgáltatások', - 'Shoes and accessories' => 'Cipők és kiegészítők', - 'Sports and Entertainment' => 'Sport és szórakozás', - 'Travel' => 'Utazás', - 'Database is connected' => 'Adatbázis csatlakoztatva', - 'Database is created' => 'Adatbázis létrehozva', - 'Cannot create the database automatically' => 'Adatbázis automatikus létrehozása sikertelen', - 'Create settings.inc file' => 'settings.inc fájl létrehozása', - 'Create database tables' => 'Adatbázis táblák létrehozása', - 'Create default shop and languages' => 'Alapértelmezett bolt és nyelv létrehozása', - 'Populate database tables' => 'Adatbázis táblák létrehozása', - 'Configure shop information' => 'Boltinformációk konfigurálása', - 'Install demonstration data' => 'Bemutató adatok telepítése', - 'Install modules' => 'Modulok telepítése', - 'Install Addons modules' => 'Bővítmény modulok telepítése', - 'Install theme' => 'Sablon telepítése', - 'Required PHP parameters' => 'Szükséges PHP paraméterek', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 vagy újabb nem elérhető', - 'Cannot upload files' => 'Sikertelen fájlfeltöltés', - 'Cannot create new files and folders' => 'Új mappák és fájlok létrehozása sikertelen', - 'GD library is not installed' => 'GD Library nincs telepítve', - 'MySQL support is not activated' => 'Nem aktivált a MySQL támogatás', - 'Files' => 'Fájlok', - 'Not all files were successfully uploaded on your server' => 'Nem sikerült minden fájlt feltölteni a szerverre', - 'Permissions on files and folders' => 'Jogosultság a mappákon és fájlokon', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzív írási engedély %1$s felhasználóhoz %2$s helyen', - 'Recommended PHP parameters' => 'Javasolt PHP paraméterek', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'Nem nyithatóak meg külső URL-ek', - 'PHP register_globals option is enabled' => 'PHP register_globals opció engedélyezve', - 'GZIP compression is not activated' => 'GZIP tömörítés nem aktív', - 'Mcrypt extension is not enabled' => 'Mcrypt kiterjesztés nem bekapcsolt', - 'Mbstring extension is not enabled' => 'Mbstring kiterjesztés nem bekapcsolt', - 'PHP magic quotes option is enabled' => 'PHP magic quotes opció engedélyezve', - 'Dom extension is not loaded' => 'Dom kiterjesztés nincs betöltve', - 'PDO MySQL extension is not loaded' => 'PDO MySQL kiterjesztés nincs betöltve', - 'Server name is not valid' => 'Érvénytelen szervernév', - 'You must enter a database name' => 'Meg kell adni az adatbázis nevét', - 'You must enter a database login' => 'Meg kell adni az adatbázis hozzáférést', - 'Tables prefix is invalid' => 'Érvénytelen táblák előtagok', - 'Cannot convert database data to utf-8' => 'Nem konvertálható az adatbázis utf-8 kódolásra', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Már létezik ilyen előtagú tábla! Kérlek, módosítsd az előtagot vagy dobd a táblát!', - 'The values of auto_increment increment and offset must be set to 1' => 'Az auto_increment és offset mezők értéke legyen 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Nem található adatbázis szerver. Ellenőrizd a belépési adatokat és a szerver mezőit', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'A MySQL szerverhez sikerült kapcsolódni, de "%s" adatbázis nem található', - 'Attempt to create the database automatically' => 'Próbálja az adatbázist automatikusan létrehozni', - '%s file is not writable (check permissions)' => '%s fájl nem írható (ellenőrizd a jogosultságot)', - '%s folder is not writable (check permissions)' => '%s mappa nem írható (ellenőrizd a jogosultságot)', - 'Cannot write settings file' => 'Nem írható a beállítások fájl', - 'Database structure file not found' => 'Az adatbázis struktúrafájl nem található', - 'Cannot create group shop' => 'Nem hozható létre boltcsoport', - 'Cannot create shop' => 'Nem hozható létre bolt', - 'Cannot create shop URL' => 'Nem hozható létre bolt URL', - 'File "language.xml" not found for language iso "%s"' => 'A "language.xml" fájl nem található "%s" nyelvi ISO-ra', - 'File "language.xml" not valid for language iso "%s"' => 'A "language.xml" fájl nem érvényes "%s" nyelvi ISO-ra', - 'Cannot install language "%s"' => '"%s" nyelv telepítése sikertelen', - 'Cannot copy flag language "%s"' => '"%s" zászló nyelve nem másolható', - 'Cannot create admin account' => 'Adminisztrátor hozzáférés létrehozása sikertelen', - 'Cannot install module "%s"' => '"%s" modul nem telepítő', - 'Fixtures class "%s" not found' => 'Nem található "%s" részosztály', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" az "InstallXmlLoader" része kell legyen', - 'Information about your Store' => 'Információ a boltodról', - 'Shop name' => 'Bolt neve', - 'Main activity' => 'Fő tevékenység', - 'Please choose your main activity' => 'Válaszd ki a fő tevékenységet', - 'Other activity...' => 'Egyéb tevékenység...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Segíts nekünk, hogy többet tudjunk meg boltodról, így az optimális iránymutatásokat és a legjobb funkciókat tudjuk ajánlani!', - 'Install demo products' => 'Minta termékek telepítése', - 'Yes' => 'Igen', - 'No' => 'Nem', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'A demótermékek elősegítik a PrestaShop használatának elsajátítását. Telepítésük ajánlott, ha még nem vagy tapasztalt.', - 'Country' => 'Ország', - 'Select your country' => 'Ország kiválasztása', - 'Shop timezone' => 'Bolt időzóna', - 'Select your timezone' => 'Időzóna kiválasztása', - 'Shop logo' => 'Bolt logó', - 'Optional - You can add you logo at a later time.' => 'Opcionális - a logódat később is hozzáadhatod.', - 'Your Account' => 'Fiókod', - 'First name' => 'Családnév', - 'Last name' => 'Keresztnév', - 'E-mail address' => 'E-mail cím', - 'This email address will be your username to access your store\'s back office.' => 'A Háttériroda hozzáféréséhez ez az e-mai lesz a felhasználóneved.', - 'Shop password' => 'Bolt jelszó', - 'Must be at least 8 characters' => 'Legalább 8 karakter hosszú legyen', - 'Re-type to confirm' => 'Írd be újra megerősítéshez', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'Adatbázis beállítás a következő mezők kitöltésével', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'A PrestaShop használatához adatbázist kell létrehoznod, hogy gyűjthetőek legyenek a boltod adataiból származó aktivitások.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Az alábbi mezők kitöltésével tud a PrestaShop az adatbázishoz kapcsolódni. ', - 'Database server address' => 'Adatbázisszerver cím', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Az alapértelmezett port 3306. Eltérő port használatához add hozzá a portszámot a szerver címéhez, pl. ":4242"!', - 'Database name' => 'Adatbázis neve', - 'Database login' => 'Adatbázis felhasználó', - 'Database password' => 'Adatbázis jelszó', - 'Database Engine' => 'Adatbázismotor', - 'Tables prefix' => 'Tábla előtag', - 'Drop existing tables (mode dev)' => 'Meglévő táblák eldobása (mode dev)', - 'Test your database connection now!' => 'Adatbázis kapcsolat tesztelése most', - 'Next' => 'Következő', - 'Back' => 'Vissza', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'Hivatalos fórum', - 'Support' => 'Támogatás', - 'Documentation' => 'Dokumentáció', - 'Contact us' => 'Kapcsolat', - 'PrestaShop Installation Assistant' => 'PrestaShop telepítési asszisztens', - 'Forum' => 'Fórum', - 'Blog' => 'Blog', - 'Contact us!' => 'Kapcsolat', - 'menu_welcome' => 'Nyelv kiválasztása', - 'menu_license' => 'Licencfeltételek', - 'menu_system' => 'Rendszer-kompatibilitás', - 'menu_configure' => 'Boltinformáció', - 'menu_database' => 'Rendszerbeállítás', - 'menu_process' => 'Bolt telepítése', - 'Installation Assistant' => 'Telepítési asszisztens', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'A PrestaShop telepítéséhez a böngészőben bekapcsolt JavaScript szükséges.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/hu/', - 'License Agreements' => 'Licencfeltételek', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Kérlek, olvasd el az alábbi licencfeltételeket a PrestaShop által nyújtott számos funkció eléréséhez! A PrestaShop mag OSL 3.0 licencű, míg a modulok és témák AFL 3.0 licencesek.', - 'I agree to the above terms and conditions.' => 'Egyetértek a fenti feltételekkel.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Hozzájárulok a megoldások fejlesztéséhez a konfigurációm névtelen elküldésével.', - 'Done!' => 'Kész!', - 'An error occurred during installation...' => 'Hiba lépett fel telepítés közben...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'A baloldali hivatkozásra kattintva visszaléphetsz az előző oldalra vagy újraindíthatod a telepítés folyamatát ide kattintva.', - 'Your installation is finished!' => 'Telepítésed befejeződött!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Éppen befejezted az boltod telepítését. Köszönjük, hogy a PrestaShop-ot használod!', - 'Please remember your login information:' => 'Kérlek, emlékezz a bejelentkezési információkra:', - 'E-mail' => 'E-mail', - 'Print my login information' => 'Bejelentkezési információ nyomtatása', - 'Password' => 'Jelszó', - 'Display' => 'Mutat', - 'For security purposes, you must delete the "install" folder.' => 'Biztonsági okokból le kell törölni az "install" mappát.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Háttériroda', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'A bolt kezeléséhez a Háttériroda felületet tudod használni, itt kezelheted a rendeléseket és vásárlókat, modulokat, témát válthatsz stb.', - 'Manage your store' => 'Áruház kezelése', - 'Front Office' => 'Arculati iroda', - 'Discover your store as your future customers will see it!' => 'Fedezd fel a boltod, ahogy jövőbeli vásárlóid fogják látni!', - 'Discover your store' => 'Boltod felfedezése', - 'Share your experience with your friends!' => 'Oszd meg tapasztalatodat barátaiddal!', - 'I just built an online store with PrestaShop!' => 'Éppen létrehoztam egy online boltot a PrestaShop-pal!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Éld át ezt az üdítő érzést: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Megosztás', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Kiegészítők keresése a PrestaShop Addons oldalon, adj hozzá egy kis extrát!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'A PrestaShop jelenleg vizsgálja a rendszerkörnyezeted kompatibilitását', - 'If you have any questions, please visit our documentation and community forum.' => 'Kérdések esetén látogasd meg a dokumentációnkat és közösségi fórumunkat!', - 'PrestaShop compatibility with your system environment has been verified!' => 'A rendszerkörnyezet kompatibilitása megfelel a PrestaShop számára.', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Hoppá! Kérlek, javítsd az alábbi elemeket és kattints az "Információ frissítése"-re az új rendszer kompatibilitásának ellenőrzéséhez!', - 'Refresh these settings' => 'Beállítások frissítése', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'A PrestaShop legalább 32 MB memóriát igényel a futtatáshoz: kérünk, ellenőrizd a memory_limit direktívákat a php.ini fájlodban vagy vedd fel a kapcsolatot szolgáltatóddal!', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Figyelem: Ezt az eszközt már nem használhatod a boltod frissítéséhez!

Már telepítve van a PrestaShop %1$s verzió.

Ha a legfrissebb verzióra szeretnél frissíteni, itt tudod elolvasni a dokumentációt: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Üdvözöl a PrestaShop %s telepítő', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A PrestaShop telepítése gyors és könnyű. Csupán néhány perc alatt részese lehetsz a több, mint 230.000 kereskedőből álló közösségnek! Úton vagy saját egyedi online webáruházad létrehozásához, melyet könnyen kezelhetsz nap-mint-nap.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'Telepítés nyelve:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'A fenti nyelv kiválasztása csak a telepítési asszisztensre érvényes. A bolt nyelvét a telepítés után tudod kiválasztani %d fordításból, és ez mind ingyenes!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A PrestaShop telepítése gyors és könnyű. Csupán néhány perc alatt részese lehetsz a több, mint 250.000 kereskedőből álló közösségnek! Úton vagy saját egyedi online webáruházad létrehozásához, melyet könnyen kezelhetsz nap-mint-nap.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'SQL-hiba történt a(z) %1$s entitásnál: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Nem lehet létrehozni a „%1$s” képet a „%2$s” entitáshoz', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'A(z) „%1$s” kép nem hozható létre (rossz engedélyek a(z) „%2$s” mappához)', + 'Cannot create image "%s"' => '"%s" kép nem hozható létre', + 'SQL error on query %s' => 'SQL hiba a(z) %s lekérdezésnél', + '%s Login information' => '%s Bejelentkezési adatok', + 'Field required' => 'A mező kitöltése kötelező', + 'Invalid shop name' => 'Érvénytelen üzletnév', + 'The field %s is limited to %d characters' => 'A %s mező legfeljebb %d karakterből állhat', + 'Your firstname contains some invalid characters' => 'A keresztneved érvénytelen karaktereket tartalmaz', + 'Your lastname contains some invalid characters' => 'Vezetékneve érvénytelen karaktereket tartalmaz', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A jelszó helytelen (alfanumerikus karakterlánc legalább 8 karakterből)', + 'Password and its confirmation are different' => 'A jelszó és a megerősítése eltérő', + 'This e-mail address is invalid' => 'Ez az e-mail cím érvénytelen', + 'Image folder %s is not writable' => 'A %s képmappa nem írható', + 'An error occurred during logo copy.' => 'Hiba történt az embléma másolása közben.', + 'An error occurred during logo upload.' => 'Hiba történt az embléma feltöltésekor.', + 'Lingerie and Adult' => 'Fehérnemű és felnőtt', + 'Animals and Pets' => 'Állatok és házi kedvencek', + 'Art and Culture' => 'Művészet és kultúra', + 'Babies' => 'Babák', + 'Beauty and Personal Care' => 'Szépség és testápolás', + 'Cars' => 'Autók', + 'Computer Hardware and Software' => 'Számítógépes hardver és szoftver', + 'Download' => 'Letöltés', + 'Fashion and accessories' => 'Divat és kiegészítők', + 'Flowers, Gifts and Crafts' => 'Virágok, ajándékok és kézműves termékek', + 'Food and beverage' => 'Étel és ital', + 'HiFi, Photo and Video' => 'HiFi, fotó és videó', + 'Home and Garden' => 'Otthon és Kert', + 'Home Appliances' => 'Háztartási gépek', + 'Jewelry' => 'Ékszerek', + 'Mobile and Telecom' => 'Mobil és távközlés', + 'Services' => 'Szolgáltatások', + 'Shoes and accessories' => 'Cipők és kiegészítők', + 'Sports and Entertainment' => 'Sport és szórakozás', + 'Travel' => 'Utazás', + 'Database is connected' => 'Az adatbázis csatlakoztatva van', + 'Database is created' => 'Létrejön az adatbázis', + 'Cannot create the database automatically' => 'Az adatbázis nem hozható létre automatikusan', + 'Create settings.inc file' => 'Hozzon létre settings.inc fájlt', + 'Create database tables' => 'Hozzon létre adatbázistáblákat', + 'Create default website and languages' => 'Hozzon létre alapértelmezett webhelyet és nyelveket', + 'Populate database tables' => 'Adatbázistáblázatok feltöltése', + 'Configure website information' => 'Konfigurálja a webhely adatait', + 'Install demonstration data' => 'Telepítse a bemutató adatokat', + 'Install modules' => 'Modulok telepítése', + 'Install Addons modules' => 'Telepítse az Addons modulokat', + 'Install theme' => 'Telepítse a témát', + 'Required PHP parameters' => 'Kötelező PHP paraméterek', + 'The required PHP version is between 5.6 to 7.4' => 'A szükséges PHP verzió 5.6 és 7.4 között van', + 'Cannot upload files' => 'Nem lehet fájlokat feltölteni', + 'Cannot create new files and folders' => 'Nem lehet új fájlokat és mappákat létrehozni', + 'GD library is not installed' => 'A GD könyvtár nincs telepítve', + 'PDO MySQL extension is not loaded' => 'PDO MySQL kiterjesztés nincs betöltve', + 'Curl extension is not loaded' => 'A curl kiterjesztése nincs betöltve', + 'SOAP extension is not loaded' => 'A SOAP bővítmény nincs betöltve', + 'SimpleXml extension is not loaded' => 'A SimpleXml kiterjesztés nincs betöltve', + 'In the PHP configuration set memory_limit to minimum 128M' => 'A PHP konfigurációjában állítsa be a memory_limit értéket minimum 128M-ra', + 'In the PHP configuration set max_execution_time to minimum 500' => 'A PHP konfigurációjában állítsa be a max_execution_time értéket minimum 500-ra', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'A PHP konfigurációjában állítsa be az upload_max_filesize értéket minimum 16M-ra', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Külső URL-ek nem nyithatók meg (az enable_url_fopen értéket On szükséges).', + 'ZIP extension is not enabled' => 'A ZIP kiterjesztés nincs engedélyezve', + 'Files' => 'Fájlok', + 'Not all files were successfully uploaded on your server' => 'Nem sikerült minden fájlt feltölteni a szerverére', + 'Permissions on files and folders' => 'Fájlokra és mappákra vonatkozó engedélyek', + 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzív írási engedélyek %1$s felhasználó számára a %2$s webhelyen', + 'Recommended PHP parameters' => 'Javasolt PHP paraméterek', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Ön PHP %s verziót használ. Hamarosan a QloApps által támogatott legújabb PHP verzió a PHP 5.6 lesz. A jövőre való felkészülés érdekében javasoljuk, hogy most frissítsen PHP 5.6-ra!', + 'PHP register_globals option is enabled' => 'A PHP register_globals opció engedélyezve van', + 'GZIP compression is not activated' => 'A GZIP-tömörítés nincs aktiválva', + 'Mbstring extension is not enabled' => 'Az Mbstring kiterjesztés nincs engedélyezve', + 'Dom extension is not loaded' => 'A Dom bővítmény nincs betöltve', + 'Server name is not valid' => 'A szerver neve érvénytelen', + 'You must enter a database name' => 'Meg kell adnia az adatbázis nevét', + 'You must enter a database login' => 'Meg kell adnia az adatbázis bejelentkezését', + 'Tables prefix is invalid' => 'A táblázatok előtagja érvénytelen', + 'Cannot convert database data to utf-8' => 'Az adatbázisadatok nem konvertálhatók utf-8 formátumba', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Legalább egy tábla azonos előtaggal már megtalálható. Kérjük, módosítsa az előtagot, vagy dobja el az adatbázist', + 'The values of auto_increment increment and offset must be set to 1' => 'Az auto_increment increment és offset értékét 1-re kell állítani', + 'Database Server is not found. Please verify the login, password and server fields' => 'Az adatbázis-kiszolgáló nem található. Kérjük, ellenőrizze a bejelentkezési név, jelszó és szerver mezőket', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'A MySQL szerverhez való kapcsolódás sikerült, de a „%s” adatbázis nem található', + 'Attempt to create the database automatically' => 'Próbálja meg automatikusan létrehozni az adatbázist', + '%s file is not writable (check permissions)' => '%s fájl nem írható (ellenőrizze az engedélyeket)', + '%s folder is not writable (check permissions)' => 'A %s mappa nem írható (ellenőrizze az engedélyeket)', + 'Cannot write settings file' => 'A beállítási fájl nem írható', + 'Database structure file not found' => 'Az adatbázis-struktúra fájl nem található', + 'Cannot create group shop' => 'Nem lehet csoportos boltot létrehozni', + 'Cannot create shop' => 'Nem lehet boltot létrehozni', + 'Cannot create shop URL' => 'Az üzlet URL-je nem hozható létre', + 'File "language.xml" not found for language iso "%s"' => 'A "language.xml" fájl nem található a "%s" iso nyelvhez', + 'File "language.xml" not valid for language iso "%s"' => 'A "language.xml" fájl nem érvényes a "%s" iso nyelvhez', + 'Cannot install language "%s"' => 'Nem telepíthető a "%s" nyelv', + 'Cannot copy flag language "%s"' => 'A(z) "%s" jelző nyelve nem másolható', + 'Cannot create admin account' => 'Nem lehet rendszergazdai fiókot létrehozni', + 'Cannot install module "%s"' => 'A "%s" modul nem telepíthető', + 'Fixtures class "%s" not found' => 'A „%s” berendezésosztály nem található', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" az "InstallXmlLoader" példányának kell lennie', + 'Information about your Website' => 'Információk a webhelyéről', + 'Website name' => 'Webhely neve', + 'Main activity' => 'Fő tevékenység', + 'Please choose your main activity' => 'Kérjük, válassza ki fő tevékenységét', + 'Other activity...' => 'Egyéb tevékenység...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Segítsen nekünk többet megtudni üzletéről, hogy optimális útmutatást és a legjobb szolgáltatásokat kínálhassuk vállalkozása számára!', + 'Install demo data' => 'Telepítse a demo adatokat', + 'Yes' => 'Igen', + 'No' => 'Nem', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'A demóadatok telepítése jó módja annak, hogy megtanulja a QloApps használatát, ha korábban még nem használta. Ezek a demóadatok később törölhetők a QloApps Data Cleaner modul segítségével, amely a telepítéshez előre telepítve van.', + 'Country' => 'Ország', + 'Select your country' => 'Válaszd ki az országod', + 'Website timezone' => 'Webhely időzóna', + 'Select your timezone' => 'Válassza ki az időzónát', + 'Enable SSL' => 'SSL engedélyezése', + 'Shop logo' => 'Bolt logója', + 'Optional - You can add you logo at a later time.' => 'Opcionális – később is felveheti logóját.', + 'Your Account' => 'Fiókja', + 'First name' => 'Keresztnév', + 'Last name' => 'Vezetéknév', + 'E-mail address' => 'Email cím', + 'This email address will be your username to access your website\'s back office.' => 'Ez az e-mail cím lesz a felhasználóneve, amellyel elérheti webhelye háttérirodáját.', + 'Password' => 'Jelszó', + 'Must be at least 8 characters' => 'Legalább 8 karakterből kell állnia', + 'Re-type to confirm' => 'A megerősítéshez írja be újra', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Az Ön által megadott információkat mi gyűjtjük össze, és adatfeldolgozásnak és statisztikáknak vetjük alá. A hatályos "Az adatkezelésről, az adatállományokról és az egyéni szabadságjogokról szóló törvény" értelmében Önnek joga van személyes adataihoz hozzáférni, azokat helyesbíteni, és ezzel ellenezni a link.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Hozzájárulok ahhoz, hogy a QloApps hírlevelét és promóciós ajánlatait megkapjam.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Mindig kap a tranzakciós e-maileket, például az új frissítésekről, biztonsági javításokról és javításokról, még akkor is, ha nem engedélyezi ezt a lehetőséget.', + 'Configure your database by filling out the following fields' => 'Állítsa be az adatbázist az alábbi mezők kitöltésével', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'A QloApps használatához létre kell hoznia egy adatbázist, amely összegyűjti a webhelyével kapcsolatos összes tevékenységet.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Kérjük, töltse ki az alábbi mezőket, hogy a QloApps kapcsolódjon az adatbázisához.', + 'Database server address' => 'Adatbázis szerver címe', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Az alapértelmezett port a 3306. Másik port használatához adja hozzá a portszámot a szerver címének végéhez, pl. ":4242".', + 'Database name' => 'Adatbázis név', + 'Database login' => 'Adatbázis bejelentkezés', + 'Database password' => 'Adatbázis jelszó', + 'Database Engine' => 'Adatbázis motor', + 'Tables prefix' => 'Táblázatok előtag', + 'Drop existing tables (mode dev)' => 'Meglévő táblázatok eldobása (fejlesztő mód)', + 'Test your database connection now!' => 'Tesztelje adatbázis-kapcsolatát most!', + 'Next' => 'Következő', + 'Back' => 'Vissza', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Ha segítségre van szüksége, személyre szabott segítséget kérhet ügyfélszolgálati csapatunktól. A A hivatalos dokumentáció szintén útmutatást nyújt Önnek.', + 'Official forum' => 'Hivatalos fórum', + 'Support' => 'Támogatás', + 'Documentation' => 'Dokumentáció', + 'Contact us' => 'Lépjen kapcsolatba velünk', + 'QloApps Installation Assistant' => 'QloApps telepítési asszisztens', + 'Forum' => 'Fórum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Válassza ki a nyelvet', + 'menu_license' => 'Licencszerződések', + 'menu_system' => 'Rendszer kompatibilitás', + 'menu_configure' => 'Weboldal információk', + 'menu_database' => 'Rendszerbeállítások', + 'menu_process' => 'QloApps telepítés', + 'Need Help?' => 'Kell segítség?', + 'Click here to Contact us' => 'Kattintson ide a Kapcsolatfelvételhez', + 'Installation' => 'Telepítés', + 'See our Installation guide' => 'Tekintse meg Telepítési útmutatónkat', + 'Tutorials' => 'Oktatóanyagok', + 'See our QloApps tutorials' => 'Tekintse meg QloApps oktatóanyagainkat', + 'Installation Assistant' => 'Telepítési asszisztens', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'A QloApps telepítéséhez engedélyeznie kell a JavaScriptet a böngészőjében.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Licencszerződések', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Ha szeretné élvezni a QloApps által ingyenesen kínált számos funkciót, kérjük, olvassa el az alábbi licencfeltételeket. A QloApps mag OSL 3.0, míg a modulok és témák az AFL 3.0 licenc alatt vannak.', + 'I agree to the above terms and conditions.' => 'Elfogadom a fenti feltételeket.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Elfogadom, hogy részt veszek a megoldás fejlesztésében azáltal, hogy névtelen információkat küldök a konfigurációmról.', + 'Done!' => 'Kész!', + 'An error occurred during installation...' => 'Hiba történt a telepítés során...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'A bal oldali oszlopban található hivatkozások segítségével visszaléphet az előző lépésekhez, vagy ide kattintva indíthatja újra a telepítési folyamatot.', + 'Suggested Modules' => 'Javasolt modulok', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Találja meg a megfelelő funkciókat a QloApps Addons-on, hogy vendéglátóipari vállalkozása sikeres legyen.', + 'Discover All Modules' => 'Fedezze fel az összes modult', + 'Suggested Themes' => 'Javasolt témák', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Készítsen olyan dizájnt, amely megfelel szállodájának és ügyfeleinek, egy használatra kész sablontémával.', + 'Discover All Themes' => 'Fedezze fel az összes témát', + 'Your installation is finished!' => 'A telepítés befejeződött!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Most fejezte be a QloApps telepítését. Köszönjük, hogy a QloApps-t használja!', + 'Please remember your login information:' => 'Kérjük, emlékezzen bejelentkezési adataira:', + 'E-mail' => 'Email', + 'Print my login information' => 'Nyomtassa ki bejelentkezési adataimat', + 'Display' => 'Kijelző', + 'For security purposes, you must delete the "install" folder.' => 'Biztonsági okokból törölnie kell az "install" mappát.', + 'Back Office' => 'Hátsó iroda', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Kezelje webhelyét a Back Office segítségével. Kezelje rendeléseit és ügyfeleit, adjon hozzá modulokat, módosítsa a témákat stb.', + 'Manage Your Website' => 'Webhely kezelése', + 'Front Office' => 'Front Office', + 'Discover your website as your future customers will see it!' => 'Fedezze fel webhelyét, ahogy a jövőbeli ügyfelei látni fogják!', + 'Discover Your Website' => 'Fedezze fel webhelyét', + 'Share your experience with your friends!' => 'Oszd meg tapasztalataidat barátaiddal!', + 'I just built an online hotel booking website with QloApps!' => 'Most építettem egy online szállodafoglalási webhelyet a QloApps segítségével!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Tekintse meg az összes funkciót itt: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Csipog', + 'Share' => 'Ossza meg', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Jelenleg ellenőrizzük a QloApps kompatibilitását a rendszerkörnyezetével', + 'If you have any questions, please visit our documentation and community forum.' => 'Ha bármilyen kérdése van, kérjük, keresse fel dokumentációnkat és közösségi fórumunkat< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'A QloApps kompatibilitása a rendszer környezetével ellenőrizve!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Hoppá! Kérjük, javítsa ki az alábbi elem(eke)t, majd kattintson az „Információ frissítése” gombra az új rendszere kompatibilitásának teszteléséhez.', + 'Refresh these settings' => 'Frissítse ezeket a beállításokat', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'A QloApps futtatásához legalább 128 MB memóriára van szükség: ellenőrizze a memory_limit direktívát a php.ini fájlban, vagy forduljon a gazdagép szolgáltatójához.', + 'Welcome to the QloApps %s Installer' => 'Üdvözöljük a QloApps %s telepítőjében', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'A QloApps telepítése gyors és egyszerű. Néhány pillanat alatt egy közösség részévé válsz. Hamarosan létrehozza saját szállodafoglalási webhelyét, amelyet minden nap könnyedén kezelhet.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Ha segítségre van szüksége, ne habozzon nézni ezt a rövid bemutatót, vagy ellenőrizze a dokumentációnkat.', + 'Continue the installation in:' => 'Folytassa a telepítést itt:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'A fenti nyelvválasztás csak a Telepítési Asszisztensre vonatkozik. A QloApps telepítése után több mint %d fordítás közül választhatja ki webhelye nyelvét, mindezt ingyenesen!', + ), +); \ No newline at end of file diff --git a/install/langs/id/install.php b/install/langs/id/install.php index 15ede37db..f0dea67ce 100644 --- a/install/langs/id/install.php +++ b/install/langs/id/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Terdapat kesalahan SQL pada objek %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Tidak dapat membuat image "%1$s" untuk objek "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Tidak dapat membuat image "%1$s" (masalah hak akses di "%2$s")', - 'Cannot create image "%s"' => 'Tidak dapat membuat image "%s"', - 'SQL error on query %s' => 'SQL error pada query %s', - '%s Login information' => '%s Informasi Login', - 'Field required' => 'Harus diisi', - 'Invalid shop name' => 'Nama toko tidak valid', - 'The field %s is limited to %d characters' => 'Field %s dibatasi hanya %d karakter', - 'Your firstname contains some invalid characters' => 'Nama depan Anda berisi karakter yang tidak diperbolehkan', - 'Your lastname contains some invalid characters' => 'Nama belakang Anda berisi karakter yang tidak diperbolehkan', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Password tidak benar (alfanumerik minimal 8 karakter)', - 'Password and its confirmation are different' => 'Password dan konfirmasi password tidak sama', - 'This e-mail address is invalid' => 'Alamat email ini salah!', - 'Image folder %s is not writable' => 'Folder image % tidak dapat ditulisi', - 'An error occurred during logo copy.' => 'Terjadi error pada saat mengkopi logo.', - 'An error occurred during logo upload.' => 'Eror ketika upload logo', - 'Lingerie and Adult' => 'Lingerie dan perlengkapan dewasa', - 'Animals and Pets' => 'Binatang dan perliharaan', - 'Art and Culture' => 'Seni', - 'Babies' => 'Perlengkapan bayi', - 'Beauty and Personal Care' => 'Kecantikan', - 'Cars' => 'Kendaraan bermotor', - 'Computer Hardware and Software' => 'Komputer hardware dan software', - 'Download' => 'Download', - 'Fashion and accessories' => 'Pakaian dan aksesoris', - 'Flowers, Gifts and Crafts' => 'Bunga, cendera mata dan kerajinan', - 'Food and beverage' => 'Makanan dan minuman', - 'HiFi, Photo and Video' => 'Audio, foto dan video', - 'Home and Garden' => 'Bunga dan tanaman', - 'Home Appliances' => 'Perlengkapan rumah tangga', - 'Jewelry' => 'Perhiasan', - 'Mobile and Telecom' => 'Telekomunikasi', - 'Services' => 'Jasa', - 'Shoes and accessories' => 'Sepatu dan aksesoris', - 'Sports and Entertainment' => 'Olahraga dan hiburan', - 'Travel' => 'Travel', - 'Database is connected' => 'Berhasil terhubung ke database', - 'Database is created' => 'Database berhasil dibuat', - 'Cannot create the database automatically' => 'Tidak dapat membuat database secara otomatis', - 'Create settings.inc file' => 'Membuat file settings.inc', - 'Create database tables' => 'Membuat tabel database', - 'Create default shop and languages' => 'Membuat toko dan bahasa', - 'Populate database tables' => 'Mengisi tabel database', - 'Configure shop information' => 'Konfigurasi toko', - 'Install demonstration data' => 'Install data untuk demo', - 'Install modules' => 'Install modul', - 'Install Addons modules' => 'Install modul Addons', - 'Install theme' => 'Instal theme', - 'Required PHP parameters' => 'Parameter PHP yang harus diset', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 atau terbaru tidak aktif', - 'Cannot upload files' => 'Tidak dapat mengupload file', - 'Cannot create new files and folders' => 'Tidak dapat membuat file dan folder baru', - 'GD library is not installed' => 'GD Library tidak tersedia', - 'MySQL support is not activated' => 'Dukungan MySQL tidak diaktifkan', - 'Files' => 'File', - 'Not all files were successfully uploaded on your server' => 'Tidak semua file berhasil diunggah ke server Anda', - 'Permissions on files and folders' => 'Hak akses pada file dan direktori', - 'Recursive write permissions for %1$s user on %2$s' => 'Hak tulis rekursif untuk %1$s user pada %2$s', - 'Recommended PHP parameters' => 'Parameter PHP yang direkomendasikan', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Anda menggunakan PHP versi %s. Nantinya, versi PHP yang akan digunakan oleh PrestaShop adalah PHP 5.4. Saat itu pastikan server Anda telah siap, kami sarankan untuk segera melakukan upgrade ke PHP 5.4 sekarang juga!', - 'Cannot open external URLs' => 'Tidak dapat membuka URL lain, akses diblok.', - 'PHP register_globals option is enabled' => 'Opsi PHP register_globals aktif', - 'GZIP compression is not activated' => 'Kompresi GZIP tidak aktif', - 'Mcrypt extension is not enabled' => 'Ekstensi Mcrypt tidak aktif', - 'Mbstring extension is not enabled' => 'Ekstensi Mbstring tidak aktif', - 'PHP magic quotes option is enabled' => 'Opsi PHP magic quotes aktif', - 'Dom extension is not loaded' => 'Extensi Dom tidak aktif', - 'PDO MySQL extension is not loaded' => 'Extensi PDO MySQL tidak aktif', - 'Server name is not valid' => 'Nama server tidak valid', - 'You must enter a database name' => 'Nama database harus diisi', - 'You must enter a database login' => 'Login database harus diisi', - 'Tables prefix is invalid' => 'Prefix tabel tidak valid', - 'Cannot convert database data to utf-8' => 'Tidak dapat melakukan konversi data ke utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Tabel dengan prefix yang sama ditemukan, harap ganti prefix Anda atau hapus terlebih dahulu databasenya', - 'The values of auto_increment increment and offset must be set to 1' => 'Nilai auto_increment dan ofset harus diisi 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Server database tidak ditemukan. Harap cek informasi login, password dan server', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Koneksi ke server MySQL berhasil, tapi database "%s" tidak ditemukan', - 'Attempt to create the database automatically' => 'Mencoba membuat database secara otomatis', - '%s file is not writable (check permissions)' => 'File %s tidak dapat ditulisi (cek masalah hak akses)', - '%s folder is not writable (check permissions)' => 'Folder %s tidak dapat ditulisi (cek masalah hak akses)', - 'Cannot write settings file' => 'Tidak dapat menulis file setting', - 'Database structure file not found' => 'Struktur database tidak ditemukan', - 'Cannot create group shop' => 'Tidak dapat membuat grup toko', - 'Cannot create shop' => 'Tidak dapat membuat toko', - 'Cannot create shop URL' => 'Tidak dapat membuat URL untuk toko Anda', - 'File "language.xml" not found for language iso "%s"' => 'File "language.xml" tidak ditemukan untuk kode iso bahasa "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'File "language.xml" tidak ditemukan untuk kode iso bahasa "%s"', - 'Cannot install language "%s"' => 'Tidak dapat meng-install bahasa "%s"', - 'Cannot copy flag language "%s"' => 'Tidak dapat menyalin icon bendera untuk bahasa "%s" ', - 'Cannot create admin account' => 'Tidak dapat membuat akun admin', - 'Cannot install module "%s"' => 'Tidak dapat menginstall modul "%s"', - 'Fixtures class "%s" not found' => 'Class "%s" tidak ditemukan', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" must be an instance of "InstallXmlLoader"', - 'Information about your Store' => 'Informasi tentang toko Anda', - 'Shop name' => 'Nama Toko', - 'Main activity' => 'Kegiatan', - 'Please choose your main activity' => 'Harap pilih kegiatan utama toko ini', - 'Other activity...' => 'Kegiatan lainnya...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Bantu kami mengenal toko Anda sehingga kami dapat menawarkan bantuan yang optimal dan fitur-fitur terbaik untuk bisnis Anda!', - 'Install demo products' => 'Install produk demo', - 'Yes' => 'Ya', - 'No' => 'Tidak', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo produk diperlukan jika Anda ingin belajar cara menggunakan PrestaShop. Disarankan untuk diinstall jika Anda masih belum terbiasa dengan Prestashop.', - 'Country' => 'Negara', - 'Select your country' => 'Pilih negara Anda', - 'Shop timezone' => 'Zona waktu toko', - 'Select your timezone' => 'Pilih zona waktu', - 'Shop logo' => 'Logo toko', - 'Optional - You can add you logo at a later time.' => 'Opsional – Anda dapat menambahkan logo nanti.', - 'Your Account' => 'Akun Anda', - 'First name' => 'Nama Depan', - 'Last name' => 'Nama Belakang', - 'E-mail address' => 'Alamat email', - 'This email address will be your username to access your store\'s back office.' => 'Alamat email ini akan menjadi username Anda untuk mengakses backoffice.', - 'Shop password' => 'Password toko', - 'Must be at least 8 characters' => 'Min. 8 karakter', - 'Re-type to confirm' => 'Tulis ulang password untuk konfirmasi ', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Semua informasi yang diberikan, akan dikumpulkan dan digunakan untuk pemrosesan data dan keperluan statistik, hal ini diperlukan bagi PrestaShop untuk dapat menanggapi permintaan Anda. Data personal ini dapat saja dikomunikasikan dengan penyedia layanan dan rekanan yang bekerja sama dengan kami. Dibawah aturan "Act on Data Processing, Data Files and Individual Liberties" Anda memiliki hak untuk untuk mengakses, ralat dan menentang penggunaan data personal Anda melalui tautan ini.', - 'Configure your database by filling out the following fields' => 'Konfigurasi database Anda dengan mengisi field berikut ini', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Untuk menggunakan Prestashop, Anda harus membuat database untuk menyimpan semua data terkait dengan aktivitas toko Anda.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Harap lengkapi field dibawah ini agar Prestashop dapat terhubung ke database Anda..', - 'Database server address' => 'Alamat server database', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Port default adalah 3306. Untuk menggunakan port yang berbeda, tambahkan nomor port diakhir nama server, misalnya ":4242".', - 'Database name' => 'Nama database', - 'Database login' => 'User database', - 'Database password' => 'Password database', - 'Database Engine' => 'Engine database', - 'Tables prefix' => 'Tables Prefix', - 'Drop existing tables (mode dev)' => 'Hapus tabel yang ada (dev mode)', - 'Test your database connection now!' => 'Tes koneksi ke database sekarang!', - 'Next' => 'Berikutnya', - 'Back' => 'Kembali', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Jika butuh bantuan, Anda dapat mendapatkan bantuan khusus dati tim kami. Dokumentasi resmi juga tersedia sebagai panduan.', - 'Official forum' => 'Forum resmi', - 'Support' => 'Support', - 'Documentation' => 'Dokumentasi', - 'Contact us' => 'Hubungi kami', - 'PrestaShop Installation Assistant' => 'Instalasi Prestashop', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Hubungi kami!', - 'menu_welcome' => 'Pilih bahasa', - 'menu_license' => 'Perjanjian lisensi', - 'menu_system' => 'Kompabilitas sistem', - 'menu_configure' => 'Informasi toko', - 'menu_database' => 'Konfigurasi sistem', - 'menu_process' => 'Instalasi toko', - 'Installation Assistant' => 'Instalasi Prestashop', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Untuk proses instalasi Prestashop, Javascript di browser Anda harus aktif.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Perjanjian lisensi', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Untuk menikmati fitur gratis lainnya di Prestashop, harap baca aturan lisensi dibawah. Prestashop core dilisensikan dibawah OSL 3.0, sementara modul dan theme dilisensikan dibawah AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Saya setuju dengan syarat dan ketentuan diatas.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Saya setuju untuk berpartisipasi mengembangkan Prestashop dengan mengirimkan informasi konfigurasi saya secara anonim.', - 'Done!' => 'Selesai !', - 'An error occurred during installation...' => 'Terdapat kesalahan saat proses instalasi...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Anda dapat menggunakan tautan yang ada di kolom sebelah kiri untuk kembali ke langkah sebelumnya the, atau mengulang proses instalasi dengan klik tautan ini.', - 'Your installation is finished!' => 'Proses instalasi selesai !', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Proses instalasi berhasil dan selesai. Terima kasih telah menggunakan PrestaShop !', - 'Please remember your login information:' => 'Harap ingat informasi login Anda berikut ini:', - 'E-mail' => 'Email', - 'Print my login information' => 'Cetak informasi login saya', - 'Password' => 'Password', - 'Display' => 'Tampil', - 'For security purposes, you must delete the "install" folder.' => 'Untuk alasan keamanan, folder "install" sebaiknya dihapus.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Back Office', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Kelola toko Anda melalui backoffice, dimana Anda dapat mengatur order, pelanggan, memasang modul, merubah theme dan banyak lagi.., ', - 'Manage your store' => 'Kelola toko Anda', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Jelajahi toko Anda sebagaimana pelanggan mengunjungi website Anda !', - 'Discover your store' => 'Kunjungi website Anda', - 'Share your experience with your friends!' => 'Bagikan pengalaan Anda ke teman-teman Anda!', - 'I just built an online store with PrestaShop!' => 'Saya telah membuat toko online menggunakan Prestashop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Lihat pengalaman baru berikut ini : http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Share', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'Google+', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Cek PrestaShop Addons untuk menambahkan banyak fungsi tambahan bagi toko Anda!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Sedang melakukan cek kompabilitas sistem Anda dengan Prestashop.', - 'If you have any questions, please visit our documentation and community forum.' => 'Jika Anda memiliki pertanyaan, silahkan kunjungi halaman dokumentasi dan forum.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Kompabilitas Prestashop dengan sistem Anda berhasil diverifikasi!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Harap perbaiki item-item dibawah terlebih dahulu, lalu klik tombol "Refresh" untuk tes ulang kompabilitas sistem Anda.', - 'Refresh these settings' => 'Refresh setting', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop membutuhkan memori minimal sebesar 32 MB: harap cek direktif memory_limit pada file php.ini atau hubungi tempat hosting Anda.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Perhatian: Anda tidak dapat menggunakan tool ini untuk melakukan upgrade toko Anda.

Anda menggunakan PrestaShop versi %1$s.

Jika ingin melakukan upgrade ke versi terbaru, silahkan baca petunjuknya di: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Selamat datang di instalasi Prestashop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalasi Prestashop cukup cepat dan mudah. Dalam waktu singkat, Anda akan bergabung di komunitas kami yang terdiri dari lebih 230.000 penjual online. Sehingga anda dapat membuat toko online unik yang dapat dikelola dengan mudah setiap harinya.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Jika memerlukan bantuan, silahkan tonton video tutorial, atau cek dokumentasi Prestashop.', - 'Continue the installation in:' => 'Lanjutkan instalasi di:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Pilihan bahasa diatas hanya berlaku ketika proses instalasi. Setelah terinstall, Anda dapat memilih bahasa untuk toko Anda dari lebih %d bahasa yang tersedia secara gratis!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalasi Prestashop cukup cepat dan mudah. Dalam waktu singkat, Anda akan bergabung di komunitas kami yang terdiri dari lebih 250.000 penjual online. Sehingga anda dapat membuat toko online unik yang dapat dikelola dengan mudah setiap harinya.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Terjadi kesalahan SQL untuk entitas %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Tidak dapat membuat gambar "%1$s" untuk entitas "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Tidak dapat membuat gambar "%1$s" (izin buruk pada folder "%2$s")', + 'Cannot create image "%s"' => 'Tidak dapat membuat gambar "%s"', + 'SQL error on query %s' => 'Kesalahan SQL pada kueri %s', + '%s Login information' => '%s Informasi masuk', + 'Field required' => 'Bidang wajib diisi', + 'Invalid shop name' => 'Nama toko tidak valid', + 'The field %s is limited to %d characters' => 'Bidang %s dibatasi hingga %d karakter', + 'Your firstname contains some invalid characters' => 'Nama depan Anda mengandung beberapa karakter yang tidak valid', + 'Your lastname contains some invalid characters' => 'Nama belakang Anda mengandung beberapa karakter yang tidak valid', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Kata sandi salah (string alfanumerik dengan minimal 8 karakter)', + 'Password and its confirmation are different' => 'Kata sandi dan konfirmasinya berbeda', + 'This e-mail address is invalid' => 'Alamat email ini tidak valid', + 'Image folder %s is not writable' => 'Folder gambar %s tidak dapat ditulisi', + 'An error occurred during logo copy.' => 'Terjadi kesalahan saat menyalin logo.', + 'An error occurred during logo upload.' => 'Terjadi kesalahan saat mengunggah logo.', + 'Lingerie and Adult' => 'Pakaian Dalam dan Dewasa', + 'Animals and Pets' => 'Hewan dan Hewan Peliharaan', + 'Art and Culture' => 'Seni budaya', + 'Babies' => 'Bayi', + 'Beauty and Personal Care' => 'Kecantikan dan Perawatan Pribadi', + 'Cars' => 'Mobil', + 'Computer Hardware and Software' => 'Perangkat Keras dan Perangkat Lunak Komputer', + 'Download' => 'Unduh', + 'Fashion and accessories' => 'Mode dan aksesoris', + 'Flowers, Gifts and Crafts' => 'Bunga, Hadiah dan Kerajinan Tangan', + 'Food and beverage' => 'Makanan dan minuman', + 'HiFi, Photo and Video' => 'HiFi, Foto dan Video', + 'Home and Garden' => 'Rumah dan Taman', + 'Home Appliances' => 'Peralatan Rumah Tangga', + 'Jewelry' => 'Perhiasan', + 'Mobile and Telecom' => 'Seluler dan Telekomunikasi', + 'Services' => 'Jasa', + 'Shoes and accessories' => 'Sepatu dan aksesoris', + 'Sports and Entertainment' => 'Olahraga dan Hiburan', + 'Travel' => 'Bepergian', + 'Database is connected' => 'Basis data terhubung', + 'Database is created' => 'Basis data dibuat', + 'Cannot create the database automatically' => 'Tidak dapat membuat database secara otomatis', + 'Create settings.inc file' => 'Buat file pengaturan.inc', + 'Create database tables' => 'Membuat tabel database', + 'Create default website and languages' => 'Buat situs web dan bahasa default', + 'Populate database tables' => 'Mengisi tabel database', + 'Configure website information' => 'Konfigurasikan informasi situs web', + 'Install demonstration data' => 'Instal data demonstrasi', + 'Install modules' => 'Instal modul', + 'Install Addons modules' => 'Instal modul Addons', + 'Install theme' => 'Instal tema', + 'Required PHP parameters' => 'Parameter PHP yang diperlukan', + 'The required PHP version is between 5.6 to 7.4' => 'Versi PHP yang diperlukan adalah antara 5.6 hingga 7.4', + 'Cannot upload files' => 'Tidak dapat mengunggah file', + 'Cannot create new files and folders' => 'Tidak dapat membuat file dan folder baru', + 'GD library is not installed' => 'Perpustakaan GD tidak diinstal', + 'PDO MySQL extension is not loaded' => 'Ekstensi PDO MySQL tidak dimuat', + 'Curl extension is not loaded' => 'Ekstensi curl tidak dimuat', + 'SOAP extension is not loaded' => 'Ekstensi SOAP tidak dimuat', + 'SimpleXml extension is not loaded' => 'Ekstensi SimpleXml tidak dimuat', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Dalam konfigurasi PHP atur memory_limit ke minimum 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Dalam konfigurasi PHP atur max_execution_time ke minimum 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Dalam konfigurasi PHP atur upload_max_filesize ke minimum 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Tidak dapat membuka URL eksternal (memerlukan izinkan_url_fopen sebagai Aktif).', + 'ZIP extension is not enabled' => 'Ekstensi ZIP tidak diaktifkan', + 'Files' => 'File', + 'Not all files were successfully uploaded on your server' => 'Tidak semua file berhasil diunggah di server Anda', + 'Permissions on files and folders' => 'Izin pada file dan folder', + 'Recursive write permissions for %1$s user on %2$s' => 'Izin menulis rekursif untuk %1$s pengguna di %2$s', + 'Recommended PHP parameters' => 'Parameter PHP yang direkomendasikan', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Anda menggunakan versi PHP %s. Sebentar lagi, versi PHP terbaru yang didukung oleh QloApps adalah PHP 5.6. Untuk memastikan Anda siap menghadapi masa depan, kami menyarankan Anda untuk meningkatkan ke PHP 5.6 sekarang!', + 'PHP register_globals option is enabled' => 'Opsi PHP register_globals diaktifkan', + 'GZIP compression is not activated' => 'Kompresi GZIP tidak diaktifkan', + 'Mbstring extension is not enabled' => 'Ekstensi Mbstring tidak diaktifkan', + 'Dom extension is not loaded' => 'Ekstensi Dom tidak dimuat', + 'Server name is not valid' => 'Nama server tidak valid', + 'You must enter a database name' => 'Anda harus memasukkan nama database', + 'You must enter a database login' => 'Anda harus memasukkan login basis data', + 'Tables prefix is invalid' => 'Awalan tabel tidak valid', + 'Cannot convert database data to utf-8' => 'Tidak dapat mengonversi data basis data ke utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Setidaknya satu tabel dengan awalan yang sama telah ditemukan, harap ubah awalan Anda atau hapus database Anda', + 'The values of auto_increment increment and offset must be set to 1' => 'Nilai kenaikan dan offset_peningkatan otomatis harus disetel ke 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Server Basis Data tidak ditemukan. Harap verifikasi bidang login, kata sandi, dan server', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Koneksi ke server MySQL berhasil, namun database "%s" tidak ditemukan', + 'Attempt to create the database automatically' => 'Mencoba membuat database secara otomatis', + '%s file is not writable (check permissions)' => 'File %s tidak dapat ditulis (periksa izin)', + '%s folder is not writable (check permissions)' => 'Folder %s tidak dapat ditulis (periksa izin)', + 'Cannot write settings file' => 'Tidak dapat menulis file pengaturan', + 'Database structure file not found' => 'File struktur basis data tidak ditemukan', + 'Cannot create group shop' => 'Tidak dapat membuat toko grup', + 'Cannot create shop' => 'Tidak dapat membuat toko', + 'Cannot create shop URL' => 'Tidak dapat membuat URL toko', + 'File "language.xml" not found for language iso "%s"' => 'File "bahasa.xml" tidak ditemukan untuk bahasa iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'File "bahasa.xml" tidak valid untuk bahasa iso "%s"', + 'Cannot install language "%s"' => 'Tidak dapat menginstal bahasa "%s"', + 'Cannot copy flag language "%s"' => 'Tidak dapat menyalin bahasa bendera "%s"', + 'Cannot create admin account' => 'Tidak dapat membuat akun admin', + 'Cannot install module "%s"' => 'Tidak dapat memasang modul "%s"', + 'Fixtures class "%s" not found' => 'Perlengkapan kelas "%s" tidak ditemukan', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" harus berupa turunan dari "InstallXmlLoader"', + 'Information about your Website' => 'Informasi tentang Situs Web Anda', + 'Website name' => 'Nama situs web', + 'Main activity' => 'Aktifitas utama', + 'Please choose your main activity' => 'Silakan pilih aktivitas utama Anda', + 'Other activity...' => 'Aktivitas lainnya...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Bantu kami mempelajari lebih lanjut tentang toko Anda sehingga kami dapat memberikan panduan optimal dan fitur terbaik untuk bisnis Anda!', + 'Install demo data' => 'Instal data demo', + 'Yes' => 'Ya', + 'No' => 'TIDAK', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Menginstal data demo adalah cara yang baik untuk mempelajari cara menggunakan QloApps jika Anda belum pernah menggunakannya sebelumnya. Data demo ini nantinya dapat dihapus menggunakan modul QloApps Data Cleaner yang sudah diinstal sebelumnya dengan instalasi ini.', + 'Country' => 'Negara', + 'Select your country' => 'Pilih negaramu', + 'Website timezone' => 'Zona waktu situs web', + 'Select your timezone' => 'Pilih zona waktu Anda', + 'Enable SSL' => 'Aktifkan SSL', + 'Shop logo' => 'Logo toko', + 'Optional - You can add you logo at a later time.' => 'Opsional - Anda dapat menambahkan logo Anda di lain waktu.', + 'Your Account' => 'Akun Anda', + 'First name' => 'Nama depan', + 'Last name' => 'nama keluarga', + 'E-mail address' => 'Alamat email', + 'This email address will be your username to access your website\'s back office.' => 'Alamat email ini akan menjadi nama pengguna Anda untuk mengakses back office situs web Anda.', + 'Password' => 'Kata sandi', + 'Must be at least 8 characters' => 'Minimal harus 8 karakter', + 'Re-type to confirm' => 'Ketik ulang untuk mengonfirmasi', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Informasi yang Anda berikan kepada kami dikumpulkan oleh kami dan tunduk pada pemrosesan data dan statistik. Berdasarkan "Undang-undang tentang Pemrosesan Data, File Data, dan Kebebasan Individu" saat ini, Anda memiliki hak untuk mengakses, memperbaiki, dan menentang pemrosesan data pribadi Anda melalui tautan.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Saya setuju untuk menerima Newsletter dan penawaran promosi dari QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Anda akan selalu menerima email transaksional seperti pembaruan baru, perbaikan keamanan, dan patch bahkan jika Anda tidak memilih opsi ini.', + 'Configure your database by filling out the following fields' => 'Konfigurasikan database Anda dengan mengisi kolom berikut', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Untuk menggunakan QloApps, Anda harus membuat database untuk mengumpulkan semua aktivitas terkait data situs web Anda.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Silakan lengkapi kolom di bawah ini agar QloApps dapat terhubung ke database Anda.', + 'Database server address' => 'Alamat server basis data', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Port default adalah 3306. Untuk menggunakan port lain, tambahkan nomor port di akhir alamat server Anda yaitu ":4242".', + 'Database name' => 'Nama basis data', + 'Database login' => 'Masuk basis data', + 'Database password' => 'Kata sandi basis data', + 'Database Engine' => 'Mesin Basis Data', + 'Tables prefix' => 'Awalan tabel', + 'Drop existing tables (mode dev)' => 'Jatuhkan tabel yang ada (mode dev)', + 'Test your database connection now!' => 'Uji koneksi database Anda sekarang!', + 'Next' => 'Berikutnya', + 'Back' => 'Kembali', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Jika memerlukan bantuan, Anda dapat mendapatkan bantuan khusus dari tim dukungan kami. Dokumentasi resmi juga ada di sini untuk memandu Anda.', + 'Official forum' => 'Forum resmi', + 'Support' => 'Mendukung', + 'Documentation' => 'Dokumentasi', + 'Contact us' => 'Hubungi kami', + 'QloApps Installation Assistant' => 'Asisten Instalasi QloApps', + 'Forum' => 'Forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Pilih bahasamu', + 'menu_license' => 'Perjanjian lisensi', + 'menu_system' => 'Kompatibilitas sistem', + 'menu_configure' => 'Informasi situs web', + 'menu_database' => 'Sistem konfigurasi', + 'menu_process' => 'Instalasi QloApps', + 'Need Help?' => 'Butuh bantuan?', + 'Click here to Contact us' => 'Klik di sini untuk Menghubungi kami', + 'Installation' => 'Instalasi', + 'See our Installation guide' => 'Lihat panduan Instalasi kami', + 'Tutorials' => 'Tutorial', + 'See our QloApps tutorials' => 'Lihat tutorial QloApps kami', + 'Installation Assistant' => 'Asisten Instalasi', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Untuk menginstal QloApps, Anda harus mengaktifkan JavaScript di browser Anda.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Perjanjian Lisensi', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Untuk menikmati berbagai fitur yang ditawarkan QloApps secara gratis, silakan baca ketentuan lisensi di bawah ini. Inti QloApps dilisensikan di bawah OSL 3.0, sedangkan modul dan tema dilisensikan di bawah AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Saya menyetujui syarat dan ketentuan di atas.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Saya setuju untuk berpartisipasi dalam meningkatkan solusi dengan mengirimkan informasi anonim tentang konfigurasi saya.', + 'Done!' => 'Selesai!', + 'An error occurred during installation...' => 'Terjadi kesalahan saat instalasi...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Anda dapat menggunakan tautan di kolom kiri untuk kembali ke langkah sebelumnya, atau memulai ulang proses instalasi dengan mengklik di sini.', + 'Suggested Modules' => 'Modul yang Disarankan', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Temukan fitur yang tepat di QloApps Addons untuk menjadikan bisnis perhotelan Anda sukses.', + 'Discover All Modules' => 'Temukan Semua Modul', + 'Suggested Themes' => 'Tema yang Disarankan', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Buat desain yang sesuai dengan hotel dan pelanggan Anda, dengan tema template siap pakai.', + 'Discover All Themes' => 'Temukan Semua Tema', + 'Your installation is finished!' => 'Instalasi Anda selesai!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Anda baru saja selesai menginstal QloApps. Terima kasih telah menggunakan QloApps!', + 'Please remember your login information:' => 'Harap ingat informasi login Anda:', + 'E-mail' => 'Surel', + 'Print my login information' => 'Cetak informasi login saya', + 'Display' => 'Menampilkan', + 'For security purposes, you must delete the "install" folder.' => 'Untuk tujuan keamanan, Anda harus menghapus folder "install".', + 'Back Office' => 'Kantor Belakang', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Kelola situs web Anda menggunakan Back Office Anda. Kelola pesanan dan pelanggan Anda, tambahkan modul, ubah tema, dll.', + 'Manage Your Website' => 'Kelola Situs Web Anda', + 'Front Office' => 'Kantor depan', + 'Discover your website as your future customers will see it!' => 'Temukan situs web Anda seperti yang akan dilihat oleh pelanggan masa depan Anda!', + 'Discover Your Website' => 'Temukan Situs Web Anda', + 'Share your experience with your friends!' => 'Bagikan pengalaman Anda dengan teman-teman Anda!', + 'I just built an online hotel booking website with QloApps!' => 'Saya baru saja membuat situs pemesanan hotel online dengan QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Lihat semua fitur di sini: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Menciak', + 'Share' => 'Membagikan', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Kami sedang memeriksa kompatibilitas QloApps dengan lingkungan sistem Anda', + 'If you have any questions, please visit our documentation and community forum.' => 'Jika Anda memiliki pertanyaan, silakan kunjungi dokumentasi dan forum komunitas< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Kompatibilitas QloApps dengan lingkungan sistem Anda telah diverifikasi!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ups! Harap perbaiki item di bawah ini, lalu klik "Segarkan informasi" untuk menguji kompatibilitas sistem baru Anda.', + 'Refresh these settings' => 'Segarkan pengaturan ini', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps memerlukan setidaknya 128 MB memori untuk dijalankan: silakan periksa direktif memory_limit di file php.ini Anda atau hubungi penyedia host Anda mengenai hal ini.', + 'Welcome to the QloApps %s Installer' => 'Selamat datang di Pemasang QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Menginstal QloApps cepat dan mudah. Hanya dalam beberapa saat, Anda akan menjadi bagian dari sebuah komunitas. Anda sedang dalam proses membuat situs web pemesanan hotel sendiri yang dapat Anda kelola dengan mudah setiap hari.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Jika Anda memerlukan bantuan, jangan ragu untuk menonton tutorial singkat ini, atau memeriksa dokumentasi kami.', + 'Continue the installation in:' => 'Lanjutkan instalasi di:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Pilihan bahasa di atas hanya berlaku untuk Asisten Instalasi. Setelah QloApps diinstal, Anda dapat memilih bahasa situs web Anda dari lebih dari %d terjemahan, semuanya gratis!', + ), +); \ No newline at end of file diff --git a/install/langs/it/install.php b/install/langs/it/install.php index a580643f6..68d18221c 100644 --- a/install/langs/it/install.php +++ b/install/langs/it/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Errore SQL per l\'entity %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossibile creare l\'immagine "%1$s" per l\'entità "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossibile creare l\'immagine "%1$s" (errore permessi nella cartella "%2$s")', - 'Cannot create image "%s"' => 'Impossibile creare l\'immagine "%s"', - 'SQL error on query %s' => 'Errore SQL nella query %s', - '%s Login information' => '%s Informazioni login', - 'Field required' => 'Campo obbligatorio', - 'Invalid shop name' => 'nome negozio non valido', - 'The field %s is limited to %d characters' => 'Il campo %s può comprendere fino a %d caratteri', - 'Your firstname contains some invalid characters' => 'Il tuo nome contiene dei caratteri non validi', - 'Your lastname contains some invalid characters' => 'Il tuo cognome contiene dei caratteri non validi', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La password non è corretta (sequenza alfanumerica di almeno 8 caratteri)', - 'Password and its confirmation are different' => 'La password digitata non coincide con la conferma della stessa', - 'This e-mail address is invalid' => 'Questo indirizzo e-mail è errato', - 'Image folder %s is not writable' => 'La cartella immagini %s non è scrivibile', - 'An error occurred during logo copy.' => 'Si è verificato un errore durante la copia del logo', - 'An error occurred during logo upload.' => 'Si è verificato un errore durante il caricamento del logo.', - 'Lingerie and Adult' => 'Lingerie e adulti', - 'Animals and Pets' => 'Animali', - 'Art and Culture' => 'Arte e Cultura', - 'Babies' => 'Infanzia', - 'Beauty and Personal Care' => 'Bellezza e cura della persona', - 'Cars' => 'Aumotobili', - 'Computer Hardware and Software' => 'Computer Hardware e Software', - 'Download' => 'Scarica', - 'Fashion and accessories' => 'Moda e Accessori', - 'Flowers, Gifts and Crafts' => 'Fiori, regali e oggettistica', - 'Food and beverage' => 'Alimenti e bevande', - 'HiFi, Photo and Video' => 'Hi-Fi, Foto e Video', - 'Home and Garden' => 'Casa e giardinaggio', - 'Home Appliances' => 'Elettrodomestici', - 'Jewelry' => 'Gioielleria', - 'Mobile and Telecom' => 'Telefonia mobile', - 'Services' => 'Servizi', - 'Shoes and accessories' => 'Scarpe e accessori', - 'Sports and Entertainment' => 'Sport e divertimenti', - 'Travel' => 'Viaggi', - 'Database is connected' => 'Il database è connesso', - 'Database is created' => 'Il database è creato', - 'Cannot create the database automatically' => 'Non è possibile creare il database automaticamente', - 'Create settings.inc file' => 'Creazione del file settings.inc', - 'Create database tables' => 'Creazione di tabelle nel database', - 'Create default shop and languages' => 'Creazione negozio e lingue di default', - 'Populate database tables' => 'Compilazione tabelle nel database', - 'Configure shop information' => 'Configurazione del negozio', - 'Install demonstration data' => 'Installazione dati dimostrativi', - 'Install modules' => 'Installazione moduli', - 'Install Addons modules' => 'Installazione moduli Addons', - 'Install theme' => 'Installazione del tema', - 'Required PHP parameters' => 'impostazioni PHP richieste', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 o successivo non attivo', - 'Cannot upload files' => 'Impossibile caricare i file', - 'Cannot create new files and folders' => 'Impossibile creare nuovi file e cartelle', - 'GD library is not installed' => 'La libreria GD non è installata', - 'MySQL support is not activated' => 'Il supporto MySQL non è attivo', - 'Files' => 'File', - 'Not all files were successfully uploaded on your server' => 'Non tutti i files sono stati caricati con successo sul tuo server', - 'Permissions on files and folders' => 'Permessi su file e cartelle', - 'Recursive write permissions for %1$s user on %2$s' => 'Permessi di scrittura per l\'utente %1$s su %2$s', - 'Recommended PHP parameters' => 'Configurazioni PHP raccomandate', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Stai utilizzando la versione %s di PHP. Presto, l\'ultima versione supportata da PrestaShop sarà PHP 5.4. Per essere certo di essere pronto per il futuro, ci raccomandiamo di aggiornare adesso a PHP 5.4!', - 'Cannot open external URLs' => 'Impossibile aprire URL esterne', - 'PHP register_globals option is enabled' => 'Il parametro PHP register_globals è abilitato', - 'GZIP compression is not activated' => 'La compressione GZIP non è attiva', - 'Mcrypt extension is not enabled' => 'L\'estensione Mcrypt non è attiva', - 'Mbstring extension is not enabled' => 'L\'estensione Mbstring non è attiva', - 'PHP magic quotes option is enabled' => 'L\'opzione PHP magic quotes è attiva', - 'Dom extension is not loaded' => 'L\'estensione DOM non è caricata', - 'PDO MySQL extension is not loaded' => 'L\'estensione PDO MySQL non è caricata', - 'Server name is not valid' => 'Il nome del server non è valido', - 'You must enter a database name' => 'Devi inserire il nome del database', - 'You must enter a database login' => 'Devi inserire un nome di accesso al database', - 'Tables prefix is invalid' => 'Prefisso tabelle non valido', - 'Cannot convert database data to utf-8' => 'Impossibile convertire i dati del database in utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'È stata trovata almeno un\'altra tabella con lo stesso prefisso. Cambia il prefisso o cancella le altre tabelle esistenti.', - 'The values of auto_increment increment and offset must be set to 1' => 'I valori di auto_increment e dell\'offset devono essere impostati a 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Impossibile connettersi al server del database. Verifica i campi con il nome di accesso, la password e il server', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connessione al server MySQL è avvenuta con successo, ma è impossibile trovare il database "%s"', - 'Attempt to create the database automatically' => 'Tentativo di creare il database automaticamente', - '%s file is not writable (check permissions)' => 'Il file %s non è scrivibile (verifica i permessi)', - '%s folder is not writable (check permissions)' => 'La cartella %s non è scrivibile (verifica i permessi)', - 'Cannot write settings file' => 'Impossibile generare il file di impostazioni (settings)', - 'Database structure file not found' => 'Struttura del database non trovata', - 'Cannot create group shop' => 'Impossibile creare il gruppo negozi', - 'Cannot create shop' => 'Impossibile creare il negozio', - 'Cannot create shop URL' => 'Impossibile creare l\'URL del negozio', - 'File "language.xml" not found for language iso "%s"' => 'File "language.xml" non trovato per la lingua con iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'File "language.xml" non valido per la lingua con iso "%s"', - 'Cannot install language "%s"' => 'Impossibile installare la lingua "%s"', - 'Cannot copy flag language "%s"' => 'Impossibile copiare la bandiera per la lingua "%s"', - 'Cannot create admin account' => 'Impossibile creare l\'account admin', - 'Cannot install module "%s"' => 'Impossibile installare il modulo "%s"', - 'Fixtures class "%s" not found' => 'Classe fixture "%s" non trovata', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve essere un\'istanza di "InstallXmlLoader"', - 'Information about your Store' => 'Informazioni relative al negozio', - 'Shop name' => 'Nome del negozio', - 'Main activity' => 'Attività principale', - 'Please choose your main activity' => 'Seleziona l\'attività principale', - 'Other activity...' => 'Altre attività...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aiutaci a conoscerti per orientarti al meglio e proporti le funzioni più adatte alla tua attività!', - 'Install demo products' => 'Installazione prodotti dimostrativi', - 'Yes' => 'Sì', - 'No' => 'No', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'I prodotti dimostrativi sono un buon modo per imparare a utilizzare PrestaShop. Dovresti installarli se non hai ancora dimestichezza con la piattaforma.', - 'Country' => 'Nazione', - 'Select your country' => 'Seleziona il tuo paese', - 'Shop timezone' => 'Fuso orario (timezone) del negozio', - 'Select your timezone' => 'Seleziona il tuo fuso orario', - 'Shop logo' => 'Logo del negozio', - 'Optional - You can add you logo at a later time.' => 'Facoltativo – Potrai aggiungerlo in un secondo momento.', - 'Your Account' => 'Il tuo account', - 'First name' => 'Nome', - 'Last name' => 'Cognome', - 'E-mail address' => 'Indirizzo email', - 'This email address will be your username to access your store\'s back office.' => 'Questo indirizzo email sarà il tuo nome utente con cui potrai accedere all\'interfaccia di gestione del negozio.', - 'Shop password' => 'Password del negozio', - 'Must be at least 8 characters' => 'Minimo 8 caratteri', - 'Re-type to confirm' => 'Digita nuovamente la password', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Tutte le informazioni che ci vengono date sono da noi raccolte e sottoposte a elaborazione dati a scopo statistico. Esse sono necessarie ai membri di PrestaShop per rispondere alle vostre richieste. I vostri dati personali possono essere comunicati a fornitori di servizi e a partner commerciali. Ai sensi del D. Lgs. 196/2003, avete il diritto di accedere, rettificare e opporvi all\'elaborazione dei vostri dati personali mediante questo link.', - 'Configure your database by filling out the following fields' => 'Configura il database compilando i campi sottostanti', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Per utilizzare Prestashop, devi creare un database per salvare i dati e le attività del tuo negozio.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Compila i campi sottostanti per far sì che PrestaShop possa connettersi al tuo database.', - 'Database server address' => 'Indirizzo server del database', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'La porta di default è 3306. Per usare un\'altra porta, digita il numero della porta alla fine dell\'indirizzo server. Ad esempio ":4242".', - 'Database name' => 'Nome del database', - 'Database login' => 'Nome di accesso database', - 'Database password' => 'Password del database', - 'Database Engine' => 'Motore Database', - 'Tables prefix' => 'Prefisso delle tabelle', - 'Drop existing tables (mode dev)' => 'Cancella le tabelle esistenti (modalità dev)', - 'Test your database connection now!' => 'Verifica adesso la connessione al tuo database!', - 'Next' => 'Successivo', - 'Back' => 'Indietro', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se hai bisogno di aiuto il nostro team può offriti un supporto personalizzato . Inoltre è disponibile la documentazione ufficiale.', - 'Official forum' => 'Forum ufficiale', - 'Support' => 'Assistenza', - 'Documentation' => 'Documentazione', - 'Contact us' => 'Contattaci', - 'PrestaShop Installation Assistant' => 'Assistente di Installazione PrestaShop', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Contattaci!', - 'menu_welcome' => 'Scegli la tua lingua', - 'menu_license' => 'Accettazione licenze', - 'menu_system' => 'Compatibilità sistema', - 'menu_configure' => 'Informazioni negozio', - 'menu_database' => 'Configurazione del sistema', - 'menu_process' => 'Installazione del negozio', - 'Installation Assistant' => 'Assistente di Installazione', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Per installare PrestaShop, devi avere JavaScript abilitato nel tuo browser.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/it/', - 'License Agreements' => 'Accordi di licenza', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Per godere delle svariate funzioni che PrestaShop offre gratuitamente, si prega di leggere le condizioni di licenza qui di seguito. Il nucleo di PrestaShop è rilasciato sotto licenza OSL 3.0, mentre i moduli e i temi sono rilasciati sotto licenza AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Accetto i termini e le condizioni dei presenti accordi.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Accetto di contribuire al miglioramento della piattaforma mediante l\'invio di informazioni anonime sulla mia configurazione.', - 'Done!' => 'Fatto!', - 'An error occurred during installation...' => 'Si è verificato un errore durante l\'installazione...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Puoi usare i link sulla colonna di sinistra per tornare indietro alle fasi precedenti, oppure puoi riavviare il processo di installazione cliccando qui.', - 'Your installation is finished!' => 'Installazione conclusa!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Il tuo negozio è stato installato correttamente. Grazie per aver scelto PrestaShop!', - 'Please remember your login information:' => 'Ricorda le credenziali per il login:', - 'E-mail' => 'Email', - 'Print my login information' => 'Stampa le credenziali per il login', - 'Password' => 'Password', - 'Display' => 'Visualizzazione', - 'For security purposes, you must delete the "install" folder.' => 'Per motivi di sicurezza, devi cancellare la cartella "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Pannello di amministrazione', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gestisci il tuo negozio tramite il Back Office. Gestisci ordini e clienti, aggiungi moduli, modifica i temi, ecc.', - 'Manage your store' => 'Gestisci il negozio', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Scopri come i tuoi futuri clienti vedranno il negozio!', - 'Discover your store' => 'Scopri il negozio', - 'Share your experience with your friends!' => 'Condividi la tua esperienza con i tuoi amici!', - 'I just built an online store with PrestaShop!' => 'Sto costruendo un e-commerce con Prestashop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Da\' un\'occhiata a questa esilarante esperienza: http://vimeo.com/89298199', - 'Tweet' => 'Twitta', - 'Share' => 'Condividi', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Acquista su PrestaShop Addons per aggiungere estensioni extra per il tuo negozio!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Stiamo verificando la compatibilità di PrestaShop con il tuo sistema', - 'If you have any questions, please visit our documentation and community forum.' => 'Se hai domande o dubbi, visita la nostra documentazione e il forum dedicato alla nostra comunità.', - 'PrestaShop compatibility with your system environment has been verified!' => 'La compatibilità del tuo sistema con PrestaShop è stata verificata!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ops! Correggi i seguenti punti, quindi clicca sul pulsante "Aggiorna" per verificare la compatibilità di PrestaShop del tuo nuovo sistema.', - 'Refresh these settings' => 'Aggiorna le impostazioni', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop richiede almeno 32 MB di memoria per girare: si prega di controllare la direttiva memory_limit nel file php.ini o contatta il tuo fornitore di hosting.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Attenzione: Non puoi utilizzare più questo strumento per aggiornare il tuo negozio.

Hai già installato PrestaShop versione %1$s.

Se vuoi aggiornare all\'ultima versione, leggi la nostra documentazione: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Benvenuto nell\'Assistente di Installazione di PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installare PrestaShop è veloce e facile. In pochi istanti farai parte di una comunità composta da più di 230.000 venditori. Stai per creare il tuo personale negozio online che potrai gestire con facilità ogni giorno.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Se hai bisogno di aiuto, guarda il tutorial, o consulta check la documentazione ufficiale.', - 'Continue the installation in:' => 'Continua l\'installazione in:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'La selezione della lingua qui sopra è valida solamente nell\'Assistente di Installazione. Una volta che il negozio è installato, potrai scegliere la lingua del negozio tra le oltre %d traduzioni disponibili gratuitamente!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installare PrestaShop è veloce e facile. In pochi istanti farai parte di una comunità composta da più di 250.000 venditori. Stai per creare il tuo personale negozio online che potrai gestire con facilità ogni giorno.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Si è verificato un errore SQL per l\'entità %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossibile creare l\'immagine "%1$s" per l\'entità "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossibile creare l\'immagine "%1$s" (autorizzazioni errate sulla cartella "%2$s")', + 'Cannot create image "%s"' => 'Impossibile creare l\'immagine "%s"', + 'SQL error on query %s' => 'Errore SQL sulla query %s', + '%s Login information' => '%s Informazioni di accesso', + 'Field required' => 'Campo obbligatorio', + 'Invalid shop name' => 'Nome del negozio non valido', + 'The field %s is limited to %d characters' => 'Il campo %s è limitato a %d caratteri', + 'Your firstname contains some invalid characters' => 'Il tuo nome contiene alcuni caratteri non validi', + 'Your lastname contains some invalid characters' => 'Il tuo cognome contiene alcuni caratteri non validi', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'La password è errata (stringa alfanumerica di almeno 8 caratteri)', + 'Password and its confirmation are different' => 'La password e la sua conferma sono diverse', + 'This e-mail address is invalid' => 'Questo indirizzo email non è valido', + 'Image folder %s is not writable' => 'La cartella immagini %s non è scrivibile', + 'An error occurred during logo copy.' => 'Si è verificato un errore durante la copia del logo.', + 'An error occurred during logo upload.' => 'Si è verificato un errore durante il caricamento del logo.', + 'Lingerie and Adult' => 'Biancheria intima e adulto', + 'Animals and Pets' => 'Animali e animali domestici', + 'Art and Culture' => 'Arte e cultura', + 'Babies' => 'Bambini', + 'Beauty and Personal Care' => 'Bellezza e cura della persona', + 'Cars' => 'Automobili', + 'Computer Hardware and Software' => 'Hardware e software per computer', + 'Download' => 'Scaricamento', + 'Fashion and accessories' => 'Moda e accessori', + 'Flowers, Gifts and Crafts' => 'Fiori, regali e artigianato', + 'Food and beverage' => 'Cibo e bevande', + 'HiFi, Photo and Video' => 'HiFi, Foto e Video', + 'Home and Garden' => 'Casa e giardino', + 'Home Appliances' => 'Elettrodomestici', + 'Jewelry' => 'Gioielleria', + 'Mobile and Telecom' => 'Mobile e Telecomunicazioni', + 'Services' => 'Servizi', + 'Shoes and accessories' => 'Scarpe e accessori', + 'Sports and Entertainment' => 'Sport e intrattenimento', + 'Travel' => 'Viaggio', + 'Database is connected' => 'Il database è connesso', + 'Database is created' => 'Viene creato il database', + 'Cannot create the database automatically' => 'Impossibile creare il database automaticamente', + 'Create settings.inc file' => 'Crea il file settings.inc', + 'Create database tables' => 'Creare tabelle di database', + 'Create default website and languages' => 'Crea sito Web e lingue predefinite', + 'Populate database tables' => 'Popolare le tabelle del database', + 'Configure website information' => 'Configurare le informazioni del sito web', + 'Install demonstration data' => 'Installa i dati dimostrativi', + 'Install modules' => 'Installa i moduli', + 'Install Addons modules' => 'Installa i moduli aggiuntivi', + 'Install theme' => 'Installa il tema', + 'Required PHP parameters' => 'Parametri PHP richiesti', + 'The required PHP version is between 5.6 to 7.4' => 'La versione PHP richiesta è compresa tra 5.6 e 7.4', + 'Cannot upload files' => 'Impossibile caricare file', + 'Cannot create new files and folders' => 'Impossibile creare nuovi file e cartelle', + 'GD library is not installed' => 'La libreria GD non è installata', + 'PDO MySQL extension is not loaded' => 'L\'estensione PDO MySQL non è caricata', + 'Curl extension is not loaded' => 'L\'estensione del ricciolo non è caricata', + 'SOAP extension is not loaded' => 'L\'estensione SOAP non è caricata', + 'SimpleXml extension is not loaded' => 'L\'estensione SimpleXml non è caricata', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Nella configurazione PHP imposta memory_limit su un minimo di 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Nella configurazione PHP imposta max_execution_time al minimo 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Nella configurazione PHP imposta upload_max_filesize su un minimo di 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Impossibile aprire URL esterni (richiede consentire_url_fopen come attivato).', + 'ZIP extension is not enabled' => 'L\'estensione ZIP non è abilitata', + 'Files' => 'File', + 'Not all files were successfully uploaded on your server' => 'Non tutti i file sono stati caricati correttamente sul tuo server', + 'Permissions on files and folders' => 'Autorizzazioni su file e cartelle', + 'Recursive write permissions for %1$s user on %2$s' => 'Autorizzazioni di scrittura ricorsiva per l\'utente %1$s su %2$s', + 'Recommended PHP parameters' => 'Parametri PHP consigliati', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Stai utilizzando la versione PHP %s. Presto, l\'ultima versione PHP supportata da QloApps sarà PHP 5.6. Per assicurarti di essere pronto per il futuro, ti consigliamo di eseguire subito l\'aggiornamento a PHP 5.6!', + 'PHP register_globals option is enabled' => 'L\'opzione PHP Register_globals è abilitata', + 'GZIP compression is not activated' => 'La compressione GZIP non è attivata', + 'Mbstring extension is not enabled' => 'L\'estensione Mbstring non è abilitata', + 'Dom extension is not loaded' => 'L\'estensione Dom non è caricata', + 'Server name is not valid' => 'Il nome del server non è valido', + 'You must enter a database name' => 'È necessario immettere un nome di database', + 'You must enter a database login' => 'È necessario inserire un accesso al database', + 'Tables prefix is invalid' => 'Il prefisso delle tabelle non è valido', + 'Cannot convert database data to utf-8' => 'Impossibile convertire i dati del database in utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'È già stata trovata almeno una tabella con lo stesso prefisso, modifica il prefisso o elimina il database', + 'The values of auto_increment increment and offset must be set to 1' => 'I valori di incremento e offset auto_increment devono essere impostati su 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Impossibile trovare il server database. Verifica i campi login, password e server', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connessione al server MySQL è riuscita, ma il database "%s" non è stato trovato', + 'Attempt to create the database automatically' => 'Tentare di creare il database automaticamente', + '%s file is not writable (check permissions)' => 'Il file %s non è scrivibile (controlla i permessi)', + '%s folder is not writable (check permissions)' => 'La cartella %s non è scrivibile (controlla i permessi)', + 'Cannot write settings file' => 'Impossibile scrivere il file delle impostazioni', + 'Database structure file not found' => 'File della struttura del database non trovato', + 'Cannot create group shop' => 'Impossibile creare il negozio di gruppo', + 'Cannot create shop' => 'Impossibile creare il negozio', + 'Cannot create shop URL' => 'Impossibile creare l\'URL del negozio', + 'File "language.xml" not found for language iso "%s"' => 'File "lingua.xml" non trovato per la lingua iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'File "lingua.xml" non valido per la lingua iso "%s"', + 'Cannot install language "%s"' => 'Impossibile installare la lingua "%s"', + 'Cannot copy flag language "%s"' => 'Impossibile copiare la lingua di segnalazione "%s"', + 'Cannot create admin account' => 'Impossibile creare un account amministratore', + 'Cannot install module "%s"' => 'Impossibile installare il modulo "%s"', + 'Fixtures class "%s" not found' => 'Classe di apparecchi "%s" non trovata', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve essere un\'istanza di "InstallXmlLoader"', + 'Information about your Website' => 'Informazioni sul tuo sito web', + 'Website name' => 'Nome del sito web', + 'Main activity' => 'Attività principale', + 'Please choose your main activity' => 'Scegli la tua attività principale', + 'Other activity...' => 'Altra attività...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aiutaci a saperne di più sul tuo negozio in modo che possiamo offrirti una guida ottimale e le migliori funzionalità per la tua attività!', + 'Install demo data' => 'Installa i dati dimostrativi', + 'Yes' => 'SÌ', + 'No' => 'NO', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'L\'installazione dei dati demo è un buon modo per imparare a utilizzare QloApps se non l\'hai mai utilizzato prima. Questi dati demo possono essere successivamente cancellati utilizzando il modulo QloApps Data Cleaner preinstallato con questa installazione.', + 'Country' => 'Paese', + 'Select your country' => 'Seleziona il tuo paese', + 'Website timezone' => 'Fuso orario del sito web', + 'Select your timezone' => 'Seleziona il tuo fuso orario', + 'Enable SSL' => 'Abilita SSL', + 'Shop logo' => 'Logo del negozio', + 'Optional - You can add you logo at a later time.' => 'Facoltativo: puoi aggiungere il tuo logo in un secondo momento.', + 'Your Account' => 'Il tuo account', + 'First name' => 'Nome di battesimo', + 'Last name' => 'Cognome', + 'E-mail address' => 'Indirizzo e-mail', + 'This email address will be your username to access your website\'s back office.' => 'Questo indirizzo email sarà il tuo nome utente per accedere al back office del tuo sito web.', + 'Password' => 'Parola d\'ordine', + 'Must be at least 8 characters' => 'Deve contenere almeno 8 caratteri', + 'Re-type to confirm' => 'Riscrivi per confermare', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Le informazioni che ci fornisci vengono raccolte da noi e sono soggette a elaborazione dati e statistiche. Ai sensi dell\'attuale "Legge sull\'informatica, i file di dati e le libertà individuali" hai il diritto di accesso, rettifica e opposizione al trattamento dei tuoi dati personali attraverso questo link.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Accetto di ricevere la Newsletter e le offerte promozionali da QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Riceverai sempre e-mail transazionali come nuovi aggiornamenti, correzioni di sicurezza e patch anche se non attivi questa opzione.', + 'Configure your database by filling out the following fields' => 'Configura il tuo database compilando i seguenti campi', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Per utilizzare QloApps, devi creare un database per raccogliere tutte le attività relative ai dati del tuo sito web.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Compila i campi sottostanti per consentire a QloApps di connettersi al tuo database.', + 'Database server address' => 'Indirizzo del server del database', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'La porta predefinita è 3306. Per utilizzare una porta diversa, aggiungi il numero di porta alla fine dell\'indirizzo del tuo server, ad esempio ":4242".', + 'Database name' => 'Nome del database', + 'Database login' => 'Accesso al database', + 'Database password' => 'Password della banca dati', + 'Database Engine' => 'Motore di database', + 'Tables prefix' => 'Prefisso delle tabelle', + 'Drop existing tables (mode dev)' => 'Elimina le tabelle esistenti (modalità dev)', + 'Test your database connection now!' => 'Metti alla prova la tua connessione al database adesso!', + 'Next' => 'Prossimo', + 'Back' => 'Indietro', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se hai bisogno di assistenza, puoi ottenere assistenza personalizzata dal nostro team di supporto. Anche La documentazione ufficiale è qui per guidarti.', + 'Official forum' => 'Foro ufficiale', + 'Support' => 'Supporto', + 'Documentation' => 'Documentazione', + 'Contact us' => 'Contattaci', + 'QloApps Installation Assistant' => 'Assistente all\'installazione di QloApps', + 'Forum' => 'Forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'scegli la tua LINGUA', + 'menu_license' => 'Accordi di licenza', + 'menu_system' => 'Compatibilità del sistema', + 'menu_configure' => 'Informazioni sul sito web', + 'menu_database' => 'Configurazione di sistema', + 'menu_process' => 'Installazione di QloApps', + 'Need Help?' => 'Ho bisogno di aiuto?', + 'Click here to Contact us' => 'Clicca qui per contattarci', + 'Installation' => 'Installazione', + 'See our Installation guide' => 'Consulta la nostra guida all\'installazione', + 'Tutorials' => 'Tutorial', + 'See our QloApps tutorials' => 'Guarda i nostri tutorial su QloApps', + 'Installation Assistant' => 'Assistente all\'installazione', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Per installare QloApps, devi avere JavaScript abilitato nel tuo browser.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Contratti di licenza', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Per usufruire delle numerose funzionalità offerte gratuitamente da QloApps, leggere i termini di licenza di seguito. Il core di QloApps è concesso in licenza con OSL 3.0, mentre i moduli e i temi sono concessi in licenza con AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Accetto i termini e le condizioni di cui sopra.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Accetto di partecipare al miglioramento della soluzione inviando informazioni anonime sulla mia configurazione.', + 'Done!' => 'Fatto!', + 'An error occurred during installation...' => 'Si è verificato un errore durante l\'installazione...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Puoi utilizzare i collegamenti nella colonna di sinistra per tornare ai passaggi precedenti o riavviare il processo di installazione facendo clic qui.', + 'Suggested Modules' => 'Moduli suggeriti', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Trova le funzionalità giuste sui componenti aggiuntivi di QloApps per rendere la tua attività di ospitalità un successo.', + 'Discover All Modules' => 'Scopri tutti i moduli', + 'Suggested Themes' => 'Temi suggeriti', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Crea un design adatto al tuo hotel e ai tuoi clienti, con un modello di tema pronto all\'uso.', + 'Discover All Themes' => 'Scopri tutti i temi', + 'Your installation is finished!' => 'La tua installazione è terminata!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Hai appena finito di installare QloApps. Grazie per aver utilizzato QloApps!', + 'Please remember your login information:' => 'Ricorda i tuoi dati di accesso:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Stampa le mie informazioni di accesso', + 'Display' => 'Schermo', + 'For security purposes, you must delete the "install" folder.' => 'Per motivi di sicurezza, è necessario eliminare la cartella "installazione".', + 'Back Office' => 'Back office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gestisci il tuo sito web utilizzando il Back Office. Gestisci i tuoi ordini e clienti, aggiungi moduli, cambia temi, ecc.', + 'Manage Your Website' => 'Gestisci il tuo sito web', + 'Front Office' => 'Sportello', + 'Discover your website as your future customers will see it!' => 'Scopri il tuo sito web come lo vedranno i tuoi futuri clienti!', + 'Discover Your Website' => 'Scopri il tuo sito web', + 'Share your experience with your friends!' => 'Condividi la tua esperienza con i tuoi amici!', + 'I just built an online hotel booking website with QloApps!' => 'Ho appena creato un sito web di prenotazione di hotel online con QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Vedi tutte le funzionalità qui: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Twitta', + 'Share' => 'Condividere', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Stiamo attualmente verificando la compatibilità di QloApps con il tuo ambiente di sistema', + 'If you have any questions, please visit our documentation and community forum.' => 'In caso di domande, visita la nostra documentazione e il forum della community< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'La compatibilità di QloApps con il tuo ambiente di sistema è stata verificata!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ops! Correggi gli elementi seguenti, quindi fai clic su "Aggiorna informazioni" per verificare la compatibilità del tuo nuovo sistema.', + 'Refresh these settings' => 'Aggiorna queste impostazioni', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps richiede almeno 128 MB di memoria per essere eseguito: controlla la direttiva memory_limit nel tuo file php.ini o contatta il tuo provider host a riguardo.', + 'Welcome to the QloApps %s Installer' => 'Benvenuto nel programma di installazione di QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Installare QloApps è semplice e veloce. In pochi istanti entrerai a far parte di una community. Stai per creare il tuo sito web di prenotazione alberghiera che potrai gestire facilmente ogni giorno.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Se hai bisogno di aiuto, non esitare a guardare questo breve tutorial o controllare la nostra documentazione.', + 'Continue the installation in:' => 'Continua l\'installazione in:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'La selezione della lingua sopra vale solo per l\'assistente all\'installazione. Una volta installato QloApps, puoi scegliere la lingua del tuo sito web tra oltre %d traduzioni, tutto gratis!', + ), +); \ No newline at end of file diff --git a/install/langs/lt/install.php b/install/langs/lt/install.php index b6c56fb9b..9b88b07d3 100644 --- a/install/langs/lt/install.php +++ b/install/langs/lt/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Įvyko SQL klaida subjekte %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Nepavyko sukurti paveiksliuko "%1$s" subjektui "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nepavyko sukurti paveiksliuko "%1$s" (blogi leidimai katalogui "%2$s")', - 'Cannot create image "%s"' => 'Negalima sukurti paveiksliuko "%s"', - 'SQL error on query %s' => 'SQL klaida užklausoje %s', - '%s Login information' => '%s prisijungimo duomenys', - 'Field required' => 'Privalomas laukas', - 'Invalid shop name' => 'Klaidingas el. parduotuvės pavadinimas', - 'The field %s is limited to %d characters' => 'Laukelyje %s yra ribojamas simbolių kiekis iki %d', - 'Your firstname contains some invalid characters' => 'Jūsų vardas turi neleistinų simbolių', - 'Your lastname contains some invalid characters' => 'Jūsų pavardė turi neleistinų simbolių.', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Neteisingas slaptažodis (turi būti skaičiai ir raidės, nemažiau 8 simbolių)', - 'Password and its confirmation are different' => 'Slaptažodis ir jo patvirtinimas yra skirtingi', - 'This e-mail address is invalid' => 'Elektroninio pašto adresas yra neteisingas', - 'Image folder %s is not writable' => 'Paveiksliukų katalogas %s neturi rašymo teisių', - 'An error occurred during logo copy.' => 'Įvyko klaida kopijuojant logotipą.', - 'An error occurred during logo upload.' => 'Įvyko klaida įkeliant logotipą.', - 'Lingerie and Adult' => 'Apatiniai drabužiai ir suaugusių prekės', - 'Animals and Pets' => 'Gyvuliai ir naminiai gyvūnai', - 'Art and Culture' => 'Menas ir kultūra', - 'Babies' => 'Kūdikiai', - 'Beauty and Personal Care' => 'Kosmetika ir higiena', - 'Cars' => 'Automobiliai', - 'Computer Hardware and Software' => 'Kompiuterių įranga ir programos', - 'Download' => 'Atsisiųsti', - 'Fashion and accessories' => 'Mados ir aksesuarai', - 'Flowers, Gifts and Crafts' => 'Gėlės, dovanos ir rankdarbiai', - 'Food and beverage' => 'Maistas ir gėrimai', - 'HiFi, Photo and Video' => 'Audio, video ir foto technika', - 'Home and Garden' => 'Namai ir sodai', - 'Home Appliances' => 'Namų reikmenys', - 'Jewelry' => 'Juvelyrika', - 'Mobile and Telecom' => 'Telekomunikacijos', - 'Services' => 'Paslaugos', - 'Shoes and accessories' => 'Batai ir aksesuarai', - 'Sports and Entertainment' => 'Sportas ir pramogos', - 'Travel' => 'Kelionės', - 'Database is connected' => 'Duomenų bazė prijungta', - 'Database is created' => 'Duomenų bazė sukurta', - 'Cannot create the database automatically' => 'Nepavyko sukurti duomenų bazės automatiškai', - 'Create settings.inc file' => 'Sukurti settings.inc failą', - 'Create database tables' => 'Sukurti duomenų bazės lenteles ', - 'Create default shop and languages' => 'Sukurti numatytąją parduotuvę ir kalbas', - 'Populate database tables' => 'Užpildyti duomenų bazės lenteles', - 'Configure shop information' => 'Redaguoti parduotuvės informaciją', - 'Install demonstration data' => 'Įdiegti demonstracinius duomenis', - 'Install modules' => 'Įdiegti modulius', - 'Install Addons modules' => 'Įdiegti Addons modulius', - 'Install theme' => 'Įdiegti temą', - 'Required PHP parameters' => 'Privalomi PHP parametrai', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 arba naujesnė versija neįjungta', - 'Cannot upload files' => 'Nepavyko įkelti failų', - 'Cannot create new files and folders' => 'Nepavyko sukurti naujų failų ir katalogų', - 'GD library is not installed' => 'GD biblioteka neįdiegta', - 'MySQL support is not activated' => 'MySQL palaikymas neaktyvuotas', - 'Files' => 'Failai', - 'Not all files were successfully uploaded on your server' => 'Ne visi failai sėkmingai įkelti į serverį', - 'Permissions on files and folders' => 'Failų ir katalogų leidimai', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekursiniai rašymo leidimai %1$s vartotojui %2$s', - 'Recommended PHP parameters' => 'Rekomenduojami PHP parametrai', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Jūs naudojate PHP %s versiją. Greitai, paskutinė PrestaShop palaikoma PHP versija bus PHP 5.4. Kad būtumėte pasiruošę ateičiai, siūlome jums atsinaujinti iki PHP 5.4 dabar!', - 'Cannot open external URLs' => 'Nepavyko atidaryti išorinio URL', - 'PHP register_globals option is enabled' => 'PHP register_globals funkcija įjungta', - 'GZIP compression is not activated' => 'GZIP suspaudimas neaktyvuotas', - 'Mcrypt extension is not enabled' => 'Mcrypt plėtinys neįjungtas', - 'Mbstring extension is not enabled' => 'Mbstring plėtinys neįjungtas', - 'PHP magic quotes option is enabled' => 'PHP nustatymas "magic quotes" įjungtas', - 'Dom extension is not loaded' => 'Neužkrautas DOM plėtinys', - 'PDO MySQL extension is not loaded' => 'PDO MySQL plėtinys neužkrautas', - 'Server name is not valid' => 'Neteisingas serverio pavadinimas', - 'You must enter a database name' => 'Turite įvesti duomenų bazės pavadinimą', - 'You must enter a database login' => 'Turite įvesti duomenų bazės prisijungimo duomenis', - 'Tables prefix is invalid' => 'Neteisingas lentelės priešdėlis', - 'Cannot convert database data to utf-8' => 'Nepavyko konvertuoti duomenų bazės duomenų į utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Rasta mažiausiai viena lentelė su tokiu pačiu priešdėliu, pakeiskite priešdėlį arba pašalinkite duomenų bazę', - 'The values of auto_increment increment and offset must be set to 1' => '"auto_increment" ir "offset" reikšmės turi būti lygios skaičiui 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Duomenų bazės serveris nerastas. Pasitikrinkite prisijungimo vardą, slaptažodį ir kitus laukus', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Ryšys su MySQL sėkmingas, tačiau nerasta "%s" duomenų bazė', - 'Attempt to create the database automatically' => 'Bandyti sukurti duomenų bazę automatiškai', - '%s file is not writable (check permissions)' => '%s failas neturi rašymo teisių (patikrinkite leidimus)', - '%s folder is not writable (check permissions)' => '%s katalogas neturi rašymo teisių (patikrinkite leidimus)', - 'Cannot write settings file' => 'Nepavyko rašyti į nustatymų failą', - 'Database structure file not found' => 'Nerastas duomenų bazės struktūros failas', - 'Cannot create group shop' => 'Nepavyko sukurti parduotuvių grupės', - 'Cannot create shop' => 'Nepavyko sukurti parduotuvės', - 'Cannot create shop URL' => 'Nepavyko sukurti parduotuvės URL', - 'File "language.xml" not found for language iso "%s"' => 'Failas "language.xml" nerastas kalbai, kurios ISO kodas yra "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Failas "language.xml" yra neteisingas kalbai, kurios ISO kodas yra "%s"', - 'Cannot install language "%s"' => 'Nepavyko įdiegti kalbos "%s"', - 'Cannot copy flag language "%s"' => 'Nepavyko nukopijuoti kalbos vėliavėlės "%s"', - 'Cannot create admin account' => 'Nepavyko sukurti admin paskyros', - 'Cannot install module "%s"' => 'Nepavyko įdiegti modulio "%s"', - 'Fixtures class "%s" not found' => 'Testinių duomenų klasė "%s" nerasta', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" privalo būti klasės "InstallXmlLoader" instancija', - 'Information about your Store' => 'Informacija apie jūsų parduotuvę', - 'Shop name' => 'Parduotuvės pavadinimas', - 'Main activity' => 'Pagrindinė veikla', - 'Please choose your main activity' => 'Prašome nurodyti pagrindinę veiklos kryptį', - 'Other activity...' => 'Kita veikla...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Padėkite mums sužinoti daugiau apie jūsų parduotuvę, tuomet mes galėsime jums pasiūlytų optimalų gidą ir geriausius pasiūlymus jūsų verslui!', - 'Install demo products' => 'Įdiegti testines prekes', - 'Yes' => 'Taip', - 'No' => 'Ne', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Testinės prekės yra geras būdas išmokti naudotis PrestaShop. Įdiekite jas.', - 'Country' => 'Šalis', - 'Select your country' => 'Pasirinkite šalį', - 'Shop timezone' => 'El. parduotuvės laiko juosta', - 'Select your timezone' => 'Pasirinkite savo laiko juostą', - 'Shop logo' => 'El. parduotuvės logotipas', - 'Optional - You can add you logo at a later time.' => 'Neprivaloma - Logotipą galėsite pridėti ir vėliau.', - 'Your Account' => 'Jūsų paskyra', - 'First name' => 'Vardas', - 'Last name' => 'Pavardė', - 'E-mail address' => 'El. pašto adresas', - 'This email address will be your username to access your store\'s back office.' => 'Šis el. pašto adresas bus jūsų prisijungimo vardas prie parduotuvės administracinės aplinkos.', - 'Shop password' => 'El. parduotuvės slaptažodis', - 'Must be at least 8 characters' => 'Turi būti ne trumpesnis, kaip 8 simbolių', - 'Re-type to confirm' => 'Pakartokite patvirtinimui', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Visa informacija, gauta iš jūsų yra naudojama duomenų analizei ir statistikai sudaryti. Ji reikalinga PrestaShop kompanijos darbuotojams geriau pažinti jūsų poreikius. Jūsų asmeniniai duomenys gali but perduoti paslaugų tiekėjams ir partneriams pagal sutartis ir įsipareigojimus. Pagal dabartinį teisinį aktą "Duomenų apdorojimo, duomenų failų ir asmeninių laisvių aktą" jūs turite teisę peržiūrėti, tikslinti ir prieštarauti jūsų duomenų panaudojimui per čia: link.', - 'Configure your database by filling out the following fields' => 'Sukonfigūruokite duomenų bazę užpildydami šiuos laikus', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Norėdami naudoti PrestaShop, turite sukurti duomenų bazę visai su jūsų parduotuve susijusiai informacijai saugoti.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Užpildykite žemiau esančius laukus tam, kad PrestaShop galėtų prisijungti prie jūsų duomenų bazės. ', - 'Database server address' => 'Duomenų bazės serverio adresas', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Numatytasis portas yra 3306. Jei norite naudoti kitą portą, pridėkite jį prie serverio adreso galo, pvz.: ":4242".', - 'Database name' => 'Duomenų bazės pavadinimas', - 'Database login' => 'Duomenų bazės prisijungimas', - 'Database password' => 'Duomenų bazės slaptažodis', - 'Database Engine' => 'Duomenų bazės variklis', - 'Tables prefix' => 'Lentelių priešdėlis', - 'Drop existing tables (mode dev)' => 'Sunaikinti (DROP) egzistuojančias lenteles (dev rėžimas)', - 'Test your database connection now!' => 'Patikrinkite duomenų bazės prisijungimą dabar!', - 'Next' => 'Tęsti', - 'Back' => 'Atgal', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Jei jums reikia pagalbos, jūs galite gauti reikiamą pagalbą iš mūsų aptarnavimo komandos. Oficiali dokumentacija taip pat gali jums padėti.', - 'Official forum' => 'Oficialus forumas', - 'Support' => 'Pagalba', - 'Documentation' => 'Dokumentacija', - 'Contact us' => 'Susisiekite su mumis', - 'PrestaShop Installation Assistant' => 'PrestaShop įdiegimo asistentas', - 'Forum' => 'Forumas', - 'Blog' => 'Tinklaraštis', - 'Contact us!' => 'Susisiekite su mumis!', - 'menu_welcome' => 'Pasirinkite kalbą', - 'menu_license' => 'Licencinės sutartys', - 'menu_system' => 'Sistemos suderinamumas', - 'menu_configure' => 'Parduotuvės informacija', - 'menu_database' => 'Sistemos konfigūravimas', - 'menu_process' => 'Parduotuvės diegimas', - 'Installation Assistant' => 'Įdiegimo asistentas', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Norėdami įdiegti PrestaShop, turite įjungti JavaScript savo naršyklėje.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Licencinės sutartys', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Norėdami turėti daugiau funkcijų, kurias nemokamai siūlo PrestaShop, perskaitykite žemiau esančias licencijos sąlygas. PrestaShop branduolys yra licencijuotas pagal OSL 3.0, o moduliai ir temos licencijuotos pagal PP 3.0.', - 'I agree to the above terms and conditions.' => 'Aš sutinku su nurodytomis nuostatomis ir sąlygomis.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Aš sutinku prisidėti prie platformos tobulinimo siunčiant anoniminę informaciją apie save konfigūraciją.', - 'Done!' => 'Atlikta!', - 'An error occurred during installation...' => 'Diegimo metu įvyko klaida...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Galite naudoti kairiame stulpelyje esančius grįžti atgal žingsnius arba iš naujo paleiskite diegimo procesą paspausdami čia.', - 'Your installation is finished!' => 'Diegimas baigtas!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Diegimas baigtas. Dėkojame, kad naudojates PrestaShop!', - 'Please remember your login information:' => 'Jūsų prisijungimo informacija:', - 'E-mail' => 'El. paštas', - 'Print my login information' => 'Spausdinti mano prisijungimo informaciją', - 'Password' => 'Slaptažodis', - 'Display' => 'Rodyti', - 'For security purposes, you must delete the "install" folder.' => 'Saugumo sumetimais, privalote ištrinti "install" katalogą.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Administracinė dalis', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Valdykite savo parduotuvėje naudojantis administracine dalimi. Tvarkykite užsakymus ir klientus, įdiekite modulius, keiskite temas ir pan.', - 'Manage your store' => 'Valdyti parduotuvę', - 'Front Office' => 'Parduotuvė', - 'Discover your store as your future customers will see it!' => 'Pamatykite savo parduotuvę taip, kaip ją matys jūs būsimi klientai!', - 'Discover your store' => 'Žiūrėti parduotuvę', - 'Share your experience with your friends!' => 'Pasidalinkite savo patirtimi su draugais!', - 'I just built an online store with PrestaShop!' => 'Aš ką tik sukūriau el. parduotuvę naudojantis PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Pamatykite šią nepakartojamą patirtį: http://vimeo.com/89298199', - 'Tweet' => 'Twitter', - 'Share' => 'Dalintis', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Apsilankykite PrestaShop Addons svetainėje, jei norite pridėti kažką papildomo savo parduotuvei!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Šiuo metu tikriname PrestaShop suderinamumą su jūsų sistemos aplinka', - 'If you have any questions, please visit our documentation and community forum.' => 'Jei turite kokių nors klausimų, peržiūrėkite mūsų dokumentaciją ir bendruomenės forumą.', - 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop suderinamumas su jūsų sistemos aplinka patikrintas!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Pataisykite žemiau esantį elementą(-us) ir tada paspauskite "Atnaujinti informaciją", kad būtų galima ištestuoti suderinamumą su jūsų sistema.', - 'Refresh these settings' => 'Atnaujinti šiuos nustatymus', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop paleisti reikia mažiausiai 32 MB atminties: patikrinkite memory_limit direktyvą php.ini faile arba susisiekite su hostingo paslaugų teikėju.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Dėmesio: daugiau negalite naudoti šio įrankio parduotuvės atnaujinimui.

Jūs jau turitePrestaShop versiją %1$s įdiegtą.

Jei norite atnaujinti į naujausią versiją, skaitykite dokumentaciją: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Sveiki atvykę į PrestaShop %s įdiegimo vedlį', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop įdiegimas yra greitas ir paprastas. Vos po kelių akimirkų jūs tapsite bendruomenės, kurią sudaro daugiau nei 200 000 pardavėjų, dalimi. Esate savo unikalios el. parduotuvės, kurią galėsite lengvai valdyti kiekvieną dieną, kūrimo kelyje.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Jei jums reikia pagalbos, nedvejodami peržiūrėkite šį trumpą pradžiamokslį, arba patikrinkite dokumentaciją.', - 'Continue the installation in:' => 'Tęsti įdiegimą:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Kalbos pasirinkimas taikomas tik diegimo asistentui. Kai jūsų parduotuvė bus įdiegta, galėsite savo parduotuvei parinkti kalbą iš daugiau nei %d vertimų, ir visa tai nemokamai!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop įdiegimas yra greitas ir paprastas. Vos po kelių akimirkų jūs tapsite bendruomenės, kurią sudaro daugiau nei 250 000 pardavėjų, dalimi. Esate savo unikalios el. parduotuvės, kurią galėsite lengvai valdyti kiekvieną dieną, kūrimo kelyje.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Įvyko SQL klaida objekte %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Nepavyko sukurti objekto „%2$s“ vaizdo „%1$s“', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nepavyko sukurti vaizdo „%1$s“ (blogi leidimai aplanke „%2$s“)', + 'Cannot create image "%s"' => 'Nepavyko sukurti vaizdo „%s“', + 'SQL error on query %s' => 'SQL klaida užklausoje %s', + '%s Login information' => '%s Prisijungimo informacija', + 'Field required' => 'Būtinas laukas', + 'Invalid shop name' => 'Neteisingas parduotuvės pavadinimas', + 'The field %s is limited to %d characters' => 'Lauke %s yra %d simbolių', + 'Your firstname contains some invalid characters' => 'Jūsų varde yra keletas netinkamų simbolių', + 'Your lastname contains some invalid characters' => 'Jūsų pavardėje yra keletas netinkamų simbolių', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Slaptažodis neteisingas (raidinė ir skaitmeninė eilutė, kurią sudaro mažiausiai 8 simboliai)', + 'Password and its confirmation are different' => 'Slaptažodis ir jo patvirtinimas skiriasi', + 'This e-mail address is invalid' => 'Šis el. pašto adresas neteisingas', + 'Image folder %s is not writable' => 'Vaizdo aplankas %s neįrašomas', + 'An error occurred during logo copy.' => 'Kopijuojant logotipą įvyko klaida.', + 'An error occurred during logo upload.' => 'Įkeliant logotipą įvyko klaida.', + 'Lingerie and Adult' => 'Apatinis trikotažas ir suaugusiems', + 'Animals and Pets' => 'Gyvūnai ir naminiai gyvūnai', + 'Art and Culture' => 'Menas ir Kultūra', + 'Babies' => 'Kūdikiai', + 'Beauty and Personal Care' => 'Grožis ir asmens priežiūra', + 'Cars' => 'Automobiliai', + 'Computer Hardware and Software' => 'Kompiuterių aparatinė ir programinė įranga', + 'Download' => 'parsisiųsti', + 'Fashion and accessories' => 'Mada ir aksesuarai', + 'Flowers, Gifts and Crafts' => 'Gėlės, dovanos ir amatai', + 'Food and beverage' => 'Maisto ir gėrimų', + 'HiFi, Photo and Video' => 'HiFi, nuotraukos ir vaizdo įrašai', + 'Home and Garden' => 'Namai ir sodas', + 'Home Appliances' => 'Buitinė technika', + 'Jewelry' => 'Papuošalai', + 'Mobile and Telecom' => 'Mobilusis ir telekomunikacijos', + 'Services' => 'Paslaugos', + 'Shoes and accessories' => 'Batai ir aksesuarai', + 'Sports and Entertainment' => 'Sportas ir pramogos', + 'Travel' => 'Kelionė', + 'Database is connected' => 'Duomenų bazė prijungta', + 'Database is created' => 'Sukurta duomenų bazė', + 'Cannot create the database automatically' => 'Negalima automatiškai sukurti duomenų bazės', + 'Create settings.inc file' => 'Sukurkite failą settings.inc', + 'Create database tables' => 'Sukurkite duomenų bazių lenteles', + 'Create default website and languages' => 'Sukurkite numatytąją svetainę ir kalbas', + 'Populate database tables' => 'Užpildykite duomenų bazių lenteles', + 'Configure website information' => 'Konfigūruoti svetainės informaciją', + 'Install demonstration data' => 'Įdiekite demonstracinius duomenis', + 'Install modules' => 'Įdiekite modulius', + 'Install Addons modules' => 'Įdiekite „Addons“ modulius', + 'Install theme' => 'Įdiegti temą', + 'Required PHP parameters' => 'Reikalingi PHP parametrai', + 'The required PHP version is between 5.6 to 7.4' => 'Reikalinga PHP versija yra nuo 5.6 iki 7.4', + 'Cannot upload files' => 'Nepavyksta įkelti failų', + 'Cannot create new files and folders' => 'Negalima sukurti naujų failų ir aplankų', + 'GD library is not installed' => 'GD biblioteka neįdiegta', + 'PDO MySQL extension is not loaded' => 'SKVN MySQL plėtinys neįkeltas', + 'Curl extension is not loaded' => 'Garbanos plėtinys neįkeltas', + 'SOAP extension is not loaded' => 'SOAP plėtinys neįkeltas', + 'SimpleXml extension is not loaded' => 'SimpleXml plėtinys neįkeltas', + 'In the PHP configuration set memory_limit to minimum 128M' => 'PHP konfigūracijoje nustatykite atminties_ribą iki mažiausiai 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'PHP konfigūracijoje nustatykite max_execution_time į minimalų 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'PHP konfigūracijoje nustatykite upload_max_filesize į mažiausiai 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Negalima atidaryti išorinių URL (reikalauja, kad allow_url_fopen būtų Įjungta).', + 'ZIP extension is not enabled' => 'ZIP plėtinys neįjungtas', + 'Files' => 'Failai', + 'Not all files were successfully uploaded on your server' => 'Ne visi failai buvo sėkmingai įkelti į jūsų serverį', + 'Permissions on files and folders' => 'Leidimai failams ir aplankams', + 'Recursive write permissions for %1$s user on %2$s' => 'Rekursyvūs rašymo leidimai %1$s naudotojui %2$s', + 'Recommended PHP parameters' => 'Rekomenduojami PHP parametrai', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Naudojate PHP %s versiją. Netrukus naujausia QloApps palaikoma PHP versija bus PHP 5.6. Norėdami įsitikinti, kad esate pasirengę ateičiai, rekomenduojame dabar atnaujinti į PHP 5.6!', + 'PHP register_globals option is enabled' => 'PHP register_globals parinktis įjungta', + 'GZIP compression is not activated' => 'GZIP glaudinimas nesuaktyvintas', + 'Mbstring extension is not enabled' => 'Mbstring plėtinys neįjungtas', + 'Dom extension is not loaded' => 'Dom plėtinys neįkeltas', + 'Server name is not valid' => 'Serverio pavadinimas neteisingas', + 'You must enter a database name' => 'Turite įvesti duomenų bazės pavadinimą', + 'You must enter a database login' => 'Turite įvesti duomenų bazės prisijungimą', + 'Tables prefix is invalid' => 'Netinkamas lentelių priešdėlis', + 'Cannot convert database data to utf-8' => 'Nepavyko konvertuoti duomenų bazės duomenų į utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Jau buvo rasta bent viena lentelė su tuo pačiu priešdėliu, pakeiskite priešdėlį arba atsisakykite duomenų bazės', + 'The values of auto_increment increment and offset must be set to 1' => 'Auto_increment increment ir offset reikšmės turi būti nustatytos į 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Duomenų bazės serveris nerastas. Patikrinkite prisijungimo, slaptažodžio ir serverio laukus', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Prisijungimas prie MySQL serverio pavyko, bet duomenų bazė „%s“ nerasta', + 'Attempt to create the database automatically' => 'Bandykite automatiškai sukurti duomenų bazę', + '%s file is not writable (check permissions)' => '%s failas neįrašomas (patikrinkite leidimus)', + '%s folder is not writable (check permissions)' => '%s aplankas neįrašomas (patikrinkite leidimus)', + 'Cannot write settings file' => 'Nepavyksta įrašyti nustatymų failo', + 'Database structure file not found' => 'Duomenų bazės struktūros failas nerastas', + 'Cannot create group shop' => 'Nepavyko sukurti grupės parduotuvės', + 'Cannot create shop' => 'Negalima sukurti parduotuvės', + 'Cannot create shop URL' => 'Negalima sukurti parduotuvės URL', + 'File "language.xml" not found for language iso "%s"' => 'Failas "language.xml" nerastas kalbai iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Failas "language.xml" negalioja kalbai iso "%s"', + 'Cannot install language "%s"' => 'Negalima įdiegti kalbos "%s"', + 'Cannot copy flag language "%s"' => 'Nepavyko nukopijuoti žymos kalbos „%s“', + 'Cannot create admin account' => 'Nepavyko sukurti administratoriaus paskyros', + 'Cannot install module "%s"' => 'Nepavyko įdiegti modulio „%s“', + 'Fixtures class "%s" not found' => 'Šviestuvų klasė „%s“ nerasta', + '"%s" must be an instance of "InstallXmlLoader"' => '„%s“ turi būti „InstallXmlLoader“ pavyzdys', + 'Information about your Website' => 'Informacija apie jūsų svetainę', + 'Website name' => 'Svetainės pavadinimas', + 'Main activity' => 'Pagrindinis užsiėmimas', + 'Please choose your main activity' => 'Prašome pasirinkti pagrindinę veiklą', + 'Other activity...' => 'Kita veikla...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Padėkite mums sužinoti daugiau apie jūsų parduotuvę, kad galėtume pasiūlyti optimalias gaires ir geriausias jūsų verslo funkcijas!', + 'Install demo data' => 'Įdiekite demonstracinius duomenis', + 'Yes' => 'Taip', + 'No' => 'Nr', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Demonstracinių duomenų įdiegimas yra geras būdas išmokti naudoti QloApps, jei anksčiau jo nenaudojote. Šiuos demonstracinius duomenis vėliau galima ištrinti naudojant modulį QloApps Data Cleaner, kuris yra iš anksto įdiegtas kartu su šiuo diegimu.', + 'Country' => 'Šalis', + 'Select your country' => 'Pasirinkite savo šalį', + 'Website timezone' => 'Svetainės laiko juosta', + 'Select your timezone' => 'Pasirinkite savo laiko juostą', + 'Enable SSL' => 'Įgalinti SSL', + 'Shop logo' => 'Parduotuvės logotipas', + 'Optional - You can add you logo at a later time.' => 'Pasirenkama – logotipą galėsite pridėti vėliau.', + 'Your Account' => 'Jūsų sąskaita', + 'First name' => 'Pirmas vardas', + 'Last name' => 'Pavardė', + 'E-mail address' => 'Elektroninio pašto adresas', + 'This email address will be your username to access your website\'s back office.' => 'Šis el. pašto adresas bus jūsų naudotojo vardas, norint pasiekti savo svetainės „back office“.', + 'Password' => 'Slaptažodis', + 'Must be at least 8 characters' => 'Turi būti bent 8 simboliai', + 'Re-type to confirm' => 'Dar kartą įveskite, kad patvirtintumėte', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Informacija, kurią mums pateikiate, yra renkama mūsų pačių ir yra tvarkoma duomenų bei statistinių duomenų. Pagal dabartinį „Duomenų tvarkymo, duomenų rinkmenų ir asmens laisvių įstatymą“ turite teisę susipažinti su savo asmens duomenimis, juos ištaisyti ir nesutikti, kad būtų tvarkomi jūsų asmens duomenys šiuo nuoroda.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Sutinku gauti naujienlaiškį ir reklaminius pasiūlymus iš QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Visada gausite el. laiškus apie operacijas, pvz., naujienas, saugos pataisas ir pataisas, net jei nepasirinksite šios parinkties.', + 'Configure your database by filling out the following fields' => 'Konfigūruokite savo duomenų bazę užpildydami šiuos laukus', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Jei norite naudoti „QloApps“, turite sukurti duomenų bazę, kad būtų renkama visa su jūsų svetainės duomenimis susijusi veikla.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Užpildykite toliau pateiktus laukus, kad QloApps prisijungtų prie jūsų duomenų bazės.', + 'Database server address' => 'Duomenų bazės serverio adresas', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Numatytasis prievadas yra 3306. Norėdami naudoti kitą prievadą, savo serverio adreso pabaigoje pridėkite prievado numerį, ty ":4242".', + 'Database name' => 'Duomenų bazės pavadinimas', + 'Database login' => 'Prisijungimas prie duomenų bazės', + 'Database password' => 'Duomenų bazės slaptažodis', + 'Database Engine' => 'Duomenų bazės variklis', + 'Tables prefix' => 'Lentelių priešdėlis', + 'Drop existing tables (mode dev)' => 'Atmesti esamas lenteles (kuriamas režimas)', + 'Test your database connection now!' => 'Išbandykite savo duomenų bazės ryšį dabar!', + 'Next' => 'Kitas', + 'Back' => 'Atgal', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Jei jums reikia pagalbos, galite gauti pritaikytą pagalbą iš mūsų palaikymo komandos. Oficiali dokumentacija taip pat padės jums.', + 'Official forum' => 'Oficialus forumas', + 'Support' => 'Palaikymas', + 'Documentation' => 'Dokumentacija', + 'Contact us' => 'Susisiekite su mumis', + 'QloApps Installation Assistant' => '„QloApps“ diegimo asistentas', + 'Forum' => 'Forumas', + 'Blog' => 'Dienoraštis', + 'menu_welcome' => 'Pasirinkite kalbą', + 'menu_license' => 'Licencinės sutartys', + 'menu_system' => 'Sistemos suderinamumas', + 'menu_configure' => 'Svetainės informacija', + 'menu_database' => 'Sistemos konfigūracija', + 'menu_process' => 'QloApps diegimas', + 'Need Help?' => 'Reikia pagalbos?', + 'Click here to Contact us' => 'Spustelėkite čia norėdami susisiekti su mumis', + 'Installation' => 'Montavimas', + 'See our Installation guide' => 'Žr. mūsų diegimo vadovą', + 'Tutorials' => 'Pamokos', + 'See our QloApps tutorials' => 'Peržiūrėkite mūsų „QloApps“ vadovėlius', + 'Installation Assistant' => 'Montavimo asistentas', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Norėdami įdiegti QloApps, naršyklėje turite įjungti JavaScript.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Licencinės sutartys', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Norėdami mėgautis daugybe funkcijų, kurias nemokamai siūlo QloApps, perskaitykite toliau pateiktas licencijos sąlygas. QloApps branduolys yra licencijuotas pagal OSL 3.0, o moduliai ir temos yra licencijuotos pagal AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Sutinku su aukščiau pateiktomis sąlygomis.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Sutinku dalyvauti tobulinant sprendimą atsiųsdamas anoniminę informaciją apie savo konfigūraciją.', + 'Done!' => 'Padaryta!', + 'An error occurred during installation...' => 'Diegimo metu įvyko klaida...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Galite naudoti nuorodas kairiajame stulpelyje, kad grįžtumėte prie ankstesnių veiksmų, arba iš naujo paleiskite diegimo procesą spustelėdami čia.', + 'Suggested Modules' => 'Siūlomi moduliai', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Raskite tik tinkamas QloApps Addons funkcijas, kad jūsų svetingumo verslas būtų sėkmingas.', + 'Discover All Modules' => 'Atraskite visus modulius', + 'Suggested Themes' => 'Siūlomos temos', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Sukurkite dizainą, tinkantį jūsų viešbučiui ir klientams, naudodami paruošto naudoti šablono temą.', + 'Discover All Themes' => 'Atraskite visas temas', + 'Your installation is finished!' => 'Jūsų diegimas baigtas!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Ką tik baigėte diegti QloApps. Dėkojame, kad naudojatės QloApps!', + 'Please remember your login information:' => 'Prisiminkite savo prisijungimo informaciją:', + 'E-mail' => 'paštas', + 'Print my login information' => 'Atsispausdinti mano prisijungimo informaciją', + 'Display' => 'Ekranas', + 'For security purposes, you must delete the "install" folder.' => 'Saugumo sumetimais turite ištrinti aplanką „įdiegti“.', + 'Back Office' => 'Back Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Tvarkykite savo svetainę naudodami „Back Office“. Tvarkykite savo užsakymus ir klientus, pridėkite modulių, keiskite temas ir pan.', + 'Manage Your Website' => 'Tvarkykite savo svetainę', + 'Front Office' => 'Front Office', + 'Discover your website as your future customers will see it!' => 'Atraskite savo svetainę taip, kaip ją matys jūsų būsimi klientai!', + 'Discover Your Website' => 'Atraskite savo svetainę', + 'Share your experience with your friends!' => 'Pasidalinkite savo patirtimi su draugais!', + 'I just built an online hotel booking website with QloApps!' => 'Ką tik sukūriau internetinę viešbučių užsakymo svetainę su QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Peržiūrėkite visas funkcijas čia: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tviteryje', + 'Share' => 'Dalintis', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Šiuo metu tikriname QloApps suderinamumą su jūsų sistemos aplinka', + 'If you have any questions, please visit our documentation and community forum.' => 'Jei turite klausimų, apsilankykite mūsų dokumentacijoje ir bendruomenės forume< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'QloApps suderinamumas su jūsų sistemos aplinka buvo patikrintas!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oi! Ištaisykite toliau pateiktą elementą (-us), tada spustelėkite „Atnaujinti informaciją“, kad patikrintumėte naujos sistemos suderinamumą.', + 'Refresh these settings' => 'Atnaujinkite šiuos nustatymus', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Kad veiktų QloApps, reikia bent 128 MB atminties: patikrinkite php.ini failo direktyvą memory_limit arba susisiekite su prieglobos paslaugų teikėju.', + 'Welcome to the QloApps %s Installer' => 'Sveiki atvykę į QloApps %s diegimo programą', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Įdiegti QloApps yra greita ir paprasta. Vos per kelias akimirkas tapsite bendruomenės dalimi. Jūs ruošiatės sukurti savo viešbučių užsakymo svetainę, kurią galėsite lengvai valdyti kiekvieną dieną.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Jei reikia pagalbos, nedvejodami peržiūrėkite šią trumpą mokymo programą arba patikrinkite mūsų dokumentaciją.', + 'Continue the installation in:' => 'Tęskite diegimą:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Aukščiau pateiktas kalbos pasirinkimas taikomas tik diegimo asistentui. Įdiegę QloApps galėsite nemokamai pasirinkti savo svetainės kalbą iš daugiau nei %d vertimų!', + ), +); \ No newline at end of file diff --git a/install/langs/mk/install.php b/install/langs/mk/install.php index 1e6d46872..a041da6b8 100644 --- a/install/langs/mk/install.php +++ b/install/langs/mk/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'се појави грешка во базата SQL %1$s:%2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'неможе да се создаде слика “%1$s“ за единка “%2$s“', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'неможе да се создаде слика “%1$s“ (невалидни дозволи на датотеката “%2$s“)', - 'Cannot create image "%s"' => 'неможе да се содзаде слика “%s“', - 'SQL error on query %s' => 'SQL грешка во барањето %s', - '%s Login information' => '%s информации за најава', - 'Field required' => 'неопходни полиња', - 'Invalid shop name' => 'невалидно име за продавницата', - 'The field %s is limited to %d characters' => 'полето %s е ограничено на %d карактери', - 'Your firstname contains some invalid characters' => 'Вашето име содржи невалидни знаци', - 'Your lastname contains some invalid characters' => 'Вашето презиме содржи невалидни знаци', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'лозинката е неточна (алфанумерички со најмалку 8 знаци)', - 'Password and its confirmation are different' => 'лозинката и потврдата се различни', - 'This e-mail address is invalid' => 'Неточна е-маил адреса', - 'Image folder %s is not writable' => 'датотеката за слики %s е невпишлива', - 'An error occurred during logo copy.' => 'се појави грешка при копирањето на логото', - 'An error occurred during logo upload.' => 'се појави грешка при кревањето на логото.', - 'Lingerie and Adult' => 'веш и возрасни', - 'Animals and Pets' => 'Животни и миленичиња', - 'Art and Culture' => 'Уметност и култура', - 'Babies' => 'бебиња', - 'Beauty and Personal Care' => 'Убавина и лична нега', - 'Cars' => 'Коли', - 'Computer Hardware and Software' => 'Компјутерски делови и програми', - 'Download' => 'Симнување', - 'Fashion and accessories' => 'Мода и додатоци', - 'Flowers, Gifts and Crafts' => 'Цвеќиња,Подароци, рачни изработки', - 'Food and beverage' => 'Храна и пијалоци', - 'HiFi, Photo and Video' => 'HiFi, Слики и видео', - 'Home and Garden' => 'Дом и градинарство', - 'Home Appliances' => 'Апарати за домаќинство', - 'Jewelry' => 'Накит', - 'Mobile and Telecom' => 'Мобилни и Телеком', - 'Services' => 'Услуги', - 'Shoes and accessories' => 'Чевли и додатоци', - 'Sports and Entertainment' => 'Спорт и забава', - 'Travel' => 'патувања', - 'Database is connected' => 'базата е конектирана', - 'Database is created' => 'базата е креирана', - 'Cannot create the database automatically' => 'неможе да се креира база автоматски', - 'Create settings.inc file' => 'креирај settings.inc датотека', - 'Create database tables' => 'креирај табели во базата', - 'Create default shop and languages' => 'креирај основна продавница и јазици', - 'Populate database tables' => 'именувај ги табелите во базата', - 'Configure shop information' => 'конфигурирај ги информациите за продавницата', - 'Install demonstration data' => 'инсталирај показен пример', - 'Install modules' => 'инсталирај модули', - 'Install Addons modules' => 'инсталирај додатни модули', - 'Install theme' => 'инсталирај тема', - 'Required PHP parameters' => 'Потребни параметри', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 или поново не е овозможено', - 'Cannot upload files' => 'неможе да се кренат датотеките на серверот', - 'Cannot create new files and folders' => 'неможе да се креираат нови датотеки и директориуми', - 'GD library is not installed' => 'GD Library не е инсталиран', - 'MySQL support is not activated' => 'MySQL поддршка не е активирана', - 'Files' => 'датотеки', - 'Not all files were successfully uploaded on your server' => 'сите датотеки не се успешно кренати на серверот', - 'Permissions on files and folders' => 'дозволи на датотеки и директориуми', - 'Recursive write permissions for %1$s user on %2$s' => 'рекурзивни дозволи за запис за %1$s корисник на %2$s', - 'Recommended PHP parameters' => 'Препорачува параметри', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'неможе да се отвори надворешна врска кон URLs', - 'PHP register_globals option is enabled' => 'PHP register_globals опција е овозможена', - 'GZIP compression is not activated' => 'GZIP компресија не е активирана', - 'Mcrypt extension is not enabled' => 'Mcrypt екстензии не се овозможени', - 'Mbstring extension is not enabled' => 'Mbstring екстензии не се овозможени', - 'PHP magic quotes option is enabled' => 'PHP magic quotes се овозможени', - 'Dom extension is not loaded' => 'Dom extension не се вчитани', - 'PDO MySQL extension is not loaded' => 'PDO MySQL екстензии не се вчитани', - 'Server name is not valid' => 'невалидно име на серверот', - 'You must enter a database name' => 'мора да внесеш име за базата', - 'You must enter a database login' => 'мора да внесеш податоци за најава на базата', - 'Tables prefix is invalid' => 'префиксот на табелите е невалиден', - 'Cannot convert database data to utf-8' => 'неможе да се конвертира базата со поддршка на utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'барем една табела со ист префикс е пронајдена, променете го префиксот или направете друга база', - 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'серверот на базата не е пронајден. проверете дали сте правилно најавени', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'поврзувањето со серверот успеа, но не е пронајдена “%s“ базата', - 'Attempt to create the database automatically' => 'Обид да се креира база автоматски', - '%s file is not writable (check permissions)' => '%s датотека не е впишлива (провери дозволи)', - '%s folder is not writable (check permissions)' => '%s датотека не е впишлива (провери дозволи)', - 'Cannot write settings file' => 'неможен запис на подесувања', - 'Database structure file not found' => 'структурата на базата не е пронајдена', - 'Cannot create group shop' => 'неможе да се креира групна продавница', - 'Cannot create shop' => 'неможе да се креира продавница', - 'Cannot create shop URL' => 'неможе да се создаде УРЛ на продавницата', - 'File "language.xml" not found for language iso "%s"' => '"language.xml" не е пронајден во јазичен код стандард “%s“', - 'File "language.xml" not valid for language iso "%s"' => '"language.xml" не е валиден во јазичен код стандард “%s“', - 'Cannot install language "%s"' => 'неможе да се инсталира јазикот “%s“', - 'Cannot copy flag language "%s"' => 'неможе да се копира знамето за јазикот “%s“', - 'Cannot create admin account' => 'неможе да се креира администраторски налог', - 'Cannot install module "%s"' => 'неможе да се инсталира модул “%s“', - 'Fixtures class "%s" not found' => 'средувања класа “%s“ не се пронајдени', - '"%s" must be an instance of "InstallXmlLoader"' => '“%s“ мода да корелира со "InstallXmlLoader"', - 'Information about your Store' => 'иформации за продавницата', - 'Shop name' => 'име на продавница', - 'Main activity' => 'основна активност', - 'Please choose your main activity' => 'ве молиме одберете основна активност', - 'Other activity...' => 'други дејности...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ве молиме да ни помогнете да научиме повеќе за Вашата продавница за да можеме да создадеме уште подобро решение за Вашиот Бизнис!', - 'Install demo products' => 'инсталирај демо артикли', - 'Yes' => 'Да', - 'No' => 'Не', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'демо артиклите се добар начин да научиш да го користиш PrestaShop. Би требало да ги инсталирате за да се запознаете подобро со нив.', - 'Country' => 'Земја', - 'Select your country' => 'одберете ја вашата држава', - 'Shop timezone' => 'временска зона на продавницата', - 'Select your timezone' => 'одбери временска зона', - 'Shop logo' => 'лого на продавницата', - 'Optional - You can add you logo at a later time.' => 'оционално - може да додадете лого и подоцна.', - 'Your Account' => 'Ваша сметка', - 'First name' => 'Име', - 'Last name' => 'Презиме', - 'E-mail address' => 'Е-адреса', - 'This email address will be your username to access your store\'s back office.' => 'ова е-маил адреса ќе биде ваше корисничко име во администрацијата Back office.', - 'Shop password' => 'лозинка на продавницата', - 'Must be at least 8 characters' => 'мора да биде барем 8 знаци', - 'Re-type to confirm' => 'внеси повторно за потврда', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'конфигурирај ја базата со пополнување на следниве полиња', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'за да може да користиш PrestaShop, мора да креираш база за да ги собереш сите податоци поврзани со продавницата.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'ве молиме пополнете ги полињата за да може PrestaShop да се конектира на вашата база. ', - 'Database server address' => 'адреса на базата на серверот', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'основна порта е 3306, Да користиш друга порта додади ја посакуваната порта на крајот од адресата на серверот на пример “:4242“.', - 'Database name' => 'име на базата', - 'Database login' => 'најава на базата', - 'Database password' => 'лозинка на базата', - 'Database Engine' => 'носач на базата', - 'Tables prefix' => 'Префикс за табели', - 'Drop existing tables (mode dev)' => 'испушти ги постоечките табели (mode dev)', - 'Test your database connection now!' => 'тестирај ја конекцијата на базата сега!', - 'Next' => 'Следно', - 'Back' => 'Назад', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'официјален форум', - 'Support' => 'поддршка', - 'Documentation' => 'документација', - 'Contact us' => 'Контакт', - 'PrestaShop Installation Assistant' => 'PrestaShop Installation Assistant - асистент за инсталација', - 'Forum' => 'форуми', - 'Blog' => 'блог', - 'Contact us!' => 'контактирајте не!', - 'menu_welcome' => 'одберете јазик', - 'menu_license' => 'дозволи и лиценцирање', - 'menu_system' => 'компативилност на системот', - 'menu_configure' => 'информации за продавницата', - 'menu_database' => 'конфигурација на системот', - 'menu_process' => 'инсталација на продавница', - 'Installation Assistant' => 'асистент на инсталација', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'да инсталираш PrestaShop, треба да имаш JavaScript овозможен на вашиот пребарувач.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'дозволи и лиценцирање', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'за да може да уживаш во сите можности бесплатно , ве молиме прочитајте ги условите за соработка подолу. PrestaShop core е лиценциран под OSL 3.0 , а модулите темите и додатоците се лиценцирани со AFL 3.0.', - 'I agree to the above terms and conditions.' => 'се согласувам со условите', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'се согласувам да партиципирам во подобрување на решението со испраќање анонимни информации за мојата конфигурација.', - 'Done!' => 'Готово!', - 'An error occurred during installation...' => 'се појави грешка на инсталацијата...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'може да се враќаш на претходните чекори од инсталацијата, или да го обновиш целиот процес на инсталација со тука.', - 'Your installation is finished!' => 'Инсталацијата е завршена!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Само што ја инсталиравте продавницата. Ви благодариме за користењето на PrestaShop!', - 'Please remember your login information:' => 'Ве молиме запомнете ги вашите информации за најава', - 'E-mail' => 'Е-адреса', - 'Print my login information' => 'штампај ги моите податоци за најава', - 'Password' => 'Лозинка', - 'Display' => 'прикажи', - 'For security purposes, you must delete the "install" folder.' => 'од сигурносни причини, мора да до избришете “install“ директориумот.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'администрација панел', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'организирај ја продавницата со користење на вашиот Back Office (администрација). Управувај со порачките , клиентите, модулите менувај теми и така натаму...', - 'Manage your store' => 'Менаџирај ја својата продавница', - 'Front Office' => 'Front Office - предна страна', - 'Discover your store as your future customers will see it!' => 'истражувај ја својата продавница онака како што идните клиенти ќе ја гледаат!', - 'Discover your store' => 'Истражи ја својата продавница', - 'Share your experience with your friends!' => 'Сподели го искуството со своите пријатели!', - 'I just built an online store with PrestaShop!' => 'Јас штотуку изградив on-lineпродавница со PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Watch this exhilarating experience: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'сподели', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Провери ги нашите додатоци за да додадеш нешто повеќе на продавницата!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Во моментот се прави проверка за компатибилност на PrestaShop во Вашата системска околина', - 'If you have any questions, please visit our documentation and community forum.' => 'ако имате прашања посетете документација и форум.', - 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop е компатибилен со системската околина!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Опа! Ве молиме поправете ги насловите подолу и потоа освежете ја содржината за да се тестира компатибилноста на новиот систем.', - 'Refresh these settings' => 'освежи ги овие подесувања', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop бара барем 32Мб меморија за да работи, проверете ја меморијата и лимитот на php.ini или контактирајте го вашиот хостинг провајдер.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Предѕпредување:Неможе повеќе да ја користите оваа алатка за надградба.

веќе иматеPrestaShop верзија %1$s sинсталирано.

ако сакате да надградете до последната верзија ве молиме прочитајте ја внимателно доукментацијата: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Добредојдовте во PrestaShop%s инсталацијата', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Инсталацијата на PrestaShop е брза и лесна. За неколку минути ќе станете дел од големата заедница на корисници со преку 230,000 клиенти. Вие сте на добар пат да создадете ваша уникатна on-line продавница која самите можете да ја одржавате секојдневно.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'продолжи со инсталацијата во:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Изборот на јазикот подолу се однесува само на асистентот за инсталација. Кога еднаш ќе ја инсталирате продавницата, одберете јазик за продавницата од преку %d преводи и сите за бесплатно!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Инсталацијата на PrestaShop е брза и лесна. За неколку минути ќе станете дел од големата заедница на корисници со преку 250,000 клиенти. Вие сте на добар пат да создадете ваша уникатна on-line продавница која самите можете да ја одржавате секојдневно.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Се појави грешка во SQL за ентитетот %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Не може да се создаде слика „%1$s“ за ентитетот „%2$s“', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Не може да се создаде слика „%1$s“ (лоши дозволи на папката „%2$s“)', + 'Cannot create image "%s"' => 'Не може да се создаде слика „%s“', + 'SQL error on query %s' => 'SQL грешка на барањето %s', + '%s Login information' => '%s Информации за најавување', + 'Field required' => 'Потребно е поле', + 'Invalid shop name' => 'Неважечко име на продавницата', + 'The field %s is limited to %d characters' => 'Полето %s е ограничено на %d знаци', + 'Your firstname contains some invalid characters' => 'Вашето име содржи неколку неважечки знаци', + 'Your lastname contains some invalid characters' => 'Вашето презиме содржи неколку неважечки знаци', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Лозинката е неточна (алфанумеричка низа со најмалку 8 знаци)', + 'Password and its confirmation are different' => 'Лозинката и нејзината потврда се различни', + 'This e-mail address is invalid' => 'Оваа адреса на е-пошта е неважечка', + 'Image folder %s is not writable' => 'Папката со слики %s не може да се запише', + 'An error occurred during logo copy.' => 'Настана грешка при копирање на логото.', + 'An error occurred during logo upload.' => 'Настана грешка при поставувањето на логото.', + 'Lingerie and Adult' => 'Долна облека и возрасни', + 'Animals and Pets' => 'Животни и домашни миленици', + 'Art and Culture' => 'Уметност и култура', + 'Babies' => 'Бебиња', + 'Beauty and Personal Care' => 'Убавина и лична нега', + 'Cars' => 'Автомобили', + 'Computer Hardware and Software' => 'Компјутерски хардвер и софтвер', + 'Download' => 'Преземи', + 'Fashion and accessories' => 'Мода и додатоци', + 'Flowers, Gifts and Crafts' => 'Цвеќиња, подароци и занаети', + 'Food and beverage' => 'Храна и пијалаци', + 'HiFi, Photo and Video' => 'HiFi, Фото и Видео', + 'Home and Garden' => 'Дом и градина', + 'Home Appliances' => 'Апарати за домаќинство', + 'Jewelry' => 'Накит', + 'Mobile and Telecom' => 'Мобилен и Телеком', + 'Services' => 'Услуги', + 'Shoes and accessories' => 'Чевли и додатоци', + 'Sports and Entertainment' => 'Спорт и забава', + 'Travel' => 'Патува', + 'Database is connected' => 'Базата на податоци е поврзана', + 'Database is created' => 'Создадена е база на податоци', + 'Cannot create the database automatically' => 'Не може автоматски да се креира базата на податоци', + 'Create settings.inc file' => 'Креирајте датотека settings.inc', + 'Create database tables' => 'Креирајте табели со бази на податоци', + 'Create default website and languages' => 'Креирајте стандардна веб-локација и јазици', + 'Populate database tables' => 'Пополнете табели со бази на податоци', + 'Configure website information' => 'Конфигурирајте информации за веб-страницата', + 'Install demonstration data' => 'Инсталирајте податоци за демонстрација', + 'Install modules' => 'Инсталирајте модули', + 'Install Addons modules' => 'Инсталирајте модули за додатоци', + 'Install theme' => 'Инсталирајте ја темата', + 'Required PHP parameters' => 'Потребни PHP параметри', + 'The required PHP version is between 5.6 to 7.4' => 'Потребната верзија на PHP е помеѓу 5.6 и 7.4', + 'Cannot upload files' => 'Не може да се прикачат датотеки', + 'Cannot create new files and folders' => 'Не може да се создадат нови датотеки и папки', + 'GD library is not installed' => 'Библиотеката GD не е инсталирана', + 'PDO MySQL extension is not loaded' => 'Наставката PDO MySQL не е вчитана', + 'Curl extension is not loaded' => 'Наставката за навивам не е вчитана', + 'SOAP extension is not loaded' => 'Наставката SOAP не е вчитана', + 'SimpleXml extension is not loaded' => 'Наставката SimpleXml не е вчитана', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Во конфигурацијата PHP, поставете ја границата на меморијата на минимум 128 М', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Во конфигурацијата PHP поставете max_execution_time на минимум 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Во конфигурацијата PHP поставете upload_max_filesize на минимум 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Не може да се отворат надворешни URL-адреси (потребно е allow_url_fopen како вклучено).', + 'ZIP extension is not enabled' => 'ZIP екстензијата не е овозможена', + 'Files' => 'Датотеки', + 'Not all files were successfully uploaded on your server' => 'Не сите датотеки беа успешно поставени на вашиот сервер', + 'Permissions on files and folders' => 'Дозволи за датотеки и папки', + 'Recursive write permissions for %1$s user on %2$s' => 'Рекурзивни дозволи за пишување за корисникот %1$s на %2$s', + 'Recommended PHP parameters' => 'Препорачани PHP параметри', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Ја користите верзијата на PHP %s. Наскоро, најновата верзија на PHP поддржана од QloApps ќе биде PHP 5.6. За да бидете сигурни дека сте подготвени за иднината, ви препорачуваме да го надградите на PHP 5.6 сега!', + 'PHP register_globals option is enabled' => 'Опцијата PHP register_globals е овозможена', + 'GZIP compression is not activated' => 'Компресирањето GZIP не е активирано', + 'Mbstring extension is not enabled' => 'Наставката Mbstring не е овозможена', + 'Dom extension is not loaded' => 'Наставката за дом не е вчитана', + 'Server name is not valid' => 'Името на серверот не е валидно', + 'You must enter a database name' => 'Мора да внесете име на база на податоци', + 'You must enter a database login' => 'Мора да внесете најавување во базата на податоци', + 'Tables prefix is invalid' => 'Префиксот за табели е неважечки', + 'Cannot convert database data to utf-8' => 'Не може да се конвертираат податоците од базата на податоци во utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Веќе е пронајдена најмалку една табела со истиот префикс, променете го вашиот префикс или исфрлете ја вашата база на податоци', + 'The values of auto_increment increment and offset must be set to 1' => 'Вредностите на auto_increment зголемување и поместување мора да бидат поставени на 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Серверот за база на податоци не е пронајден. Ве молиме потврдете ги полињата за најавување, лозинка и сервер', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Поврзувањето со MySQL серверот беше успешно, но базата на податоци „%s“ не е пронајдена', + 'Attempt to create the database automatically' => 'Обидете се автоматски да ја креирате базата на податоци', + '%s file is not writable (check permissions)' => 'Датотеката %s не може да се запише (проверете ги дозволите)', + '%s folder is not writable (check permissions)' => 'Папката %s не може да се запише (проверете ги дозволите)', + 'Cannot write settings file' => 'Не може да се напише датотека за поставки', + 'Database structure file not found' => 'Датотеката за структурата на базата на податоци не е пронајдена', + 'Cannot create group shop' => 'Не може да се создаде групна продавница', + 'Cannot create shop' => 'Не може да се создаде продавница', + 'Cannot create shop URL' => 'Не може да се создаде URL на продавницата', + 'File "language.xml" not found for language iso "%s"' => 'Датотеката „language.xml“ не е пронајдена за јазикот iso „%s“', + 'File "language.xml" not valid for language iso "%s"' => 'Датотеката „language.xml“ не е валидна за јазикот iso „%s“', + 'Cannot install language "%s"' => 'Не може да се инсталира јазикот „%s“', + 'Cannot copy flag language "%s"' => 'Не може да се копира јазикот со знаменце „%s“', + 'Cannot create admin account' => 'Не може да се создаде административна сметка', + 'Cannot install module "%s"' => 'Не може да се инсталира модулот „%s“', + 'Fixtures class "%s" not found' => 'Класата на тела „%s“ не е пронајдена', + '"%s" must be an instance of "InstallXmlLoader"' => '„%s“ мора да биде примерок од „InstallXmlLoader“', + 'Information about your Website' => 'Информации за вашата веб-страница', + 'Website name' => 'Име на веб-страница', + 'Main activity' => 'Главна активност', + 'Please choose your main activity' => 'Ве молиме изберете ја вашата главна активност', + 'Other activity...' => 'Друга активност...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Помогнете ни да дознаеме повеќе за вашата продавница за да можеме да ви понудиме оптимални упатства и најдобри карактеристики за вашиот бизнис!', + 'Install demo data' => 'Инсталирајте демо податоци', + 'Yes' => 'Да', + 'No' => 'бр', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Инсталирањето демо податоци е добар начин да научите како да користите QloApps ако не сте ги користеле претходно. Овие демо податоци подоцна може да се избришат со помош на модулот QloApps Data Cleaner кој е претходно инсталиран со оваа инсталација.', + 'Country' => 'Земја', + 'Select your country' => 'Изберете ја вашата земја', + 'Website timezone' => 'Временска зона на веб-страница', + 'Select your timezone' => 'Изберете ја вашата временска зона', + 'Enable SSL' => 'Овозможи SSL', + 'Shop logo' => 'Лого на продавницата', + 'Optional - You can add you logo at a later time.' => 'Изборно - Можете да го додадете вашето лого подоцна.', + 'Your Account' => 'Вашата сметка', + 'First name' => 'Име', + 'Last name' => 'Презиме', + 'E-mail address' => 'И-мејл адреса', + 'This email address will be your username to access your website\'s back office.' => 'Оваа адреса на е-пошта ќе биде вашето корисничко име за пристап до задната канцеларија на вашата веб-страница.', + 'Password' => 'Лозинка', + 'Must be at least 8 characters' => 'Мора да има најмалку 8 знаци', + 'Re-type to confirm' => 'Повторно напишете за да потврдите', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Информациите што ни ги давате се собрани од нас и се предмет на обработка на податоци и статистика. Според сегашниот „Закон за обработка на податоци, датотеки со податоци и индивидуални слободи“ имате право на пристап, исправање и спротивставување на обработката на вашите лични податоци преку овој врска.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Се согласувам да добивам билтен и промотивни понуди од QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Секогаш ќе добивате трансакциски е-пораки, како што се нови ажурирања, безбедносни поправки и закрпи, дури и ако не се вклучите за оваа опција.', + 'Configure your database by filling out the following fields' => 'Конфигурирајте ја вашата база на податоци со пополнување на следните полиња', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'За да користите QloApps, мора да создадете база на податоци за да ги соберете сите активности на вашата веб-локација поврзани со податоци.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Пополнете ги полињата подолу за да може QloApps да се поврзе со вашата база на податоци.', + 'Database server address' => 'Адреса на серверот на базата на податоци', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Стандардната порта е 3306. За да користите друга порта, додадете го бројот на портата на крајот од адресата на вашиот сервер, т.е. „:4242“.', + 'Database name' => 'Име на базата на податоци', + 'Database login' => 'Најава во базата на податоци', + 'Database password' => 'Лозинка за база на податоци', + 'Database Engine' => 'Мотор на база на податоци', + 'Tables prefix' => 'Префикс на табели', + 'Drop existing tables (mode dev)' => 'Отфрли ги постоечките табели (режим dev)', + 'Test your database connection now!' => 'Тестирајте ја врската со вашата база на податоци сега!', + 'Next' => 'Следно', + 'Back' => 'Назад', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Ако ви треба помош, можете да добиете приспособена помош од нашиот тим за поддршка. Официјалната документација е исто така тука за да ве води.', + 'Official forum' => 'Официјален форум', + 'Support' => 'Поддршка', + 'Documentation' => 'Документација', + 'Contact us' => 'Контактирајте не', + 'QloApps Installation Assistant' => 'Помошник за инсталација на QloApps', + 'Forum' => 'Форум', + 'Blog' => 'Блог', + 'menu_welcome' => 'Изберете го вашиот јазик', + 'menu_license' => 'Договори за лиценца', + 'menu_system' => 'Системска компатибилност', + 'menu_configure' => 'Информации за веб-страницата', + 'menu_database' => 'Системска конфигурација', + 'menu_process' => 'Инсталација на QloApps', + 'Need Help?' => 'Треба помош?', + 'Click here to Contact us' => 'Кликнете овде за да не контактирате', + 'Installation' => 'Инсталација', + 'See our Installation guide' => 'Погледнете го нашиот водич за инсталација', + 'Tutorials' => 'Упатства', + 'See our QloApps tutorials' => 'Погледнете ги нашите упатства за QloApps', + 'Installation Assistant' => 'Помошник за инсталација', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'За да инсталирате QloApps, треба да имате овозможено JavaScript во вашиот прелистувач.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Договори за лиценца', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'За да уживате во многуте функции што се нудат бесплатно од QloApps, прочитајте ги условите за лиценца подолу. Јадрото на QloApps е лиценцирано под OSL 3.0, додека модулите и темите се лиценцирани под AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Се согласувам со горенаведените одредби и услови.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Се согласувам да учествувам во подобрувањето на решението со испраќање анонимни информации за мојата конфигурација.', + 'Done!' => 'Направено!', + 'An error occurred during installation...' => 'Настана грешка при инсталацијата...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Можете да ги користите врските на левата колона за да се вратите на претходните чекори или да го рестартирате процесот на инсталација со кликнување овде.', + 'Suggested Modules' => 'Предложени модули', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Најдете ги само вистинските функции на додатоците на QloApps за да го направите вашиот бизнис со гостопримство успешен.', + 'Discover All Modules' => 'Откријте ги сите модули', + 'Suggested Themes' => 'Предложени теми', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Создадете дизајн кој одговара на вашиот хотел и на вашите клиенти, со подготвена за употреба тема на шаблон.', + 'Discover All Themes' => 'Откријте ги сите теми', + 'Your installation is finished!' => 'Вашата инсталација е завршена!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Штотуку завршивте со инсталирање на QloApps. Ви благодариме што користите QloApps!', + 'Please remember your login information:' => 'Ве молиме запомнете ги вашите информации за најавување:', + 'E-mail' => 'Е-пошта', + 'Print my login information' => 'Испечатете ги моите информации за најавување', + 'Display' => 'Приказ', + 'For security purposes, you must delete the "install" folder.' => 'За безбедносни цели, мора да ја избришете папката „инсталирај“.', + 'Back Office' => 'Задна канцеларија', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Управувајте со вашата веб-страница користејќи го вашиот Back Office. Управувајте со вашите нарачки и клиенти, додавајте модули, менувајте теми итн.', + 'Manage Your Website' => 'Управувајте со вашата веб-страница', + 'Front Office' => 'Предна канцеларија', + 'Discover your website as your future customers will see it!' => 'Откријте ја вашата веб-страница како што ќе ја видат вашите идни клиенти!', + 'Discover Your Website' => 'Откријте ја вашата веб-страница', + 'Share your experience with your friends!' => 'Споделете го вашето искуство со вашите пријатели!', + 'I just built an online hotel booking website with QloApps!' => 'Само што изградив веб-страница за онлајн резервации на хотели со QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Погледнете ги сите карактеристики овде: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Твитнете', + 'Share' => 'Споделете', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Во моментов ја проверуваме компатибилноста на QloApps со вашата системска околина', + 'If you have any questions, please visit our documentation and community forum.' => 'Ако имате какви било прашања, посетете ја нашата документација и форумот на заедницата< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Компатибилноста на QloApps со вашата системска околина е потврдена!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Упс! Поправете ги ставките подолу, а потоа кликнете на „Освежи информации“ за да ја тестирате компатибилноста на вашиот нов систем.', + 'Refresh these settings' => 'Освежете ги овие поставки', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps бара најмалку 128 MB меморија за да работи: ве молиме проверете ја директивата memory_limit во вашата датотека php.ini или контактирајте со вашиот добавувач на домаќини за ова.', + 'Welcome to the QloApps %s Installer' => 'Добре дојдовте во инсталерот на QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Инсталирањето на QloApps е брзо и лесно. За само неколку моменти ќе станете дел од заедницата. На пат сте да креирате сопствена веб-страница за резервации на хотели со која ќе можете лесно да управувате секој ден.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Ако ви треба помош, не двоумете се да гледајте го овој краток туторијал или проверете нашата документација.', + 'Continue the installation in:' => 'Продолжете со инсталацијата во:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Изборот на јазик погоре се однесува само на Помошникот за инсталација. Откако ќе се инсталира QloApps, можете да го изберете јазикот на вашата веб-локација од преку %d преводи, сето тоа бесплатно!', + ), +); \ No newline at end of file diff --git a/install/langs/nl/install.php b/install/langs/nl/install.php index 556caff5f..171a9621e 100644 --- a/install/langs/nl/install.php +++ b/install/langs/nl/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Er trad een SQL fout op voor: %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Kan afbeelding "%1$s" voor entiteit "%2$s" niet creëren', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Kan afbeelding "%1$s" (verkeerde rechten op map "%2$s") niet creëren', - 'Cannot create image "%s"' => 'Kan afbeelding "%s" niet aanmaken', - 'SQL error on query %s' => 'SQL-fout in zoekopdracht %s', - '%s Login information' => '%s Login informatie', - 'Field required' => 'Verplicht veld', - 'Invalid shop name' => 'Ongeldige winkelnaam', - 'The field %s is limited to %d characters' => 'Dit veld %s is gelimiteerd tot %d karakters', - 'Your firstname contains some invalid characters' => 'Uw voornaam bevat enkele ongeldige tekens', - 'Your lastname contains some invalid characters' => 'Uw achternaam bevat enkele ongeldige tekens', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Het wachtwoord is onjuist (alfanumerieke reeks met tenminste 8 tekens)', - 'Password and its confirmation are different' => 'Het wachtwoord en het bevestigingswachtwoord zijn verschillend', - 'This e-mail address is invalid' => 'Dit e-mailadres is niet geldig', - 'Image folder %s is not writable' => 'Afbeeldingenmap %s is niet schrijfbaar', - 'An error occurred during logo copy.' => 'Een fout is opgetreden tijdens het kopieren van het logo.', - 'An error occurred during logo upload.' => 'Een fout is opgetreden tijdens het uploaden van het logo', - 'Lingerie and Adult' => 'Lingerie en volwassen', - 'Animals and Pets' => 'Dieren en huisdieren', - 'Art and Culture' => 'Kunst en cultuur', - 'Babies' => 'Baby\'s', - 'Beauty and Personal Care' => 'Schoonheid en persoonlijke verzorging', - 'Cars' => 'Auto\'s', - 'Computer Hardware and Software' => 'Computer hardware en software', - 'Download' => 'Downloaden', - 'Fashion and accessories' => 'Mode en accessoires', - 'Flowers, Gifts and Crafts' => 'Bloemen, cadeaus en nijverheden', - 'Food and beverage' => 'Eten en drinken', - 'HiFi, Photo and Video' => 'HiFi, foto en video', - 'Home and Garden' => 'Huis en tuin', - 'Home Appliances' => 'Huishoudelijke apparaten', - 'Jewelry' => 'Sierraden', - 'Mobile and Telecom' => 'Draagbare telefoons en telecom', - 'Services' => 'Diensten', - 'Shoes and accessories' => 'Schoenen en accesssoires', - 'Sports and Entertainment' => 'Sport en vermaak', - 'Travel' => 'Reizen', - 'Database is connected' => 'Database is verbonden', - 'Database is created' => 'Database is gemaakt', - 'Cannot create the database automatically' => 'Kan de database niet automatisch creëren', - 'Create settings.inc file' => 'Settings.inc-bestand aanmaken', - 'Create database tables' => 'Databasetabellen aanmaken', - 'Create default shop and languages' => 'Creëren standaardwinkel en talen', - 'Populate database tables' => 'Vullen database tabellen', - 'Configure shop information' => 'Configureren winkelinformatie', - 'Install demonstration data' => 'Installeren demonstratiegegevens', - 'Install modules' => 'Installeren modules', - 'Install Addons modules' => 'Installeren Addons modules', - 'Install theme' => 'Installeren thema', - 'Required PHP parameters' => 'Verplichte PHP parameters', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 of hoger is niet geactiveerd', - 'Cannot upload files' => 'Kan bestanden niet uploaden', - 'Cannot create new files and folders' => 'Kan nieuwe bestanden en mappen niet creëren', - 'GD library is not installed' => 'GD Library is niet geïnstalleerd', - 'MySQL support is not activated' => 'MySQL support is niet geactiveerd', - 'Files' => 'Bestanden', - 'Not all files were successfully uploaded on your server' => 'Niet alle bestanden zijn geüpload naar uw server', - 'Permissions on files and folders' => 'Rechten van bestanden en folders', - 'Recursive write permissions for %1$s user on %2$s' => 'Recursieve schrijfrechten voor %1$s gebruiker op %2$s', - 'Recommended PHP parameters' => 'PHP parameters', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'U maakt gebruik van PHP versie %s. Binnenkort zal PHP 5.4 de nieuwste PHP versie ondersteund zijn door PrestaShop. Om ervoor te zorgen dat je klaar bent voor de toekomst, raden wij u aan nu upgraden naar PHP 5.4!', - 'Cannot open external URLs' => 'Kan externe URLs niet openen', - 'PHP register_globals option is enabled' => 'PHP register_globals option is geactiveerd', - 'GZIP compression is not activated' => 'GZIP compressie is niet geactiveerd', - 'Mcrypt extension is not enabled' => 'Mcrypt extensie is niet geactiveerd', - 'Mbstring extension is not enabled' => 'Mbstring extensie is niet geactiveerd', - 'PHP magic quotes option is enabled' => 'PHP magic quotes optie is geactiveerd', - 'Dom extension is not loaded' => 'Dom extensie is niet geactiveerd', - 'PDO MySQL extension is not loaded' => 'PDO MySQL extensie is niet geladen', - 'Server name is not valid' => 'Servernaam is ongeldig', - 'You must enter a database name' => 'U moet een database naam invoeren', - 'You must enter a database login' => 'U moet een database login invoeren', - 'Tables prefix is invalid' => 'Tabellen voorvoegsel is ongeldig', - 'Cannot convert database data to utf-8' => 'Kan databasegegevens niet naar utf-8 converteren', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Tenminste één table met dezelfde voorvoegsel is gevonden. Verander uw voorvoegsel of verwijder uw database.', - 'The values of auto_increment increment and offset must be set to 1' => 'De waarden van auto_increment en offset moeten worden ingesteld op 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Databaseserver is niet gevonden. Controleer de login-, wachtwoord- en servervelden', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Verbinding met MySQL server geslaagd, maar database "%s" niet gevonden', - 'Attempt to create the database automatically' => 'Probeer om de database automatisch te creëren', - '%s file is not writable (check permissions)' => ' %s bestand is niet schrijfbaar (controleer rechten)', - '%s folder is not writable (check permissions)' => ' %s map is niet schrijfbaar (controleer rechten)', - 'Cannot write settings file' => 'Kan instellingbestand niet schrijven', - 'Database structure file not found' => 'Database structuurbestand is niet gevonden', - 'Cannot create group shop' => 'Kan groep winkel niet creëren', - 'Cannot create shop' => 'Kan winkel niet creëren', - 'Cannot create shop URL' => 'Kan winkel URL niet creëren', - 'File "language.xml" not found for language iso "%s"' => 'Bestand "language.xml" niet gevonden voor taal iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Bestand "language.xml" niet gevonden voor taal iso "%s"', - 'Cannot install language "%s"' => 'Kan taal "%s" niet installeren', - 'Cannot copy flag language "%s"' => 'Kan vlag taal "%s" niet installeren', - 'Cannot create admin account' => 'Kan admin account niet creëren', - 'Cannot install module "%s"' => 'Kan module "%s" niet installeren', - 'Fixtures class "%s" not found' => 'Fixtures class "%s" niet gevonden', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" moet een instantie van "InstallXmlLoader" zijn', - 'Information about your Store' => 'Informatie over uw webwinkel', - 'Shop name' => 'Winkel naam', - 'Main activity' => 'Hoofdactiviteit', - 'Please choose your main activity' => 'Selecteer uw hoofdactiviteit', - 'Other activity...' => 'Andere activiteit', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Help ons om zoveel mogelijk informatie over uw webwinkel te ontvangen, zodat wij u een optimale begeleiding en de beste functies kunnen bieden.', - 'Install demo products' => 'Installeer demo producten', - 'Yes' => 'Ja', - 'No' => 'Nee', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo producten zijn een goede manier om te ontdekken hoe PrestaShop werkt. Installeer deze als u er nog niet bekend mee bent.', - 'Country' => 'Land', - 'Select your country' => 'Selecteer uw land', - 'Shop timezone' => 'Winkeltijdzone', - 'Select your timezone' => 'Selecteer uw tijdzone', - 'Shop logo' => 'Winkellogo', - 'Optional - You can add you logo at a later time.' => 'Optioneel - U kunt uw logo later toevoegen', - 'Your Account' => 'Uw account', - 'First name' => 'Voornaam', - 'Last name' => 'Achternaam', - 'E-mail address' => 'E-mailadres', - 'This email address will be your username to access your store\'s back office.' => 'Dit e-mailadres is uw backoffice gebruikersnaam.', - 'Shop password' => 'Wachtwoord', - 'Must be at least 8 characters' => 'Minimaal 8 karakters', - 'Re-type to confirm' => 'Bevestig wachtwoord', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Alle informatie die u ons geeft wordt door ons verzameld en is onderworpen aan de verwerking van gegevens en statistieken, die nodig zijn voor de leden van PrestaShop om te kunnen reageren op uw vragen. Uw persoonlijke gegevens kunnen aan dienstverleners en partners worden meegedeeld als onderdeel van partnerrelaties. U heeft onder de huidige "Wet op Data Processing, gegevensbestanden en individuele vrijheden" het recht op toegang, rectificatie en verzetten tegen de verwerking van uw persoonlijke gegevens via deze link.', - 'Configure your database by filling out the following fields' => 'Configureer uw database door de volgende velden in te vullen', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Om PrestaShop te gebruiken, dient U een database te creëren om alle data-gerelateerde activiteiten van uw winkel in op te slaan.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Vul de onderstaande velden in, zodat PrestaShop een verbinding kan maken met uw database.', - 'Database server address' => 'Database serveradres', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'De standaardpoort is 3306. Om een andere poort te gebruiken, voeg het poortnummer aan het einde van uw serveradres toe, bijv. ":4242".', - 'Database name' => 'Database naam', - 'Database login' => 'Database login', - 'Database password' => 'Database wachtwoord', - 'Database Engine' => 'Database-engine', - 'Tables prefix' => 'Tabellen voorvoegsel', - 'Drop existing tables (mode dev)' => 'Bestaande tabellen verwijderen (dev modus)', - 'Test your database connection now!' => 'Test uw databaseverbinding nu!', - 'Next' => 'Volgende', - 'Back' => 'Terug', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Als u hulp nodig heeft, kunt u specifieke hulp verkrijgen van ons support team. De officiële documentatie is ook beschikbaar om u te begeleiden.', - 'Official forum' => 'Officiële forum', - 'Support' => 'Ondersteuning', - 'Documentation' => 'Documentatie', - 'Contact us' => 'Contacteer ons', - 'PrestaShop Installation Assistant' => 'PrestaShop Installatie Assistent', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Contacteer ons!', - 'menu_welcome' => 'Kies uw taal', - 'menu_license' => 'Licentieovereenkomsten', - 'menu_system' => 'Systeemcompabiliteit', - 'menu_configure' => 'Winkel informatie', - 'menu_database' => 'Systeemconfiguratie', - 'menu_process' => 'Winkel installatie', - 'Installation Assistant' => 'Installatie Assistent', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Om PrestaShop te installeren moet u JavaScript in uw browser inschakelen.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/nl/', - 'License Agreements' => 'Licentieovereenkomsten', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Lees de onderstaande licentievoorwaarden om van de vele functies, die door PrestaShop gratis worden aangebonden, gebruik te maken. De PrestaShop-kern is onder OSL 3.0 gelicentieerd, terwijl de modules en thema\'s onder AFL 3.0 zijn gelicentieerd.', - 'I agree to the above terms and conditions.' => 'Ik ga akkoord met de bovenstaande voorwaarden.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Ik ga akkoord om deel te nemen aan het verbeteren van de software met het sturen van anonieme informatie over mijn configuratie.', - 'Done!' => 'Klaar!', - 'An error occurred during installation...' => 'Er trad een fout op tijdens de installatie...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'In de linkerkolom kunt u gebruik maken van de links om terug te gaan naar vorige stappen, of het installatieproces opnieuw starten door hier te klikken.', - 'Your installation is finished!' => 'Uw installatie is voltooid!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'U hebt zojuist uw winkel geïnstalleerd. Dank u voor het gebruiken van PrestaShop!', - 'Please remember your login information:' => 'Gelieve uw login informatie te onthouden:', - 'E-mail' => 'E-mail', - 'Print my login information' => 'Print mijn login informatie', - 'Password' => 'Wachtwoord', - 'Display' => 'Weergeven', - 'For security purposes, you must delete the "install" folder.' => 'Om beveiligingsredenen moet u de "install" map verwijderen.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Backoffice', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Beheer uw winkel door uw backoffice te gebruiken. Beheer uw bestellingen en klanten, voeg modules toe, verander thema\'s, enz.', - 'Manage your store' => 'Beheer uw winkel', - 'Front Office' => 'Frontoffice', - 'Discover your store as your future customers will see it!' => 'Ontdek uw winkel zoals uw toekomstige klanten het zullen zien!', - 'Discover your store' => 'Ontdek uw winkel', - 'Share your experience with your friends!' => 'Vertel Uw vrienden over Uw PrestaShop ervaringen!', - 'I just built an online store with PrestaShop!' => 'Ik heb net een webwinkel gebouwd met PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Bekijk deze opwindende ervaring op: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Delen', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Kijk ook een naar de PrestaShop Addons om dat kleine beetje extra aan Uw winkel toe te voegen!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Wij controleren momenteel de compabiliteit van PrestaShop met uw systeemomgeving', - 'If you have any questions, please visit our documentation and community forum.' => 'Als u vragen hebt, bezoek dan onze documentatie en community forum. ', - 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop compabiliteit met uw systeemomgeving is gecontroleerd!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oeps! Corrigeer de onderstaande item(s) en klik dan "Vernieuw informatie" om de compatibiliteit van uw nieuwe systeem te testen.', - 'Refresh these settings' => 'Vernieuw deze instellingen', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop vereist tenminste 32MB geheugen om te draaien, controleer de memory_limit richtlijn in php.ini of neem contact op met uw hostingprovider.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Waarschuwing: U kunt deze tool niet meer gebruiken om Uw winkel te upgraden.

U gebruikt al PrestaShop versie %1$s.

Indien U wilt upgraden naar de laatste versie, dan kunt u meer hierover lezen in onze documentatie: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Welkom bij het PrestaShop %s installatieprogramma', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'De installatie van PrestaShop is snel en eenvoudig. In slechts enkele ogenblikken wordt U deelgenoot van een community van meer dan 230.000 verkopers. U heeft nu bijna uw eigen unieke Webwinkel gecreëerd die U elke dag eenvoudig kunt onderhouden.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Als je hulp nodig hebt, aarzel dan niet om deze korte handleiding te bekijken, of lees onze documentatie.', - 'Continue the installation in:' => 'Ga door met de installatie in:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'De talenselectie hierboven geldt alleen voor de installatie assistent. Zodra uw webwinkel is geïnstalleerd, kunt u geheel gratis de taal voor uw webwinkel uit meer dan %d vertalingen kiezen.', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'De installatie van PrestaShop is snel en eenvoudig. In slechts enkele ogenblikken wordt U deelgenoot van een community van meer dan 250.000 verkopers. U heeft nu bijna uw eigen unieke Webwinkel gecreëerd die U elke dag eenvoudig kunt onderhouden.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Er is een SQL-fout opgetreden voor entiteit %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Kan afbeelding "%1$s" niet maken voor entiteit "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Kan afbeelding "%1$s" niet maken (slechte rechten voor map "%2$s")', + 'Cannot create image "%s"' => 'Kan afbeelding "%s" niet maken', + 'SQL error on query %s' => 'SQL-fout bij zoekopdracht %s', + '%s Login information' => '%s Inloggegevens', + 'Field required' => 'Veld vereist', + 'Invalid shop name' => 'Ongeldige winkelnaam', + 'The field %s is limited to %d characters' => 'Het veld %s is beperkt tot %d tekens', + 'Your firstname contains some invalid characters' => 'Uw voornaam bevat enkele ongeldige tekens', + 'Your lastname contains some invalid characters' => 'Uw achternaam bevat enkele ongeldige tekens', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Het wachtwoord is onjuist (alfanumerieke reeks met minimaal 8 tekens)', + 'Password and its confirmation are different' => 'Wachtwoord en de bevestiging ervan zijn verschillend', + 'This e-mail address is invalid' => 'Dit e-mailadres is ongeldig', + 'Image folder %s is not writable' => 'Afbeeldingenmap %s is niet beschrijfbaar', + 'An error occurred during logo copy.' => 'Er is een fout opgetreden tijdens het kopiëren van het logo.', + 'An error occurred during logo upload.' => 'Er is een fout opgetreden tijdens het uploaden van het logo.', + 'Lingerie and Adult' => 'Lingerie en volwassenen', + 'Animals and Pets' => 'Dieren en huisdieren', + 'Art and Culture' => 'Kunst en cultuur', + 'Babies' => 'Baby\'s', + 'Beauty and Personal Care' => 'Schoonheid en persoonlijke verzorging', + 'Cars' => 'Auto\'s', + 'Computer Hardware and Software' => 'Computerhardware en -software', + 'Download' => 'Downloaden', + 'Fashion and accessories' => 'Mode en accessoires', + 'Flowers, Gifts and Crafts' => 'Bloemen, geschenken en ambachten', + 'Food and beverage' => 'Eten en drinken', + 'HiFi, Photo and Video' => 'HiFi, foto en video', + 'Home and Garden' => 'Huis en tuin', + 'Home Appliances' => 'Huishoudelijke apparaten', + 'Jewelry' => 'Juwelen', + 'Mobile and Telecom' => 'Mobiel en Telecom', + 'Services' => 'Diensten', + 'Shoes and accessories' => 'Schoenen en accessoires', + 'Sports and Entertainment' => 'Sport en entertainment', + 'Travel' => 'Reis', + 'Database is connected' => 'Database is verbonden', + 'Database is created' => 'Database is gemaakt', + 'Cannot create the database automatically' => 'Kan de database niet automatisch maken', + 'Create settings.inc file' => 'Maak het settings.inc-bestand', + 'Create database tables' => 'Databasetabellen maken', + 'Create default website and languages' => 'Maak standaardwebsites en -talen', + 'Populate database tables' => 'Databasetabellen vullen', + 'Configure website information' => 'Configureer website-informatie', + 'Install demonstration data' => 'Demonstratiegegevens installeren', + 'Install modules' => 'Modules installeren', + 'Install Addons modules' => 'Installeer Add-ons-modules', + 'Install theme' => 'Installeer thema', + 'Required PHP parameters' => 'Vereiste PHP-parameters', + 'The required PHP version is between 5.6 to 7.4' => 'De vereiste PHP-versie ligt tussen 5.6 en 7.4', + 'Cannot upload files' => 'Kan geen bestanden uploaden', + 'Cannot create new files and folders' => 'Kan geen nieuwe bestanden en mappen maken', + 'GD library is not installed' => 'GD-bibliotheek is niet geïnstalleerd', + 'PDO MySQL extension is not loaded' => 'PDO MySQL-extensie is niet geladen', + 'Curl extension is not loaded' => 'Krulextensie is niet geladen', + 'SOAP extension is not loaded' => 'SOAP-extensie is niet geladen', + 'SimpleXml extension is not loaded' => 'SimpleXml-extensie is niet geladen', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Stel in de PHP-configuratie memory_limit in op minimaal 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Stel in de PHP-configuratie max_execution_time in op minimaal 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Stel in de PHP-configuratie upload_max_filesize in op minimaal 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Kan externe URL\'s niet openen (vereist allow_url_fopen als Aan).', + 'ZIP extension is not enabled' => 'ZIP-extensie is niet ingeschakeld', + 'Files' => 'Bestanden', + 'Not all files were successfully uploaded on your server' => 'Niet alle bestanden zijn succesvol geüpload naar uw server', + 'Permissions on files and folders' => 'Machtigingen voor bestanden en mappen', + 'Recursive write permissions for %1$s user on %2$s' => 'Recursieve schrijfrechten voor %1$s gebruiker op %2$s', + 'Recommended PHP parameters' => 'Aanbevolen PHP-parameters', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Je gebruikt de PHP %s-versie. Binnenkort zal de nieuwste PHP-versie die door QloApps wordt ondersteund PHP 5.6 zijn. Om er zeker van te zijn dat je klaar bent voor de toekomst, raden wij je aan om nu te upgraden naar PHP 5.6!', + 'PHP register_globals option is enabled' => 'PHP register_globals optie is ingeschakeld', + 'GZIP compression is not activated' => 'GZIP-compressie is niet geactiveerd', + 'Mbstring extension is not enabled' => 'De Mbstring-extensie is niet ingeschakeld', + 'Dom extension is not loaded' => 'Dom-extensie is niet geladen', + 'Server name is not valid' => 'Servernaam is niet geldig', + 'You must enter a database name' => 'U moet een databasenaam invoeren', + 'You must enter a database login' => 'U moet een database-login invoeren', + 'Tables prefix is invalid' => 'Tabellenvoorvoegsel is ongeldig', + 'Cannot convert database data to utf-8' => 'Kan databasegegevens niet converteren naar UTF-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Er is al minstens één tabel met hetzelfde voorvoegsel gevonden. Wijzig uw voorvoegsel of verwijder uw database', + 'The values of auto_increment increment and offset must be set to 1' => 'De waarden van auto_increment, toename en offset moeten worden ingesteld op 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Databaseserver is niet gevonden. Controleer de login-, wachtwoord- en servervelden', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Verbinding met MySQL-server gelukt, maar database "%s" niet gevonden', + 'Attempt to create the database automatically' => 'Probeer de database automatisch te maken', + '%s file is not writable (check permissions)' => '%s bestand is niet schrijfbaar (controleer rechten)', + '%s folder is not writable (check permissions)' => '%s map is niet beschrijfbaar (controleer rechten)', + 'Cannot write settings file' => 'Kan het instellingenbestand niet schrijven', + 'Database structure file not found' => 'Databasestructuurbestand niet gevonden', + 'Cannot create group shop' => 'Kan groepswinkel niet aanmaken', + 'Cannot create shop' => 'Kan winkel niet aanmaken', + 'Cannot create shop URL' => 'Kan winkel-URL niet maken', + 'File "language.xml" not found for language iso "%s"' => 'Bestand "taal.xml" niet gevonden voor taal iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Bestand "taal.xml" niet geldig voor taal iso "%s"', + 'Cannot install language "%s"' => 'Kan taal "%s" niet installeren', + 'Cannot copy flag language "%s"' => 'Kan vlagtaal "%s" niet kopiëren', + 'Cannot create admin account' => 'Kan geen beheerdersaccount maken', + 'Cannot install module "%s"' => 'Kan module "%s" niet installeren', + 'Fixtures class "%s" not found' => 'Fixture-klasse "%s" niet gevonden', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" moet een exemplaar zijn van "InstallXmlLoader"', + 'Information about your Website' => 'Informatie over uw website', + 'Website name' => 'Website naam', + 'Main activity' => 'Hoofdactiviteit', + 'Please choose your main activity' => 'Kies uw hoofdactiviteit', + 'Other activity...' => 'Andere activiteit...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Help ons meer te leren over uw winkel, zodat we u optimale begeleiding en de beste functies voor uw bedrijf kunnen bieden!', + 'Install demo data' => 'Installeer demogegevens', + 'Yes' => 'Ja', + 'No' => 'Nee', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Het installeren van demogegevens is een goede manier om QloApps te leren gebruiken als u dit nog niet eerder heeft gebruikt. Deze demogegevens kunnen later worden gewist met behulp van de module QloApps Data Cleaner die vooraf bij deze installatie is geïnstalleerd.', + 'Country' => 'Land', + 'Select your country' => 'Kies je land', + 'Website timezone' => 'Tijdzone van website', + 'Select your timezone' => 'Selecteer uw tijdzone', + 'Enable SSL' => 'Schakel SSL in', + 'Shop logo' => 'Winkellogo', + 'Optional - You can add you logo at a later time.' => 'Optioneel - U kunt uw logo op een later tijdstip toevoegen.', + 'Your Account' => 'Jouw rekening', + 'First name' => 'Voornaam', + 'Last name' => 'Achternaam', + 'E-mail address' => 'E-mailadres', + 'This email address will be your username to access your website\'s back office.' => 'Dit e-mailadres is uw gebruikersnaam voor toegang tot de backoffice van uw website.', + 'Password' => 'Wachtwoord', + 'Must be at least 8 characters' => 'Moet minimaal 8 tekens lang zijn', + 'Re-type to confirm' => 'Typ nogmaals om te bevestigen', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'De informatie die u ons verstrekt, wordt door ons verzameld en is onderworpen aan gegevensverwerking en statistieken. Op grond van de huidige "Wet inzake gegevensverwerking, gegevensbestanden en individuele vrijheden" heeft u het recht op toegang tot, rectificatie van en verzet tegen de verwerking van uw persoonlijke gegevens via deze link.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Ik ga akkoord met het ontvangen van de nieuwsbrief en promotie-aanbiedingen van QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'U ontvangt altijd transactionele e-mails zoals nieuwe updates, beveiligingsoplossingen en patches, zelfs als u zich niet voor deze optie aanmeldt.', + 'Configure your database by filling out the following fields' => 'Configureer uw database door de volgende velden in te vullen', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Om QloApps te gebruiken, moet u een database maken om alle gegevensgerelateerde activiteiten van uw website te verzamelen.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Vul de onderstaande velden in zodat QloApps verbinding kan maken met uw database.', + 'Database server address' => 'Databaseserveradres', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'De standaardpoort is 3306. Om een ​​andere poort te gebruiken, voegt u het poortnummer toe aan het einde van het adres van uw server, bijvoorbeeld ":4242".', + 'Database name' => 'Database naam', + 'Database login' => 'Database-aanmelding', + 'Database password' => 'Databasewachtwoord', + 'Database Engine' => 'Database-engine', + 'Tables prefix' => 'Voorvoegsel tabellen', + 'Drop existing tables (mode dev)' => 'Bestaande tabellen verwijderen (modus dev)', + 'Test your database connection now!' => 'Test nu uw databaseverbinding!', + 'Next' => 'Volgende', + 'Back' => 'Rug', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Als u hulp nodig heeft, kunt u hulp op maat krijgen van ons ondersteuningsteam. De officiële documentatie is hier ook om u te begeleiden.', + 'Official forum' => 'Officieel forum', + 'Support' => 'Steun', + 'Documentation' => 'Documentatie', + 'Contact us' => 'Neem contact met ons op', + 'QloApps Installation Assistant' => 'QloApps Installatieassistent', + 'Forum' => 'Forum', + 'Blog' => 'Bloggen', + 'menu_welcome' => 'Kies je taal', + 'menu_license' => 'Licentieovereenkomsten', + 'menu_system' => 'Systeemcompatibiliteit', + 'menu_configure' => 'Website-informatie', + 'menu_database' => 'Systeem configuratie', + 'menu_process' => 'QloApps-installatie', + 'Need Help?' => 'Hulp nodig?', + 'Click here to Contact us' => 'Klik hier om contact met ons op te nemen', + 'Installation' => 'Installatie', + 'See our Installation guide' => 'Zie onze Installatiehandleiding', + 'Tutorials' => 'Handleidingen', + 'See our QloApps tutorials' => 'Bekijk onze QloApps-tutorials', + 'Installation Assistant' => 'Installatie assistent', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Om QloApps te installeren, moet JavaScript in uw browser zijn ingeschakeld.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Licentieovereenkomsten', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Om te kunnen genieten van de vele functies die QloApps gratis aanbiedt, leest u de onderstaande licentievoorwaarden. QloApps core is gelicentieerd onder OSL 3.0, terwijl de modules en thema\'s gelicentieerd zijn onder AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Ik ga akkoord met de bovenstaande voorwaarden.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Ik ga ermee akkoord deel te nemen aan het verbeteren van de oplossing door anonieme informatie over mijn configuratie te verzenden.', + 'Done!' => 'Klaar!', + 'An error occurred during installation...' => 'Er is een fout opgetreden tijdens de installatie...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'U kunt de links in de linkerkolom gebruiken om terug te gaan naar de vorige stappen, of het installatieproces opnieuw starten door hier te klikken.', + 'Suggested Modules' => 'Voorgestelde modules', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Vind precies de juiste functies op QloApps Addons om uw horecabedrijf tot een succes te maken.', + 'Discover All Modules' => 'Ontdek alle modules', + 'Suggested Themes' => 'Voorgestelde thema\'s', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Creëer een ontwerp dat bij uw hotel en uw klanten past, met een kant-en-klaar sjabloonthema.', + 'Discover All Themes' => 'Ontdek alle thema\'s', + 'Your installation is finished!' => 'Uw installatie is voltooid!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'U bent zojuist klaar met het installeren van QloApps. Bedankt voor het gebruiken van QloApps!', + 'Please remember your login information:' => 'Onthoud uw inloggegevens:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Mijn inloggegevens afdrukken', + 'Display' => 'Weergave', + 'For security purposes, you must delete the "install" folder.' => 'Om veiligheidsredenen moet u de map "install" verwijderen.', + 'Back Office' => 'Backoffice', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Beheer uw website via uw BackOffice. Beheer uw bestellingen en klanten, voeg modules toe, wijzig thema\'s, enz.', + 'Manage Your Website' => 'Beheer uw website', + 'Front Office' => 'Balie', + 'Discover your website as your future customers will see it!' => 'Ontdek uw website zoals uw toekomstige klanten hem zullen zien!', + 'Discover Your Website' => 'Ontdek uw website', + 'Share your experience with your friends!' => 'Deel uw ervaring met uw vrienden!', + 'I just built an online hotel booking website with QloApps!' => 'Ik heb zojuist een online hotelboekingswebsite gebouwd met QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Bekijk hier alle functies: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweeten', + 'Share' => 'Deel', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'We controleren momenteel de compatibiliteit van QloApps met uw systeemomgeving', + 'If you have any questions, please visit our documentation and community forum.' => 'Als je vragen hebt, bezoek dan onze documentatie en ons communityforum< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'De compatibiliteit van QloApps met uw systeemomgeving is geverifieerd!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oeps! Corrigeer de onderstaande items en klik vervolgens op \'Informatie vernieuwen\' om de compatibiliteit van uw nieuwe systeem te testen.', + 'Refresh these settings' => 'Vernieuw deze instellingen', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps heeft minimaal 128 MB geheugen nodig om te kunnen werken: controleer de memory_limit-instructie in uw php.ini-bestand of neem hierover contact op met uw hostprovider.', + 'Welcome to the QloApps %s Installer' => 'Welkom bij het QloApps %s-installatieprogramma', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Het installeren van QloApps gaat snel en eenvoudig. Binnen enkele ogenblikken wordt u onderdeel van een gemeenschap. U bent op weg om uw eigen hotelboekingswebsite te maken die u elke dag eenvoudig kunt beheren.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Als je hulp nodig hebt, aarzel dan niet om deze korte tutorial te bekijken, of bekijk onze documentatie.', + 'Continue the installation in:' => 'Ga door met de installatie in:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'De bovenstaande taalkeuze geldt alleen voor de Installatieassistent. Zodra QloApps is geïnstalleerd, kunt u de taal van uw website kiezen uit meer dan %d vertalingen, helemaal gratis!', + ), +); \ No newline at end of file diff --git a/install/langs/no/install.php b/install/langs/no/install.php index 1db81828d..ec71d43a3 100644 --- a/install/langs/no/install.php +++ b/install/langs/no/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'En SQL-feil oppstod for entiteten %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Kan ikke opprette bilde "%1$s" for "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Kan ikke opprette bilde "%1$s" (ikke korrekte skrivetilgang på mappen "%2$s")', - 'Cannot create image "%s"' => 'Kan ikke opprette bilde "%s"', - 'SQL error on query %s' => 'SQL-feil på forespørselen %s', - '%s Login information' => '%s Innloggingsinformasjon', - 'Field required' => 'Nødvendig felt', - 'Invalid shop name' => 'Ugyldig butikknavn', - 'The field %s is limited to %d characters' => 'Feltet %s er begrenset til %d tegn', - 'Your firstname contains some invalid characters' => 'Fornavnet ditt inneholder ugyldige tegn', - 'Your lastname contains some invalid characters' => 'Etternavnet ditt inneholder ugyldige tegn', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Passordet er feil (alfanumerisk streng på minimum 8 tegn)', - 'Password and its confirmation are different' => 'Passord og bekreftelse av passord samsvarer ikke', - 'This e-mail address is invalid' => 'Denne e-postadressen er ugyldig', - 'Image folder %s is not writable' => 'Bildemappen %s er ikke skrivbar', - 'An error occurred during logo copy.' => 'En feil oppstod under kopiering av logo.', - 'An error occurred during logo upload.' => 'En feil oppstod under opplasting av logo.', - 'Lingerie and Adult' => 'Undertøy og Voksenprodukt', - 'Animals and Pets' => 'Dyr og Kjæledyr', - 'Art and Culture' => 'Kunst og Kultur', - 'Babies' => 'Baby', - 'Beauty and Personal Care' => 'Skjønnhet og Personlig pleie', - 'Cars' => 'Biler', - 'Computer Hardware and Software' => 'Datautstyr og Programvare', - 'Download' => 'Last ned', - 'Fashion and accessories' => 'Mote og Tilbehør', - 'Flowers, Gifts and Crafts' => 'Blomster, Gaver og Håndverk', - 'Food and beverage' => 'Mat og Drikke', - 'HiFi, Photo and Video' => 'HiFi, Foto og Video', - 'Home and Garden' => 'Hjem og Hage', - 'Home Appliances' => 'Husholdningsapparater', - 'Jewelry' => 'Smykker', - 'Mobile and Telecom' => 'Mobil og Telefoni', - 'Services' => 'Tjenester', - 'Shoes and accessories' => 'Sko og Tilbehør', - 'Sports and Entertainment' => 'Sport og Underholdning', - 'Travel' => 'Tjenester', - 'Database is connected' => 'Kontakt med database opprettet', - 'Database is created' => 'Database er laget', - 'Cannot create the database automatically' => 'Kan ikke lage databasen automatisk', - 'Create settings.inc file' => 'Lag settings.inc-filen', - 'Create database tables' => 'Lag databasetabeller', - 'Create default shop and languages' => 'Opprett standardbutikk og språk', - 'Populate database tables' => 'Fyll database tabeller', - 'Configure shop information' => 'Konfigurer butikkinformasjon', - 'Install demonstration data' => 'Installer demonstrasjonsdata', - 'Install modules' => 'Installer moduler', - 'Install Addons modules' => 'Installer tilleggsmoduler', - 'Install theme' => 'Installer tema', - 'Required PHP parameters' => 'Påkrevde PHP-parametere', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 eller senere er ikke aktivert', - 'Cannot upload files' => 'Kan ikke laste opp filer', - 'Cannot create new files and folders' => 'Kan ikke lage nye filer eller mapper', - 'GD library is not installed' => 'GD-biblioteket er ikke installert', - 'MySQL support is not activated' => 'Støtte for MySQL er ikke aktivert', - 'Files' => 'Filer', - 'Not all files were successfully uploaded on your server' => 'Noen filer ble ikke riktig lastet opp til serveren', - 'Permissions on files and folders' => 'Rettigheter på filer og mapper', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekursive skrivetillganger for brukeren %1$s på %2$s', - 'Recommended PHP parameters' => 'Anbefalte PHP-parametere', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Du bruker PHP versjon %s. Snart vil siste versjon som støttes av PrestaShop være PHP 5.4. for å være sikker på at du er klar for fremtiden anbefaler vi at du oppgraderer til PHP 5.4 nå!', - 'Cannot open external URLs' => 'Kan ikke åpne eksterne URL\'er', - 'PHP register_globals option is enabled' => 'PHP register_globals er aktivert', - 'GZIP compression is not activated' => 'GZIP-komprimering er ikke aktivert', - 'Mcrypt extension is not enabled' => 'Mcrypt-utvidelse er ikke aktivert', - 'Mbstring extension is not enabled' => 'Mbstring-utvidelse er ikke aktivert', - 'PHP magic quotes option is enabled' => 'PHP-magic-quotes er aktivert', - 'Dom extension is not loaded' => 'Dom-utvidelse er ikke lastet', - 'PDO MySQL extension is not loaded' => 'PDO MySQL-utvidelse er ikke lastet', - 'Server name is not valid' => 'Servernavn er ikke gyldig', - 'You must enter a database name' => 'Databasenavn er påkrevet', - 'You must enter a database login' => 'Du må fylle ut innlogingsdetaljer for databasen', - 'Tables prefix is invalid' => 'Tabellprefiks er ikke gyldig', - 'Cannot convert database data to utf-8' => 'Kan ikke konvertere databasens innhold til utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Minimum en tabell med samme prefix ble funnet, vennligst forandre prefix eller slett databasen', - 'The values of auto_increment increment and offset must be set to 1' => 'Verdiene for auto_increment og startverdi må settes til 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Databaseserver ble ikke funnet. Kontroller brukernavn-, passord- og server-feltene', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Tilkobling til MySQL server lyktes, men databasen "%s" ble ikke funnet', - 'Attempt to create the database automatically' => 'Forsøk å opprette databasen automatisk', - '%s file is not writable (check permissions)' => 'Filen %s er ikke skrivbar (kontroller tilganger)', - '%s folder is not writable (check permissions)' => 'Mappen %s er ikke skrivbar (kontroller tilganger)', - 'Cannot write settings file' => 'Kan ikke skrive til filen med innstillinger', - 'Database structure file not found' => 'Fil for databasestruktur ble ikke funnet', - 'Cannot create group shop' => 'Kan ikke opprette gruppebutikk', - 'Cannot create shop' => 'Kan ikke opprette butikk', - 'Cannot create shop URL' => 'Kan ikke opprette butikk-URL', - 'File "language.xml" not found for language iso "%s"' => 'Filen "language.xml" ble ikke funnet for språk ISO "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Filen "language.xml" er ikke gyldig for språk ISO "%s"', - 'Cannot install language "%s"' => 'Kan ikke installere språk "%s"', - 'Cannot copy flag language "%s"' => 'Kan ikke kopiere flaggspråk "%s"', - 'Cannot create admin account' => 'Kan ikke opprette administratorkonto', - 'Cannot install module "%s"' => 'Kan ikke installere modul "%s"', - 'Fixtures class "%s" not found' => 'Fixturesclass "%s" ble ikke funnet', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" må være en instans av ""InstallXmlLoader"', - 'Information about your Store' => 'Informasjon om din butikk', - 'Shop name' => 'Butikknavn', - 'Main activity' => 'Hovedaktivitet', - 'Please choose your main activity' => 'Vennligst velg din hovedaktivitet', - 'Other activity...' => 'Annen aktivitet...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Hjelp oss å lære mer om din butikk så vi kan tilby deg optimal veiledning og de beste funksjonene for din bedrift!', - 'Install demo products' => 'Installer demoprodukter', - 'Yes' => 'Ja', - 'No' => 'Nei', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demoprodukter er en god måte å lære hvordan man kan bruke PrestaShop på. Du burde installere dette om du ikke er kjent med PrestaShop.', - 'Country' => 'Land', - 'Select your country' => 'Velg land', - 'Shop timezone' => 'Butikkens tidssone', - 'Select your timezone' => 'Velg din tidssone', - 'Shop logo' => 'Butikklogo', - 'Optional - You can add you logo at a later time.' => 'Valgfritt - du kan legge til logo senere.', - 'Your Account' => 'Din konto', - 'First name' => 'Fornavn', - 'Last name' => 'Etternavn', - 'E-mail address' => 'E-postadresse', - 'This email address will be your username to access your store\'s back office.' => 'Denne e-postadressen vil være ditt brukernavn for å få tilgang til adminsidene i din butikk.', - 'Shop password' => 'Butikkpassord', - 'Must be at least 8 characters' => 'Må være minimum 8 tegn', - 'Re-type to confirm' => 'Skriv inn på nytt for å bekrefte', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All informasjon du gir oss er samlet inn av oss og gjenstand for dataprosessering og statistikk, dette er nødvendig for at medlemmer av firmaet PrestaShop skal kunne svare på dine henvendelser. Dine personlige data vil kunne bli delt med tjenestetilbydere og partnere som del av et partnerforhold. Under gjeldende lov om dataprosessering, datafiler og individuell frihet har du rett til å aksessere, rette opp og motsette deg prosessering av dine personlige data via denne lenken.', - 'Configure your database by filling out the following fields' => 'Konfigurer din database ved å fylle ut følgende felt', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'For å bruke PrestaShop må du opprette en database for å samle alle din butikks datarelaterte aktiviteter.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Vennligst fyll ut feltene under for at PrestaShop skal kunne koble til din database. ', - 'Database server address' => 'Databaseserveradresse', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Standard port er 3306. For å bruke en annen port legg til portnummer i slutten av din servers adresse. F.eks. ":4242".', - 'Database name' => 'Databasenavn', - 'Database login' => 'Databasebruker', - 'Database password' => 'Databasepassord', - 'Database Engine' => 'Databasemotor', - 'Tables prefix' => 'Tabellprefiks', - 'Drop existing tables (mode dev)' => 'Slett eksisterende tabeller (mode dev)', - 'Test your database connection now!' => 'Test din databasetilkobling nå!', - 'Next' => 'Neste', - 'Back' => 'Tilbake', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Dersom du trenger assistanse kan du få tilpasset hjelp fra vår kundeserviceavdeling. Den offisielle dokumentasjonen er også her for å hjelpe deg.', - 'Official forum' => 'Offisielt forum', - 'Support' => 'Kundestøtte', - 'Documentation' => 'Dokumentasjon', - 'Contact us' => 'Kontakt oss', - 'PrestaShop Installation Assistant' => 'PrestaShop installasjonsveileder', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Kontakt oss!', - 'menu_welcome' => 'Velg ditt språk', - 'menu_license' => 'Lisensavtale', - 'menu_system' => 'Systemkompatibilitet', - 'menu_configure' => 'Butikkinformasjon', - 'menu_database' => 'Systemkonfigurasjon', - 'menu_process' => 'Butikkinstallasjon', - 'Installation Assistant' => 'Installasjonsveileder', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'For å installere PrestaShop må du ha JavaScript aktivert i din nettleser.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/no/', - 'License Agreements' => 'Lisensavtale', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'For å kunne ha glede av de mange funksjoner som tilbys gratis av PrestaShop, vennligst les lisensavtalen under. PrestaShops kjerne er lisensiert under OSL 3.0, og modulene og tema er lisensiert under AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Jeg er enig i ovenstående brukeravtale.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Jeg er villig til å hjelpe med forbedring av løsningen ved å sende anonym informasjon om min konfigurasjon.', - 'Done!' => 'Ferdig!', - 'An error occurred during installation...' => 'En feil oppstod under installasjonen...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Du kan benytte lenkene i venstre kolonne for å gå tilbake til tidligere trinn, eller starte installasjonsprosessen på nytt ved å klikke her.', - 'Your installation is finished!' => 'Installasjonen er fullført!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Du har nå installert din nettbutikk. Takk for at du valgte PrestaShop!', - 'Please remember your login information:' => 'Ta vare på dine innloggingdetaljer:', - 'E-mail' => 'E-post', - 'Print my login information' => 'Skriv ut min innloggingsinformasjon', - 'Password' => 'Passord', - 'Display' => 'Vis', - 'For security purposes, you must delete the "install" folder.' => 'Av sikkerhetsgrunner må du slette mappen "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Adminsider', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Styr din butikk ved bruk av Adminsidene. Styr ordre og kunder, legg til moduler, endre tema etc.', - 'Manage your store' => 'Administrer din butikk', - 'Front Office' => 'Butikksider', - 'Discover your store as your future customers will see it!' => 'Oppdag din butikk slik dine fremtidige kunder vil se den!', - 'Discover your store' => 'Oppdag din butikk', - 'Share your experience with your friends!' => 'Del erfaringen med dine venner!', - 'I just built an online store with PrestaShop!' => 'Jeg laget akkurat en nettbutikk med PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Se denne spennende videoen: http://vimeo.com/89298199', - 'Tweet' => 'Tvitre', - 'Share' => 'Del', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Sjekk ut PrestaShop-tillegg for å legge til det lille ekstra i din butikk!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'VI sjekker om PrestaShop er kompatibelt med ditt system', - 'If you have any questions, please visit our documentation and community forum.' => 'Hvis du har noen spørsmål, besøk vår dokumentasjon og forum.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Ditt system er kompatibelt med PrestaShop!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Korriger feilen(e) under, og klikk deretter "Oppdater informasjon" for å teste kompatibiliteten til ditt nye system.', - 'Refresh these settings' => 'Oppdater disse instillingene', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop krever minimum 32MB minne for å kunne kjøre: kontroller memory_limit i din php.ini, eller ta kontakt med din webhotell-leverandør.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Advarsel: Du kan ikke bruke dette verktøyet for å oppgradere din butikk lengre.

Du har allerede PrestaShop versjon %1$s installert.

Dersom du ønsker å oppgradere til siste versjon kan du lese vår dokumentasjon: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Velkommen til PrestaShop %s installasjonsveileder', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installasjonen av PrestaShop er rask og enkel. Om noen få øyeblikk vil du bli en del av et samfunn med mer enn 230.000 forhandlere. Du er nå på vei til å ha din egen unike nettbutikk som du enkelt kan administrere hver eneste dag.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Hvis du trenger hjelp, ikke nøl med å se denne korte opplæringsintroduksjonen, eller ta en titt på vår dokumentasjon.', - 'Continue the installation in:' => 'Fortsett installasjonen på:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Språket over gjelder bare i installasjonsveilederen. Når din butikk er installert kan du velge fra over %d oversettelser til din butikk, og alle er gratis!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Installasjonen av PrestaShop er rask og enkel. Om noen få øyeblikk vil du bli en del av et samfunn med mer enn 250.000 forhandlere. Du er nå på vei til å ha din egen unike nettbutikk som du enkelt kan administrere hver eneste dag.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Det oppsto en SQL-feil for enheten %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Kan ikke opprette bildet «%1$s» for enheten «%2$s»', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Kan ikke opprette bildet "%1$s" (dårlige tillatelser på mappen "%2$s")', + 'Cannot create image "%s"' => 'Kan ikke opprette bildet "%s"', + 'SQL error on query %s' => 'SQL-feil på spørringen %s', + '%s Login information' => '%s Påloggingsinformasjon', + 'Field required' => 'Felt påkrevd', + 'Invalid shop name' => 'Ugyldig butikknavn', + 'The field %s is limited to %d characters' => 'Feltet %s er begrenset til %d tegn', + 'Your firstname contains some invalid characters' => 'Fornavnet ditt inneholder noen ugyldige tegn', + 'Your lastname contains some invalid characters' => 'Etternavnet ditt inneholder noen ugyldige tegn', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Passordet er feil (alfanumerisk streng med minst 8 tegn)', + 'Password and its confirmation are different' => 'Passord og bekreftelse av det er forskjellige', + 'This e-mail address is invalid' => 'Denne e-postadressen er ugyldig', + 'Image folder %s is not writable' => 'Bildemappen %s er ikke skrivbar', + 'An error occurred during logo copy.' => 'Det oppstod en feil under logokopiering.', + 'An error occurred during logo upload.' => 'Det oppsto en feil under opplasting av logo.', + 'Lingerie and Adult' => 'Undertøy og voksen', + 'Animals and Pets' => 'Dyr og kjæledyr', + 'Art and Culture' => 'Kunst og kultur', + 'Babies' => 'Babyer', + 'Beauty and Personal Care' => 'Skjønnhet og personlig pleie', + 'Cars' => 'Biler', + 'Computer Hardware and Software' => 'Datamaskinvare og programvare', + 'Download' => 'nedlasting', + 'Fashion and accessories' => 'Mote og tilbehør', + 'Flowers, Gifts and Crafts' => 'Blomster, gaver og håndverk', + 'Food and beverage' => 'Mat og Drikke', + 'HiFi, Photo and Video' => 'HiFi, foto og video', + 'Home and Garden' => 'Hjem og hage', + 'Home Appliances' => 'Hvitevarer', + 'Jewelry' => 'Smykker', + 'Mobile and Telecom' => 'Mobil og Telekom', + 'Services' => 'Tjenester', + 'Shoes and accessories' => 'Sko og tilbehør', + 'Sports and Entertainment' => 'Sport og underholdning', + 'Travel' => 'Reise', + 'Database is connected' => 'Databasen er koblet til', + 'Database is created' => 'Database opprettes', + 'Cannot create the database automatically' => 'Kan ikke opprette databasen automatisk', + 'Create settings.inc file' => 'Opprett filen settings.inc', + 'Create database tables' => 'Lag databasetabeller', + 'Create default website and languages' => 'Opprett standard nettsted og språk', + 'Populate database tables' => 'Fyll ut databasetabeller', + 'Configure website information' => 'Konfigurer informasjon om nettstedet', + 'Install demonstration data' => 'Installer demonstrasjonsdata', + 'Install modules' => 'Installer moduler', + 'Install Addons modules' => 'Installer tilleggsmoduler', + 'Install theme' => 'Installer tema', + 'Required PHP parameters' => 'Nødvendige PHP-parametere', + 'The required PHP version is between 5.6 to 7.4' => 'Den nødvendige PHP-versjonen er mellom 5.6 og 7.4', + 'Cannot upload files' => 'Kan ikke laste opp filer', + 'Cannot create new files and folders' => 'Kan ikke opprette nye filer og mapper', + 'GD library is not installed' => 'GD-biblioteket er ikke installert', + 'PDO MySQL extension is not loaded' => 'PDO MySQL-utvidelsen er ikke lastet inn', + 'Curl extension is not loaded' => 'Curl extension er ikke lastet inn', + 'SOAP extension is not loaded' => 'SOAP-utvidelsen er ikke lastet inn', + 'SimpleXml extension is not loaded' => 'SimpleXml-utvidelsen er ikke lastet inn', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Sett memory_limit til minimum 128M i PHP-konfigurasjonen', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Sett max_execution_time til minimum 500 i PHP-konfigurasjonen', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Sett upload_max_filesize til minimum 16M i PHP-konfigurasjonen', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Kan ikke åpne eksterne URL-er (krever allow_url_fopen som På).', + 'ZIP extension is not enabled' => 'ZIP-utvidelsen er ikke aktivert', + 'Files' => 'Filer', + 'Not all files were successfully uploaded on your server' => 'Ikke alle filene ble lastet opp på serveren din', + 'Permissions on files and folders' => 'Tillatelser på filer og mapper', + 'Recursive write permissions for %1$s user on %2$s' => 'Rekursive skrivetillatelser for %1$s bruker på %2$s', + 'Recommended PHP parameters' => 'Anbefalte PHP-parametere', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Du bruker PHP %s versjon. Snart vil den siste PHP-versjonen som støttes av QloApps være PHP 5.6. For å være sikker på at du er klar for fremtiden, anbefaler vi deg å oppgradere til PHP 5.6 nå!', + 'PHP register_globals option is enabled' => 'Alternativet PHP register_globals er aktivert', + 'GZIP compression is not activated' => 'GZIP-komprimering er ikke aktivert', + 'Mbstring extension is not enabled' => 'Mbstring-utvidelse er ikke aktivert', + 'Dom extension is not loaded' => 'Dom-forlengelsen er ikke lastet', + 'Server name is not valid' => 'Servernavnet er ikke gyldig', + 'You must enter a database name' => 'Du må angi et databasenavn', + 'You must enter a database login' => 'Du må angi en databasepålogging', + 'Tables prefix is invalid' => 'Tabellprefikset er ugyldig', + 'Cannot convert database data to utf-8' => 'Kan ikke konvertere databasedata til utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Minst én tabell med samme prefiks ble allerede funnet, vennligst endre prefikset eller slipp databasen', + 'The values of auto_increment increment and offset must be set to 1' => 'Verdiene for auto_increment increment og offset må settes til 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Databaseserver ble ikke funnet. Vennligst bekreft feltene pålogging, passord og server', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Tilkoblingen til MySQL-serveren lyktes, men databasen "%s" ble ikke funnet', + 'Attempt to create the database automatically' => 'Forsøk å opprette databasen automatisk', + '%s file is not writable (check permissions)' => '%s fil er ikke skrivbar (sjekk tillatelser)', + '%s folder is not writable (check permissions)' => '%s-mappen er ikke skrivbar (sjekk tillatelser)', + 'Cannot write settings file' => 'Kan ikke skrive innstillingsfil', + 'Database structure file not found' => 'Databasestrukturfilen ble ikke funnet', + 'Cannot create group shop' => 'Kan ikke opprette gruppebutikk', + 'Cannot create shop' => 'Kan ikke opprette butikk', + 'Cannot create shop URL' => 'Kan ikke opprette butikk-URL', + 'File "language.xml" not found for language iso "%s"' => 'Filen "language.xml" ikke funnet for språket iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Filen "language.xml" er ikke gyldig for språket iso "%s"', + 'Cannot install language "%s"' => 'Kan ikke installere språket "%s"', + 'Cannot copy flag language "%s"' => 'Kan ikke kopiere flaggspråket "%s"', + 'Cannot create admin account' => 'Kan ikke opprette administratorkonto', + 'Cannot install module "%s"' => 'Kan ikke installere modulen "%s"', + 'Fixtures class "%s" not found' => 'Oppstillingsklassen "%s" ble ikke funnet', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" må være en forekomst av "InstallXmlLoader"', + 'Information about your Website' => 'Informasjon om nettstedet ditt', + 'Website name' => 'Nettstedets navn', + 'Main activity' => 'Hoved aktivitet', + 'Please choose your main activity' => 'Velg hovedaktiviteten din', + 'Other activity...' => 'Annen aktivitet...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Hjelp oss med å lære mer om butikken din slik at vi kan tilby deg optimal veiledning og de beste funksjonene for din bedrift!', + 'Install demo data' => 'Installer demodata', + 'Yes' => 'Ja', + 'No' => 'Nei', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Å installere demodata er en god måte å lære hvordan du bruker QloApps hvis du ikke har brukt det før. Disse demodataene kan senere slettes ved hjelp av modulen QloApps Data Cleaner som leveres forhåndsinstallert med denne installasjonen.', + 'Country' => 'Land', + 'Select your country' => 'Velg ditt land', + 'Website timezone' => 'Tidssone for nettstedet', + 'Select your timezone' => 'Velg din tidssone', + 'Enable SSL' => 'Aktiver SSL', + 'Shop logo' => 'Butikklogo', + 'Optional - You can add you logo at a later time.' => 'Valgfritt – Du kan legge til logoen din på et senere tidspunkt.', + 'Your Account' => 'Kontoen din', + 'First name' => 'Fornavn', + 'Last name' => 'Etternavn', + 'E-mail address' => 'Epostadresse', + 'This email address will be your username to access your website\'s back office.' => 'Denne e-postadressen vil være brukernavnet ditt for å få tilgang til nettstedets backoffice.', + 'Password' => 'Passord', + 'Must be at least 8 characters' => 'Må bestå av minst 8 tegn', + 'Re-type to confirm' => 'Skriv inn på nytt for å bekrefte', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Informasjonen du gir oss samles inn av oss og er gjenstand for databehandling og statistikk. Under gjeldende "Lov om databehandling, datafiler og individuelle friheter" har du rett til å få tilgang til, korrigere og motsette deg behandlingen av dine personopplysninger gjennom denne lenke.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Jeg godtar å motta nyhetsbrevet og kampanjetilbud fra QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Du vil alltid motta transaksjonelle e-poster som nye oppdateringer, sikkerhetsoppdateringer og oppdateringer selv om du ikke velger dette alternativet.', + 'Configure your database by filling out the following fields' => 'Konfigurer databasen ved å fylle ut følgende felt', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'For å bruke QloApps må du opprette en database for å samle alle datarelaterte aktiviteter på nettstedet ditt.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Fyll ut feltene nedenfor for at QloApps skal koble til databasen din.', + 'Database server address' => 'Databaseserveradresse', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Standardporten er 3306. For å bruke en annen port, legg til portnummeret på slutten av serverens adresse, dvs. ":4242".', + 'Database name' => 'Databasenavn', + 'Database login' => 'Database pålogging', + 'Database password' => 'Database passord', + 'Database Engine' => 'Databasemotor', + 'Tables prefix' => 'Tabeller prefiks', + 'Drop existing tables (mode dev)' => 'Slipp eksisterende tabeller (modusutvikler)', + 'Test your database connection now!' => 'Test databasetilkoblingen din nå!', + 'Next' => 'Neste', + 'Back' => 'Tilbake', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Hvis du trenger litt hjelp, kan du få skreddersydd hjelp fra supportteamet vårt. Den offisielle dokumentasjonen er også her for å veilede deg.', + 'Official forum' => 'Offisielt forum', + 'Support' => 'Brukerstøtte', + 'Documentation' => 'Dokumentasjon', + 'Contact us' => 'Kontakt oss', + 'QloApps Installation Assistant' => 'QloApps installasjonsassistent', + 'Forum' => 'Forum', + 'Blog' => 'Blogg', + 'menu_welcome' => 'Velg ditt språk', + 'menu_license' => 'Lisensavtaler', + 'menu_system' => 'Systemkompatibilitet', + 'menu_configure' => 'Informasjon om nettstedet', + 'menu_database' => 'Systemkonfigurasjon', + 'menu_process' => 'QloApps installasjon', + 'Need Help?' => 'Trenger hjelp?', + 'Click here to Contact us' => 'Klikk her for å kontakte oss', + 'Installation' => 'Installasjon', + 'See our Installation guide' => 'Se vår installasjonsveiledning', + 'Tutorials' => 'Veiledninger', + 'See our QloApps tutorials' => 'Se våre QloApps-veiledninger', + 'Installation Assistant' => 'Installasjonsassistent', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'For å installere QloApps må du ha JavaScript aktivert i nettleseren din.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Lisensavtaler', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'For å nyte de mange funksjonene som tilbys gratis av QloApps, vennligst les lisensvilkårene nedenfor. QloApps kjerne er lisensiert under OSL 3.0, mens modulene og temaene er lisensiert under AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Jeg godtar vilkårene ovenfor.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Jeg godtar å delta i å forbedre løsningen ved å sende anonym informasjon om konfigurasjonen min.', + 'Done!' => 'Ferdig!', + 'An error occurred during installation...' => 'Det oppstod en feil under installasjonen...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Du kan bruke koblingene i venstre kolonne for å gå tilbake til de forrige trinnene, eller starte installasjonsprosessen på nytt ved å klikke her.', + 'Suggested Modules' => 'Foreslåtte moduler', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Finn akkurat de riktige funksjonene på QloApps Addons for å gjøre gjestfrihetsbedriften din til en suksess.', + 'Discover All Modules' => 'Oppdag alle moduler', + 'Suggested Themes' => 'Foreslåtte temaer', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Lag et design som passer ditt hotell og dine kunder, med et maltema som er klart til bruk.', + 'Discover All Themes' => 'Oppdag alle temaer', + 'Your installation is finished!' => 'Installasjonen din er ferdig!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Du er nettopp ferdig med å installere QloApps. Takk for at du bruker QloApps!', + 'Please remember your login information:' => 'Husk påloggingsinformasjonen din:', + 'E-mail' => 'E-post', + 'Print my login information' => 'Skriv ut påloggingsinformasjonen min', + 'Display' => 'Vise', + 'For security purposes, you must delete the "install" folder.' => 'Av sikkerhetshensyn må du slette "installer"-mappen.', + 'Back Office' => 'Back Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Administrer nettstedet ditt ved å bruke ditt Back Office. Administrer dine bestillinger og kunder, legg til moduler, endre temaer osv.', + 'Manage Your Website' => 'Administrer nettstedet ditt', + 'Front Office' => 'Front Office', + 'Discover your website as your future customers will see it!' => 'Oppdag nettstedet ditt slik dine fremtidige kunder vil se det!', + 'Discover Your Website' => 'Oppdag nettstedet ditt', + 'Share your experience with your friends!' => 'Del opplevelsen din med vennene dine!', + 'I just built an online hotel booking website with QloApps!' => 'Jeg har nettopp bygget et nettsted for hotellbestilling på nett med QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Se alle funksjonene her: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'kvitring', + 'Share' => 'Dele', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Vi sjekker for tiden QloApps kompatibilitet med systemmiljøet ditt', + 'If you have any questions, please visit our documentation and community forum.' => 'Hvis du har spørsmål, kan du gå til dokumentasjonen og fellesskapsforumet vårt< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'QloApps kompatibilitet med systemmiljøet ditt er verifisert!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Vennligst korriger elementet(e) nedenfor, og klikk deretter "Oppdater informasjon" for å teste kompatibiliteten til ditt nye system.', + 'Refresh these settings' => 'Oppdater disse innstillingene', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps krever minst 128 MB minne for å kjøre: sjekk memory_limit-direktivet i php.ini-filen din eller kontakt vertsleverandøren din om dette.', + 'Welcome to the QloApps %s Installer' => 'Velkommen til QloApps %s installasjonsprogrammet', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Å installere QloApps er raskt og enkelt. På bare noen få øyeblikk vil du bli en del av et fellesskap. Du er på vei til å lage din egen hotellbestillingsside som du enkelt kan administrere hver dag.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Hvis du trenger hjelp, ikke nøl med å se denne korte veiledningen, eller sjekk dokumentasjonen vår.', + 'Continue the installation in:' => 'Fortsett installasjonen i:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Språkvalget ovenfor gjelder kun for installasjonsassistenten. Når QloApps er installert, kan du velge språket på nettstedet ditt fra over %d oversettelser, helt gratis!', + ), +); \ No newline at end of file diff --git a/install/langs/pl/install.php b/install/langs/pl/install.php index 5559d0d1d..0748c5e79 100644 --- a/install/langs/pl/install.php +++ b/install/langs/pl/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Wystąpił błąd SQL dla obiektu %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Nie można utworzyć obrazu "%1$s" dla rekordu "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nie można utworzyć obrazu "%1$s" (brak uprawnień dla folderu "%2$s")', - 'Cannot create image "%s"' => 'Nie można utworzyć obrazu "%s"', - 'SQL error on query %s' => 'Błąd SQL dla zapytania %s', - '%s Login information' => 'Informacje logowania %s', - 'Field required' => 'Wymagane pola', - 'Invalid shop name' => 'Błędna nazwa sklepu', - 'The field %s is limited to %d characters' => 'Pole %s jest ograniczone do %d znaków', - 'Your firstname contains some invalid characters' => 'Twoje imię zawiera nieprawidłowe znaki ', - 'Your lastname contains some invalid characters' => 'Twoje nazwisko zawiera nieprawidłowe znaki', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Hasło jest nieprawidłowe (8 znaków alfanumerycznych)', - 'Password and its confirmation are different' => 'Potwierdzenie hasła różni się od oryginału', - 'This e-mail address is invalid' => 'Ten adres e-mail jest nieprawidłowy', - 'Image folder %s is not writable' => 'Folder zdjęć %s nie posiada uprawnień do zapisów ', - 'An error occurred during logo copy.' => 'Wystąpił błąd podczas kopiowania logo.', - 'An error occurred during logo upload.' => 'Wystąpił błąd podczas wgrywania logo.', - 'Lingerie and Adult' => 'Bielizna i Dorośli', - 'Animals and Pets' => 'Zwierzęta', - 'Art and Culture' => 'Sztuka i Kultura', - 'Babies' => 'Dzieci', - 'Beauty and Personal Care' => 'Zdrowie i Uroda', - 'Cars' => 'Motoryzacja', - 'Computer Hardware and Software' => 'Sprzęt Komputerowy i Oprogramowanie', - 'Download' => 'Pobierz PrestaShop', - 'Fashion and accessories' => 'Moda i akcesoria', - 'Flowers, Gifts and Crafts' => 'Kwiaty, Podarunki, Drobiazgi', - 'Food and beverage' => 'Żywność i napoje', - 'HiFi, Photo and Video' => 'HiFi, Foto i Video', - 'Home and Garden' => 'Dom i Ogród', - 'Home Appliances' => 'AGD', - 'Jewelry' => 'Biżuteria', - 'Mobile and Telecom' => 'Telefony', - 'Services' => 'Usługi', - 'Shoes and accessories' => 'Buty i akcesoria', - 'Sports and Entertainment' => 'Sport i Rozrywka', - 'Travel' => 'Podróże', - 'Database is connected' => 'Baza danych jest podłączona', - 'Database is created' => 'Baza danych jest tworzona ', - 'Cannot create the database automatically' => 'Nie można automatycznie utworzyć bazy danych', - 'Create settings.inc file' => 'Tworzenie pliku settings.inc', - 'Create database tables' => 'Tworzenie tabel bazy danych', - 'Create default shop and languages' => 'Tworzenie domyślnego sklepu i języków', - 'Populate database tables' => 'Wypełnianie tabel bazy danych', - 'Configure shop information' => 'Konfiguracja sklepu', - 'Install demonstration data' => 'Stwórz dane (produkty, strony, kategorie) przykładowe', - 'Install modules' => 'Instalacja modułów', - 'Install Addons modules' => 'Instalacja modułów Addons', - 'Install theme' => 'Instalacja Szablonu', - 'Required PHP parameters' => 'Wymagane parametry PHP', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 lub nowszy nie jest włączony', - 'Cannot upload files' => 'Nie można przesłać plików', - 'Cannot create new files and folders' => 'Nie można stworzyć nowych folderów ani plików ', - 'GD library is not installed' => 'Biblioteka GD nie jest zainstalowana', - 'MySQL support is not activated' => 'Obsługa MySQL nie jest włączona', - 'Files' => 'Pliki', - 'Not all files were successfully uploaded on your server' => 'Nie wszystkie pliki zostały poprawnie przesłane na serwer', - 'Permissions on files and folders' => 'Uprawnienia do plików i folderów', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekurencyjne prawa zapisu dla %1$s użytkownika na %2$s', - 'Recommended PHP parameters' => 'Zalecane parametry PHP', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'Nie można otworzyć zewnętrznych adresów URL ', - 'PHP register_globals option is enabled' => 'PHP jest włączona opcja register_globals', - 'GZIP compression is not activated' => 'Kompresja GZIP nie jest włączona', - 'Mcrypt extension is not enabled' => 'Rozszerzenie Mcrypt nie jest włączone', - 'Mbstring extension is not enabled' => 'Rozszerzenie Mbstring nie jest włączone', - 'PHP magic quotes option is enabled' => 'PHP opcja magiq_quotes jest włączona', - 'Dom extension is not loaded' => 'Rozszerzenie DOM nie zostało załadowane', - 'PDO MySQL extension is not loaded' => 'Rozszerzenie PDO MySQL nie jest włączone', - 'Server name is not valid' => 'Adres serwera jest nieprawidłowy ', - 'You must enter a database name' => 'Podaj nazwę bazy danych', - 'You must enter a database login' => 'Podaj login dla bazy danych', - 'Tables prefix is invalid' => 'Prefiks tabeli jest niepoprawny', - 'Cannot convert database data to utf-8' => 'Nie można przekonwertować bazy danych na utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Co najmniej jedna tabela z tym samym prefiksem została znaleziona - proszę zmienić aktualny prefiks lub usunąć istniejące tabele.', - 'The values of auto_increment increment and offset must be set to 1' => 'Wartości wzrostu auto_increment oraz skoku muszą być ustawione na 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Nie można połączyć się z serwerem bazy danych. Sprawdź swój login i hasło.', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Połączenie do serwera MySQL odbyło się poprawnie lecz baza danych "%is" nie została znaleziona.', - 'Attempt to create the database automatically' => 'Próba utworzenia automatycznie bazy danych', - '%s file is not writable (check permissions)' => 'Plik %s nie jest zapisywalny (sprawdź uprawnienia plików)', - '%s folder is not writable (check permissions)' => 'Folder %s nie jest zapisywalny (sprawdź uprawnienia plików)', - 'Cannot write settings file' => 'Nie można zapisać pliku z ustawieniami', - 'Database structure file not found' => 'Plik struktury bazy danych nie został znaleziony ', - 'Cannot create group shop' => 'Nie można utworzyć domyślnej grupy sklepów', - 'Cannot create shop' => 'Nie można stworzyć sklepu', - 'Cannot create shop URL' => 'Nie można stworzyć URL dla sklepu', - 'File "language.xml" not found for language iso "%s"' => 'Plik "language.xml" nie został znaleziony dla iso "%s" ', - 'File "language.xml" not valid for language iso "%s"' => 'Plik "language.xml" jest niepoprawny dla iso "%s" ', - 'Cannot install language "%s"' => 'Nie można dokonać instalacji języka "%s"', - 'Cannot copy flag language "%s"' => 'Nie można skopiować flagi dla języka "%s"', - 'Cannot create admin account' => 'Nie można utworzyć konta administratora', - 'Cannot install module "%s"' => 'Nie można zainstalować modułu "%s"', - 'Fixtures class "%s" not found' => 'Klasa fixtures "%s" nie została znaleziona', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" musi być instancją "Install Xml Loader"', - 'Information about your Store' => 'Informacje dotyczące Twojego sklepu', - 'Shop name' => 'Nazwa sklepu', - 'Main activity' => 'Główna działalność', - 'Please choose your main activity' => 'Proszę wybrać działalność', - 'Other activity...' => 'Inne', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Przedstaw swój profil, abyśmy mogli poradzić Ci jaka funkcjonalność pasuje do Twojego biznesu.', - 'Install demo products' => 'Instalacja produktów przykładowych', - 'Yes' => 'Tak', - 'No' => 'Nie', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Produkty przykładowe są dobrym sposobem do nauczenia się korzystania z PrestaShop. Powinieneś jest zainstalować, jeżeli stawiasz pierwsze kroki.', - 'Country' => 'Kraj', - 'Select your country' => 'Wybierz swój kraj', - 'Shop timezone' => 'Strefa czasowa', - 'Select your timezone' => 'Wybierz swoją strefę czasową', - 'Shop logo' => 'Logo sklepu', - 'Optional - You can add you logo at a later time.' => 'Opcjonalnie: Możesz dodać logo w późniejszym czasie.', - 'Your Account' => 'Twoje konto', - 'First name' => 'Imię', - 'Last name' => 'Nazwisko', - 'E-mail address' => 'Adres e-mail', - 'This email address will be your username to access your store\'s back office.' => 'Adres e-mail będzie służył jako login w panelu administracyjnym sklepu.', - 'Shop password' => 'Hasło', - 'Must be at least 8 characters' => 'Min. 8 znaków', - 'Re-type to confirm' => 'Potwierdzenie hasła', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'Skonfiguruj połączenie z bazą danych wypełniając następujące pola', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Aby korzystać z PrestaShop, należy stworzyć bazę do zbierania wszystkich działań związanych z danymi Twojego sklepu.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Proszę o wypełnienie poniższych pól w celu połączenia PrestaShop z Twoją bazą danych. ', - 'Database server address' => 'Adres serwera bazy danych', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Jeśli chcesz użyć innego portu niż port domyślny (3306), dodaj ":XX" do adresu Twojego serwera - gdzie XX oznacza numer portu.', - 'Database name' => 'Nazwa bazy danych', - 'Database login' => 'Użytkownik bazy danych', - 'Database password' => 'Hasło bazy danych', - 'Database Engine' => 'Typ bazy danych', - 'Tables prefix' => 'Prefix tabel', - 'Drop existing tables (mode dev)' => 'Usuwanie istniejących tabel (tryb dev.)', - 'Test your database connection now!' => 'Przetestuj połączenie z bazą danych!', - 'Next' => 'Następny', - 'Back' => 'Wstecz', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'Oficjalne forum', - 'Support' => 'Wsparcie', - 'Documentation' => 'Dokumentacja', - 'Contact us' => 'Kontakt z nami', - 'PrestaShop Installation Assistant' => 'Asystent instalacji PrestaShop', - 'Forum' => 'Forum angielskie', - 'Blog' => 'Blog', - 'Contact us!' => 'Skontaktuj się z nami!', - 'menu_welcome' => 'Wybierz język', - 'menu_license' => 'Umowy licencyjne', - 'menu_system' => 'Zgodność systemu', - 'menu_configure' => 'Informacja o sklepie', - 'menu_database' => 'Konfiguracja systemu', - 'menu_process' => 'Instalacja sklepu', - 'Installation Assistant' => 'Asystent instalacji ', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Aby zainstalować PrestaShop, musisz mieć włączoną obsługę JavaScript w przeglądarce.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/pl/', - 'License Agreements' => 'Umowy licencyjne', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Przed skorzystaniem z darmowych funkcji oferowanych przez PrestaShop zapoznaj się z warunkami licencji. PrestaShop funkcjonuje na licencji OSL 3.0, natomiast moduły i szablony na licencji AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Zgadzam się z powyższymi warunkami.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Wyrażam chęć na udział w ulepszaniu oprogramowania PrestaShop - wysyłając anonimowe informacje dotyczące mojej konfiguracji.', - 'Done!' => 'Gotowe!', - 'An error occurred during installation...' => 'Wystąpił błąd podczas instalacji...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Możesz korzystać z linków znajdujących się po lewej stronie, aby powrócić do poprzednich etapów lub uruchomić ponownie instalację klikając tutaj . ', - 'Your installation is finished!' => 'Instalacja została zakończona!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Instalacja Twojego sklepu została zakończona. Dziękujemy za korzystanie z PrestaShop!', - 'Please remember your login information:' => 'Proszę o zapamiętanie danych logowania:', - 'E-mail' => 'Adres e-mail', - 'Print my login information' => 'Wydrukuj tę stronę', - 'Password' => 'Hasło', - 'Display' => 'Wyświetl', - 'For security purposes, you must delete the "install" folder.' => 'Ze względów bezpieczeństwa należy usunąć folder \'\'install\'\'.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Panel administracyjny', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Zarządzaj sklepem przy użyciu panelu administracyjnego. Obsługuj zamówienia i klientów, dodawaj moduły, zmieniaj szablony, itp.', - 'Manage your store' => 'Zarządzaj sklepem ', - 'Front Office' => 'Front Office ', - 'Discover your store as your future customers will see it!' => 'Sprawdź wygląd Twojego sklepu!', - 'Discover your store' => 'Odkryj swój sklep!', - 'Share your experience with your friends!' => 'Podziel się doświadczeniem z przyjaciółmi!', - 'I just built an online store with PrestaShop!' => 'Właśnie zbudowałem sklep internetowy oparty na Prestashop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Sprawdź to ekscytujące doświadczenie: http://vimeo.com/89298199', - 'Tweet' => 'Tweetuj', - 'Share' => 'Udostępnij', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Zobacz dodatki PrestaShop by dodać coś ekstra do sklepu!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Jesteśmy w trakcie sprawdzania kompatybilności PrestaShop z Twoim systemem', - 'If you have any questions, please visit our documentation and community forum.' => 'Jeśli masz jakieś pytania, zapoznaj się z naszą dokumentacją i forum. ', - 'PrestaShop compatibility with your system environment has been verified!' => 'Zgodność PrestaShop z Twoim systemem została zweryfikowana!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Proszę poprawić punkt/y znajdujące się poniżej i wybrać przycisk \'\'Odśwież informacje\'\' w celu przeprowadzenia testu kompatybilności nowego systemu. ', - 'Refresh these settings' => 'Odśwież ustawienia', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Instalacja PrestaShop wymaga co najmniej 32 MB pamięci: sprawdź dyrektywę memory_limit w pliku php.ini lub skontaktuj się w tej sprawie ze swoim administratorem serwera.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Ostrzeżenie: Nie można już korzystać z tego narzędzia, aby uaktualnić swój sklep.

Masz już zainstalowaną wersję PrestaShop %1$s.

Jeśli chcesz uaktualnić do najnowszej wersji przeczytaj naszą dokumentację: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Witamy w Instalatorze PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalacja PrestaShop jest szybka i łatwa. W zaledwie kilka chwil, staniesz się częścią społeczności składającej się z ponad 230.000 sprzedawców. Jesteś na drodze do stworzenia własnego unikalnego sklepu internetowego, prostym w obsłudze każdego dnia.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'Kontynuuj instalację w:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Wybór języka powyżej dotyczy tylko Instalatora. Po dokonaniu instalacji sklepu, wybierz język spośród %d darmowych tłumaczeń!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalacja PrestaShop jest szybka i łatwa. W zaledwie kilka chwil, staniesz się częścią społeczności składającej się z ponad 250.000 sprzedawców. Jesteś na drodze do stworzenia własnego unikalnego sklepu internetowego, prostym w obsłudze każdego dnia.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Wystąpił błąd SQL dla encji %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Nie można utworzyć obrazu „%1$s” dla elementu „%2$s”', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nie można utworzyć obrazu „%1$s” (złe uprawnienia do folderu „%2$s”)', + 'Cannot create image "%s"' => 'Nie można utworzyć obrazu „%s”', + 'SQL error on query %s' => 'Błąd SQL w zapytaniu %s', + '%s Login information' => '%s Dane logowania', + 'Field required' => 'Pole wymagane', + 'Invalid shop name' => 'Nieprawidłowa nazwa sklepu', + 'The field %s is limited to %d characters' => 'Pole %s jest ograniczone do %d znaków', + 'Your firstname contains some invalid characters' => 'Twoje imię zawiera nieprawidłowe znaki', + 'Your lastname contains some invalid characters' => 'Twoje nazwisko zawiera nieprawidłowe znaki', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Hasło jest nieprawidłowe (ciąg alfanumeryczny składający się z co najmniej 8 znaków)', + 'Password and its confirmation are different' => 'Hasło i jego potwierdzenie są różne', + 'This e-mail address is invalid' => 'Ten adres e-mail jest nieprawidłowy', + 'Image folder %s is not writable' => 'Folder obrazów %s nie nadaje się do zapisu', + 'An error occurred during logo copy.' => 'Wystąpił błąd podczas kopiowania logo.', + 'An error occurred during logo upload.' => 'Wystąpił błąd podczas przesyłania logo.', + 'Lingerie and Adult' => 'Bielizna i dla dorosłych', + 'Animals and Pets' => 'Zwierzęta i zwierzęta domowe', + 'Art and Culture' => 'Sztuka i kultura', + 'Babies' => 'Dzidziusie', + 'Beauty and Personal Care' => 'Uroda i higiena osobista', + 'Cars' => 'Samochody', + 'Computer Hardware and Software' => 'Sprzęt komputerowy i oprogramowanie', + 'Download' => 'Pobierać', + 'Fashion and accessories' => 'Moda i dodatki', + 'Flowers, Gifts and Crafts' => 'Kwiaty, prezenty i rękodzieło', + 'Food and beverage' => 'Jedzenie i napoje', + 'HiFi, Photo and Video' => 'HiFi, zdjęcia i wideo', + 'Home and Garden' => 'Dom i ogród', + 'Home Appliances' => 'Sprzęt AGD', + 'Jewelry' => 'Biżuteria', + 'Mobile and Telecom' => 'Telefonia komórkowa i telekomunikacja', + 'Services' => 'Usługi', + 'Shoes and accessories' => 'Buty i akcesoria', + 'Sports and Entertainment' => 'Sport i rozrywka', + 'Travel' => 'Podróż', + 'Database is connected' => 'Baza danych jest podłączona', + 'Database is created' => 'Baza danych jest utworzona', + 'Cannot create the database automatically' => 'Nie można automatycznie utworzyć bazy danych', + 'Create settings.inc file' => 'Utwórz plik settings.inc', + 'Create database tables' => 'Tworzenie tabel bazy danych', + 'Create default website and languages' => 'Utwórz domyślną witrynę internetową i języki', + 'Populate database tables' => 'Wypełnij tabele bazy danych', + 'Configure website information' => 'Skonfiguruj informacje o witrynie', + 'Install demonstration data' => 'Zainstaluj dane demonstracyjne', + 'Install modules' => 'Zainstaluj moduły', + 'Install Addons modules' => 'Zainstaluj moduły Addons', + 'Install theme' => 'Zainstaluj motyw', + 'Required PHP parameters' => 'Wymagane parametry PHP', + 'The required PHP version is between 5.6 to 7.4' => 'Wymagana wersja PHP mieści się w przedziale od 5.6 do 7.4', + 'Cannot upload files' => 'Nie można przesyłać plików', + 'Cannot create new files and folders' => 'Nie można utworzyć nowych plików i folderów', + 'GD library is not installed' => 'Biblioteka GD nie jest zainstalowana', + 'PDO MySQL extension is not loaded' => 'Rozszerzenie PDO MySQL nie zostało załadowane', + 'Curl extension is not loaded' => 'Rozszerzenie Curl nie jest załadowane', + 'SOAP extension is not loaded' => 'Rozszerzenie SOAP nie zostało załadowane', + 'SimpleXml extension is not loaded' => 'Rozszerzenie SimpleXml nie zostało załadowane', + 'In the PHP configuration set memory_limit to minimum 128M' => 'W konfiguracji PHP ustaw memory_limit na minimum 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'W konfiguracji PHP ustaw max_execution_time na minimum 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'W konfiguracji PHP ustaw upload_max_filesize na minimum 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Nie można otworzyć zewnętrznych adresów URL (wymaga opcji zezwolenie_url_fopen ustawionej na Włączone).', + 'ZIP extension is not enabled' => 'Rozszerzenie ZIP nie jest włączone', + 'Files' => 'Akta', + 'Not all files were successfully uploaded on your server' => 'Nie wszystkie pliki zostały pomyślnie przesłane na Twój serwer', + 'Permissions on files and folders' => 'Uprawnienia do plików i folderów', + 'Recursive write permissions for %1$s user on %2$s' => 'Rekursywne uprawnienia do zapisu dla użytkownika %1$s na %2$s', + 'Recommended PHP parameters' => 'Zalecane parametry PHP', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Używasz wersji PHP %s. Wkrótce najnowszą wersją PHP obsługiwaną przez QloApps będzie PHP 5.6. Aby mieć pewność, że jesteś gotowy na przyszłość, zalecamy aktualizację do PHP 5.6 już teraz!', + 'PHP register_globals option is enabled' => 'Opcja PHP Register_globals jest włączona', + 'GZIP compression is not activated' => 'Kompresja GZIP nie jest aktywowana', + 'Mbstring extension is not enabled' => 'Rozszerzenie Mbstring nie jest włączone', + 'Dom extension is not loaded' => 'Rozszerzenie Dom nie jest załadowane', + 'Server name is not valid' => 'Nazwa serwera jest nieprawidłowa', + 'You must enter a database name' => 'Należy wprowadzić nazwę bazy danych', + 'You must enter a database login' => 'Należy podać login do bazy danych', + 'Tables prefix is invalid' => 'Prefiks tabel jest nieprawidłowy', + 'Cannot convert database data to utf-8' => 'Nie można przekonwertować danych bazy danych na utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Znaleziono już co najmniej jedną tabelę z tym samym prefiksem. Zmień prefiks lub usuń bazę danych', + 'The values of auto_increment increment and offset must be set to 1' => 'Wartości przyrostu i przesunięcia auto_inkrementacji muszą być ustawione na 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Nie znaleziono serwera bazy danych. Proszę sprawdzić pola login, hasło i serwer', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Połączenie z serwerem MySQL powiodło się, ale nie znaleziono bazy danych „%s”.', + 'Attempt to create the database automatically' => 'Spróbuj automatycznie utworzyć bazę danych', + '%s file is not writable (check permissions)' => 'Plik %s nie nadaje się do zapisu (sprawdź uprawnienia)', + '%s folder is not writable (check permissions)' => 'Folder %s nie nadaje się do zapisu (sprawdź uprawnienia)', + 'Cannot write settings file' => 'Nie można zapisać pliku ustawień', + 'Database structure file not found' => 'Nie znaleziono pliku struktury bazy danych', + 'Cannot create group shop' => 'Nie można utworzyć sklepu grupowego', + 'Cannot create shop' => 'Nie można utworzyć sklepu', + 'Cannot create shop URL' => 'Nie można utworzyć adresu URL sklepu', + 'File "language.xml" not found for language iso "%s"' => 'Nie znaleziono pliku „language.xml” dla języka iso „%s”', + 'File "language.xml" not valid for language iso "%s"' => 'Plik „language.xml” nie jest prawidłowy dla języka iso „%s”', + 'Cannot install language "%s"' => 'Nie można zainstalować języka „%s”', + 'Cannot copy flag language "%s"' => 'Nie można skopiować języka flagi „%s”', + 'Cannot create admin account' => 'Nie można utworzyć konta administratora', + 'Cannot install module "%s"' => 'Nie można zainstalować modułu „%s”', + 'Fixtures class "%s" not found' => 'Nie znaleziono klasy urządzeń "%s".', + '"%s" must be an instance of "InstallXmlLoader"' => '„%s” musi być instancją „InstallXmlLoader”', + 'Information about your Website' => 'Informacje o Twojej witrynie', + 'Website name' => 'Nazwa strony', + 'Main activity' => 'Główna aktywność', + 'Please choose your main activity' => 'Proszę wybrać swoją główną działalność', + 'Other activity...' => 'Inna aktywność...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomóż nam dowiedzieć się więcej o Twoim sklepie, abyśmy mogli zaoferować Ci optymalne wskazówki i najlepsze funkcje dla Twojej firmy!', + 'Install demo data' => 'Zainstaluj dane demonstracyjne', + 'Yes' => 'Tak', + 'No' => 'NIE', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Zainstalowanie danych demonstracyjnych to dobry sposób na naukę obsługi QloApps, jeśli wcześniej z niej nie korzystałeś. Te dane demonstracyjne można później usunąć za pomocą modułu QloApps Data Cleaner, który jest preinstalowany w tej instalacji.', + 'Country' => 'Kraj', + 'Select your country' => 'Wybierz swój kraj', + 'Website timezone' => 'Strefa czasowa witryny', + 'Select your timezone' => 'Wybierz swoją strefę czasową', + 'Enable SSL' => 'Włącz protokół SSL', + 'Shop logo' => 'Logo sklepu', + 'Optional - You can add you logo at a later time.' => 'Opcjonalnie — możesz dodać swoje logo później.', + 'Your Account' => 'Twoje konto', + 'First name' => 'Imię', + 'Last name' => 'Nazwisko', + 'E-mail address' => 'Adres e-mail', + 'This email address will be your username to access your website\'s back office.' => 'Ten adres e-mail będzie Twoją nazwą użytkownika umożliwiającą dostęp do zaplecza Twojej witryny.', + 'Password' => 'Hasło', + 'Must be at least 8 characters' => 'Musi mieć co najmniej 8 znaków', + 'Re-type to confirm' => 'Powtórz, aby potwierdzić', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Informacje, które nam przekazujesz, są przez nas gromadzone i podlegają przetwarzaniu danych oraz statystykom. Zgodnie z aktualnie obowiązującą „Ustawą o przetwarzaniu danych, plikach danych i wolnościach osobistych” masz prawo dostępu do treści swoich danych osobowych, ich poprawiania oraz sprzeciwu wobec przetwarzania swoich danych osobowych za pośrednictwem link.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Wyrażam zgodę na otrzymywanie Newslettera oraz ofert promocyjnych od QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Zawsze będziesz otrzymywać e-maile dotyczące transakcji, takie jak nowe aktualizacje, poprawki zabezpieczeń i łatki, nawet jeśli nie wyrazisz zgody na tę opcję.', + 'Configure your database by filling out the following fields' => 'Skonfiguruj swoją bazę danych wypełniając poniższe pola', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Aby korzystać z QloApps, musisz utworzyć bazę danych, która będzie gromadzić wszystkie działania związane z danymi w Twojej witrynie.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Aby QloApps mógł połączyć się z Twoją bazą danych, wypełnij poniższe pola.', + 'Database server address' => 'Adres serwera bazy danych', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Domyślny port to 3306. Aby użyć innego portu, dodaj numer portu na końcu adresu serwera, np. „:4242”.', + 'Database name' => 'Nazwa bazy danych', + 'Database login' => 'Logowanie do bazy danych', + 'Database password' => 'Hasło do bazy danych', + 'Database Engine' => 'Silnik bazy danych', + 'Tables prefix' => 'Przedrostek tabel', + 'Drop existing tables (mode dev)' => 'Usuń istniejące tabele (tryb deweloperski)', + 'Test your database connection now!' => 'Przetestuj teraz połączenie z bazą danych!', + 'Next' => 'Następny', + 'Back' => 'Z powrotem', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Jeśli potrzebujesz pomocy, możesz uzyskać pomoc dostosowaną do potrzeb od naszego zespołu pomocy. Oficjalna dokumentacja również jest tutaj, aby Ci pomóc.', + 'Official forum' => 'Oficjalne forum', + 'Support' => 'Wsparcie', + 'Documentation' => 'Dokumentacja', + 'Contact us' => 'Skontaktuj się z nami', + 'QloApps Installation Assistant' => 'Asystent instalacji QloApps', + 'Forum' => 'Forum', + 'Blog' => 'Bloga', + 'menu_welcome' => 'Wybierz swój język', + 'menu_license' => 'Umowy licencyjne', + 'menu_system' => 'Zgodność systemu', + 'menu_configure' => 'Informacje o stronie internetowej', + 'menu_database' => 'Konfiguracja systemu', + 'menu_process' => 'Instalacja QloApps', + 'Need Help?' => 'Potrzebuję pomocy?', + 'Click here to Contact us' => 'Kliknij tutaj, aby się z nami skontaktować', + 'Installation' => 'Instalacja', + 'See our Installation guide' => 'Zobacz nasz przewodnik instalacji', + 'Tutorials' => 'Poradniki', + 'See our QloApps tutorials' => 'Zobacz nasze tutoriale dotyczące QloApps', + 'Installation Assistant' => 'Asystent instalacji', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Aby zainstalować QloApps, musisz mieć włączoną obsługę JavaScript w swojej przeglądarce.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Umowy licencyjne', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Aby móc korzystać z wielu funkcji oferowanych bezpłatnie przez QloApps, prosimy o zapoznanie się z warunkami licencji poniżej. Rdzeń QloApps objęty jest licencją OSL 3.0, natomiast moduły i motywy objęte są licencją AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Zgadzam się na powyższe warunki.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Wyrażam zgodę na udział w ulepszaniu rozwiązania poprzez przesyłanie anonimowych informacji o mojej konfiguracji.', + 'Done!' => 'Zrobione!', + 'An error occurred during installation...' => 'Wystąpił błąd podczas instalacji...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Możesz skorzystać z łączy w lewej kolumnie, aby wrócić do poprzednich kroków lub ponownie uruchomić proces instalacji, klikając tutaj.', + 'Suggested Modules' => 'Sugerowane moduły', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Znajdź odpowiednie funkcje w dodatkach QloApps, aby Twoja firma hotelarska odniosła sukces.', + 'Discover All Modules' => 'Odkryj wszystkie moduły', + 'Suggested Themes' => 'Sugerowane motywy', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Stwórz projekt pasujący do Twojego hotelu i klientów, korzystając z gotowego szablonu.', + 'Discover All Themes' => 'Odkryj wszystkie motywy', + 'Your installation is finished!' => 'Twoja instalacja została zakończona!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Właśnie zakończyłeś instalację QloApps. Dziękujemy za korzystanie z QloApps!', + 'Please remember your login information:' => 'Proszę zapamiętać swoje dane logowania:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Wydrukuj moje dane logowania', + 'Display' => 'Wyświetlacz', + 'For security purposes, you must delete the "install" folder.' => 'Ze względów bezpieczeństwa musisz usunąć folder „install”.', + 'Back Office' => 'Zaplecze biurowe', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Zarządzaj swoją witryną za pomocą Back Office. Zarządzaj swoimi zamówieniami i klientami, dodawaj moduły, zmieniaj motywy itp.', + 'Manage Your Website' => 'Zarządzaj swoją witryną', + 'Front Office' => 'Biuro obsługi', + 'Discover your website as your future customers will see it!' => 'Odkryj swoją stronę internetową tak, jak zobaczą ją Twoi przyszli klienci!', + 'Discover Your Website' => 'Odkryj swoją witrynę', + 'Share your experience with your friends!' => 'Podziel się swoim doświadczeniem ze znajomymi!', + 'I just built an online hotel booking website with QloApps!' => 'Właśnie zbudowałem witrynę internetową do rezerwacji hoteli online za pomocą QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Zobacz wszystkie funkcje tutaj: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Ćwierkać', + 'Share' => 'Udział', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinteresta', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Aktualnie sprawdzamy kompatybilność QloApps z Twoim środowiskiem systemowym', + 'If you have any questions, please visit our documentation and community forum.' => 'Jeśli masz jakieś pytania, odwiedź naszą dokumentację i forum społeczności< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Zgodność QloApps z Twoim środowiskiem systemowym została zweryfikowana!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ups! Popraw poniższe elementy, a następnie kliknij „Odśwież informacje”, aby przetestować kompatybilność nowego systemu.', + 'Refresh these settings' => 'Odśwież te ustawienia', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps wymaga do działania co najmniej 128 MB pamięci: sprawdź dyrektywę memory_limit w swoim pliku php.ini lub skontaktuj się w tej sprawie ze swoim dostawcą usług hostingowych.', + 'Welcome to the QloApps %s Installer' => 'Witamy w instalatorze QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Instalacja QloApps jest szybka i łatwa. Za kilka chwil staniesz się częścią społeczności. Jesteś na dobrej drodze do stworzenia własnej strony internetowej z rezerwacjami hoteli, którą będziesz mógł łatwo zarządzać każdego dnia.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Jeśli potrzebujesz pomocy, nie wahaj się obejrzyj ten krótki samouczek lub sprawdź nasza dokumentacja.', + 'Continue the installation in:' => 'Kontynuuj instalację w:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Powyższy wybór języka dotyczy wyłącznie Asystenta instalacji. Po zainstalowaniu QloApps możesz wybrać język swojej witryny spośród ponad %d tłumaczeń, a wszystko to za darmo!', + ), +); \ No newline at end of file diff --git a/install/langs/pt/install.php b/install/langs/pt/install.php index c48d4fb69..41257b61c 100644 --- a/install/langs/pt/install.php +++ b/install/langs/pt/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Ocorreu um erro SQL para a entidade %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Não foi possível criar a imagem "%1$s" para a entidade "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Não foi possível criar a imagem "%1$s" (permissão inválida na pasta "%2$s")', - 'Cannot create image "%s"' => 'Não foi possível criar a imagem "%s"', - 'SQL error on query %s' => 'Erro na consulta SQL %s', - '%s Login information' => '%s Informação de acesso (login)', - 'Field required' => 'Campo obrigatório', - 'Invalid shop name' => 'Nome de loja inválido', - 'The field %s is limited to %d characters' => 'O campo %s está limitado a %d caracteres', - 'Your firstname contains some invalid characters' => 'O seu primeiro nome contém caracteres inválidos', - 'Your lastname contains some invalid characters' => 'O seu último nome contém alguns caracteres inválidos', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A palavra-passe não é válida (tem de ter pelo menos 8 caracteres alfa-numéricos)', - 'Password and its confirmation are different' => 'A palavra-passe e a confirmação desta são diferentes', - 'This e-mail address is invalid' => 'Este endereço de email não é válido', - 'Image folder %s is not writable' => 'A pasta de imagens %s não tem permissões de escrita', - 'An error occurred during logo copy.' => 'Ocorreu um erro durante a cópia do logótipo.', - 'An error occurred during logo upload.' => 'Ocorreu um erro ao enviar o logótipo.', - 'Lingerie and Adult' => 'Lingerie e Adulto', - 'Animals and Pets' => 'Animais e Animais de Estimação', - 'Art and Culture' => 'Arte e Cultura', - 'Babies' => 'Bebés', - 'Beauty and Personal Care' => 'Beleza e Cuidados Pessoais', - 'Cars' => 'Automóveis', - 'Computer Hardware and Software' => 'Hardware e Software', - 'Download' => 'Downloads', - 'Fashion and accessories' => 'Moda e Acessórios', - 'Flowers, Gifts and Crafts' => 'Flores, Presentes e Artesanato', - 'Food and beverage' => 'Alimentação e Bebidas', - 'HiFi, Photo and Video' => 'Som, Fotografia e Vídeo', - 'Home and Garden' => 'Casa e Jardim', - 'Home Appliances' => 'Eletrodomésticos', - 'Jewelry' => 'Joalharia', - 'Mobile and Telecom' => 'Telemóveis e Telecomunicações', - 'Services' => 'Serviços', - 'Shoes and accessories' => 'Sapatos e Acessórios', - 'Sports and Entertainment' => 'Desporto e Entretenimento', - 'Travel' => 'Viagens', - 'Database is connected' => 'Ligação estabelecida com a base de dados', - 'Database is created' => 'Base de dados criada', - 'Cannot create the database automatically' => 'Não foi possível criar a base de dados automaticamente', - 'Create settings.inc file' => 'Criar o ficheiro settings.inc', - 'Create database tables' => 'Criar tabelas da base de dados', - 'Create default shop and languages' => 'Criar a loja e idioma padrão', - 'Populate database tables' => 'Preencher tabelas da base de dados', - 'Configure shop information' => 'Configurar as informações da loja', - 'Install demonstration data' => 'Instalar dados de demonstração', - 'Install modules' => 'Instalar módulos', - 'Install Addons modules' => 'Instalar módulos adicionais (Addons)', - 'Install theme' => 'Instalar tema gráfico', - 'Required PHP parameters' => 'Parâmetros PHP necessários', - 'PHP 5.1.2 or later is not enabled' => 'Não está disponível o PHP 5.1.2 ou posterior', - 'Cannot upload files' => 'Não foi possível enviar os ficheiros', - 'Cannot create new files and folders' => 'Não foi possível criar novos ficheiros e pastas', - 'GD library is not installed' => 'A biblioteca "GD Library" não se encontra instalada', - 'MySQL support is not activated' => 'Não está ativo o suporte para MySQL', - 'Files' => 'Ficheiros', - 'Not all files were successfully uploaded on your server' => 'Nem todos os ficheiros foram carregados para o servidor com sucesso', - 'Permissions on files and folders' => 'Permissões de ficheiros e pastas', - 'Recursive write permissions for %1$s user on %2$s' => 'Permissões de escrita recursivas para o utilizador %1$s em %2$s', - 'Recommended PHP parameters' => 'Parâmetros PHP recomendados', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Está a usar a versão %s do PHP. Brevemente a última versão suportada será a 5.4. Para ter a certeza que a sua loja estará preparada para futuras atualizações, recomendamos atualizar o PHP para a versão 5.4.', - 'Cannot open external URLs' => 'Não é possível abrir URLs externos', - 'PHP register_globals option is enabled' => 'A opção "register_globals" do PHP encontra-se ativa', - 'GZIP compression is not activated' => 'A compressão GZIP não está activa', - 'Mcrypt extension is not enabled' => 'A extensão Mcrypt não está activa', - 'Mbstring extension is not enabled' => 'A extensão Mbstring não está ativa', - 'PHP magic quotes option is enabled' => 'A opção "magic quotes" do PHP encontra-se ativa', - 'Dom extension is not loaded' => 'A extensão Dom não está carregada', - 'PDO MySQL extension is not loaded' => 'A extensão PDO do MySQL não está carregada', - 'Server name is not valid' => 'O nome do servidor não é válido', - 'You must enter a database name' => 'É necessário indicar o nome da base de dados', - 'You must enter a database login' => 'É necessário indicar o acesso («login») da base de dados', - 'Tables prefix is invalid' => 'O prefixo das tabelas é inválido', - 'Cannot convert database data to utf-8' => 'Não é possível fazer a conversão da base de dados para utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Foi encontrada pelo menos uma tabela com o mesmo prefixo; por favor altere o prefixo ou elimine a base de dados', - 'The values of auto_increment increment and offset must be set to 1' => 'Os valores de incremento auto_increment e offset deve ser definido como 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'O servidor da base de dados não foi encontrado. Por favor verifique o nome de utilizador, a palavra-passe e os campos do servidor', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'A ligação ao servidor MySQL foi bem sucedida, mas a base de dados "%s" não foi encontrada', - 'Attempt to create the database automatically' => 'Tentativa de criar a base de dados de forma automática', - '%s file is not writable (check permissions)' => 'Não é possível escrever o ficheiro %s (verifique as permissões de escrita)', - '%s folder is not writable (check permissions)' => 'Não é possível escrever na pasta %s (verifique as permissões de escrita)', - 'Cannot write settings file' => 'Não é possível escrever no ficheiro settings', - 'Database structure file not found' => 'Não foi encontrado o ficheiro com a estrutura da Base de Dados', - 'Cannot create group shop' => 'Não é possível criar um grupo de lojas', - 'Cannot create shop' => 'Não é possível criar a loja', - 'Cannot create shop URL' => 'Não é possível criar o URL da loja', - 'File "language.xml" not found for language iso "%s"' => 'Não foi encontrado o ficheiro "language.xml" para o idioma ISO "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'O ficheiro "language.xml" não é válido para o idioma ISO "%s"', - 'Cannot install language "%s"' => 'Não é possível instalar o idioma "%s"', - 'Cannot copy flag language "%s"' => 'Não é possível copiar a bandeira-miniatura do idioma "%s"', - 'Cannot create admin account' => 'Não é possível criar uma conta de administrador (admin)', - 'Cannot install module "%s"' => 'Não é possível instalar o módulo "%s"', - 'Fixtures class "%s" not found' => 'Não foi encontrada a classe Fixtures "%s"', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve ser uma instância do "InstallXmlLoader"', - 'Information about your Store' => 'Informações sobre a sua loja', - 'Shop name' => 'Nome loja', - 'Main activity' => 'Atividade principal', - 'Please choose your main activity' => 'Escolha a atividade principal da loja', - 'Other activity...' => 'Outras atividades...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajude-nos a conhecer melhor a sua loja para que possamos oferecer-lhe um melhor aconselhamento e as funcionalidades mais adequadas ao seu negócio!', - 'Install demo products' => 'Instalar produtos de demonstração', - 'Yes' => 'Sim', - 'No' => 'Não', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Os produtos de demonstração são uma boa forma de aprender a usar o PrestaShop. Nesse sentido, a sua instalação é aconselhada caso não conheça a plataforma.', - 'Country' => 'País', - 'Select your country' => 'Selecione o seu país', - 'Shop timezone' => 'Fuso horário da loja', - 'Select your timezone' => 'Selecione o seu fuso horário', - 'Shop logo' => 'Logótipo da loja', - 'Optional - You can add you logo at a later time.' => 'Opcional - Pode adicionar o logótipo mais tarde.', - 'Your Account' => 'A sua conta', - 'First name' => 'Nome próprio', - 'Last name' => 'Apelido', - 'E-mail address' => 'Endereço de email', - 'This email address will be your username to access your store\'s back office.' => 'Este endereço de email será o seu nome de utilizador e servirá aceder à Área de Administração da loja.', - 'Shop password' => 'Palavra-passe da loja', - 'Must be at least 8 characters' => 'Deve ter no mínimo 8 caracteres', - 'Re-type to confirm' => 'Confirmação da palavra-passe', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Toda a informação que nos fornece está sujeita a processamento de dados e estatísticas. É necessário para que os membros da empresa PrestaShop possam responder aos seus pedidos. Os seus dados pessoais podem ser comunicados a fornecedores de serviços e parceiros como parte de relações de parceiros. De acordo com a legislação francesa "Lei de Processamento de Dados, Ficheiros de Dados e Liberdades Individuais" tem o direito a aceder, retificar e opor-se ao processamento dos seus dados pessoais através desta ligação.', - 'Configure your database by filling out the following fields' => 'Preencha os seguintes campos para configurar a sua Base de Dados', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Para usar o PrestaShop é necessário criar uma base de dados para armazenar toda a informação das atividades da sua loja.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Deve completar os campos abaixo para que o PrestaShop estabeleça uma ligação à Base de Dados. ', - 'Database server address' => 'Endereço do servidor da Base de Dados', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Por omissão, a porta considerada é a 3306. Para usar uma porta diferente, acrescente o número da porta ao final do endereço do servidor, por exemplo ":4242".', - 'Database name' => 'Nome da Base de Dados', - 'Database login' => 'Acesso (login) da Base de Dados', - 'Database password' => 'Palavra-passe da Base de Dados', - 'Database Engine' => 'Motor da base de dados', - 'Tables prefix' => 'Prefixo das tabelas', - 'Drop existing tables (mode dev)' => 'Apagar tabelas existentes (modo dev)', - 'Test your database connection now!' => 'Testar a ligação à base de dados agora!', - 'Next' => 'Próximo', - 'Back' => 'Voltar', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se precisar de assistência, pode obter ajuda personalizada da nossa equipa de apoio. A documentação oficial também pode servir de ajuda.', - 'Official forum' => 'Fórum oficial', - 'Support' => 'Suporte', - 'Documentation' => 'Documentação', - 'Contact us' => 'Contacte-nos', - 'PrestaShop Installation Assistant' => 'Assistente de instalação PrestaShop', - 'Forum' => 'Fórum', - 'Blog' => 'Blogue', - 'Contact us!' => 'Contacte-nos!', - 'menu_welcome' => 'Escolha o seu idioma', - 'menu_license' => 'Acordos de licenciamento', - 'menu_system' => 'Compatibilidade de sistema', - 'menu_configure' => 'Informação da Loja', - 'menu_database' => 'Configuração de Sistema', - 'menu_process' => 'Instalação da Loja', - 'Installation Assistant' => 'Assistente de instalação', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Para instalar o PrestaShop necessita de ativar o JavaScript no seu navegador da internet.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/pt/', - 'License Agreements' => 'Acordo de licença', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para tirar partido das muitas funcionalidades oferecidas gratuitamente pelo PrestaShop, leia os termos da licença abaixo. O núcleo do PrestaShop está licenciado de acordo com o OSL 3.0, enquanto os módulos e os temas gráficos são licenciados de acordo com o AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Concordo com estes termos e condições.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Concordo em participar na melhoria da solução através do envio de informações anónimas sobre a minha configuração.', - 'Done!' => 'Concluído!', - 'An error occurred during installation...' => 'Ocorreu um erro durante a instalação...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Pode utilizar os links da coluna da esquerda para retroceder nos passos da instalação, ou reiniciar todo o processo carregando aqui.', - 'Your installation is finished!' => 'A sua instalação foi concluída!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'A instalação da sua loja foi concluída. Obrigado por escolher a plataforma PrestaShop!', - 'Please remember your login information:' => 'Tome nota da informação de autenticação:', - 'E-mail' => 'Email', - 'Print my login information' => 'Imprimir a informação de acesso', - 'Password' => 'Palavra-passe', - 'Display' => 'Mostrar', - 'For security purposes, you must delete the "install" folder.' => 'Por motivos de segurança, deve eliminar a pasta "install" no servidor.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Área de Administração', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Faça a gestão da sua loja através da Área de Administração. Pode gerir as encomendas e os clientes, adicionar módulos, alterar os temas gráficos, etc.', - 'Manage your store' => 'Gerir a sua loja', - 'Front Office' => 'Loja', - 'Discover your store as your future customers will see it!' => 'Navegue pela sua loja da mesma forma que os seus futuros clientes o farão!', - 'Discover your store' => 'Descubra a sua loja', - 'Share your experience with your friends!' => 'Partilhe a sua experiência com os seus amigos!', - 'I just built an online store with PrestaShop!' => 'Construí uma loja online com o PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Assista a esta experiência emocionante: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Partilhar', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Explore os módulos adicionais do PrestaShop para adicionar mais funcionalidades à sua loja!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Está a ser feita uma verificação de compatibilidade entre o seu sistema e o PrestaShop', - 'If you have any questions, please visit our documentation and community forum.' => 'Se tiver questões, visite a nossa documentação e o fórum da comunidade.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Foi verificada a compatibilidade entre o seu sistema e o PrestaShop!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Deve corrigir os itens abaixo e carregar em "Atualizar estas configurações" para testar a compatibilidade com o seu sistema novo.', - 'Refresh these settings' => 'Atualizar estas configurações', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'O PrestaShop necessita pelo menos de 32 Mb de memória para funcionar: por favor verifique a diretiva memory_limit no seu ficheiro php.ini ou contacte o seu fornecedor de alojamento web.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Aviso: Não pode utilizar mais esta ferramenta para atualizar a sua loja.

Já tem instalada a versão %1$s do PrestaShop.

Se pretende atualizar a sua loja para uma versão mais recente, deve consultar a nossa documentação: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Bem-vindo(a) ao Instalador do PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A instalação do PrestaShop é rápida e simples. Dentro de apenas alguns momentos, fará parte de uma comunidade com mais de 200.000 vendedores. Está prestes a criar a sua loja online que pode gerir facilmente todos os dias.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Se necessitar de ajuda não hesite em ver este pequeno guia, ou veja a nossa documentação.', - 'Continue the installation in:' => 'Continuar a instalação em:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'A seleção de idioma anterior apenas se refere ao Assistente de Instalação. Após estar instalada, poderá definir o idioma da sua loja a partir de um conjunto de %d traduções disponíveis gratuitamente!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'A instalação do PrestaShop é rápida e simples. Dentro de apenas alguns momentos, fará parte de uma comunidade com mais de 250.000 vendedores. Está prestes a criar a sua loja online que pode gerir facilmente todos os dias.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Ocorreu um erro SQL para a entidade %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Não foi possível criar a imagem "%1$s" para a entidade "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Não é possível criar a imagem "%1$s" (permissões incorretas na pasta "%2$s")', + 'Cannot create image "%s"' => 'Não é possível criar a imagem "%s"', + 'SQL error on query %s' => 'Erro SQL na consulta %s', + '%s Login information' => '%s Informações de login', + 'Field required' => 'Campo requerido', + 'Invalid shop name' => 'Nome da loja inválido', + 'The field %s is limited to %d characters' => 'O campo %s está limitado a %d caracteres', + 'Your firstname contains some invalid characters' => 'Seu primeiro nome contém alguns caracteres inválidos', + 'Your lastname contains some invalid characters' => 'Seu sobrenome contém alguns caracteres inválidos', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'A senha está incorreta (sequência alfanumérica com pelo menos 8 caracteres)', + 'Password and its confirmation are different' => 'A senha e sua confirmação são diferentes', + 'This e-mail address is invalid' => 'Este endereço de e-mail é inválido', + 'Image folder %s is not writable' => 'A pasta de imagens %s não é gravável', + 'An error occurred during logo copy.' => 'Ocorreu um erro durante a cópia do logotipo.', + 'An error occurred during logo upload.' => 'Ocorreu um erro durante o upload do logotipo.', + 'Lingerie and Adult' => 'Lingerie e Adulto', + 'Animals and Pets' => 'Animais e animais de estimação', + 'Art and Culture' => 'Arte e Cultura', + 'Babies' => 'Bebês', + 'Beauty and Personal Care' => 'Beleza e cuidados pessoais', + 'Cars' => 'Carros', + 'Computer Hardware and Software' => 'Hardware e software de computador', + 'Download' => 'Download', + 'Fashion and accessories' => 'Moda e acessórios', + 'Flowers, Gifts and Crafts' => 'Flores, presentes e artesanato', + 'Food and beverage' => 'Alimentos e bebidas', + 'HiFi, Photo and Video' => 'HiFi, Foto e Vídeo', + 'Home and Garden' => 'Casa e Jardim', + 'Home Appliances' => 'Eletrodomésticos', + 'Jewelry' => 'Joia', + 'Mobile and Telecom' => 'Móvel e Telecomunicações', + 'Services' => 'Serviços', + 'Shoes and accessories' => 'Sapatos e acessórios', + 'Sports and Entertainment' => 'Esportes e Entretenimento', + 'Travel' => 'Viagem', + 'Database is connected' => 'O banco de dados está conectado', + 'Database is created' => 'Banco de dados é criado', + 'Cannot create the database automatically' => 'Não é possível criar o banco de dados automaticamente', + 'Create settings.inc file' => 'Crie o arquivo settings.inc', + 'Create database tables' => 'Criar tabelas de banco de dados', + 'Create default website and languages' => 'Crie sites e idiomas padrão', + 'Populate database tables' => 'Preencher tabelas de banco de dados', + 'Configure website information' => 'Configurar informações do site', + 'Install demonstration data' => 'Instalar dados de demonstração', + 'Install modules' => 'Instalar módulos', + 'Install Addons modules' => 'Instale módulos adicionais', + 'Install theme' => 'Instalar tema', + 'Required PHP parameters' => 'Parâmetros PHP necessários', + 'The required PHP version is between 5.6 to 7.4' => 'A versão necessária do PHP está entre 5.6 e 7.4', + 'Cannot upload files' => 'Não é possível fazer upload de arquivos', + 'Cannot create new files and folders' => 'Não é possível criar novos arquivos e pastas', + 'GD library is not installed' => 'A biblioteca GD não está instalada', + 'PDO MySQL extension is not loaded' => 'A extensão PDO MySQL não está carregada', + 'Curl extension is not loaded' => 'A extensão Curl não está carregada', + 'SOAP extension is not loaded' => 'A extensão SOAP não está carregada', + 'SimpleXml extension is not loaded' => 'A extensão SimpleXml não está carregada', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Na configuração do PHP, defina memory_limit para no mínimo 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Na configuração do PHP, defina max_execution_time para no mínimo 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Na configuração do PHP, defina upload_max_filesize para no mínimo 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Não é possível abrir URLs externos (requer permitir_url_fopen como ativado).', + 'ZIP extension is not enabled' => 'A extensão ZIP não está ativada', + 'Files' => 'arquivos', + 'Not all files were successfully uploaded on your server' => 'Nem todos os arquivos foram carregados com sucesso no seu servidor', + 'Permissions on files and folders' => 'Permissões em arquivos e pastas', + 'Recursive write permissions for %1$s user on %2$s' => 'Permissões de gravação recursivas para usuário %1$s em %2$s', + 'Recommended PHP parameters' => 'Parâmetros PHP recomendados', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Você está usando a versão %s do PHP. Em breve, a versão mais recente do PHP suportada pelo QloApps será o PHP 5.6. Para ter certeza de que você está pronto para o futuro, recomendamos que você atualize para o PHP 5.6 agora!', + 'PHP register_globals option is enabled' => 'A opção PHP Register_globals está habilitada', + 'GZIP compression is not activated' => 'A compactação GZIP não está ativada', + 'Mbstring extension is not enabled' => 'A extensão Mbstring não está habilitada', + 'Dom extension is not loaded' => 'A extensão Dom não está carregada', + 'Server name is not valid' => 'O nome do servidor não é válido', + 'You must enter a database name' => 'Você deve inserir um nome de banco de dados', + 'You must enter a database login' => 'Você deve inserir um login de banco de dados', + 'Tables prefix is invalid' => 'O prefixo das tabelas é inválido', + 'Cannot convert database data to utf-8' => 'Não é possível converter dados do banco de dados para utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Pelo menos uma tabela com o mesmo prefixo já foi encontrada, altere seu prefixo ou elimine seu banco de dados', + 'The values of auto_increment increment and offset must be set to 1' => 'Os valores de incremento e deslocamento de auto_increment devem ser definidos como 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Servidor de banco de dados não encontrado. Verifique os campos de login, senha e servidor', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'A conexão com o servidor MySQL foi bem-sucedida, mas o banco de dados "%s" não foi encontrado', + 'Attempt to create the database automatically' => 'Tentativa de criar o banco de dados automaticamente', + '%s file is not writable (check permissions)' => 'O arquivo %s não é gravável (verifique as permissões)', + '%s folder is not writable (check permissions)' => 'A pasta %s não é gravável (verifique as permissões)', + 'Cannot write settings file' => 'Não é possível gravar o arquivo de configurações', + 'Database structure file not found' => 'Arquivo de estrutura de banco de dados não encontrado', + 'Cannot create group shop' => 'Não é possível criar loja em grupo', + 'Cannot create shop' => 'Não é possível criar loja', + 'Cannot create shop URL' => 'Não é possível criar o URL da loja', + 'File "language.xml" not found for language iso "%s"' => 'Arquivo "idioma.xml" não encontrado para o idioma iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'O arquivo "idioma.xml" não é válido para o idioma iso "%s"', + 'Cannot install language "%s"' => 'Não é possível instalar o idioma "%s"', + 'Cannot copy flag language "%s"' => 'Não é possível copiar o idioma da sinalização "%s"', + 'Cannot create admin account' => 'Não é possível criar conta de administrador', + 'Cannot install module "%s"' => 'Não é possível instalar o módulo "%s"', + 'Fixtures class "%s" not found' => 'Classe de luminárias "%s" não encontrada', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" deve ser uma instância de "InstallXmlLoader"', + 'Information about your Website' => 'Informações sobre o seu site', + 'Website name' => 'Nome do site', + 'Main activity' => 'Atividade principal', + 'Please choose your main activity' => 'Por favor escolha sua atividade principal', + 'Other activity...' => 'Outra atividade...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajude-nos a saber mais sobre sua loja para que possamos oferecer a melhor orientação e os melhores recursos para o seu negócio!', + 'Install demo data' => 'Instale dados de demonstração', + 'Yes' => 'Sim', + 'No' => 'Não', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Instalar dados de demonstração é uma boa maneira de aprender como usar QloApps, caso você nunca tenha usado antes. Esses dados de demonstração podem ser apagados posteriormente usando o módulo QloApps Data Cleaner que vem pré-instalado com esta instalação.', + 'Country' => 'País', + 'Select your country' => 'Escolha o seu país', + 'Website timezone' => 'Fuso horário do site', + 'Select your timezone' => 'Selecione seu fuso horário', + 'Enable SSL' => 'Habilitar SSL', + 'Shop logo' => 'Logotipo da loja', + 'Optional - You can add you logo at a later time.' => 'Opcional - Você pode adicionar seu logotipo posteriormente.', + 'Your Account' => 'Sua conta', + 'First name' => 'Primeiro nome', + 'Last name' => 'Sobrenome', + 'E-mail address' => 'Endereço de email', + 'This email address will be your username to access your website\'s back office.' => 'Este endereço de e-mail será o seu nome de usuário para acessar o back office do seu site.', + 'Password' => 'Senha', + 'Must be at least 8 characters' => 'Deve ter pelo menos 8 caracteres', + 'Re-type to confirm' => 'Digite novamente para confirmar', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'As informações que você nos fornece são coletadas por nós e estão sujeitas a processamento de dados e estatísticas. De acordo com a atual "Lei sobre Processamento de Dados, Arquivos de Dados e Liberdades Individuais", você tem o direito de acessar, retificar e se opor ao processamento de seus dados pessoais através deste link.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Concordo em receber a Newsletter e ofertas promocionais da QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Você sempre receberá e-mails transacionais como novas atualizações, correções de segurança e patches, mesmo que não opte por esta opção.', + 'Configure your database by filling out the following fields' => 'Configure seu banco de dados preenchendo os seguintes campos', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Para usar QloApps, você deve criar um banco de dados para coletar todas as atividades relacionadas aos dados do seu site.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Preencha os campos abaixo para que o QloApps se conecte ao seu banco de dados.', + 'Database server address' => 'Endereço do servidor de banco de dados', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'A porta padrão é 3306. Para usar uma porta diferente, adicione o número da porta no final do endereço do seu servidor, ou seja, ":4242".', + 'Database name' => 'Nome do banco de dados', + 'Database login' => 'Login do banco de dados', + 'Database password' => 'Senha do banco de dados', + 'Database Engine' => 'Mecanismo de banco de dados', + 'Tables prefix' => 'Prefixo de tabelas', + 'Drop existing tables (mode dev)' => 'Eliminar tabelas existentes (modo dev)', + 'Test your database connection now!' => 'Teste sua conexão com o banco de dados agora!', + 'Next' => 'Próximo', + 'Back' => 'Voltar', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Se precisar de ajuda, você pode obter ajuda personalizada de nossa equipe de suporte. A documentação oficial também está aqui para orientá-lo.', + 'Official forum' => 'Fórum oficial', + 'Support' => 'Apoiar', + 'Documentation' => 'Documentação', + 'Contact us' => 'Contate-nos', + 'QloApps Installation Assistant' => 'Assistente de instalação QloApps', + 'Forum' => 'Fórum', + 'Blog' => 'Blogue', + 'menu_welcome' => 'Escolha seu idioma', + 'menu_license' => 'Contratos de licença', + 'menu_system' => 'Compatibilidade do sistema', + 'menu_configure' => 'Informações do site', + 'menu_database' => 'Configuração do sistema', + 'menu_process' => 'Instalação do QloApps', + 'Need Help?' => 'Preciso de ajuda?', + 'Click here to Contact us' => 'Clique aqui para entrar em contato conosco', + 'Installation' => 'Instalação', + 'See our Installation guide' => 'Veja nosso guia de instalação', + 'Tutorials' => 'Tutoriais', + 'See our QloApps tutorials' => 'Veja nossos tutoriais sobre QloApps', + 'Installation Assistant' => 'Assistente de instalação', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Para instalar o QloApps, você precisa ter o JavaScript habilitado em seu navegador.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Contratos de licença', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Para aproveitar os diversos recursos oferecidos gratuitamente pelo QloApps, leia os termos de licença abaixo. O núcleo do QloApps é licenciado sob OSL 3.0, enquanto os módulos e temas são licenciados sob AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Concordo com os termos e condições acima.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Concordo em participar na melhoria da solução enviando informações anônimas sobre minha configuração.', + 'Done!' => 'Feito!', + 'An error occurred during installation...' => 'Ocorreu um erro durante a instalação...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Você pode usar os links na coluna da esquerda para voltar às etapas anteriores ou reiniciar o processo de instalação clicando aqui.', + 'Suggested Modules' => 'Módulos sugeridos', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Encontre os recursos certos nos complementos QloApps para tornar seu negócio de hospitalidade um sucesso.', + 'Discover All Modules' => 'Descubra todos os módulos', + 'Suggested Themes' => 'Temas sugeridos', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Crie um design adequado ao seu hotel e aos seus clientes, com um modelo de tema pronto para usar.', + 'Discover All Themes' => 'Descubra todos os temas', + 'Your installation is finished!' => 'Sua instalação está concluída!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Você acabou de instalar o QloApps. Obrigado por usar QloApps!', + 'Please remember your login information:' => 'Lembre-se de suas informações de login:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Imprimir minhas informações de login', + 'Display' => 'Mostrar', + 'For security purposes, you must delete the "install" folder.' => 'Por motivos de segurança, você deve excluir a pasta “instalar”.', + 'Back Office' => 'Backoffice', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Faça a gestão do seu site através do seu Back Office. Gerencie seus pedidos e clientes, adicione módulos, altere temas, etc.', + 'Manage Your Website' => 'Gerencie seu site', + 'Front Office' => 'Recepção', + 'Discover your website as your future customers will see it!' => 'Descubra o seu site como seus futuros clientes o verão!', + 'Discover Your Website' => 'Descubra o seu site', + 'Share your experience with your friends!' => 'Compartilhe sua experiência com seus amigos!', + 'I just built an online hotel booking website with QloApps!' => 'Acabei de criar um site de reservas de hotéis online com QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Veja todos os recursos aqui: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tuitar', + 'Share' => 'Compartilhar', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'No momento, estamos verificando a compatibilidade do QloApps com o ambiente do seu sistema', + 'If you have any questions, please visit our documentation and community forum.' => 'Se você tiver alguma dúvida, visite nossa documentação e o fórum da comunidade< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'A compatibilidade do QloApps com o ambiente do seu sistema foi verificada!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ops! Corrija os itens abaixo e clique em "Atualizar informações" para testar a compatibilidade do seu novo sistema.', + 'Refresh these settings' => 'Atualize essas configurações', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps requer pelo menos 128 MB de memória para ser executado: verifique a diretiva memory_limit em seu arquivo php.ini ou entre em contato com seu provedor de hospedagem sobre isso.', + 'Welcome to the QloApps %s Installer' => 'Bem-vindo ao instalador do QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Instalar QloApps é rápido e fácil. Em apenas alguns momentos, você se tornará parte de uma comunidade. Você está prestes a criar seu próprio site de reservas de hotel, que poderá gerenciar facilmente todos os dias.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Se precisar de ajuda, não hesite em assistir a este breve tutorial ou confira nossa documentação.', + 'Continue the installation in:' => 'Continue a instalação em:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'A seleção de idioma acima se aplica apenas ao Assistente de Instalação. Depois que o QloApps estiver instalado, você poderá escolher o idioma do seu site entre mais de %d traduções, tudo de graça!', + ), +); \ No newline at end of file diff --git a/install/langs/qc/install.php b/install/langs/qc/install.php index 4ac120d9f..139a69ecb 100644 --- a/install/langs/qc/install.php +++ b/install/langs/qc/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Une erreur SQL est survenue pour l\'entité %1$s : %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossible de créer l\'image "%1$s" pour l\'entité "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossible de créer l\'image "%1$s" (mauvaises permissions sur le dossier "%2$s")', - 'Cannot create image "%s"' => 'Impossible de créer l\'image "%s"', - 'SQL error on query %s' => 'Erreur SQL sur la requête %s', - '%s Login information' => 'Informations de connexion sur %s', - 'Field required' => 'Champ requis', - 'Invalid shop name' => 'Nom de votre boutique non valide', - 'The field %s is limited to %d characters' => 'Le champs %s est limité à %d caractères', - 'Your firstname contains some invalid characters' => 'Votre prénom contient des caractères invalides', - 'Your lastname contains some invalid characters' => 'Votre nom contient des caractères invalides', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Le mot de passe est invalide (caractères alpha numériques et au moins 8 lettres)', - 'Password and its confirmation are different' => 'Le mot de passe de confirmation est différent de l\'original', - 'This e-mail address is invalid' => 'Cette adresse courriel est invalide', - 'Image folder %s is not writable' => 'Le dossier d\'images %s ne possède pas les droits d\'écriture', - 'An error occurred during logo copy.' => 'Impossible de copier le logo.', - 'An error occurred during logo upload.' => 'Impossible d\'uploader le logo.', - 'Lingerie and Adult' => 'Lingerie et Adulte', - 'Animals and Pets' => 'Animaux', - 'Art and Culture' => 'Arts et culture', - 'Babies' => 'Articles pour bébé', - 'Beauty and Personal Care' => 'Santé et beauté', - 'Cars' => 'Auto et moto', - 'Computer Hardware and Software' => 'Informatique et logiciels', - 'Download' => 'Téléchargement', - 'Fashion and accessories' => 'Mode et accessoires', - 'Flowers, Gifts and Crafts' => 'Fleurs, cadeaux et artisanat', - 'Food and beverage' => 'Alimentation et gastronomie', - 'HiFi, Photo and Video' => 'Hifi, photo et vidéo', - 'Home and Garden' => 'Maison et jardin', - 'Home Appliances' => 'Électroménager', - 'Jewelry' => 'Bijouterie', - 'Mobile and Telecom' => 'Téléphonie et communication', - 'Services' => 'Services', - 'Shoes and accessories' => 'Chaussures et accessoires', - 'Sports and Entertainment' => 'Sport et Loisirs', - 'Travel' => 'Voyage et tourisme', - 'Database is connected' => 'La base de données est connectée', - 'Database is created' => 'Base de données créée', - 'Cannot create the database automatically' => 'Impossible de créer la base de données automatiquement', - 'Create settings.inc file' => 'Création du fichier settings.inc', - 'Create database tables' => 'Création des tables de la base', - 'Create default shop and languages' => 'Création de la boutique par défaut et des langues', - 'Populate database tables' => 'Remplissage des tables de la base', - 'Configure shop information' => 'Configuration de la boutique', - 'Install demonstration data' => 'Installation des produits de démo', - 'Install modules' => 'Installation des modules', - 'Install Addons modules' => 'Installation des modules Addons', - 'Install theme' => 'Installation du thème', - 'Required PHP parameters' => 'Configuration PHP requise', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ou ultérieur n\'est pas activé', - 'Cannot upload files' => 'Impossible d\'uploader des fichiers', - 'Cannot create new files and folders' => 'Impossible de créer de nouveaux fichiers et dossiers', - 'GD library is not installed' => 'La bibliothèque GD n\'est pas installée', - 'MySQL support is not activated' => 'Le support de MySQL n\'est pas activé', - 'Files' => 'Fichiers', - 'Not all files were successfully uploaded on your server' => 'Tous les fichiers n\'ont pas pu être mis en ligne sur votre serveur', - 'Permissions on files and folders' => 'Permissions d\'accès sur les fichiers et dossiers', - 'Recursive write permissions for %1$s user on %2$s' => 'Droits récursifs en écriture pour l\'utilisateur %1$s sur le dossier %2$s', - 'Recommended PHP parameters' => 'Configuration PHP recommandée', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Vous utilisez la version %s de PHP. PrestaShop ne supportera bientôt plus les versions PHP antérieures à 5.4. Pour anticiper ce changement, nous vous recommandons d\'effectuer une mise à jour vers PHP 5.4 dès maintenant !', - 'Cannot open external URLs' => 'Impossible d\'ouvrir des URL externes', - 'PHP register_globals option is enabled' => 'L\'option PHP "register_globals" est activée', - 'GZIP compression is not activated' => 'La compression GZIP n\'est pas activée', - 'Mcrypt extension is not enabled' => 'L\'extension Mcrypt n\'est pas activée', - 'Mbstring extension is not enabled' => 'L\'extension Mbstring n\'est pas activée', - 'PHP magic quotes option is enabled' => 'L\'option magic quotes de PHP est activée', - 'Dom extension is not loaded' => 'L\'extension DOM n\'est pas chargée', - 'PDO MySQL extension is not loaded' => 'Le support de MySQL PDO n\'est pas activé', - 'Server name is not valid' => 'L\'adresse du serveur est invalide', - 'You must enter a database name' => 'Vous devez saisir un nom de base de données', - 'You must enter a database login' => 'Vous devez saisir un identifiant pour la base de données', - 'Tables prefix is invalid' => 'Le préfixe des tables est invalide', - 'Cannot convert database data to utf-8' => 'Impossible de convertir la base en utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Au moins une table avec le même préfixe a été trouvée, merci de changer votre préfixe ou de supprimer vos tables existantes', - 'The values of auto_increment increment and offset must be set to 1' => 'Les valeurs d\'incrémentation "auto_increment" et "offset" doivent être fixées à 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Impossible de se connecter au serveur de la base de données. Vérifiez vos identifiants de connexion', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connexion au serveur de base de données a réussi, mais la base "%s" n\'a pas été trouvée', - 'Attempt to create the database automatically' => 'Essayer de créer la base de données automatiquement', - '%s file is not writable (check permissions)' => 'Le fichier %s ne peut être écrit (vérifiez vos permissions fichiers)', - '%s folder is not writable (check permissions)' => 'Le dossier %s ne peut être écrit (vérifiez vos permissions fichiers)', - 'Cannot write settings file' => 'Impossible de générer le fichier settings', - 'Database structure file not found' => 'Le fichier de structure de base de donnée n\'a pu être trouvé', - 'Cannot create group shop' => 'Impossible de créer le groupe de boutique', - 'Cannot create shop' => 'Impossible de créer la boutique', - 'Cannot create shop URL' => 'Impossible de créer l\'URL pour la boutique', - 'File "language.xml" not found for language iso "%s"' => 'Le fichier "language.xml" n\'a pas été trouvé pour l\'iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Le fichier "language.xml" est invalide pour l\'iso "%s"', - 'Cannot install language "%s"' => 'Impossible d\'installer la langue "%s"', - 'Cannot copy flag language "%s"' => 'Impossible de copier le drapeau pour la langue "%s"', - 'Cannot create admin account' => 'Impossible de créer le compte administrateur', - 'Cannot install module "%s"' => 'Impossible d\'installer le module "%s"', - 'Fixtures class "%s" not found' => 'La classe "%s" pour les fixtures n\'a pas été trouvée', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" doit être une instance de "InstallXmlLoader"', - 'Information about your Store' => 'Informations à propos de votre boutique', - 'Shop name' => 'Nom de la boutique', - 'Main activity' => 'Activité principale', - 'Please choose your main activity' => 'Merci de choisir une activité', - 'Other activity...' => 'Autre activité ...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aidez-nous à mieux vous connaitre pour que nous puissions vous orienter et vous proposer les fonctionnalités les plus adaptées à votre activité !', - 'Install demo products' => 'Installer les produits de démo', - 'Yes' => 'Oui', - 'No' => 'Non', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Les produits de démo sont un bon moyen pour apprendre à utiliser PrestaShop. Vous devriez les installer si vous n\'êtes pas familier avec le logiciel.', - 'Country' => 'Pays', - 'Select your country' => 'Sélectionnez un pays', - 'Shop timezone' => 'Fuseau horaire de la boutique', - 'Select your timezone' => 'Choisissez un fuseau horaire', - 'Shop logo' => 'Logo de la boutique', - 'Optional - You can add you logo at a later time.' => 'Optionnel - Vous pourrez ajouter votre logo par la suite.', - 'Your Account' => 'Votre compte', - 'First name' => 'Prénom', - 'Last name' => 'Nom', - 'E-mail address' => 'Adresse courriel', - 'This email address will be your username to access your store\'s back office.' => 'Cette adresse courriel vous servira d\'identifiant pour accéder à l\'interface de gestion de votre boutique.', - 'Shop password' => 'Mot de passe', - 'Must be at least 8 characters' => 'Minimum 8 caractères', - 'Re-type to confirm' => 'Confirmation du mot de passe', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Les informations recueillies font l\'objet d’un traitement informatique et statistique, elles sont nécessaires aux membres de la société PrestaShop afin de répondre au mieux à votre demande. Ces informations peuvent être communiquées à nos partenaires à des fins de prospection commerciale et être transmises dans le cadre de nos relations partenariales. Conformément à la loi « Informatique et Libertés » du 6 janvier 1978 modifiée en 2004, vous pouvez exercer votre droit d\'accès, de rectification et d\'opposition au traitement des données qui vous concernent en cliquant ici.', - 'Configure your database by filling out the following fields' => 'Configurez la connexion à votre base de données en remplissant les champs suivants.', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Pour utiliser PrestaShop vous devez créer une base de données afin d\'y enregistrer toutes les données nécessaires au fonctionnement de votre boutique.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Merci de renseigner ci-dessous les informations requises pour que PrestaShop puisse se connecter à votre base de données.', - 'Database server address' => 'Adresse du serveur de la base', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Si vous souhaitez utiliser un port différent du port par défaut (3306) ajoutez ":XX" à l\'adresse de votre serveur, XX étant le numéro de votre port.', - 'Database name' => 'Nom de la base', - 'Database login' => 'Identifiant de la base', - 'Database password' => 'Mot de passe de la base', - 'Database Engine' => 'Moteur de base de données', - 'Tables prefix' => 'Préfixe des tables', - 'Drop existing tables (mode dev)' => 'Supprimer les tables (mode dev)', - 'Test your database connection now!' => 'Tester la connexion à la base de données', - 'Next' => 'Suivant', - 'Back' => 'Précédent', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si vous avez besoin d\'accompagnement, notre équipe support vous apportera une aide sur mesure. La documentation officielle est également là pour vous guider.', - 'Official forum' => 'Forum officiel', - 'Support' => 'Support', - 'Documentation' => 'Documentation', - 'Contact us' => 'Contactez-nous', - 'PrestaShop Installation Assistant' => 'Assistant d\'installation', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Contactez-nous !', - 'menu_welcome' => 'Choix de la langue', - 'menu_license' => 'Acceptation des licences', - 'menu_system' => 'Compatibilité système', - 'menu_configure' => 'Informations', - 'menu_database' => 'Configuration du système', - 'menu_process' => 'Installation de la boutique', - 'Installation Assistant' => 'Assistant d\'installation', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Pour installer PrestaShop, vous devez avoir JavaScript activé dans votre navigateur', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/fr/', - 'License Agreements' => 'Acceptation des licences', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Afin de profiter gratuitement des nombreuses fonctionnalités qu\'offre PrestaShop, merci de prendre connaissance des termes des licences ci-dessous. Le coeur de PrestaShop est publié sous licence OSL 3.0 tandis que les modules et thèmes sont publiés sous licence AFL 3.0.', - 'I agree to the above terms and conditions.' => 'J\'accepte les termes et conditions du contrat ci-dessus.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'J\'accepte de participer à l\'amélioration de PrestaShop en envoyant des informations anonymes sur ma configuration', - 'Done!' => 'Fin !', - 'An error occurred during installation...' => 'Une erreur est survenue durant l\'installation...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Vous pouvez utiliser les liens à gauche pour revenir aux étapes précédentes, ou redémarrer l\'installation en cliquant ici.', - 'Your installation is finished!' => 'L\'installation est finie !', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Vous venez d\'installer votre boutique en ligne, merci d\'avoir choisi PrestaShop !', - 'Please remember your login information:' => 'Merci de conserver les informations de connexion suivantes :', - 'E-mail' => 'Courriel', - 'Print my login information' => 'Imprimer cette page', - 'Password' => 'Mot de passe', - 'Display' => 'Affichage', - 'For security purposes, you must delete the "install" folder.' => 'Pour des raisons de sécurité, vous devez supprimer le dossier "install" manuellement.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installer+PrestaShop#InstallerPrestaShop-Terminerl%27installation', - 'Back Office' => 'Administration', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Accédez dès à présent à votre interface de gestion pour commencer la configuration de votre boutique.', - 'Manage your store' => 'Gérez votre boutique', - 'Front Office' => 'Front-Office', - 'Discover your store as your future customers will see it!' => 'Découvrez l\'apparence de votre boutique avec quelques produits de démonstration, prête à être personnalisée par vos soins !', - 'Discover your store' => 'Découvrez votre boutique', - 'Share your experience with your friends!' => 'Partagez votre expérience avec vos amis !', - 'I just built an online store with PrestaShop!' => 'Je viens de créer ma boutique en ligne avec PrestaShop !', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Découvrez notre vidéo de présentation : http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Partager', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Explorez le site PrestaShop Addons pour ajouter ce "petit quelque chose en plus" qui rendra votre boutique unique !', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Nous vérifions en ce moment la compatibilité de PrestaShop avec votre système', - 'If you have any questions, please visit our documentation and community forum.' => 'Si vous avez la moindre question, n\'hésitez pas à visiter notre documentation et notre forum communautaire.', - 'PrestaShop compatibility with your system environment has been verified!' => 'La compatibilité de PrestaShop avec votre système a été vérifiée', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Merci de bien vouloir corriger le(s) point(s) ci-dessous puis de cliquer sur le bouton "Rafraichir ces informations" afin de tester à nouveau la compatibilité de votre système.', - 'Refresh these settings' => 'Rafraîchir ces informations', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop a besoin d\'au moins 32 Mo d\'espace mémoire pour fonctionner : veuillez vérifier la directive memory_limit de votre fichier php.ini, ou contacter votre hébergeur à ce propos.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Attention : vous ne pouvez plus utiliser cet outil pour mettre à jour votre boutique.

Vous disposez déjà de PrestaShop version %1$s.

Si vous voulez passer à la dernière version, lisez notre documentation : %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Bienvenue sur l\'installation de PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'L\'installation de PrestaShop est simple et rapide. Dans quelques minutes, vous ferez partie d\'une communauté de plus de 230 000 marchands. Vous êtes sur le point de créer votre propre boutique en ligne, unique en son genre, que vous pourrez gérer très facilement au quotidien.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Besoin d\'aide ? N\'hésitez pas à regarder cette courte vidéo, ou à parcourir notre documentation.', - 'Continue the installation in:' => 'Continuer l\'installation en :', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Le choix de la langue ci-dessus s\'applique à l\'assistant d\'installation. Une fois votre boutique installée, vous pourrez choisir la langue de votre boutique parmi plus de %d traductions disponibles gratuitement !', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'L\'installation de PrestaShop est simple et rapide. Dans quelques minutes, vous ferez partie d\'une communauté de plus de 250 000 marchands. Vous êtes sur le point de créer votre propre boutique en ligne, unique en son genre, que vous pourrez gérer très facilement au quotidien.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Une erreur SQL s\'est produite pour l\'entité %1$s : %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Impossible de créer l\'image "%1$s" pour l\'entité "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Impossible de créer l\'image "%1$s" (autorisations incorrectes sur le dossier "%2$s")', + 'Cannot create image "%s"' => 'Impossible de créer l\'image "%s"', + 'SQL error on query %s' => 'Erreur SQL sur la requête %s', + '%s Login information' => '%s Informations de connexion', + 'Field required' => 'Champ obligatoire', + 'Invalid shop name' => 'Nom de boutique invalide', + 'The field %s is limited to %d characters' => 'Le champ %s est limité à %d caractères', + 'Your firstname contains some invalid characters' => 'Votre prénom contient des caractères invalides', + 'Your lastname contains some invalid characters' => 'Votre nom de famille contient des caractères invalides', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Le mot de passe est incorrect (chaîne alphanumérique d\'au moins 8 caractères)', + 'Password and its confirmation are different' => 'Le mot de passe et sa confirmation sont différents', + 'This e-mail address is invalid' => 'Cette adresse e-mail n\'est pas valide', + 'Image folder %s is not writable' => 'Le dossier d\'images %s n\'est pas accessible en écriture', + 'An error occurred during logo copy.' => 'Une erreur s\'est produite lors de la copie du logo.', + 'An error occurred during logo upload.' => 'Une erreur s\'est produite lors du téléchargement du logo.', + 'Lingerie and Adult' => 'Lingerie et Adulte', + 'Animals and Pets' => 'Animaux et animaux de compagnie', + 'Art and Culture' => 'Art et Culture', + 'Babies' => 'Bébés', + 'Beauty and Personal Care' => 'Beauté et soins personnels', + 'Cars' => 'Voitures', + 'Computer Hardware and Software' => 'Matériel informatique et logiciels', + 'Download' => 'Télécharger', + 'Fashion and accessories' => 'Mode et accessoires', + 'Flowers, Gifts and Crafts' => 'Fleurs, cadeaux et artisanat', + 'Food and beverage' => 'Nourriture et boisson', + 'HiFi, Photo and Video' => 'HiFi, Photo et Vidéo', + 'Home and Garden' => 'Maison et jardin', + 'Home Appliances' => 'Appareils électroménagers', + 'Jewelry' => 'Bijoux', + 'Mobile and Telecom' => 'Mobile et Télécom', + 'Services' => 'Prestations de service', + 'Shoes and accessories' => 'Chaussures et accessoires', + 'Sports and Entertainment' => 'Sports et divertissement', + 'Travel' => 'Voyage', + 'Database is connected' => 'La base de données est connectée', + 'Database is created' => 'La base de données est créée', + 'Cannot create the database automatically' => 'Impossible de créer la base de données automatiquement', + 'Create settings.inc file' => 'Créer un fichier settings.inc', + 'Create database tables' => 'Créer des tables de base de données', + 'Create default website and languages' => 'Créer un site Web et des langues par défaut', + 'Populate database tables' => 'Remplir les tables de la base de données', + 'Configure website information' => 'Configurer les informations du site Web', + 'Install demonstration data' => 'Installer les données de démonstration', + 'Install modules' => 'Installer des modules', + 'Install Addons modules' => 'Installer les modules complémentaires', + 'Install theme' => 'Installer le thème', + 'Required PHP parameters' => 'Paramètres PHP requis', + 'The required PHP version is between 5.6 to 7.4' => 'La version PHP requise est comprise entre 5.6 et 7.4', + 'Cannot upload files' => 'Impossible de télécharger des fichiers', + 'Cannot create new files and folders' => 'Impossible de créer de nouveaux fichiers et dossiers', + 'GD library is not installed' => 'La bibliothèque GD n\'est pas installée', + 'PDO MySQL extension is not loaded' => 'L\'extension PDO MySQL n\'est pas chargée', + 'Curl extension is not loaded' => 'L\'extension Curl n\'est pas chargée', + 'SOAP extension is not loaded' => 'L\'extension SOAP n\'est pas chargée', + 'SimpleXml extension is not loaded' => 'L\'extension SimpleXml n\'est pas chargée', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Dans la configuration PHP, définissez memory_limit sur un minimum de 128 Mo.', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Dans la configuration PHP, définissez max_execution_time sur un minimum de 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Dans la configuration PHP, définissez upload_max_filesize sur un minimum de 16 Mo.', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Impossible d\'ouvrir les URL externes (nécessite allow_url_fopen comme activé).', + 'ZIP extension is not enabled' => 'L\'extension ZIP n\'est pas activée', + 'Files' => 'Des dossiers', + 'Not all files were successfully uploaded on your server' => 'Tous les fichiers n\'ont pas été téléchargés avec succès sur votre serveur', + 'Permissions on files and folders' => 'Autorisations sur les fichiers et dossiers', + 'Recursive write permissions for %1$s user on %2$s' => 'Autorisations d\'écriture récursives pour l\'utilisateur %1$s sur %2$s', + 'Recommended PHP parameters' => 'Paramètres PHP recommandés', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Vous utilisez la version PHP %s. Bientôt, la dernière version de PHP prise en charge par QloApps sera PHP 5.6. Pour être sûr d\'être prêt pour l\'avenir, nous vous recommandons de passer à PHP 5.6 dès maintenant !', + 'PHP register_globals option is enabled' => 'L\'option PHP register_globals est activée', + 'GZIP compression is not activated' => 'La compression GZIP n\'est pas activée', + 'Mbstring extension is not enabled' => 'L\'extension Mbstring n\'est pas activée', + 'Dom extension is not loaded' => 'L\'extension Dom n\'est pas chargée', + 'Server name is not valid' => 'Le nom du serveur n\'est pas valide', + 'You must enter a database name' => 'Vous devez entrer un nom de base de données', + 'You must enter a database login' => 'Vous devez entrer un identifiant de base de données', + 'Tables prefix is invalid' => 'Le préfixe des tables n\'est pas valide', + 'Cannot convert database data to utf-8' => 'Impossible de convertir les données de la base de données en utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Au moins une table avec le même préfixe a déjà été trouvée, veuillez modifier votre préfixe ou supprimer votre base de données', + 'The values of auto_increment increment and offset must be set to 1' => 'Les valeurs de l\'incrément et du décalage auto_increment doivent être définies sur 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Le serveur de base de données est introuvable. Veuillez vérifier les champs login, mot de passe et serveur', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'La connexion au serveur MySQL a réussi, mais la base de données "%s" est introuvable', + 'Attempt to create the database automatically' => 'Tentative de création automatique de la base de données', + '%s file is not writable (check permissions)' => 'Le fichier %s n\'est pas accessible en écriture (vérifiez les autorisations)', + '%s folder is not writable (check permissions)' => 'Le dossier %s n\'est pas accessible en écriture (vérifiez les autorisations)', + 'Cannot write settings file' => 'Impossible d\'écrire le fichier de paramètres', + 'Database structure file not found' => 'Fichier de structure de base de données introuvable', + 'Cannot create group shop' => 'Impossible de créer une boutique de groupe', + 'Cannot create shop' => 'Impossible de créer une boutique', + 'Cannot create shop URL' => 'Impossible de créer l\'URL de la boutique', + 'File "language.xml" not found for language iso "%s"' => 'Fichier "langue.xml" introuvable pour l\'iso de langue "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Le fichier "langue.xml" n\'est pas valide pour l\'iso de langue "%s"', + 'Cannot install language "%s"' => 'Impossible d\'installer la langue "%s"', + 'Cannot copy flag language "%s"' => 'Impossible de copier la langue du drapeau "%s"', + 'Cannot create admin account' => 'Impossible de créer un compte administrateur', + 'Cannot install module "%s"' => 'Impossible d\'installer le module "%s"', + 'Fixtures class "%s" not found' => 'Classe d\'appareils "%s" introuvable', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" doit être une instance de "InstallXmlLoader"', + 'Information about your Website' => 'Informations sur votre site Web', + 'Website name' => 'Nom du site Web', + 'Main activity' => 'Activité principale', + 'Please choose your main activity' => 'Veuillez choisir votre activité principale', + 'Other activity...' => 'Autre activité...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Aidez-nous à en savoir plus sur votre magasin afin que nous puissions vous offrir des conseils optimaux et les meilleures fonctionnalités pour votre entreprise !', + 'Install demo data' => 'Installer les données de démonstration', + 'Yes' => 'Oui', + 'No' => 'Non', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'L\'installation de données de démonstration est un bon moyen d\'apprendre à utiliser QloApps si vous ne l\'avez jamais utilisé auparavant. Ces données de démonstration peuvent ensuite être effacées à l\'aide du module QloApps Data Cleaner préinstallé avec cette installation.', + 'Country' => 'Pays', + 'Select your country' => 'Sélectionnez votre pays', + 'Website timezone' => 'Fuseau horaire du site Web', + 'Select your timezone' => 'Sélectionnez votre fuseau horaire', + 'Enable SSL' => 'Activer SSL', + 'Shop logo' => 'Logo de la boutique', + 'Optional - You can add you logo at a later time.' => 'Facultatif - Vous pourrez ajouter votre logo ultérieurement.', + 'Your Account' => 'Votre compte', + 'First name' => 'Prénom', + 'Last name' => 'Nom de famille', + 'E-mail address' => 'Adresse e-mail', + 'This email address will be your username to access your website\'s back office.' => 'Cette adresse e-mail sera votre nom d\'utilisateur pour accéder au back-office de votre site Internet.', + 'Password' => 'Mot de passe', + 'Must be at least 8 characters' => 'Doit contenir au moins 8 caractères', + 'Re-type to confirm' => 'Resaisissez pour confirmer', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Les informations que vous nous communiquez sont collectées par nos soins et font l\'objet d\'un traitement informatique et de statistiques. Conformément à la loi « Informatique, fichiers et libertés » en vigueur, vous disposez d\'un droit d\'accès, de rectification et d\'opposition au traitement de vos données personnelles via ce lien.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'J\'accepte de recevoir la Newsletter et les offres promotionnelles de QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Vous recevrez toujours des e-mails transactionnels tels que de nouvelles mises à jour, correctifs de sécurité et correctifs même si vous n\'acceptez pas cette option.', + 'Configure your database by filling out the following fields' => 'Configurez votre base de données en remplissant les champs suivants', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Pour utiliser QloApps, vous devez créer une base de données pour collecter toutes les activités liées aux données de votre site Web.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Veuillez remplir les champs ci-dessous pour que QloApps se connecte à votre base de données.', + 'Database server address' => 'Adresse du serveur de base de données', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Le port par défaut est 3306. Pour utiliser un autre port, ajoutez le numéro de port à la fin de l\'adresse de votre serveur, c\'est-à-dire ":4242".', + 'Database name' => 'Nom de la base de données', + 'Database login' => 'Connexion à la base de données', + 'Database password' => 'Mot de passe de la base de données', + 'Database Engine' => 'Moteur de base de données', + 'Tables prefix' => 'Préfixe des tableaux', + 'Drop existing tables (mode dev)' => 'Supprimer les tables existantes (mode dev)', + 'Test your database connection now!' => 'Testez votre connexion à la base de données maintenant !', + 'Next' => 'Suivant', + 'Back' => 'Dos', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Si vous avez besoin d\'aide, vous pouvez obtenir une aide personnalisée de notre équipe d\'assistance. La documentation officielle est également là pour vous guider.', + 'Official forum' => 'Forum officiel', + 'Support' => 'Soutien', + 'Documentation' => 'Documentation', + 'Contact us' => 'Contactez-nous', + 'QloApps Installation Assistant' => 'Assistant d\'installation QloApps', + 'Forum' => 'Forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Choisissez votre langue', + 'menu_license' => 'Contrats de licence', + 'menu_system' => 'Compatibilité du système', + 'menu_configure' => 'Informations sur le site Web', + 'menu_database' => 'Configuration du système', + 'menu_process' => 'Installation de QloApps', + 'Need Help?' => 'Besoin d\'aide?', + 'Click here to Contact us' => 'Cliquez ici pour nous contacter', + 'Installation' => 'Installation', + 'See our Installation guide' => 'Voir notre guide d\'installation', + 'Tutorials' => 'Tutoriels', + 'See our QloApps tutorials' => 'Voir nos tutoriels QloApps', + 'Installation Assistant' => 'Assistante d\'installation', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Pour installer QloApps, vous devez activer JavaScript dans votre navigateur.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Contrats de licence', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Pour profiter des nombreuses fonctionnalités proposées gratuitement par QloApps, veuillez lire les termes de licence ci-dessous. Le noyau de QloApps est sous licence OSL 3.0, tandis que les modules et thèmes sont sous licence AFL 3.0.', + 'I agree to the above terms and conditions.' => 'J\'accepte les termes et conditions ci-dessus.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'J\'accepte de participer à l\'amélioration de la solution en envoyant des informations anonymes sur ma configuration.', + 'Done!' => 'Fait!', + 'An error occurred during installation...' => 'Une erreur s\'est produite lors de l\'installation...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Vous pouvez utiliser les liens dans la colonne de gauche pour revenir aux étapes précédentes ou redémarrer le processus d\'installation en cliquant ici.', + 'Suggested Modules' => 'Modules suggérés', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Trouvez les bonnes fonctionnalités sur QloApps Addons pour faire de votre entreprise hôtelière un succès.', + 'Discover All Modules' => 'Découvrez tous les modules', + 'Suggested Themes' => 'Thèmes suggérés', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Créez un design qui convient à votre hôtel et à vos clients, avec un thème de modèle prêt à l\'emploi.', + 'Discover All Themes' => 'Découvrez tous les thèmes', + 'Your installation is finished!' => 'Votre installation est terminée !', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Vous venez de terminer l\'installation de QloApps. Merci d\'utiliser QloApps !', + 'Please remember your login information:' => 'N\'oubliez pas vos informations de connexion :', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Imprimer mes informations de connexion', + 'Display' => 'Afficher', + 'For security purposes, you must delete the "install" folder.' => 'Pour des raisons de sécurité, vous devez supprimer le dossier « install ».', + 'Back Office' => 'Back-Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gérez votre site Web à l\'aide de votre Back Office. Gérez vos commandes et vos clients, ajoutez des modules, changez de thèmes, etc.', + 'Manage Your Website' => 'Gérez votre site Web', + 'Front Office' => 'Réception', + 'Discover your website as your future customers will see it!' => 'Découvrez votre site internet tel que vos futurs clients le verront !', + 'Discover Your Website' => 'Découvrez votre site Web', + 'Share your experience with your friends!' => 'Partagez votre expérience avec vos amis !', + 'I just built an online hotel booking website with QloApps!' => 'Je viens de créer un site de réservation d\'hôtel en ligne avec QloApps !', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Voir toutes les fonctionnalités ici : https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweeter', + 'Share' => 'Partager', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Nous vérifions actuellement la compatibilité de QloApps avec votre environnement système', + 'If you have any questions, please visit our documentation and community forum.' => 'Si vous avez des questions, veuillez consulter notre documentation et notre forum communautaire< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'La compatibilité de QloApps avec votre environnement système a été vérifiée !', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Veuillez corriger les éléments ci-dessous, puis cliquez sur « Actualiser les informations » pour tester la compatibilité de votre nouveau système.', + 'Refresh these settings' => 'Actualiser ces paramètres', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps nécessite au moins 128 Mo de mémoire pour fonctionner : veuillez vérifier la directive memory_limit dans votre fichier php.ini ou contacter votre fournisseur d\'hébergement à ce sujet.', + 'Welcome to the QloApps %s Installer' => 'Bienvenue dans le programme d\'installation de QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'L\'installation de QloApps est simple et rapide. En quelques instants, vous ferez partie d’une communauté. Vous êtes sur le point de créer votre propre site de réservation d’hôtel que vous pourrez gérer facilement au quotidien.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Si vous avez besoin d\'aide, n\'hésitez pas à regarder ce court tutoriel, ou à consulter notre documentation.', + 'Continue the installation in:' => 'Continuez l\'installation dans :', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'La sélection de langue ci-dessus s\'applique uniquement à l\'assistant d\'installation. Une fois QloApps installé, vous pouvez choisir la langue de votre site Web parmi plus de %d traductions, le tout gratuitement !', + ), +); \ No newline at end of file diff --git a/install/langs/ro/install.php b/install/langs/ro/install.php index d0818e610..dcdc4ffb0 100644 --- a/install/langs/ro/install.php +++ b/install/langs/ro/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'A avut loc e eroare SQL pentru obiectul %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Nu pot crea copie "%1$s" pentru obiectul "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nu se poate crea imaginea ”%1$s” (nu este permis pe folder "%2$s")', - 'Cannot create image "%s"' => 'Nu pot crea copie "%s"', - 'SQL error on query %s' => 'SQL eroare la întrebare %s', - '%s Login information' => '%s Informaţii autentificare', - 'Field required' => 'Câmp obligatoriu', - 'Invalid shop name' => 'Numele magazinului este invalid', - 'The field %s is limited to %d characters' => 'Câmpul %s este limitate la %d caractere', - 'Your firstname contains some invalid characters' => 'Prenumele conține caractere invalide', - 'Your lastname contains some invalid characters' => 'Numele conține caractere invalide', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Parola este incorectă ( cel puţin 8 numere sau caractere)', - 'Password and its confirmation are different' => 'Parola şi confirmarea acesteia sunt diferite', - 'This e-mail address is invalid' => 'Aceasta adresa de e-mail este invalida', - 'Image folder %s is not writable' => 'Copia fişierului %s nu poate fi înregistrată', - 'An error occurred during logo copy.' => 'A aparut o eroare la copierea logo-ului.', - 'An error occurred during logo upload.' => 'A avut loc o eroare în timpul încărcării logo-ului.', - 'Lingerie and Adult' => 'Lenjerie şi articole pentru adulți', - 'Animals and Pets' => 'Animale și animale de companie', - 'Art and Culture' => 'Artă și cultură', - 'Babies' => 'Articole pentru copii', - 'Beauty and Personal Care' => 'Frumusețe și îngrijire personală', - 'Cars' => 'Autoturisme', - 'Computer Hardware and Software' => 'Software și hardware pentru calculatoare', - 'Download' => 'Descărcări', - 'Fashion and accessories' => 'Modă și accesorii', - 'Flowers, Gifts and Crafts' => 'Flori, cadouri și artizanat', - 'Food and beverage' => 'Mâncare și băutură', - 'HiFi, Photo and Video' => 'Foto, video și HiFi', - 'Home and Garden' => 'Casă și grădină', - 'Home Appliances' => 'Aparate casnice', - 'Jewelry' => 'Bijuterii', - 'Mobile and Telecom' => 'GSM și telecomunicații', - 'Services' => 'Servicii', - 'Shoes and accessories' => 'Pantofi și accesorii', - 'Sports and Entertainment' => 'Sport şi Divertisment', - 'Travel' => 'Călătorii', - 'Database is connected' => 'Baza de date este conectată', - 'Database is created' => 'Baza de date a fost creată', - 'Cannot create the database automatically' => 'Nu pot crea baza de date în mod automat', - 'Create settings.inc file' => 'Creaţi fişierul settings.inc', - 'Create database tables' => 'Crează tabele ale bazei de date', - 'Create default shop and languages' => 'Crează magazin și limbi în mod implicit', - 'Populate database tables' => 'Completează tabelele bazei de date', - 'Configure shop information' => 'Configurează informaţiile magazinului', - 'Install demonstration data' => 'Instalați date demonstrație', - 'Install modules' => 'Instalează module', - 'Install Addons modules' => 'Instalați modulele Addons', - 'Install theme' => 'Instalează temă', - 'Required PHP parameters' => 'Parametri PHP necesari', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 sau mai recent nu este disponibil', - 'Cannot upload files' => 'Nu se pot încărca fişierele', - 'Cannot create new files and folders' => 'Nu se pot crea noi dosare şi fişiere', - 'GD library is not installed' => 'Biblioteca GD nu este instalată', - 'MySQL support is not activated' => 'Suportul MySQL nu este activ', - 'Files' => 'Fişiere', - 'Not all files were successfully uploaded on your server' => 'Nu toate fișierele au fost încărcate pe serverul dvs.', - 'Permissions on files and folders' => 'Permisiuni pe fișiere și foldere', - 'Recursive write permissions for %1$s user on %2$s' => 'Permisiuni de scriere recursivă pentru %1$s utilizator de pe %2$s', - 'Recommended PHP parameters' => 'Parametri PHP recomandați', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'Nu se pot deschide URL-uri externe', - 'PHP register_globals option is enabled' => 'Opțiunea PHP cotații magice este activă', - 'GZIP compression is not activated' => 'Reducerea GZIP nu este activată', - 'Mcrypt extension is not enabled' => 'Extensia Mcrypt nu este activă', - 'Mbstring extension is not enabled' => 'Extensia Mbstring nu este activă', - 'PHP magic quotes option is enabled' => 'Opțiunea PHP cotații magice este activă', - 'Dom extension is not loaded' => 'Extensia Dom nu este încărcată', - 'PDO MySQL extension is not loaded' => 'Extensia PDO MySQL nu este încărcată', - 'Server name is not valid' => 'Numele serverului nu este valid', - 'You must enter a database name' => 'Trebuie să introduceţi numele bazei de date', - 'You must enter a database login' => 'Trebuie să introduceți o bază de date autentificată', - 'Tables prefix is invalid' => 'Data specificată este invalid', - 'Cannot convert database data to utf-8' => 'Nu se pot converti date din baza de date la utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Cel puțin un tabel cu același prefix a fost deja găsit, vă rugăm să schimbați prefixul sau renunțați la baza dvs de date', - 'The values of auto_increment increment and offset must be set to 1' => 'Valorile pentru auto_increment increment și offset trebuie setate la 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Serverul bazei de date nu a fost găsit. Vă rugăm verificați datele de conectare, parola și câmpurile server-ului', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Conectarea la sever-ul MySQL a fost realizată cu succes, dar baza de date "%s" nu a fost găsită', - 'Attempt to create the database automatically' => 'Încercarea de a crea în mod automat baza de date', - '%s file is not writable (check permissions)' => '%s fișierul nu poate fi scris (verificați permisiunile)', - '%s folder is not writable (check permissions)' => '%s fișierul nu poate fi scris (verificați permisiunile)', - 'Cannot write settings file' => 'Nu se pot scrie setările fișierului', - 'Database structure file not found' => 'Structura fișier a bazei de date nu a fost găsită', - 'Cannot create group shop' => 'Nu se poate crea magazin de grup', - 'Cannot create shop' => 'Nu se poate crea magazin', - 'Cannot create shop URL' => 'Nu se poate crea magazin URL', - 'File "language.xml" not found for language iso "%s"' => 'Fișierul "limba.xml" nu a găsit limba ”%s”', - 'File "language.xml" not valid for language iso "%s"' => 'Fișierul "limba.xml" nu a validat limba ”%s”', - 'Cannot install language "%s"' => 'Nu se poate instala limba "%s"', - 'Cannot copy flag language "%s"' => 'Nu s-a putut copia drapelul pentru limba "%s"', - 'Cannot create admin account' => 'Nu se poate crea contul administator', - 'Cannot install module "%s"' => 'Nu s-a putut instala modulul "%s"', - 'Fixtures class "%s" not found' => 'Dependențele de clasă "%s" nu au fost găsite', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" trebuie să fie o instanță a "InstallXmlLoader"', - 'Information about your Store' => 'Informații despre Magazinul dvs', - 'Shop name' => 'Numele magazinului', - 'Main activity' => 'Activitate principală', - 'Please choose your main activity' => 'Vă rugăm alegeți-vă activitatea principală', - 'Other activity...' => 'Altă activitate...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajutați-ne să învățăm mai multe despre magazinul dvs pentru a vă putea oferi o ghidare optimă și cele mai bune facilități afacerii dvs!', - 'Install demo products' => 'Instalați produse demo', - 'Yes' => 'Da', - 'No' => 'Nu', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Podusele demo sunt un mod bun de a învăța cum se folosește PrestaShop. Ar trebuie să le instalați dacă nu sunteți familiarizați cu el.', - 'Country' => 'Tara', - 'Select your country' => 'Selectați-vă țara', - 'Shop timezone' => 'Fusul orar al magazinului', - 'Select your timezone' => 'Selectați-vă fusul orar', - 'Shop logo' => 'Sigla magazinului', - 'Optional - You can add you logo at a later time.' => 'Opțional - Vă puteți adăuga logo-ul dvs mai târziu.', - 'Your Account' => 'Contul dvs.', - 'First name' => 'Prenume', - 'Last name' => 'Nume de familie', - 'E-mail address' => 'Adresă e-mail', - 'This email address will be your username to access your store\'s back office.' => 'Acestă adresă de e-mail va fi numele dvs de utilizator pentru a accesa back office-ul magazinului dvs.', - 'Shop password' => 'Parola magazinului', - 'Must be at least 8 characters' => 'Trebuie să existe cel puțin 8 caractere', - 'Re-type to confirm' => 'Retastați pentru a confirma', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'Configurați-vă baza de date completând următoarele câmpuri', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Pentru a utiliza PrestaShop, este necesar să creați o bază de date pentru a stoca informațiile despre activitățile magazinului dvs.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Vă rugăm completați câmpurile de mai jos pentru ca PrestaShop să vă conecteze la baza de date. ', - 'Database server address' => 'Adresa serverului bazei de date', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Portul implicit este 3306. Pentru a folosi un alt port, adăugați numărul portului la sfârșitul adresei dvs de server i.e ":4242".', - 'Database name' => 'Numele bazei de date', - 'Database login' => 'Autentificare bază de date', - 'Database password' => 'Parola bazei de date', - 'Database Engine' => 'Motorul bazei de date', - 'Tables prefix' => 'Prefix tabele', - 'Drop existing tables (mode dev)' => 'Renunțați la tabelele existente (modul dev)', - 'Test your database connection now!' => 'Testați-vă acum conexiunea la baza dvs de date!', - 'Next' => 'Următorul', - 'Back' => 'Înapoi', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'Forumul oficial', - 'Support' => 'Ajutor', - 'Documentation' => 'Documentatie', - 'Contact us' => 'Contactați-ne', - 'PrestaShop Installation Assistant' => 'Asistentul pentru instalarea Prestashop', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Contactați-ne!', - 'menu_welcome' => 'Alegeți-vă limba', - 'menu_license' => 'Acorduri de licență', - 'menu_system' => 'Compatibilitatea sistemului', - 'menu_configure' => 'Informațiile magazinului', - 'menu_database' => 'Configurarea sistemului', - 'menu_process' => 'Magazin de instalare', - 'Installation Assistant' => 'Asistent instalare', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Pentru a vă instala PrestaShop, trebuie să aveți activat JavaScript în browser-ul dvs.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Acorduri de licență', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Pentru a vă bucura de multele caracteristici care vă sunt oferite gratis de PrestaShop, vă rufăm citiți termenii de utilizare de mai jos. Nucleul PrestaShop este licențiat sub OSL 3.0, în timp ce modulele și temele sunt licențiate sub AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Sunt de acord cu termenii și condițiile de mai sus.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Sunt de acord să particip la îmbunătățirea soluției trimițând informații anonime despre configurarea mea.', - 'Done!' => 'Realizat!', - 'An error occurred during installation...' => 'A apărut o eroare în timpul instalării...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Puteți folosi link-ul din stânga coloanei pentru a merge înapoi la pasul anterior, sau pentru a reporni procesul de instalare prin dând click aici.', - 'Your installation is finished!' => 'Instalarea dvs s-a încheiat!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Tocmai ați terminat să vă instalați magazinul! Vă mulțumim că folosiți PrestaShop!', - 'Please remember your login information:' => 'Vă rugăm să memorați informațiile de autentificare:', - 'E-mail' => 'Email', - 'Print my login information' => 'Printează informațiile de logare', - 'Password' => 'Parolă', - 'Display' => 'Afișează', - 'For security purposes, you must delete the "install" folder.' => 'Din motive de securitate, trebuie să ștergeți folderul ”instalare”.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Back office', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Administrați-vă magazinul folosindu-vă Back Office-ul. Administrați-vă comenzile și clienții, adăugați module, schimbați teme, etc.', - 'Manage your store' => 'Administrați-vă magazinul', - 'Front Office' => 'Front office', - 'Discover your store as your future customers will see it!' => 'Descoperiți-vă magazinul în modul în care viitorii dvs clienți îl vor vedea!', - 'Discover your store' => 'Descoperiți-vă magazinul', - 'Share your experience with your friends!' => 'Împărțiți-vă experiența cu prietenii dvs!', - 'I just built an online store with PrestaShop!' => 'Tocmai mi-am construit un magazin online cu PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Vizionați această experiență captivantă: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Distribuiţi', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Evaluați PrestaShop Addons pentru a adăuga acel ceva magazinului dvs!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Momentan verificăm compatibilitatea PrestaShop cu mediul dvs de sistem', - 'If you have any questions, please visit our documentation and community forum.' => 'Dacă aveți orice întrebări, vă rugăm să vizitați documentația noastră și forumul comunității.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Compatibilitatea PrestaShop cu sistemul dvs a fost verificată!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Vă rugăm corectați punctul(le) de mai jos, și apoi da-ți click ”Reîmprospătare informație” pentru a testa compatibilitatea noului dvs sistem.', - 'Refresh these settings' => 'Reîmprospătează aceste setări', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop necesită cel puțin 32 MB de memorie pentru a funcționa: vă rugăm să verificați directiva memory_limit din fișierul dvs. php.ini file sau cereți furnizorului dvs. de găzduire web să o facă.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Atenție: Nu mai puteți folosi această unealtă pentru a vă actualiza magazinul.

Deja aveți versiunea %1$s de PrestaShop instalată.

Dacă doriți să actualizați până la ultima versiune, vă rugăm să citiți documentația: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Bine ați venit la PrestaShop %s Installer', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalarea PrestaShop este ușoară și rapidă. În doar câteva momente, veți deveni parte a unei comunități de mai mult de 230000 de comercianți. Sunteți pe cale de a vă crea propriul și unicul dumneavoastră magazin online pe care îl veți putea administra cu ușurință în fiecare zi', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'Continuați instalarea în:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Selecția limbii de mai sus se aplică numai Asistentului de instalare. Odată ce magazinul dvs. a fost instalat, puteți alege pentru magazinul dvs. dintre peste %d traduceri, toate gratuite!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalarea PrestaShop este ușoară și rapidă. În doar câteva momente, veți deveni parte a unei comunități de mai mult de 250000 de comercianți. Sunteți pe cale de a vă crea propriul și unicul dumneavoastră magazin online pe care îl veți putea administra cu ușurință în fiecare zi', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'A apărut o eroare SQL pentru entitatea %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Nu se poate crea imaginea „%1$s” pentru entitatea „%2$s”', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Nu se poate crea imaginea „%1$s” (permisiuni necorespunzătoare pentru dosarul „%2$s”)', + 'Cannot create image "%s"' => 'Nu se poate crea imaginea „%s”', + 'SQL error on query %s' => 'Eroare SQL la interogarea %s', + '%s Login information' => 'Informații de conectare %s', + 'Field required' => 'Câmp obligatoriu', + 'Invalid shop name' => 'Numele magazinului nevalid', + 'The field %s is limited to %d characters' => 'Câmpul %s este limitat la %d caractere', + 'Your firstname contains some invalid characters' => 'Prenumele tău conține câteva caractere nevalide', + 'Your lastname contains some invalid characters' => 'Numele tău conține câteva caractere nevalide', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Parola este incorectă (șir alfanumeric cu cel puțin 8 caractere)', + 'Password and its confirmation are different' => 'Parola și confirmarea acesteia sunt diferite', + 'This e-mail address is invalid' => 'Această adresă de e-mail este nevalidă', + 'Image folder %s is not writable' => 'Dosarul de imagini %s nu poate fi scris', + 'An error occurred during logo copy.' => 'A apărut o eroare în timpul copierii siglei.', + 'An error occurred during logo upload.' => 'A apărut o eroare în timpul încărcării siglei.', + 'Lingerie and Adult' => 'Lenjerie și Adult', + 'Animals and Pets' => 'Animale și animale de companie', + 'Art and Culture' => 'Arta si Cultura', + 'Babies' => 'Bebeluși', + 'Beauty and Personal Care' => 'Frumusețe și îngrijire personală', + 'Cars' => 'Mașini', + 'Computer Hardware and Software' => 'Hardware și software de calculator', + 'Download' => 'Descarca', + 'Fashion and accessories' => 'Moda si accesorii', + 'Flowers, Gifts and Crafts' => 'Flori, cadouri și meșteșuguri', + 'Food and beverage' => 'Mancare si bautura', + 'HiFi, Photo and Video' => 'HiFi, Foto și Video', + 'Home and Garden' => 'Casa si gradina', + 'Home Appliances' => 'Electrocasnice', + 'Jewelry' => 'Bijuterii', + 'Mobile and Telecom' => 'Mobil și Telecom', + 'Services' => 'Servicii', + 'Shoes and accessories' => 'Incaltaminte si accesorii', + 'Sports and Entertainment' => 'Sport și divertisment', + 'Travel' => 'Voiaj', + 'Database is connected' => 'Baza de date este conectată', + 'Database is created' => 'Este creată baza de date', + 'Cannot create the database automatically' => 'Nu se poate crea automat baza de date', + 'Create settings.inc file' => 'Creați fișierul settings.inc', + 'Create database tables' => 'Creați tabele de baze de date', + 'Create default website and languages' => 'Creați site-ul web și limbi implicite', + 'Populate database tables' => 'Populați tabelele bazei de date', + 'Configure website information' => 'Configurați informațiile site-ului web', + 'Install demonstration data' => 'Instalați date demonstrative', + 'Install modules' => 'Instalați module', + 'Install Addons modules' => 'Instalați module de suplimente', + 'Install theme' => 'Instalați tema', + 'Required PHP parameters' => 'Parametri PHP necesari', + 'The required PHP version is between 5.6 to 7.4' => 'Versiunea PHP necesară este între 5.6 și 7.4', + 'Cannot upload files' => 'Nu se pot încărca fișiere', + 'Cannot create new files and folders' => 'Nu se pot crea fișiere și foldere noi', + 'GD library is not installed' => 'Biblioteca GD nu este instalată', + 'PDO MySQL extension is not loaded' => 'Extensia PDO MySQL nu este încărcată', + 'Curl extension is not loaded' => 'Extensia curl nu este încărcată', + 'SOAP extension is not loaded' => 'Extensia SOAP nu este încărcată', + 'SimpleXml extension is not loaded' => 'Extensia SimpleXml nu este încărcată', + 'In the PHP configuration set memory_limit to minimum 128M' => 'În configurația PHP setați memory_limit la minim 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'În configurația PHP setați max_execution_time la minim 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'În configurația PHP setați upload_max_filesize la minimum 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Nu se pot deschide adrese URL externe (necesită allow_url_fopen ca Activat).', + 'ZIP extension is not enabled' => 'Extensia ZIP nu este activată', + 'Files' => 'Fișiere', + 'Not all files were successfully uploaded on your server' => 'Nu toate fișierele au fost încărcate cu succes pe serverul dvs', + 'Permissions on files and folders' => 'Permisiuni pentru fișiere și foldere', + 'Recursive write permissions for %1$s user on %2$s' => 'Permisiuni de scriere recursive pentru utilizatorul %1$s pe %2$s', + 'Recommended PHP parameters' => 'Parametri PHP recomandați', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Utilizați versiunea PHP %s. În curând, cea mai recentă versiune PHP suportată de QloApps va fi PHP 5.6. Pentru a vă asigura că sunteți pregătit pentru viitor, vă recomandăm să faceți upgrade la PHP 5.6 acum!', + 'PHP register_globals option is enabled' => 'Opțiunea PHP register_globals este activată', + 'GZIP compression is not activated' => 'Comprimarea GZIP nu este activată', + 'Mbstring extension is not enabled' => 'Extensia Mbstring nu este activată', + 'Dom extension is not loaded' => 'Extensia Dom nu este încărcată', + 'Server name is not valid' => 'Numele serverului nu este valid', + 'You must enter a database name' => 'Trebuie să introduceți un nume de bază de date', + 'You must enter a database login' => 'Trebuie să introduceți o autentificare la baza de date', + 'Tables prefix is invalid' => 'Prefixul tabelelor este nevalid', + 'Cannot convert database data to utf-8' => 'Nu se pot converti datele bazei de date în utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Cel puțin un tabel cu același prefix a fost deja găsit, vă rugăm să vă schimbați prefixul sau să renunțați la baza de date', + 'The values of auto_increment increment and offset must be set to 1' => 'Valorile auto_increment increment și offset trebuie setate la 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Serverul bazei de date nu a fost găsit. Vă rugăm să verificați câmpurile de conectare, parolă și server', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Conexiunea la serverul MySQL a reușit, dar baza de date „%s” nu a fost găsită', + 'Attempt to create the database automatically' => 'Încercați să creați automat baza de date', + '%s file is not writable (check permissions)' => 'Fișierul %s nu poate fi scris (verificați permisiunile)', + '%s folder is not writable (check permissions)' => 'Dosarul %s nu poate fi scris (verificați permisiunile)', + 'Cannot write settings file' => 'Nu se poate scrie fișierul de setări', + 'Database structure file not found' => 'Fișierul cu structura bazei de date nu a fost găsit', + 'Cannot create group shop' => 'Nu se poate crea magazinul de grup', + 'Cannot create shop' => 'Nu se poate crea magazin', + 'Cannot create shop URL' => 'Nu se poate crea adresa URL a magazinului', + 'File "language.xml" not found for language iso "%s"' => 'Fișierul „language.xml” nu a fost găsit pentru limba ISO „%s”', + 'File "language.xml" not valid for language iso "%s"' => 'Fișierul „language.xml” nu este valid pentru limba ISO „%s”', + 'Cannot install language "%s"' => 'Nu se poate instala limba „%s”', + 'Cannot copy flag language "%s"' => 'Nu se poate copia limba „%s”', + 'Cannot create admin account' => 'Nu se poate crea un cont de administrator', + 'Cannot install module "%s"' => 'Modulul „%s” nu se poate instala', + 'Fixtures class "%s" not found' => 'Clasa de dispozitive „%s” nu a fost găsită', + '"%s" must be an instance of "InstallXmlLoader"' => '„%s” trebuie să fie o instanță a „InstallXmlLoader”', + 'Information about your Website' => 'Informații despre site-ul dvs', + 'Website name' => 'Numele site-ului', + 'Main activity' => 'Activitate principala', + 'Please choose your main activity' => 'Vă rugăm să alegeți activitatea dvs. principală', + 'Other activity...' => 'Altă activitate...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Ajutați-ne să aflăm mai multe despre magazinul dvs., astfel încât să vă putem oferi îndrumări optime și cele mai bune funcții pentru afacerea dvs.!', + 'Install demo data' => 'Instalați date demonstrative', + 'Yes' => 'da', + 'No' => 'Nu', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Instalarea datelor demo este o modalitate bună de a învăța cum să utilizați QloApps dacă nu le-ați folosit înainte. Aceste date demonstrative pot fi șterse ulterior folosind modulul QloApps Data Cleaner, care vine preinstalat cu această instalare.', + 'Country' => 'Țară', + 'Select your country' => 'Alege-ti tara', + 'Website timezone' => 'Fusul orar al site-ului', + 'Select your timezone' => 'Selectează-ți fusul orar', + 'Enable SSL' => 'Activați SSL', + 'Shop logo' => 'Sigla magazinului', + 'Optional - You can add you logo at a later time.' => 'Opțional - vă puteți adăuga logo-ul mai târziu.', + 'Your Account' => 'Contul tău', + 'First name' => 'Nume', + 'Last name' => 'Nume', + 'E-mail address' => 'Adresa de e-mail', + 'This email address will be your username to access your website\'s back office.' => 'Această adresă de e-mail va fi numele dvs. de utilizator pentru a accesa back office-ul site-ului dvs. web.', + 'Password' => 'Parola', + 'Must be at least 8 characters' => 'Trebuie să aibă cel puțin 8 caractere', + 'Re-type to confirm' => 'Tastați din nou pentru a confirma', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Informațiile pe care ni le oferiți sunt colectate de noi și sunt supuse prelucrării datelor și statisticilor. Conform actualului „Lege privind prelucrarea datelor, fișierele de date și libertățile individuale” aveți dreptul de a accesa, de a rectifica și de a vă opune prelucrării datelor dumneavoastră cu caracter personal prin acest link.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Sunt de acord să primesc buletinul informativ și ofertele promoționale de la QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Veți primi întotdeauna e-mailuri tranzacționale, cum ar fi noi actualizări, remedieri de securitate și patch-uri, chiar dacă nu vă înscrieți pentru această opțiune.', + 'Configure your database by filling out the following fields' => 'Configurați-vă baza de date completând următoarele câmpuri', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Pentru a utiliza QloApps, trebuie să creați o bază de date pentru a colecta toate activitățile legate de date ale site-ului dvs. web.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Vă rugăm să completați câmpurile de mai jos pentru ca QloApps să se conecteze la baza dvs. de date.', + 'Database server address' => 'Adresa serverului bazei de date', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Portul implicit este 3306. Pentru a utiliza un alt port, adăugați numărul portului la sfârșitul adresei serverului dvs., adică „:4242”.', + 'Database name' => 'Numele bazei de date', + 'Database login' => 'Conectare la baza de date', + 'Database password' => 'Parola bazei de date', + 'Database Engine' => 'Motorul bazei de date', + 'Tables prefix' => 'Prefixul tabelelor', + 'Drop existing tables (mode dev)' => 'Eliminați tabelele existente (mod dev)', + 'Test your database connection now!' => 'Testați acum conexiunea la baza de date!', + 'Next' => 'Următorul', + 'Back' => 'Înapoi', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Dacă aveți nevoie de asistență, puteți obține ajutor personalizat de la echipa noastră de asistență. Documentația oficială este, de asemenea, aici pentru a vă ghida.', + 'Official forum' => 'Forum oficial', + 'Support' => 'A sustine', + 'Documentation' => 'Documentație', + 'Contact us' => 'Contactaţi-ne', + 'QloApps Installation Assistant' => 'Asistent de instalare QloApps', + 'Forum' => 'forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Alegeți limba dvs', + 'menu_license' => 'Acorduri de licență', + 'menu_system' => 'Compatibilitate cu sistemul', + 'menu_configure' => 'Informații site-ul web', + 'menu_database' => 'Configurarea sistemului', + 'menu_process' => 'Instalare QloApps', + 'Need Help?' => 'Nevoie de ajutor?', + 'Click here to Contact us' => 'Click aici pentru a ne contacta', + 'Installation' => 'Instalare', + 'See our Installation guide' => 'Consultați ghidul nostru de instalare', + 'Tutorials' => 'Tutoriale', + 'See our QloApps tutorials' => 'Consultați tutorialele noastre QloApps', + 'Installation Assistant' => 'Asistent de instalare', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Pentru a instala QloApps, trebuie să aveți JavaScript activat în browser.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Acorduri de licență', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Pentru a vă bucura de numeroasele funcții oferite gratuit de QloApps, vă rugăm să citiți termenii de licență de mai jos. Nucleul QloApps este licențiat sub OSL 3.0, în timp ce modulele și temele sunt licențiate sub AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Sunt de acord cu termenii și condițiile de mai sus.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Sunt de acord să particip la îmbunătățirea soluției trimițând informații anonime despre configurația mea.', + 'Done!' => 'Terminat!', + 'An error occurred during installation...' => 'A apărut o eroare în timpul instalării...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Puteți folosi linkurile din coloana din stânga pentru a reveni la pașii anteriori sau puteți reporni procesul de instalare făcând clic aici.', + 'Suggested Modules' => 'Module sugerate', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Găsiți funcțiile potrivite pe suplimentele QloApps pentru ca afacerea dvs. de ospitalitate să fie un succes.', + 'Discover All Modules' => 'Descoperiți toate modulele', + 'Suggested Themes' => 'Teme sugerate', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Creați un design care se potrivește hotelului și clienților dvs., cu o temă șablon gata de utilizat.', + 'Discover All Themes' => 'Descoperiți toate temele', + 'Your installation is finished!' => 'Instalarea dvs. s-a terminat!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Tocmai ați terminat de instalat QloApps. Vă mulțumim că folosiți QloApps!', + 'Please remember your login information:' => 'Vă rugăm să rețineți informațiile dvs. de conectare:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'Printează-mi informațiile de conectare', + 'Display' => 'Afişa', + 'For security purposes, you must delete the "install" folder.' => 'Din motive de securitate, trebuie să ștergeți folderul „instalare”.', + 'Back Office' => 'Back Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Gestionați-vă site-ul folosind Back Office. Gestionați-vă comenzile și clienții, adăugați module, schimbați temele etc.', + 'Manage Your Website' => 'Gestionați-vă site-ul', + 'Front Office' => 'Front office', + 'Discover your website as your future customers will see it!' => 'Descoperă site-ul tău așa cum îl vor vedea viitorii tăi clienți!', + 'Discover Your Website' => 'Descoperiți site-ul dvs', + 'Share your experience with your friends!' => 'Împărtășește-ți experiența cu prietenii tăi!', + 'I just built an online hotel booking website with QloApps!' => 'Tocmai am creat un site web de rezervare hotelieră online cu QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Vezi toate caracteristicile aici: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweet', + 'Share' => 'Acțiune', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'În prezent verificăm compatibilitatea QloApps cu mediul dumneavoastră de sistem', + 'If you have any questions, please visit our documentation and community forum.' => 'Dacă aveți întrebări, vizitați documentația și forumul comunității< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Compatibilitatea QloApps cu mediul dumneavoastră de sistem a fost verificată!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Hopa! Vă rugăm să corectați articolul(ele) de mai jos și apoi faceți clic pe „Actualizați informații” pentru a testa compatibilitatea noului dumneavoastră sistem.', + 'Refresh these settings' => 'Actualizează aceste setări', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps necesită cel puțin 128 MB de memorie pentru a rula: vă rugăm să verificați directiva memory_limit din fișierul dvs. php.ini sau contactați furnizorul dvs. de gazdă în acest sens.', + 'Welcome to the QloApps %s Installer' => 'Bun venit la QloApps %s Installer', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Instalarea QloApps este rapidă și ușoară. În doar câteva momente, vei deveni parte dintr-o comunitate. Sunteți pe cale să vă creați propriul site web de rezervare la hotel, pe care îl puteți gestiona cu ușurință în fiecare zi.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Dacă aveți nevoie de ajutor, nu ezitați să vizionați acest scurt tutorial sau să verificați documentația noastră.', + 'Continue the installation in:' => 'Continuați instalarea în:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Selectarea limbii de mai sus se aplică numai Asistentului de instalare. Odată ce QloApps este instalat, puteți alege limba site-ului dvs. dintre peste %d traduceri, toate gratuit!', + ), +); \ No newline at end of file diff --git a/install/langs/ru/install.php b/install/langs/ru/install.php index e28f4769c..5d7642593 100644 --- a/install/langs/ru/install.php +++ b/install/langs/ru/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Произошла ошибка SQL для записи %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Невозможно создать изображение "%1$s" для значения "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Невозможно создать изображение "%1$s" (недостаточно разрешений для папки "%2$s")', - 'Cannot create image "%s"' => 'Невозможно создать изображение "%s"', - 'SQL error on query %s' => 'Ошибка SQL-запроса %s', - '%s Login information' => '%s Информация о входе', - 'Field required' => 'Обязательное поле', - 'Invalid shop name' => 'Неправильное название магазина', - 'The field %s is limited to %d characters' => 'Поле %s ограничено до %d знака(ов)', - 'Your firstname contains some invalid characters' => 'В вашем имени указаны недопустимые символы', - 'Your lastname contains some invalid characters' => 'В вашей фамилии указаны недопустимые символы', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Ваш пароль неверный (он должен состоять из букв и цифр и содержать минимум 8 символов)', - 'Password and its confirmation are different' => 'Поля "пароль" и "подтверждение пароля" не совпадают', - 'This e-mail address is invalid' => 'Неправильный электронный адрес', - 'Image folder %s is not writable' => 'Запись в папку изображений %s запрещена', - 'An error occurred during logo copy.' => 'Произошла ошибка во время копирования логотипа.', - 'An error occurred during logo upload.' => 'Во время загрузки логотипа произошла ошибка.', - 'Lingerie and Adult' => 'Нижнее белье и товары для взрослых', - 'Animals and Pets' => 'Животные и домашние питомцы', - 'Art and Culture' => 'Искусство и культура', - 'Babies' => 'Дети', - 'Beauty and Personal Care' => 'Красота и уход', - 'Cars' => 'Автомобили', - 'Computer Hardware and Software' => 'Компьютерная техника и программное обеспечение', - 'Download' => 'Скачать', - 'Fashion and accessories' => 'Мода и аксессуары', - 'Flowers, Gifts and Crafts' => 'Цветы, Подарки и Товары ручной работы', - 'Food and beverage' => 'Еда и напитки', - 'HiFi, Photo and Video' => 'HiFi, Фото и Видео', - 'Home and Garden' => 'Дом и Сад', - 'Home Appliances' => 'Товары для дома', - 'Jewelry' => 'Украшения', - 'Mobile and Telecom' => 'Мобильная связь и коммуникации', - 'Services' => 'Услуги', - 'Shoes and accessories' => 'Обувь и аксессуары', - 'Sports and Entertainment' => 'Спорт и развлечения', - 'Travel' => 'Путешествия', - 'Database is connected' => 'Соединение с базой данных установлено', - 'Database is created' => 'База данных создана', - 'Cannot create the database automatically' => 'Невозможно автоматически создать базу данных', - 'Create settings.inc file' => 'Создание файла settings.inc', - 'Create database tables' => 'Создание таблиц базы данных', - 'Create default shop and languages' => 'Создание стандартных магазина и языка', - 'Populate database tables' => 'Заполнение таблиц базы данных', - 'Configure shop information' => 'Настройка информации о магазине', - 'Install demonstration data' => 'Установка демонстрационной информации', - 'Install modules' => 'Установка модулей', - 'Install Addons modules' => 'Установка модулей Addons', - 'Install theme' => 'Установка шаблона', - 'Required PHP parameters' => 'Необходимые параметры PHP', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 или более поздняя версия не активирована', - 'Cannot upload files' => 'Невозможно загрузить файлы', - 'Cannot create new files and folders' => 'Невозможно создать новые файлы и папки', - 'GD library is not installed' => 'GD Library не установлен', - 'MySQL support is not activated' => 'MySQL support не активирован', - 'Files' => 'Файлы', - 'Not all files were successfully uploaded on your server' => 'Не все файлы были успешно загружены на сервер', - 'Permissions on files and folders' => 'Разрешения на файлы и папки', - 'Recursive write permissions for %1$s user on %2$s' => 'Рекурсивно права на запись для пользователя %1$s на %2$s', - 'Recommended PHP parameters' => 'Рекомендуемые параметры PHP', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'У вас установлен РНР версии %s. Скоро минимальной поддерживаемой PrestaShop версией будет РНР 5.4. Для нормальной рабты в будущем рекомендуем обновить ваш РНР до этой версии сейчас!', - 'Cannot open external URLs' => 'Невозможно переходить на внешние URLs', - 'PHP register_globals option is enabled' => 'Настройка PHP под названием register_globals находится в состоянии разрешено', - 'GZIP compression is not activated' => 'Сжатие GZIP не активировано', - 'Mcrypt extension is not enabled' => 'Расширение mcrypt не активировано', - 'Mbstring extension is not enabled' => 'Расширение mbstring не активировано', - 'PHP magic quotes option is enabled' => 'Опция "PHP magic quotes" активирована', - 'Dom extension is not loaded' => 'Расширение Dom не установлено', - 'PDO MySQL extension is not loaded' => 'Расширение PDO MySQL не установлено', - 'Server name is not valid' => 'Неверное имя сервера', - 'You must enter a database name' => 'Введите название базы данных', - 'You must enter a database login' => 'Введите пароль для базы данных', - 'Tables prefix is invalid' => 'Неверный префикс таблиц', - 'Cannot convert database data to utf-8' => 'Невозможно конвертировать базу данных в utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Найдена как минимум одна таблица с таким префиксом. Измените префикс или перенесите базу данных', - 'The values of auto_increment increment and offset must be set to 1' => 'Значения auto_increment приращения и смещения должны быть равны 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Сервер базы данных не найден. Убедитесь, что Вы правильно указали логин, пароль и адрес сервера', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Успешное подключение к серверу MySQL, но база данных "%s" не найдена', - 'Attempt to create the database automatically' => 'Попытка автоматического создания базы данных', - '%s file is not writable (check permissions)' => 'Невозможна запись в файл %s (проверьте разрешения)', - '%s folder is not writable (check permissions)' => 'Невозможна запись в директорию %s (проверьте разрешения)', - 'Cannot write settings file' => 'Запись в файл настроек невозможна', - 'Database structure file not found' => 'Файл структуры базы данных не найден', - 'Cannot create group shop' => 'Невозможно создать мультимагазин', - 'Cannot create shop' => 'Невозможно создать магазин', - 'Cannot create shop URL' => 'Невозможно создать URL магазина', - 'File "language.xml" not found for language iso "%s"' => 'Файл "language.xml" не найден для языка с кодом iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Файл "language.xml" неверен для языка с кодом iso "%s"', - 'Cannot install language "%s"' => 'Невозможно установить язык "%s"', - 'Cannot copy flag language "%s"' => 'Невозможно скопировать язык "%s"', - 'Cannot create admin account' => 'Невозможно создать учётную запись администратора', - 'Cannot install module "%s"' => 'Невозможно установить модуль "%s"', - 'Fixtures class "%s" not found' => 'Отображение класса "%s"не найдено', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" должен быть экземпляром "InstallXmlLoader"', - 'Information about your Store' => 'Информация о Вашем магазине', - 'Shop name' => 'Название магазина', - 'Main activity' => 'Основная деятельность', - 'Please choose your main activity' => 'Выберите Вашу основную деятельность', - 'Other activity...' => 'Другая деятельность....', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Расскажите нам побольше о Вашем магазине, и мы постараемся предоставить Вам наилучший сервис!', - 'Install demo products' => 'Установить демонстрационные данные', - 'Yes' => 'Да', - 'No' => 'Нет', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Демо-данные - это хороший способ научиться работе с PrestaShop, если у Вас мало опыта.', - 'Country' => 'Страна', - 'Select your country' => 'Выберите Вашу страну', - 'Shop timezone' => 'Часовой пояс магазина', - 'Select your timezone' => 'Выберите Ваш часовой пояс', - 'Shop logo' => 'Логотип магазина', - 'Optional - You can add you logo at a later time.' => 'Необязательно - Вы можете добавить логотип позже.', - 'Your Account' => 'Ваша учетная запись', - 'First name' => 'Имя', - 'Last name' => 'Фамилия', - 'E-mail address' => 'Адрес электронной почты', - 'This email address will be your username to access your store\'s back office.' => 'Этот адрес электронной почты будет Вашим именем пользователя и будет служить для входа в Ваш бэк-офис', - 'Shop password' => 'Пароль магазина', - 'Must be at least 8 characters' => 'Минимум 8 символов', - 'Re-type to confirm' => 'Подтвердите пароль', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Вся передаваемая вами информация используется нами для анализа данных и статистической обработки, она нужна работникам PrestaShop для отвеов на ваши запросы. Ваши персональные данные могут передаваться поставщикам услуг и партнёрам в рамках партнёрских соглашений. Согласно действующему закону "Act on Data Processing, Data Files and Individual Liberties" у вас есть право доступа, изменения или закрытия персональных данных по этой ссылке.', - 'Configure your database by filling out the following fields' => 'Заполните поля ниже для конфигурации Вашей базы данных', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Для использования PrestaShop Вы должны создать базу данных для сбора записей обо всех действиях с данными магазина.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Заполните поля ниже, чтобы PrestaShop смог установить соединение с Вашей с базой данных.', - 'Database server address' => 'Адрес сервера базы данных', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Стандартный порт - 3306. Если Вы используете другой порт, укажите его в конце адреса Вашего сервера. пример: ":4242".', - 'Database name' => 'Название базы данных', - 'Database login' => 'Логин базы данных', - 'Database password' => 'Пароль базы данных', - 'Database Engine' => 'База данных движка', - 'Tables prefix' => 'Префикс таблиц', - 'Drop existing tables (mode dev)' => 'Удалить существующие таблицы (режим dev)', - 'Test your database connection now!' => 'Проверить соединение с базой данных!', - 'Next' => 'Вперед', - 'Back' => 'Назад', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Если Вам требуется помощь, её можно получить от нашей команды поддержки. Также можно воспользоваться официальной документацией.', - 'Official forum' => 'Официальный форум', - 'Support' => 'Поддержка', - 'Documentation' => 'Документация', - 'Contact us' => 'Свяжитесь с нами', - 'PrestaShop Installation Assistant' => 'Помощник установки PrestaShop', - 'Forum' => 'Форум', - 'Blog' => 'Блог', - 'Contact us!' => 'Свяжитесь с нами!', - 'menu_welcome' => 'Выбор языка', - 'menu_license' => 'Лицензионные соглашения', - 'menu_system' => 'Совместимость системы', - 'menu_configure' => 'Информация о магазине', - 'menu_database' => 'Конфигурация системы', - 'menu_process' => 'Установка магазина', - 'Installation Assistant' => 'Помощник установки', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Чтобы установить PrestaShop, Вам нужно включить JavaScript в Вашем браузере.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/ru/', - 'License Agreements' => 'Лицензионные соглашения', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Чтобы пользоваться всем функционалом PrestaShop, прочтите лицензионное соглашение. Ядро PrestaShop лицензировано под OSL 3.0, модули и шаблоны - под AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Я принимаю правила и условия.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Внести свой вклад в улучшение программного обеспечения, отравив анонимное сообщене о Вашей конфгурации.', - 'Done!' => 'Готово!', - 'An error occurred during installation...' => 'Во время инсталляции произошла ошибка...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Вы можете использовать ссылки левой колонки для перехода к предыдущим этапам или же начать установку заново, кликнув здесь.', - 'Your installation is finished!' => 'Процесс установки упешно завершен', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Установка Вашего магазина успешно завершена. Спасибо, что Вы выбрали PrestaShop!', - 'Please remember your login information:' => 'Запомните, пожалуйста, Ваши идентификационные данные:', - 'E-mail' => 'E-mail', - 'Print my login information' => 'Распечатать информацию о моей учетной записи', - 'Password' => 'Пароль', - 'Display' => 'Показать', - 'For security purposes, you must delete the "install" folder.' => 'В целях безопасности, удалите папку "install\'.', - 'Back Office' => 'Административная часть', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Магазин управляется из Панели управления. Управляйте заказами и клиентами, добавляйте модули, меняйте шаблоны и т.д.', - 'Manage your store' => 'Управление Вашим магазином', - 'Front Office' => 'Клиентская часть', - 'Discover your store as your future customers will see it!' => 'Просмотрите магазин таким, каким его увидят Ваши клиенты!', - 'Discover your store' => 'Витрина Вашего магазина', - 'Share your experience with your friends!' => 'Поделитесь опытом с друзьями!', - 'I just built an online store with PrestaShop!' => 'Я только что создал интернет-магазин на базе PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Ознакомьтесь с видеопрезентацией: http://vimeo.com/89298199', - 'Tweet' => 'Твит', - 'Share' => 'Поделиться', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Взгляните на дополнения к PrestaShop, они позволяют еще более расширить функции вашего магазина!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Проверяется совместимость PrestaShop с Вашей системой', - 'If you have any questions, please visit our documentation and community forum.' => 'Если у Вас возникнут вопросы, Вы сможете найти ответы на них в нашей документации и на форуме сообщества.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Ваша система полностью готова к установке PrestaShop!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ой! Исправьте настройки выше и нажмите "Повторная проверка", чтобы проверить совместимость с Вашей системой.', - 'Refresh these settings' => 'Повторно проверить эти установки', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop требует по меньшей мере 32 Мб памяти для запуска: пожалуйста, проверьте "memory_limit" напрямую в файле php.ini или свяжитесь с Вашим хостинг-провайдером.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Внимание: Вы больше не можете использовать этот инструмент для обновления магазина.

У Вас уже установлена версия %1$s PrestaShop.

Если Вы хотите обновить до последней версии, пожалуйста, читайте нашу документацию: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Добро пожаловать в Помощник установки! Вы устанавливаете PrestaShop версии %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Установка PrestaShop легкая и не занимает много времени. Вскоре Вы станете частью сообщества, состоящего из более чем 230 000 участников. Вы находитесь на пути к созданию своего собственного уникального интернет-магазина, которым легко управлять, день за днем.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Если Вам требуется помощь, не стесняйтесь заглядывать в это руководство или в официальную документацию.', - 'Continue the installation in:' => 'Продолжить установку на языке:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Выбранный Вами язык будет использован только в Помощнике установки. По окончании установки Вы можете выбрать любой из %d бесплатных переводов!', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Установка PrestaShop легкая и не занимает много времени. Вскоре Вы станете частью сообщества, состоящего из более чем 250 000 участников. Вы находитесь на пути к созданию своего собственного уникального интернет-магазина, которым легко управлять, день за днем.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Произошла ошибка SQL для объекта %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Невозможно создать изображение "%1$s" для объекта "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Невозможно создать изображение "%1$s" (неправильные разрешения для папки "%2$s")', + 'Cannot create image "%s"' => 'Невозможно создать изображение "%s"', + 'SQL error on query %s' => 'Ошибка SQL в запросе %s', + '%s Login information' => '%s Информация для входа', + 'Field required' => 'Поле обязательное', + 'Invalid shop name' => 'Неверное название магазина', + 'The field %s is limited to %d characters' => 'Поле %s ограничено %d символами.', + 'Your firstname contains some invalid characters' => 'Ваше имя содержит недопустимые символы', + 'Your lastname contains some invalid characters' => 'Ваша фамилия содержит недопустимые символы', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Пароль неверен (буквенно-цифровая строка длиной не менее 8 символов).', + 'Password and its confirmation are different' => 'Пароль и его подтверждение разные', + 'This e-mail address is invalid' => 'Этот адрес электронной почты недействителен', + 'Image folder %s is not writable' => 'Папка изображений %s недоступна для записи', + 'An error occurred during logo copy.' => 'При копировании логотипа произошла ошибка.', + 'An error occurred during logo upload.' => 'При загрузке логотипа произошла ошибка.', + 'Lingerie and Adult' => 'Нижнее белье и взрослые', + 'Animals and Pets' => 'Животные и домашние животные', + 'Art and Culture' => 'Искусство и культура', + 'Babies' => 'Младенцы', + 'Beauty and Personal Care' => 'Красота и уход за собой', + 'Cars' => 'Легковые автомобили', + 'Computer Hardware and Software' => 'Компьютерное оборудование и программное обеспечение', + 'Download' => 'Скачать', + 'Fashion and accessories' => 'Мода и аксессуары', + 'Flowers, Gifts and Crafts' => 'Цветы, подарки и поделки', + 'Food and beverage' => 'Еда и напитки', + 'HiFi, Photo and Video' => 'Hi-Fi, фото и видео', + 'Home and Garden' => 'Дом и сад', + 'Home Appliances' => 'Бытовая техника', + 'Jewelry' => 'Ювелирные изделия', + 'Mobile and Telecom' => 'Мобильная связь и телекоммуникации', + 'Services' => 'Услуги', + 'Shoes and accessories' => 'Обувь и аксессуары', + 'Sports and Entertainment' => 'Спорт и развлечения', + 'Travel' => 'Путешествовать', + 'Database is connected' => 'База данных подключена', + 'Database is created' => 'База данных создана', + 'Cannot create the database automatically' => 'Невозможно создать базу данных автоматически', + 'Create settings.inc file' => 'Создать файл settings.inc', + 'Create database tables' => 'Создание таблиц базы данных', + 'Create default website and languages' => 'Создать веб-сайт и языки по умолчанию', + 'Populate database tables' => 'Заполнение таблиц базы данных', + 'Configure website information' => 'Настройка информации веб-сайта', + 'Install demonstration data' => 'Установить демонстрационные данные', + 'Install modules' => 'Установить модули', + 'Install Addons modules' => 'Установить модули дополнений', + 'Install theme' => 'Установить тему', + 'Required PHP parameters' => 'Обязательные параметры PHP', + 'The required PHP version is between 5.6 to 7.4' => 'Требуемая версия PHP — от 5.6 до 7.4.', + 'Cannot upload files' => 'Не могу загрузить файлы', + 'Cannot create new files and folders' => 'Не могу создавать новые файлы и папки', + 'GD library is not installed' => 'Библиотека GD не установлена', + 'PDO MySQL extension is not loaded' => 'Расширение PDO MySQL не загружено', + 'Curl extension is not loaded' => 'Расширение Curl не загружено', + 'SOAP extension is not loaded' => 'Расширение SOAP не загружено', + 'SimpleXml extension is not loaded' => 'Расширение SimpleXml не загружено', + 'In the PHP configuration set memory_limit to minimum 128M' => 'В конфигурации PHP установите Memory_limit минимум на 128M.', + 'In the PHP configuration set max_execution_time to minimum 500' => 'В конфигурации PHP установите max_execution_time минимум на 500.', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'В конфигурации PHP установите для upload_max_filesize минимум 16M.', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Невозможно открыть внешние URL-адреса (требуется включить параметрallow_url_fopen).', + 'ZIP extension is not enabled' => 'Расширение ZIP не включено', + 'Files' => 'Файлы', + 'Not all files were successfully uploaded on your server' => 'Не все файлы были успешно загружены на ваш сервер', + 'Permissions on files and folders' => 'Разрешения на файлы и папки', + 'Recursive write permissions for %1$s user on %2$s' => 'Разрешения на рекурсивную запись для пользователя %1$s на %2$s', + 'Recommended PHP parameters' => 'Рекомендуемые параметры PHP', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Вы используете версию PHP %s. Вскоре последней версией PHP, поддерживаемой QloApps, станет PHP 5.6. Чтобы быть уверенным, что вы готовы к будущему, мы рекомендуем вам выполнить обновление до PHP 5.6 прямо сейчас!', + 'PHP register_globals option is enabled' => 'Опция PHP Register_globals включена.', + 'GZIP compression is not activated' => 'Сжатие GZIP не активировано', + 'Mbstring extension is not enabled' => 'Расширение Mbstring не включено', + 'Dom extension is not loaded' => 'Расширение dom не загружено', + 'Server name is not valid' => 'Имя сервера недействительно', + 'You must enter a database name' => 'Вы должны ввести имя базы данных', + 'You must enter a database login' => 'Вам необходимо ввести логин к базе данных', + 'Tables prefix is invalid' => 'Префикс таблиц недействителен.', + 'Cannot convert database data to utf-8' => 'Невозможно преобразовать данные базы данных в utf-8.', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'По крайней мере одна таблица с таким префиксом уже найдена. Измените префикс или удалите базу данных.', + 'The values of auto_increment increment and offset must be set to 1' => 'Значения приращения и смещения auto_increment должны быть установлены равными 1.', + 'Database Server is not found. Please verify the login, password and server fields' => 'Сервер базы данных не найден. Пожалуйста, проверьте поля логина, пароля и сервера.', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Соединение с сервером MySQL выполнено успешно, но база данных «%s» не найдена.', + 'Attempt to create the database automatically' => 'Попытка создать базу данных автоматически', + '%s file is not writable (check permissions)' => 'Файл %s недоступен для записи (проверьте разрешения)', + '%s folder is not writable (check permissions)' => 'Папка %s недоступна для записи (проверьте разрешения)', + 'Cannot write settings file' => 'Не могу записать файл настроек', + 'Database structure file not found' => 'Файл структуры базы данных не найден', + 'Cannot create group shop' => 'Не могу создать групповой магазин', + 'Cannot create shop' => 'Не могу создать магазин', + 'Cannot create shop URL' => 'Невозможно создать URL магазина.', + 'File "language.xml" not found for language iso "%s"' => 'Файл «language.xml» не найден для iso языка «%s»', + 'File "language.xml" not valid for language iso "%s"' => 'Файл «language.xml» недействителен для iso языка «%s».', + 'Cannot install language "%s"' => 'Невозможно установить язык "%s"', + 'Cannot copy flag language "%s"' => 'Невозможно скопировать язык флага "%s"', + 'Cannot create admin account' => 'Не могу создать учетную запись администратора', + 'Cannot install module "%s"' => 'Невозможно установить модуль "%s"', + 'Fixtures class "%s" not found' => 'Класс светильников "%s" не найден', + '"%s" must be an instance of "InstallXmlLoader"' => '«%s» должен быть экземпляром «InstallXmlLoader».', + 'Information about your Website' => 'Информация о вашем сайте', + 'Website name' => 'Название сайта', + 'Main activity' => 'Основная деятельность', + 'Please choose your main activity' => 'Пожалуйста, выберите основной вид деятельности', + 'Other activity...' => 'Другая деятельность...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Помогите нам узнать больше о вашем магазине, чтобы мы могли предложить вам оптимальные рекомендации и лучшие функции для вашего бизнеса!', + 'Install demo data' => 'Установить демо-данные', + 'Yes' => 'Да', + 'No' => 'Нет', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Установка демонстрационных данных — хороший способ научиться использовать QloApps, если вы раньше им не пользовались. Эти демонстрационные данные позже можно удалить с помощью модуля QloApps Data Cleaner, который предварительно установлен в этой установке.', + 'Country' => 'Страна', + 'Select your country' => 'Выберите вашу страну', + 'Website timezone' => 'Часовой пояс сайта', + 'Select your timezone' => 'Выберите свой часовой пояс', + 'Enable SSL' => 'Включить SSL', + 'Shop logo' => 'Логотип магазина', + 'Optional - You can add you logo at a later time.' => 'Необязательно: вы можете добавить логотип позже.', + 'Your Account' => 'Ваш счет', + 'First name' => 'Имя', + 'Last name' => 'Фамилия', + 'E-mail address' => 'Адрес электронной почты', + 'This email address will be your username to access your website\'s back office.' => 'Этот адрес электронной почты будет вашим именем пользователя для доступа к бэк-офису вашего веб-сайта.', + 'Password' => 'Пароль', + 'Must be at least 8 characters' => 'Должно быть не менее 8 символов.', + 'Re-type to confirm' => 'Введите еще раз для подтверждения', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Информация, которую вы нам предоставляете, собирается нами и подлежит обработке и статистике. В соответствии с действующим «Законом об обработке данных, файлах данных и свободах личности» вы имеете право на доступ, исправление и возражение против обработки ваших личных данных через этот ссылка.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Я согласен получать информационный бюллетень и рекламные предложения от QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Вы всегда будете получать транзакционные электронные письма, такие как новые обновления, исправления безопасности и исправления, даже если вы не выберете эту опцию.', + 'Configure your database by filling out the following fields' => 'Настройте свою базу данных, заполнив следующие поля', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Чтобы использовать QloApps, вам необходимо создать базу данных для сбора всех действий, связанных с данными вашего веб-сайта.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Пожалуйста, заполните поля ниже, чтобы QloApps мог подключиться к вашей базе данных.', + 'Database server address' => 'Адрес сервера базы данных', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Порт по умолчанию — 3306. Чтобы использовать другой порт, добавьте номер порта в конце адреса вашего сервера, например «:4242».', + 'Database name' => 'Имя базы данных', + 'Database login' => 'Вход в базу данных', + 'Database password' => 'Пароль базы данных', + 'Database Engine' => 'Ядро базы данных', + 'Tables prefix' => 'Префикс таблиц', + 'Drop existing tables (mode dev)' => 'Удаление существующих таблиц (режим разработки)', + 'Test your database connection now!' => 'Проверьте подключение к базе данных прямо сейчас!', + 'Next' => 'Следующий', + 'Back' => 'Назад', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Если вам нужна помощь, вы можете получить индивидуальную помощь от нашей службы поддержки. Официальная документация также поможет вам.', + 'Official forum' => 'Официальный форум', + 'Support' => 'Поддерживать', + 'Documentation' => 'Документация', + 'Contact us' => 'Связаться с нами', + 'QloApps Installation Assistant' => 'Помощник по установке QloApps', + 'Forum' => 'Форум', + 'Blog' => 'Блог', + 'menu_welcome' => 'Выберите ваш язык', + 'menu_license' => 'Лицензионные соглашения', + 'menu_system' => 'Совместимость системы', + 'menu_configure' => 'Информация о веб-сайте', + 'menu_database' => 'Конфигурация системы', + 'menu_process' => 'Установка QloApps', + 'Need Help?' => 'Нужна помощь?', + 'Click here to Contact us' => 'Нажмите здесь, чтобы связаться с нами', + 'Installation' => 'Монтаж', + 'See our Installation guide' => 'См. наше руководство по установке', + 'Tutorials' => 'Учебники', + 'See our QloApps tutorials' => 'Посмотрите наши руководства по QloApps', + 'Installation Assistant' => 'Помощник по установке', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Чтобы установить QloApps, вам необходимо включить JavaScript в вашем браузере.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Лицензионные соглашения', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Чтобы воспользоваться многими функциями, которые QloApps предлагает бесплатно, прочтите условия лицензии ниже. Ядро QloApps лицензируется по OSL 3.0, а модули и темы — по AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Я согласен с вышеуказанными условиями.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Я согласен участвовать в улучшении решения, отправляя анонимную информацию о моей конфигурации.', + 'Done!' => 'Сделанный!', + 'An error occurred during installation...' => 'Во время установки произошла ошибка...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Вы можете использовать ссылки в левом столбце, чтобы вернуться к предыдущим шагам, или перезапустить процесс установки, нажав здесь.', + 'Suggested Modules' => 'Предлагаемые модули', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Найдите в надстройках QloApps именно те функции, которые сделают ваш гостиничный бизнес успешным.', + 'Discover All Modules' => 'Откройте для себя все модули', + 'Suggested Themes' => 'Предлагаемые темы', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Создайте дизайн, который подойдет вашему отелю и вашим клиентам, с помощью готовой к использованию темы-шаблона.', + 'Discover All Themes' => 'Откройте для себя все темы', + 'Your installation is finished!' => 'Ваша установка завершена!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Вы только что завершили установку QloApps. Благодарим вас за использование QloApps!', + 'Please remember your login information:' => 'Пожалуйста, запомните свои данные для входа:', + 'E-mail' => 'Электронная почта', + 'Print my login information' => 'Распечатать мою информацию для входа', + 'Display' => 'Отображать', + 'For security purposes, you must delete the "install" folder.' => 'В целях безопасности необходимо удалить папку «install».', + 'Back Office' => 'Бэк-офис', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Управляйте своим сайтом с помощью бэк-офиса. Управляйте своими заказами и клиентами, добавляйте модули, меняйте темы и т. д.', + 'Manage Your Website' => 'Управляйте своим сайтом', + 'Front Office' => 'Фронт-офис', + 'Discover your website as your future customers will see it!' => 'Откройте для себя свой веб-сайт таким, каким его увидят ваши будущие клиенты!', + 'Discover Your Website' => 'Откройте для себя свой веб-сайт', + 'Share your experience with your friends!' => 'Поделитесь своим опытом с друзьями!', + 'I just built an online hotel booking website with QloApps!' => 'Я только что создал сайт онлайн-бронирования отелей с помощью QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Посмотреть все функции можно здесь: https://qloapps.com/qlo-reservation-system/.', + 'Tweet' => 'Твитнуть', + 'Share' => 'Делиться', + 'Google+' => 'Гугл+', + 'Pinterest' => 'Пинтерест', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'В настоящее время мы проверяем совместимость QloApps с вашей системной средой.', + 'If you have any questions, please visit our documentation and community forum.' => 'Если у вас есть вопросы, посетите нашу документацию и форум сообщества< /а>.', + 'QloApps compatibility with your system environment has been verified!' => 'Совместимость QloApps с вашей системной средой проверена!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Упс! Исправьте пункты ниже, а затем нажмите «Обновить информацию», чтобы проверить совместимость вашей новой системы.', + 'Refresh these settings' => 'Обновите эти настройки', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Для работы QloApps требуется не менее 128 МБ памяти: проверьте директиву Memory_limit в вашем файле php.ini или обратитесь по этому поводу к своему хост-провайдеру.', + 'Welcome to the QloApps %s Installer' => 'Добро пожаловать в установщик QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Установить QloApps можно быстро и легко. Всего за несколько минут вы станете частью сообщества. Вы находитесь на пути к созданию собственного сайта бронирования отелей, которым вы сможете легко управлять каждый день.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Если вам нужна помощь, не стесняйтесь посмотреть это короткое руководство или проверить наша документация.', + 'Continue the installation in:' => 'Продолжить установку в:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Вышеуказанный выбор языка применим только к Мастеру установки. После установки QloApps вы сможете выбирать язык своего веб-сайта из более чем %d переводов, и все это бесплатно!', + ), +); \ No newline at end of file diff --git a/install/langs/si/install.php b/install/langs/si/install.php index 574f5394f..6d0370ea9 100644 --- a/install/langs/si/install.php +++ b/install/langs/si/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Prišlo je do SQL napake za entiteto %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Ne morem ustvariti slike "%1$s" za entiteto "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Ne morem ustvariti slike "%1$s" (nezadostne pravice za mapo "%2$s")', - 'Cannot create image "%s"' => 'Ne morem ustvariti slike "%s"', - 'SQL error on query %s' => 'SQL napaka za poizvedbo %s', - '%s Login information' => '%s Podatki za prijavo', - 'Field required' => 'Zahtevano polje', - 'Invalid shop name' => 'Neveljavno ime trgovine', - 'The field %s is limited to %d characters' => 'Polje %s je omejeno na %d znakov', - 'Your firstname contains some invalid characters' => 'Vaše ime vsebuje neveljavne znake', - 'Your lastname contains some invalid characters' => 'Vaš priimek vsebuje neveljavne znake', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Geslo je neveljavno (alfanumerični niz z vsaj 8 znaki)', - 'Password and its confirmation are different' => 'Geslo in potrditev gesla sta različni', - 'This e-mail address is invalid' => 'E-poštni naslov je napačen!', - 'Image folder %s is not writable' => 'Mapa slik %s ni zapisljiva', - 'An error occurred during logo copy.' => 'Prišlo je do napake pri kopiranju logotipa.', - 'An error occurred during logo upload.' => 'Prišlo je do napake pri prenašanju logotipa.', - 'Lingerie and Adult' => 'Perilo in Odrasli', - 'Animals and Pets' => 'Živali in ljubljenčki', - 'Art and Culture' => 'Umetnost in kultura', - 'Babies' => 'Dojenčki', - 'Beauty and Personal Care' => 'Lepota in osebna nega', - 'Cars' => 'Avtomobili', - 'Computer Hardware and Software' => 'Računalniška in programska oprema', - 'Download' => 'Naloži', - 'Fashion and accessories' => 'Moda in modni dodatki', - 'Flowers, Gifts and Crafts' => 'Rože, darila in umetnine', - 'Food and beverage' => 'Hrana in pjača', - 'HiFi, Photo and Video' => 'Hifi, slike in video', - 'Home and Garden' => 'Dom in vrt', - 'Home Appliances' => 'Gospodinjski aparati', - 'Jewelry' => 'Nakit', - 'Mobile and Telecom' => 'Telefoni in telefonija', - 'Services' => 'Storitve', - 'Shoes and accessories' => 'Čevlji in dodatki', - 'Sports and Entertainment' => 'Šport in zabava', - 'Travel' => 'Potovanje', - 'Database is connected' => 'Podatkovna baza je povezana', - 'Database is created' => 'Podatkovna baza je ustvarjena', - 'Cannot create the database automatically' => 'Ne morem avtomatsko ustvariti podatkovne baze', - 'Create settings.inc file' => 'Ustvarjam settings.inc datoteko', - 'Create database tables' => 'Ustvarjam tabele podatkovne baze', - 'Create default shop and languages' => 'Ustvarjam privzeto trgovino in jezike', - 'Populate database tables' => 'Polnim podatkovne baze', - 'Configure shop information' => 'Konfiguriram podatke o trgovini', - 'Install demonstration data' => 'Nalagam demo podatke', - 'Install modules' => 'Nameščam module', - 'Install Addons modules' => 'Nameščam dodatne module', - 'Install theme' => 'Nameščam predlogo', - 'Required PHP parameters' => 'Zahtevani PHP parametri', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ali novejši ni omogočen', - 'Cannot upload files' => 'Ne morem naložiti datotek', - 'Cannot create new files and folders' => 'Ne morem ustvariti novih datotek in map', - 'GD library is not installed' => 'GD knjižnica ni nameščena', - 'MySQL support is not activated' => 'MySQL podpora ni aktivirana', - 'Files' => 'Datoteke', - 'Not all files were successfully uploaded on your server' => 'Vse datoteke niso bile uspešno nameščene na strežnik', - 'Permissions on files and folders' => 'Dovoljenja za datoteke in mape', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivna dovoljenja zapisa za %1$s uporabnika na %2$s', - 'Recommended PHP parameters' => 'Priporočeni PHP parametri', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Uporabljate PHP verzijo %s . Kmalu bo zadnja PHP verzija podprta od PrestaShop PHP 5.4. Da boste priprvaljeni za prihodnost, vam priporočamo, da sedaj posodobite na PHP 5.4 verzijo!', - 'Cannot open external URLs' => 'Ne morem odpreti zunanjih URL-jev', - 'PHP register_globals option is enabled' => 'PHP register_globals opcija je omogočena', - 'GZIP compression is not activated' => 'GZIP compression ni aktivirana', - 'Mcrypt extension is not enabled' => 'Mcrypt ni omogočen', - 'Mbstring extension is not enabled' => 'Mbstring ni omogočen', - 'PHP magic quotes option is enabled' => 'PHP magic quotes opcija je omogočena', - 'Dom extension is not loaded' => 'Dom ni naložen', - 'PDO MySQL extension is not loaded' => 'PDO MySQL extension ni naložen', - 'Server name is not valid' => 'Ime strežnika je neveljavno', - 'You must enter a database name' => 'Vnesti morate ime podatkovne baze', - 'You must enter a database login' => 'Vnesti morate uporabnika podatkovne baze', - 'Tables prefix is invalid' => 'Predpona tabel ni veljavna', - 'Cannot convert database data to utf-8' => 'Ne morem spremeniti podatkov baze v utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Vsaj ena tabela z isto predpono je najdena, prosimo spremenite predpono ali izpraznite podatkovno bazo', - 'The values of auto_increment increment and offset must be set to 1' => 'Vrednost auto_increment increment in offset mora biti nastavljeno na 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Ne najdem strežnika podatkovnih baz. Prosim preveri uporabnika, geslo in strežniška polja', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Povezava na MySQL strežnik je bila uspešna vendar ne najdem podatkovne baze "%s"', - 'Attempt to create the database automatically' => 'Poizkus avtomatskega kreiranja podatkovne baze', - '%s file is not writable (check permissions)' => 'Datoteka %s ni zapisljiva (preveri dovoljenja)', - '%s folder is not writable (check permissions)' => 'Datoteka %s ni zapisljiva (preveri dovoljenja)', - 'Cannot write settings file' => 'Ne morem zapisati datoteke z nastavitvami', - 'Database structure file not found' => 'Ne najdem strukturne datoteke podatkovne baze', - 'Cannot create group shop' => 'Ne morem ustvariti skupine trgovin', - 'Cannot create shop' => 'Ne morem ustvariti trgovine', - 'Cannot create shop URL' => 'Ne morem ustvariti URL-ja trgovine', - 'File "language.xml" not found for language iso "%s"' => 'Ne najdem datoteke "language.xml" za jezik iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Datoteka "language.xml" za jezik iso "%s" ni veljavna', - 'Cannot install language "%s"' => 'Ne morem namestiti jezika "%s"', - 'Cannot copy flag language "%s"' => 'Ne morem kopirati zastave jezika "%s"', - 'Cannot create admin account' => 'Ne morem ustvariti administratorskega računa', - 'Cannot install module "%s"' => 'Ne morem namestiti modula "%s"', - 'Fixtures class "%s" not found' => 'Ne najdem razreda "%s"', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" mora biti primer od "InstallXmlLoader"', - 'Information about your Store' => 'Podatki o tvoji trgovini', - 'Shop name' => 'Ime trgovine', - 'Main activity' => 'Glavna aktivnost', - 'Please choose your main activity' => 'Prosimo, izberi glavno aktivnost', - 'Other activity...' => 'Druge aktivnosti...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomagaj nam izvedeti več o tvoji trgovini, da ti lahko zagotovimo optimalne napotke in najboljše značilnosti za tvoj posel!', - 'Install demo products' => 'Namesti demo izdelke', - 'Yes' => 'Da', - 'No' => 'Ne', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo izdelki so dober način za učenje delovanja PrestaShop-a. Priporočamo namestitev če še niste seznanjeni z delovanjem.', - 'Country' => 'Država', - 'Select your country' => 'Izberi državo', - 'Shop timezone' => 'Časovni pas trgovine', - 'Select your timezone' => 'Izberi tvoj časovni pas', - 'Shop logo' => 'Logo trgovine', - 'Optional - You can add you logo at a later time.' => 'Opcija - Logo lahko dodaš kasneje.', - 'Your Account' => 'Vaš račun', - 'First name' => 'Ime', - 'Last name' => 'Priimek', - 'E-mail address' => 'E-naslov', - 'This email address will be your username to access your store\'s back office.' => 'Ta email naslov bo tvoje uporabniško ime za dostop do administracije trgovine.', - 'Shop password' => 'Geslo trgovine', - 'Must be at least 8 characters' => 'Mora vebovati vsaj 8 znakov', - 'Re-type to confirm' => 'Ponovno vpiši za potrditev', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Vse informacije, ki nam jih posredujete se zberejo pri nas in so predmet obdelave podatkov in statistike, to je potrebno za člane družbe PrestaShop, da se odzove na vaše zahteve. Vaši osebni podatki se lahko sporočijo ponudnikom storitev in partnerjem v okviru partnerskih odnosov. V skladu s sedanjo "Zakon o obdelavi podatkov, podatkovnih zbirkah in posameznih svoboščinah" imate pravico do dostopa, popraviti in nasprotovati obdelavi vaših osebnih podatkov preko te povezave.', - 'Configure your database by filling out the following fields' => 'Vzpostavi tvojo podatkovno bazo z vpisom podatkov v spodnja polja', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Za uporabo PrestaShop-a moraš ustvariti podatkovno bazo za zapis vseh podatkov trgovine.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Prosimo, izpolni spodnja polja, da se PrestaShop lahko poveže s tvojo podatkovno bazo. ', - 'Database server address' => 'Naslov strežnika podatkovnih baz', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Privzeta vrata so 3306. Če želite uporabiti druga vrata, dodajte številko vrat na konec naslova vašega strežnika npr. ":4242".', - 'Database name' => 'Ime podatkovne baze', - 'Database login' => 'Uporabnik podatkovne baze', - 'Database password' => 'Geslo podatkovne baze', - 'Database Engine' => 'Pogon podatkovne baze', - 'Tables prefix' => 'Predpona tabel', - 'Drop existing tables (mode dev)' => 'Izbriši obstoječe tabele (mode dev)', - 'Test your database connection now!' => 'Testiraj povezavo s podatkovno bazo zdaj!', - 'Next' => 'Naprej', - 'Back' => 'Nazaj', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Če potrebujete pomoč, lahko dobite prilagojeno pomoč od naše podpore. Uradna dokumentacija vam je tudi na voljo za pomoč.', - 'Official forum' => 'Uradni forum', - 'Support' => 'Podpora', - 'Documentation' => 'Dokumentacija', - 'Contact us' => 'Kontaktirajte nas', - 'PrestaShop Installation Assistant' => 'Pomočnik za namestitev PrestaShop-a', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Kontaktirajte nas!', - 'menu_welcome' => 'Izberite svoj jezik', - 'menu_license' => 'Licenčna pogodba', - 'menu_system' => 'Kompatibilnost sistema', - 'menu_configure' => 'Podatki o trgovini', - 'menu_database' => 'Nastavitve sistema', - 'menu_process' => 'Namestitev trgovine', - 'Installation Assistant' => 'Pomočnik za namestitev', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Za namestitev Prestashop-a mora biti omiogočen JavaScript v vašem brskalniku.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Licenčna pogodba', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Za uporabo mnogih brezplačnih prednosti Prestashop-a, preberite Licenčno pogodbo. Jedro Prestashop-a uporablja licenco OSL 3.0, medtem ko moduli in predloge uporabljajo licenco AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Strinjam se zgornjimi termini in pogoji.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Strinjam se, da bom sodeloval pri izboljšanju rešitve s pošiljanjem anonimnih podatkov o moji konfiguraciji.', - 'Done!' => 'Končano!', - 'An error occurred during installation...' => 'Med namestitvijo je prišlo do napake...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Za premik naprejšnji korak lahko uporabite povezave v levem stolpcu ali ponovno zaženite namestitev s klikom tukaj.', - 'Your installation is finished!' => 'Vaša namestitev je končana!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Pravkar ste končali namestitev vaše trgovine. Hvala ker uporabljate PrestaShop!', - 'Please remember your login information:' => 'Prosim zapomnite si vaše podatke za prijavo:', - 'E-mail' => 'E-naslov', - 'Print my login information' => 'Natisni moje prijavne podatke', - 'Password' => 'Geslo:', - 'Display' => 'Prikaz', - 'For security purposes, you must delete the "install" folder.' => 'Iz varnostnih razlogov morate izbrisati mapo "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Administracija', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Upravljajte vašo trgovino v Administraciji. Upravljajte vaša naročila in kupce, dodajajte module, spreminjajte predloge itd.', - 'Manage your store' => 'Upravljajte vašo trgovino', - 'Front Office' => 'Trgovina', - 'Discover your store as your future customers will see it!' => 'Poglejte vašo trgovino, kot jo bodo videli vaši bodoči kupci!', - 'Discover your store' => 'Poglejte vašo trgovino', - 'Share your experience with your friends!' => 'Delite vašo izkušnjo s prijatelji!', - 'I just built an online store with PrestaShop!' => 'Pravkar sem postavil spletno trgovino s pomočjo PrestaShop-a!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Oglejte si to zanimivo izkušnjo na: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Daj v skupno rabo', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Oglejte si PrestaShop dodatke, da dotane nekaj malega dodatkov v vašo trgovino!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Preverjamo združljivost PrestaShop-a s tvojim sistemom', - 'If you have any questions, please visit our documentation and community forum.' => 'Če imaš vprašanja, prosim obišči našo dokumentacijo in forum skupnosti.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Združljivost PrestaShop-a s tvojim sistemom je preverjena!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Prosimo, popravi spodnje postavke in klikni "Osveži podatke" za preverjanje združljivosti tvojega novega sistema.', - 'Refresh these settings' => 'Osveži te nastavitve', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop zahteva vsaj 32 MB spomina za delovanje: prosim preverite memory_limit directive v php.ini datoteki ali kontaktirajte vašega spletnega ponudnika.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Opozorilo: Ne morete več uporabljat tega orodja za posodobitev trgovine.

Že imate nameščeno PrestaShop verzijo %1$s .

Če želite posodobit na zadnjo verzijo, preberite našo dokumentacijo: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Dobrodošli v namestitvi PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Namestitev PrestaShop je hitra in enostavna. V samo nekaj trenutkih boste postali del skupnosti, v kateri je že več kot 230,000 prodajalcev. Ste na poti, da ustavrite svojo unikatno internetno trgovino, ki jo lahko preprosto urejate vsak dan.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Če potrebujete pomoč, ne odlašajte z ogledom teh navodil, ali prebrskajte našo dokumentacijo.', - 'Continue the installation in:' => 'Nadaljuj namestitev v:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Zgornja izbira jezika je samo za namestitev. Ko je tvoja trgovina nameščena, lahko izbereš jezik tvoje trgovine med več kot %d prevodi, brezplačno!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Namestitev PrestaShop je hitra in enostavna. V samo nekaj trenutkih boste postali del skupnosti, v kateri je že več kot 250,000 prodajalcev. Ste na poti, da ustavrite svojo unikatno internetno trgovino, ki jo lahko preprosto urejate vsak dan.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Prišlo je do napake SQL za entiteto %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Ni mogoče ustvariti slike »%1$s« za entiteto »%2$s«', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Ni mogoče ustvariti slike »%1$s« (slaba dovoljenja za mapo »%2$s«)', + 'Cannot create image "%s"' => 'Ni mogoče ustvariti slike "%s"', + 'SQL error on query %s' => 'Napaka SQL pri poizvedbi %s', + '%s Login information' => '%s Podatki za prijavo', + 'Field required' => 'Polje je obvezno', + 'Invalid shop name' => 'Neveljavno ime trgovine', + 'The field %s is limited to %d characters' => 'Polje %s je omejeno na %d znakov', + 'Your firstname contains some invalid characters' => 'Vaše ime vsebuje nekaj neveljavnih znakov', + 'Your lastname contains some invalid characters' => 'Vaš priimek vsebuje nekaj neveljavnih znakov', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Geslo ni pravilno (alfanumerični niz z najmanj 8 znaki)', + 'Password and its confirmation are different' => 'Geslo in njegova potrditev se razlikujeta', + 'This e-mail address is invalid' => 'Ta e-poštni naslov je neveljaven', + 'Image folder %s is not writable' => 'Mapa s slikami %s ni zapisljiva', + 'An error occurred during logo copy.' => 'Med kopiranjem logotipa je prišlo do napake.', + 'An error occurred during logo upload.' => 'Med nalaganjem logotipa je prišlo do napake.', + 'Lingerie and Adult' => 'Perilo in za odrasle', + 'Animals and Pets' => 'Živali in hišni ljubljenčki', + 'Art and Culture' => 'Umetnost in kultura', + 'Babies' => 'dojenčki', + 'Beauty and Personal Care' => 'Lepota in osebna nega', + 'Cars' => 'Avtomobili', + 'Computer Hardware and Software' => 'Računalniška strojna in programska oprema', + 'Download' => 'Prenesi', + 'Fashion and accessories' => 'Moda in dodatki', + 'Flowers, Gifts and Crafts' => 'Rože, darila in obrti', + 'Food and beverage' => 'Hrano in pijačo', + 'HiFi, Photo and Video' => 'HiFi, fotografije in video', + 'Home and Garden' => 'Dom in vrt', + 'Home Appliances' => 'Gospodinjski aparati', + 'Jewelry' => 'Nakit', + 'Mobile and Telecom' => 'Mobilni telefon in telekomunikacije', + 'Services' => 'Storitve', + 'Shoes and accessories' => 'Čevlji in dodatki', + 'Sports and Entertainment' => 'Šport in zabava', + 'Travel' => 'Potovanje', + 'Database is connected' => 'Baza podatkov je povezana', + 'Database is created' => 'Baza podatkov je ustvarjena', + 'Cannot create the database automatically' => 'Podatkovne baze ni mogoče ustvariti samodejno', + 'Create settings.inc file' => 'Ustvari datoteko settings.inc', + 'Create database tables' => 'Ustvarite tabele baze podatkov', + 'Create default website and languages' => 'Ustvarite privzeto spletno stran in jezike', + 'Populate database tables' => 'Izpolnite tabele baze podatkov', + 'Configure website information' => 'Konfigurirajte informacije o spletnem mestu', + 'Install demonstration data' => 'Namestite predstavitvene podatke', + 'Install modules' => 'Namestite module', + 'Install Addons modules' => 'Namestite module Addons', + 'Install theme' => 'Namestite temo', + 'Required PHP parameters' => 'Zahtevani parametri PHP', + 'The required PHP version is between 5.6 to 7.4' => 'Zahtevana različica PHP je med 5.6 in 7.4', + 'Cannot upload files' => 'Datotek ni mogoče naložiti', + 'Cannot create new files and folders' => 'Ni mogoče ustvariti novih datotek in map', + 'GD library is not installed' => 'Knjižnica GD ni nameščena', + 'PDO MySQL extension is not loaded' => 'PDO razširitev MySQL ni naložena', + 'Curl extension is not loaded' => 'Podaljšek kodrov ni naložen', + 'SOAP extension is not loaded' => 'Razširitev SOAP ni naložena', + 'SimpleXml extension is not loaded' => 'Razširitev SimpleXml ni naložena', + 'In the PHP configuration set memory_limit to minimum 128M' => 'V konfiguraciji PHP nastavite memory_limit na najmanj 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'V konfiguraciji PHP nastavite max_execution_time na najmanj 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'V konfiguraciji PHP nastavite upload_max_filesize na najmanj 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Zunanjih URL-jev ni mogoče odpreti (zahteva, da je enable_url_fopen vklopljen).', + 'ZIP extension is not enabled' => 'Razširitev ZIP ni omogočena', + 'Files' => 'Datoteke', + 'Not all files were successfully uploaded on your server' => 'Vse datoteke niso bile uspešno naložene na vaš strežnik', + 'Permissions on files and folders' => 'Dovoljenja za datoteke in mape', + 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivna dovoljenja za pisanje za uporabnika %1$s na %2$s', + 'Recommended PHP parameters' => 'Priporočeni parametri PHP', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Uporabljate različico PHP %s. Kmalu bo najnovejša različica PHP, ki jo podpira QloApps, PHP 5.6. Da bi bili pripravljeni na prihodnost, vam priporočamo, da zdaj nadgradite na PHP 5.6!', + 'PHP register_globals option is enabled' => 'Možnost PHP register_globals je omogočena', + 'GZIP compression is not activated' => 'Stiskanje GZIP ni aktivirano', + 'Mbstring extension is not enabled' => 'Razširitev Mbstring ni omogočena', + 'Dom extension is not loaded' => 'Razširitev Dom ni naložena', + 'Server name is not valid' => 'Ime strežnika ni veljavno', + 'You must enter a database name' => 'Vnesti morate ime baze podatkov', + 'You must enter a database login' => 'Vnesti morate prijavo v bazo podatkov', + 'Tables prefix is invalid' => 'Predpona tabel ni veljavna', + 'Cannot convert database data to utf-8' => 'Podatkov zbirke podatkov ni mogoče pretvoriti v utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Vsaj ena tabela z isto predpono je že bila najdena, prosimo, spremenite svojo predpono ali izbrišite zbirko podatkov', + 'The values of auto_increment increment and offset must be set to 1' => 'Vrednosti auto_increment increment in offset morata biti nastavljeni na 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Strežnik baze podatkov ni najden. Preverite polja za prijavo, geslo in strežnik', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Povezava s strežnikom MySQL je uspela, vendar baze podatkov »%s« ni mogoče najti', + 'Attempt to create the database automatically' => 'Poskusite samodejno ustvariti bazo podatkov', + '%s file is not writable (check permissions)' => 'Datoteka %s ni zapisljiva (preverite dovoljenja)', + '%s folder is not writable (check permissions)' => 'Mapa %s ni zapisljiva (preverite dovoljenja)', + 'Cannot write settings file' => 'Datoteke z nastavitvami ni mogoče zapisati', + 'Database structure file not found' => 'Datoteke strukture baze podatkov ni mogoče najti', + 'Cannot create group shop' => 'Ni mogoče ustvariti skupinske trgovine', + 'Cannot create shop' => 'Trgovine ni mogoče ustvariti', + 'Cannot create shop URL' => 'URL-ja trgovine ni mogoče ustvariti', + 'File "language.xml" not found for language iso "%s"' => 'Datoteke "language.xml" ni mogoče najti za jezik iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Datoteka "language.xml" ni veljavna za jezik iso "%s"', + 'Cannot install language "%s"' => 'Ni mogoče namestiti jezika "%s"', + 'Cannot copy flag language "%s"' => 'Ni mogoče kopirati jezika zastavice "%s"', + 'Cannot create admin account' => 'Skrbniškega računa ni mogoče ustvariti', + 'Cannot install module "%s"' => 'Ni mogoče namestiti modula "%s"', + 'Fixtures class "%s" not found' => 'Razred napeljave "%s" ni bil najden', + '"%s" must be an instance of "InstallXmlLoader"' => '»%s« mora biti primerek »InstallXmlLoader«', + 'Information about your Website' => 'Informacije o vaši spletni strani', + 'Website name' => 'Ime spletnega mesta', + 'Main activity' => 'Glavna dejavnost', + 'Please choose your main activity' => 'Izberite svojo glavno dejavnost', + 'Other activity...' => 'Druga dejavnost...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomagajte nam izvedeti več o vaši trgovini, da vam lahko ponudimo optimalno vodenje in najboljše funkcije za vaše podjetje!', + 'Install demo data' => 'Namestite predstavitvene podatke', + 'Yes' => 'ja', + 'No' => 'št', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Namestitev predstavitvenih podatkov je dober način, da se naučite uporabljati QloApps, če ga še niste uporabljali. Te predstavitvene podatke lahko pozneje izbrišete z modulom QloApps Data Cleaner, ki je vnaprej nameščen s to namestitvijo.', + 'Country' => 'Država', + 'Select your country' => 'Izberite svojo državo', + 'Website timezone' => 'Časovni pas spletne strani', + 'Select your timezone' => 'Izberite svoj časovni pas', + 'Enable SSL' => 'Omogoči SSL', + 'Shop logo' => 'Logotip trgovine', + 'Optional - You can add you logo at a later time.' => 'Izbirno – svoj logotip lahko dodate pozneje.', + 'Your Account' => 'Vaš račun', + 'First name' => 'Ime', + 'Last name' => 'Priimek', + 'E-mail address' => 'Email naslov', + 'This email address will be your username to access your website\'s back office.' => 'Ta e-poštni naslov bo vaše uporabniško ime za dostop do zaledne pisarne vašega spletnega mesta.', + 'Password' => 'Geslo', + 'Must be at least 8 characters' => 'Vsebovati mora vsaj 8 znakov', + 'Re-type to confirm' => 'Ponovno vnesite za potrditev', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Podatke, ki nam jih posredujete, zbiramo mi in so predmet obdelave podatkov in statistike. V skladu z veljavnim "Zakonom o obdelavi podatkov, podatkovnih datotekah in posameznikovih svoboščinah" imate pravico do dostopa, popravka in nasprotovanja obdelavi vaših osebnih podatkov prek tega povezava.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Strinjam se s prejemanjem glasila in promocijskih ponudb QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Vedno boste prejemali transakcijska e-poštna sporočila, kot so nove posodobitve, varnostni popravki in popravki, tudi če se ne odločite za to možnost.', + 'Configure your database by filling out the following fields' => 'Konfigurirajte svojo zbirko podatkov tako, da izpolnite naslednja polja', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Če želite uporabljati QloApps, morate ustvariti zbirko podatkov za zbiranje vseh dejavnosti vašega spletnega mesta, povezanih s podatki.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Izpolnite spodnja polja, da se bo QloApps povezal z vašo bazo podatkov.', + 'Database server address' => 'Naslov strežnika baze podatkov', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Privzeta vrata so 3306. Če želite uporabiti druga vrata, dodajte številko vrat na koncu naslova strežnika, npr. ":4242".', + 'Database name' => 'Ime baze podatkov', + 'Database login' => 'Prijava v bazo podatkov', + 'Database password' => 'Geslo baze podatkov', + 'Database Engine' => 'Database Engine', + 'Tables prefix' => 'Predpona tabel', + 'Drop existing tables (mode dev)' => 'Spusti obstoječe tabele (mode dev)', + 'Test your database connection now!' => 'Preizkusite svojo povezavo z bazo podatkov zdaj!', + 'Next' => 'Naslednji', + 'Back' => 'Nazaj', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Če potrebujete pomoč, lahko pridobite prilagojeno pomoč naše ekipe za podporo. Uradna dokumentacija je tudi tukaj, da vas vodi.', + 'Official forum' => 'Uradni forum', + 'Support' => 'Podpora', + 'Documentation' => 'Dokumentacija', + 'Contact us' => 'Kontaktiraj nas', + 'QloApps Installation Assistant' => 'Pomočnik za namestitev QloApps', + 'Forum' => 'Forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Izberite svoj jezik', + 'menu_license' => 'Licenčne pogodbe', + 'menu_system' => 'Združljivost sistema', + 'menu_configure' => 'Informacije o spletni strani', + 'menu_database' => 'Konfiguracija sistema', + 'menu_process' => 'Namestitev QloApps', + 'Need Help?' => 'Rabim pomoč?', + 'Click here to Contact us' => 'Kliknite tukaj, če želite stopiti v stik z nami', + 'Installation' => 'Namestitev', + 'See our Installation guide' => 'Oglejte si naš vodnik za namestitev', + 'Tutorials' => 'Vadnice', + 'See our QloApps tutorials' => 'Oglejte si naše vadnice za QloApps', + 'Installation Assistant' => 'Pomočnik pri namestitvi', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Če želite namestiti QloApps, morate imeti v brskalniku omogočen JavaScript.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Licenčne pogodbe', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Če želite uživati ​​v številnih funkcijah, ki jih brezplačno ponuja QloApps, preberite spodnje licenčne pogoje. Jedro QloApps je licencirano pod OSL 3.0, medtem ko so moduli in teme licencirani pod AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Strinjam se z zgornjimi pogoji.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Strinjam se, da bom sodeloval pri izboljšavi rešitve s pošiljanjem anonimnih informacij o svoji konfiguraciji.', + 'Done!' => 'Končano!', + 'An error occurred during installation...' => 'Med namestitvijo je prišlo do napake ...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Uporabite lahko povezave v levem stolpcu, da se vrnete na prejšnje korake, ali znova zaženete postopek namestitve tako, da kliknete tukaj.', + 'Suggested Modules' => 'Predlagani moduli', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Poiščite prave funkcije na QloApps Addons, da bo vaše gostinstvo uspešno.', + 'Discover All Modules' => 'Odkrijte vse module', + 'Suggested Themes' => 'Predlagane teme', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Ustvarite dizajn, ki ustreza vašemu hotelu in vašim strankam, s temo predloge, ki je pripravljena za uporabo.', + 'Discover All Themes' => 'Odkrijte vse teme', + 'Your installation is finished!' => 'Vaša namestitev je končana!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Pravkar ste končali namestitev QloApps. Hvala, ker uporabljate QloApps!', + 'Please remember your login information:' => 'Zapomnite si svoje podatke za prijavo:', + 'E-mail' => 'E-naslov', + 'Print my login information' => 'Natisni moje podatke za prijavo', + 'Display' => 'Zaslon', + 'For security purposes, you must delete the "install" folder.' => 'Iz varnostnih razlogov morate izbrisati mapo "install".', + 'Back Office' => 'Zaledna pisarna', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Upravljajte svoje spletno mesto s svojo zaledno pisarno. Upravljajte svoja naročila in stranke, dodajte module, spremenite teme itd.', + 'Manage Your Website' => 'Upravljajte svoje spletno mesto', + 'Front Office' => 'Front Office', + 'Discover your website as your future customers will see it!' => 'Odkrijte svojo spletno stran, kot jo bodo videle vaše bodoče stranke!', + 'Discover Your Website' => 'Odkrijte svoje spletno mesto', + 'Share your experience with your friends!' => 'Delite svojo izkušnjo s prijatelji!', + 'I just built an online hotel booking website with QloApps!' => 'Pravkar sem ustvaril spletno mesto za rezervacije hotelov s QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Oglejte si vse funkcije tukaj: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweet', + 'Share' => 'Deliti', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Trenutno preverjamo združljivost QloApps z vašim sistemskim okoljem', + 'If you have any questions, please visit our documentation and community forum.' => 'Če imate kakršna koli vprašanja, obiščite našo dokumentacijo in forum skupnosti< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Združljivost QloApps z vašim sistemskim okoljem je bila preverjena!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ups! Popravite spodnji(-e) element(-e) in nato kliknite "Osveži informacije", da preizkusite združljivost vašega novega sistema.', + 'Refresh these settings' => 'Osvežite te nastavitve', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps za delovanje potrebuje vsaj 128 MB pomnilnika: preverite direktivo memory_limit v datoteki php.ini ali se glede tega obrnite na svojega ponudnika gostitelja.', + 'Welcome to the QloApps %s Installer' => 'Dobrodošli v namestitvenem programu QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Namestitev QloApps je hitra in enostavna. V samo nekaj trenutkih boste postali del skupnosti. Ste na poti, da ustvarite lastno spletno mesto za rezervacije hotelov, ki ga boste zlahka upravljali vsak dan.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Če potrebujete pomoč, si oglejte to kratko vadnico ali preverite naša dokumentacija.', + 'Continue the installation in:' => 'Namestitev nadaljujte v:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Zgornja izbira jezika velja samo za pomočnika za namestitev. Ko je QloApps nameščen, lahko izberete jezik svojega spletnega mesta med več kot %d prevodi, vse brezplačno!', + ), +); \ No newline at end of file diff --git a/install/langs/sr/install.php b/install/langs/sr/install.php index 7dcd4454a..143aa6354 100644 --- a/install/langs/sr/install.php +++ b/install/langs/sr/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'SQL greška je uočena za entitet %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Ne može se kreirati slika "%1$s" za entitet "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Slika se ne može kreirati "%1$s" (loše dozvole na folderu "%2$s")', - 'Cannot create image "%s"' => 'Slika se ne može kreirati "%s"', - 'SQL error on query %s' => 'SQL greška na upitu %s', - '%s Login information' => '%s Informacije o prijavljivanju', - 'Field required' => 'Obavezna polja', - 'Invalid shop name' => 'Pogrešan naziv prodavnice', - 'The field %s is limited to %d characters' => 'Polje %s je ograničeno na %d znakova', - 'Your firstname contains some invalid characters' => 'Vaše ime sadrži neke nevažeće znakove', - 'Your lastname contains some invalid characters' => 'Vaše prezime sadrži neke nevažeće znakove', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Lozinka je netačna (slova i brojevi sa najmanje 8 karaktera)', - 'Password and its confirmation are different' => 'Lozinka i njena potvrda se razlikuju', - 'This e-mail address is invalid' => 'Ova e-mail adresa je pogrešna!', - 'Image folder %s is not writable' => 'U folder slike %s nije moguće ništa upisivati', - 'An error occurred during logo copy.' => 'Došlo je do greške prilikom kopiranja logoa.', - 'An error occurred during logo upload.' => 'Došlo je do greške prilikom postavljanja logoa.', - 'Lingerie and Adult' => 'Donji veš i za odrasle', - 'Animals and Pets' => 'Životinje i kućni ljubimci', - 'Art and Culture' => 'Umetnost i kultura', - 'Babies' => 'Bebe', - 'Beauty and Personal Care' => 'Lepota i lična nega', - 'Cars' => 'Automobili', - 'Computer Hardware and Software' => 'Računari i softver', - 'Download' => 'Preuzimanje', - 'Fashion and accessories' => 'Moda i modni dodaci', - 'Flowers, Gifts and Crafts' => 'Cveće, pokloni, rukotvorine', - 'Food and beverage' => 'Hrana i piće', - 'HiFi, Photo and Video' => 'Audio i video oprema', - 'Home and Garden' => 'Dom i bašta', - 'Home Appliances' => 'Kućni aprati', - 'Jewelry' => 'Nakit', - 'Mobile and Telecom' => 'Mobilni telefoni', - 'Services' => 'Usluge', - 'Shoes and accessories' => 'Cipele i pribor', - 'Sports and Entertainment' => 'Sport i zabava', - 'Travel' => 'Putovanje', - 'Database is connected' => 'Baza podataka je povezana', - 'Database is created' => 'Baza podataka je kreirana', - 'Cannot create the database automatically' => 'Baza podataka se ne može napraviti automatski', - 'Create settings.inc file' => 'Kreiraj settings.inc fajl', - 'Create database tables' => 'Kreiraj tabele baze podataka', - 'Create default shop and languages' => 'Kreiraj podrazumevanu prodavnicu i jezike', - 'Populate database tables' => 'Popuni tabele baze podataka', - 'Configure shop information' => 'Konfiguriši informacije o prodavnici', - 'Install demonstration data' => 'Instaliraj demonstrantne podatke', - 'Install modules' => 'Instaliraj module', - 'Install Addons modules' => 'Instaliraj dodatne module', - 'Install theme' => 'Instaliraj temu', - 'Required PHP parameters' => 'Obavezni PHP parametri', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 ili noviji nije uključen', - 'Cannot upload files' => 'Fajlovi se ne mogu postaviti', - 'Cannot create new files and folders' => 'Novi fajlovi i folderi se ne mogu kreirati', - 'GD library is not installed' => 'GD Library nije instalirana', - 'MySQL support is not activated' => 'MySQL podrška nije aktivirana', - 'Files' => 'Datoteke', - 'Not all files were successfully uploaded on your server' => 'Nisu svi fajlovi uspešno prebačeni na vaš server', - 'Permissions on files and folders' => 'Dozvole na fajlovima folderima', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekurzivne dozvole pisanja za %1$s korisnika na %2$s', - 'Recommended PHP parameters' => 'Preporučljivi PHP parametri', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => 'Eksterni linkovi se ne mogu otvoriti', - 'PHP register_globals option is enabled' => 'opcija PHP register_globals je uključena', - 'GZIP compression is not activated' => 'GZIP kompresija nije aktivirana', - 'Mcrypt extension is not enabled' => 'Mcrypt ekstenzija nije uključena', - 'Mbstring extension is not enabled' => 'Mbstring ekstenzija nije uključena', - 'PHP magic quotes option is enabled' => 'Opcija PHP magični navodnici je uključena', - 'Dom extension is not loaded' => 'Dom ekstenzija nije učitana', - 'PDO MySQL extension is not loaded' => 'PDO MySQL ekstenzija nije učitana', - 'Server name is not valid' => 'Naziv servesa je nevažeći', - 'You must enter a database name' => 'Morate uneti naziv baze podataka', - 'You must enter a database login' => 'Morate upisati prijavu baze podataka', - 'Tables prefix is invalid' => 'Prefiks tabeli je nevažeći', - 'Cannot convert database data to utf-8' => 'Podaci baze podataka se ne mogu prebaciti u utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Pronađena je najmanje jedna tabela sa istim prefiksom, promenite prefiks ili pustite vašu bazu podataka', - 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Server baze bodataka nije pronađen. Potvrdite prijavu, lozinku i polja servera', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Konekcija na MySQL server je bila uspešna, ali "%s" baza podataka nije pronađena', - 'Attempt to create the database automatically' => 'Pokušaj da se baza podataka kreira automatski', - '%s file is not writable (check permissions)' => '%s fajl nije upisiv (proverite dozvole)', - '%s folder is not writable (check permissions)' => '%s folder nije upisiv (proverite dozvole)', - 'Cannot write settings file' => 'Ne može se napisati fajl podešavanja', - 'Database structure file not found' => 'Fajl strukture baze podataka nije pronađen', - 'Cannot create group shop' => 'Grupa prodavnice se ne može napraviti', - 'Cannot create shop' => 'Prodavnica se ne može kreirati', - 'Cannot create shop URL' => 'Link prodavnice se ne može kreirati', - 'File "language.xml" not found for language iso "%s"' => 'Fajl "language.xml" nije pronađen za iso jezika "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Fajl "language.xml" nije validan za iso jezika "%s"', - 'Cannot install language "%s"' => 'Jezik "%s" se ne može instalirati', - 'Cannot copy flag language "%s"' => 'Zastava jezika "%s" se ne može kopirati', - 'Cannot create admin account' => 'Administratorski nalog se ne može kreirati', - 'Cannot install module "%s"' => 'Modul "%s" se ne može instalirati', - 'Fixtures class "%s" not found' => 'Predstojeća klasa "%s" nije pronađena', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s"mora biti primer od "InstallXmlLoader"', - 'Information about your Store' => 'Informacije o vašoj prodavnici', - 'Shop name' => 'Ime prodavnice', - 'Main activity' => 'Glavna aktivnost', - 'Please choose your main activity' => 'Odaberite vašu glavnu aktivnost', - 'Other activity...' => 'Ostale aktivnosti...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Pomozite nam da saznamo više o vašoj radnji kako bi vam ponudili lakše rukovanje i najbolje funkcije za vaš posao!', - 'Install demo products' => 'Instaliraj demo proizvode', - 'Yes' => 'Da', - 'No' => 'Ne', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo proizvodi su dobar način da naučite kako se koristi PrestaShop. Treba da ih instalirate ako niste upoznati sa time.', - 'Country' => 'Zemlja', - 'Select your country' => 'Odaberite svoju državu', - 'Shop timezone' => 'Vremenska zona prodavnice', - 'Select your timezone' => 'Odaberite vašu vremensku zonu', - 'Shop logo' => 'Logo prodavnice', - 'Optional - You can add you logo at a later time.' => 'Opciono - Kasnije možete dodati vaš logo.', - 'Your Account' => 'Vaš nalog', - 'First name' => 'Ime', - 'Last name' => 'Prezime', - 'E-mail address' => 'Email adresa', - 'This email address will be your username to access your store\'s back office.' => 'Ovaj mejl će biti korisnično ime za pristup back office-u prodavnice.', - 'Shop password' => 'Lozinka prodavnice', - 'Must be at least 8 characters' => 'Mora imati najmanje 8 karaktera', - 'Re-type to confirm' => 'Napišite ponovo za potvrdu', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => 'Konfigurišite vašu bazu podataka popunjavanjem ovih polja', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Za korišćenje PrestaShop-a, morate da kreirate bazu podataka za prikupljanje podataka prodavnice i aktivnosti povezane sa podacima.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Popunite polja ispod kako bi se PrestaShop povezao na vašu bazu podataka. ', - 'Database server address' => 'Adrsa servera baze podataka', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Podrazumevani otvor je 3306. Za korišćenje drugog ulaza, dodajte broj ulaza na kraju adrese servera, npr ":4242".', - 'Database name' => 'Naziv baze podataka', - 'Database login' => 'Prijava baze podataka', - 'Database password' => 'Lozinka baze podataka', - 'Database Engine' => 'Pogon baze podataka', - 'Tables prefix' => 'Prefiks tabele', - 'Drop existing tables (mode dev)' => 'Pusti sledeće tabele (režim dev)', - 'Test your database connection now!' => 'Testirajte vašu konekciju sa bazom podataka odmah!', - 'Next' => 'Dalje', - 'Back' => 'Nazad', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'Zvanični forum', - 'Support' => 'Podrška', - 'Documentation' => 'Dokumentacija', - 'Contact us' => 'Kontaktirajte nas', - 'PrestaShop Installation Assistant' => 'PrestaShop pomoćnik instalacije', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Kontaktirajte nas!', - 'menu_welcome' => 'Odaberite vaš jezik', - 'menu_license' => 'Sporazumi licenciranja', - 'menu_system' => 'Sistemska kompitabilnost', - 'menu_configure' => 'Informacije prodavnice', - 'menu_database' => 'Sistemska konfiguracija', - 'menu_process' => 'Instalacija prodavnice', - 'Installation Assistant' => 'Asistent instalacije', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Za instaliranje PrestaShop-a, morate imati uključen JavaScript u vašem pretraživaču.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Sporazumi licenciranja', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Da bi ste imali više funkcija koje nudi PrestaShop, pročitajte uslove licenciranja ispod. Jezgro PrestaShop-a je licencirano pod OSL 3.0, dok su teme i moduli licensirani pod AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Slažem se sa uslovima iznad.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Slažem se da učestvujem u poboljšanju rešenja slanjem anonimnih informacija o mojoj konfiguraciji.', - 'Done!' => 'Gotovo!', - 'An error occurred during installation...' => 'Došlo je do greške prilikom instalacije...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Možete koristiti linkove u levoj koloni za vraćanje na ranije korake, ili ponovite proces instalacije klikom ovde.', - 'Your installation is finished!' => 'Vaša instalacija je gotova!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Upravo ste završili instalaciju vaše prodavnice. Hvala vam što koristite PrestaShop!', - 'Please remember your login information:' => 'Nemojte zaboraviti vaše informacije za prijavu', - 'E-mail' => 'E-pošta', - 'Print my login information' => 'Odštampajte informacije za prijavu', - 'Password' => 'Šifra', - 'Display' => 'Prikaži', - 'For security purposes, you must delete the "install" folder.' => 'Iz bezdbenosnih razloga, morate obrisati folder "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Administracija', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Uređujte vašu prodavnicu koristeći administraciju. Upravljajte porudžbinama, kupcima, dodajte module, menjajte teme, itd.', - 'Manage your store' => 'Upravljajte vašom radnjom', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Pogledajte vašu radnju onako kako će je vaši budući kupci videti!', - 'Discover your store' => 'Istražujte vašu radnju', - 'Share your experience with your friends!' => 'Podelite iskustva sa prijateljima!', - 'I just built an online store with PrestaShop!' => 'Upravo sam napravio prodavnicu uz PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Pogledaj ovo uzbudljivo iskustvo : http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Podeli', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Isprobaj PrestaShop dodatke i dodaj još nešto u svoju radnju!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Trenutno proveravamo kompitabilnost PrestaShop-a sa vašim sistemskim ambijentom', - 'If you have any questions, please visit our documentation and community forum.' => 'Ako imate bilo kakva pitanja, posette našu dokumentaciju i forum zajednice.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Kompatibilnost PrestaShop-a sa vašim sistemskim ambijentom je potvrđena!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ups! Poravite stavke ispod, a onda kliknite "Osveži informacije" da proverite kompitabilnost vašeg novog sistema.', - 'Refresh these settings' => 'Osveži ove stranice', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop-u je potrebno najmanje 32M memorije za pokretanje, proverite memory_limit direkciju u php.ini ili kontaktirajte vašeg internet dobavljača.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Upozorenje: Ne možete koristiti ovaj alat za nadogradnju vaše prodavnice.

Već imate instaliran PrestaShop, verzija %1$s.

Ako želite da nadogradite na najnoviju verziju, pročitajte našu dokumentaciju: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Dobrodošli na PrestaShop %s instalaciju', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalacija PrestaShop-a je brza i jednostavna. Za par trenutaka, postaćete deo zajednice u kojoj je više od 230.000 prodavaca. Na putu ste da napravite vašu jedinstvenu onlajn prodavnicu koju možete uređivati jednostavno, i svakog dana.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'Nastavite instalaciju u:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Ova jezička sekcija podržava samo pomoć za instalaciju. Kada instalirate prodavnicu, možete odabrati jezik prodavnice između preko %d prevoda, besplatno!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Instalacija PrestaShop-a je brza i jednostavna. Za par trenutaka, postaćete deo zajednice u kojoj je više od 250.000 prodavaca. Na putu ste da napravite vašu jedinstvenu onlajn prodavnicu koju možete uređivati jednostavno, i svakog dana.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Дошло је до СКЛ грешке за ентитет %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Није могуће направити слику „%1$s“ за ентитет „%2$s“', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Није могуће направити слику „%1$s“ (лоше дозволе за директоријум „%2$s“)', + 'Cannot create image "%s"' => 'Није могуће направити слику „%s“', + 'SQL error on query %s' => 'СКЛ грешка на упиту %s', + '%s Login information' => '%s Информације за пријаву', + 'Field required' => 'Поље је обавезно', + 'Invalid shop name' => 'Неважећи назив продавнице', + 'The field %s is limited to %d characters' => 'Поље %s је ограничено на %s знакова', + 'Your firstname contains some invalid characters' => 'Ваше име садржи неке неважеће знакове', + 'Your lastname contains some invalid characters' => 'Ваше презиме садржи неке неважеће знакове', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Лозинка је нетачна (алфанумерички низ са најмање 8 знакова)', + 'Password and its confirmation are different' => 'Лозинка и њена потврда се разликују', + 'This e-mail address is invalid' => 'Ова адреса е-поште је неважећа', + 'Image folder %s is not writable' => 'У фасциклу са сликама %s није могуће писати', + 'An error occurred during logo copy.' => 'Дошло је до грешке током копирања логотипа.', + 'An error occurred during logo upload.' => 'Дошло је до грешке приликом отпремања логотипа.', + 'Lingerie and Adult' => 'Доње рубље и за одрасле', + 'Animals and Pets' => 'Животиње и кућни љубимци', + 'Art and Culture' => 'Уметност и култура', + 'Babies' => 'Бебе', + 'Beauty and Personal Care' => 'Лепота и лична нега', + 'Cars' => 'Аутомобили', + 'Computer Hardware and Software' => 'Рачунарски хардвер и софтвер', + 'Download' => 'Преузимање', + 'Fashion and accessories' => 'Мода и додаци', + 'Flowers, Gifts and Crafts' => 'Цвеће, поклони и занати', + 'Food and beverage' => 'Храна и пиће', + 'HiFi, Photo and Video' => 'ХиФи, фото и видео', + 'Home and Garden' => 'Дом и башта', + 'Home Appliances' => 'Кућни апарати', + 'Jewelry' => 'Накит', + 'Mobile and Telecom' => 'Мобилни и Телеком', + 'Services' => 'Услуге', + 'Shoes and accessories' => 'Ципеле и прибор', + 'Sports and Entertainment' => 'Спорт и забава', + 'Travel' => 'Травел', + 'Database is connected' => 'База података је повезана', + 'Database is created' => 'База података је креирана', + 'Cannot create the database automatically' => 'Није могуће аутоматски креирати базу података', + 'Create settings.inc file' => 'Креирајте датотеку сеттингс.инц', + 'Create database tables' => 'Креирајте табеле базе података', + 'Create default website and languages' => 'Креирајте подразумевану веб локацију и језике', + 'Populate database tables' => 'Попуните табеле базе података', + 'Configure website information' => 'Конфигуришите информације о веб локацији', + 'Install demonstration data' => 'Инсталирајте демонстрационе податке', + 'Install modules' => 'Инсталирајте модуле', + 'Install Addons modules' => 'Инсталирајте Аддонс модуле', + 'Install theme' => 'Инсталирај тему', + 'Required PHP parameters' => 'Обавезни ПХП параметри', + 'The required PHP version is between 5.6 to 7.4' => 'Потребна верзија ПХП-а је између 5.6 и 7.4', + 'Cannot upload files' => 'Није могуће отпремити датотеке', + 'Cannot create new files and folders' => 'Није могуће креирати нове датотеке и фасцикле', + 'GD library is not installed' => 'ГД библиотека није инсталирана', + 'PDO MySQL extension is not loaded' => 'ПДО МиСКЛ екстензија није учитана', + 'Curl extension is not loaded' => 'Цурл екстензија није учитана', + 'SOAP extension is not loaded' => 'СОАП екстензија није учитана', + 'SimpleXml extension is not loaded' => 'СимплеКсмл екстензија није учитана', + 'In the PHP configuration set memory_limit to minimum 128M' => 'У ПХП конфигурацији подесите мемори_лимит на минимум 128М', + 'In the PHP configuration set max_execution_time to minimum 500' => 'У ПХП конфигурацији поставите мак_екецутион_тиме на минимум 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'У ПХП конфигурацији поставите уплоад_мак_филесизе на минимум 16М', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Није могуће отворити спољне УРЛ адресе (захтева аллов_урл_фопен као Он).', + 'ZIP extension is not enabled' => 'ЗИП екстензија није омогућена', + 'Files' => 'Фајлови', + 'Not all files were successfully uploaded on your server' => 'Нису све датотеке успешно отпремљене на ваш сервер', + 'Permissions on files and folders' => 'Дозволе за датотеке и фасцикле', + 'Recursive write permissions for %1$s user on %2$s' => 'Рекурзивне дозволе за писање за корисника %1$s на %2$s', + 'Recommended PHP parameters' => 'Препоручени ПХП параметри', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Користите верзију ПХП %s. Ускоро ће најновија верзија ПХП-а коју подржава QloApps бити ПХП 5.6. Да бисте били сигурни да сте спремни за будућност, препоручујемо вам да одмах надоградите на ПХП 5.6!', + 'PHP register_globals option is enabled' => 'Опција ПХП регистер_глобалс је омогућена', + 'GZIP compression is not activated' => 'ГЗИП компресија није активирана', + 'Mbstring extension is not enabled' => 'Мбстринг екстензија није омогућена', + 'Dom extension is not loaded' => 'Дом екстензија није учитана', + 'Server name is not valid' => 'Име сервера није важеће', + 'You must enter a database name' => 'Морате да унесете име базе података', + 'You must enter a database login' => 'Морате да унесете пријаву у базу података', + 'Tables prefix is invalid' => 'Префикс табеле је неважећи', + 'Cannot convert database data to utf-8' => 'Није могуће конвертовати податке базе података у утф-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Најмање једна табела са истим префиксом је већ пронађена, промените свој префикс или одбаците базу података', + 'The values of auto_increment increment and offset must be set to 1' => 'Вредности ауто_инцремент инкремент и офсет морају бити постављене на 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Сервер базе података није пронађен. Проверите поља за пријаву, лозинку и сервер', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Повезивање са МиСКЛ сервером је успело, али база података „%s“ није пронађена', + 'Attempt to create the database automatically' => 'Покушајте да аутоматски креирате базу података', + '%s file is not writable (check permissions)' => 'У датотеку %s није могуће писати (проверите дозволе)', + '%s folder is not writable (check permissions)' => '%s фолдер није уписан (провери дозволе)', + 'Cannot write settings file' => 'Није могуће написати датотеку са подешавањима', + 'Database structure file not found' => 'Датотека структуре базе података није пронађена', + 'Cannot create group shop' => 'Није могуће креирати групну продавницу', + 'Cannot create shop' => 'Не могу креирати продавницу', + 'Cannot create shop URL' => 'Није могуће креирати УРЛ продавнице', + 'File "language.xml" not found for language iso "%s"' => 'Датотека „лангуаге.кмл“ није пронађена за језик исо „%s“', + 'File "language.xml" not valid for language iso "%s"' => 'Датотека „лангуаге.кмл“ није важећа за језик исо „%s“', + 'Cannot install language "%s"' => 'Није могуће инсталирати језик „%s“', + 'Cannot copy flag language "%s"' => 'Није могуће копирати језик заставице „%s“', + 'Cannot create admin account' => 'Није могуће креирати администраторски налог', + 'Cannot install module "%s"' => 'Није могуће инсталирати модул "%s"', + 'Fixtures class "%s" not found' => 'Класа фикстуре "%s" није пронађена', + '"%s" must be an instance of "InstallXmlLoader"' => '„%s“ мора бити инстанца „ИнсталлКсмлЛоадер“', + 'Information about your Website' => 'Информације о вашој веб локацији', + 'Website name' => 'Име веб локације', + 'Main activity' => 'Основна делатност', + 'Please choose your main activity' => 'Молимо одаберите своју главну активност', + 'Other activity...' => 'Остале активности...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Помозите нам да сазнамо више о вашој продавници како бисмо вам могли понудити оптималне смернице и најбоље карактеристике за ваше пословање!', + 'Install demo data' => 'Инсталирајте демо податке', + 'Yes' => 'да', + 'No' => 'Не', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Инсталирање демо података је добар начин да научите како да користите QloApps ако га раније нисте користили. Ови демо подаци се касније могу избрисати помоћу модула QloApps Дата Цлеанер који долази унапред инсталиран уз ову инсталацију.', + 'Country' => 'Држава', + 'Select your country' => 'Изаберите своју земљу', + 'Website timezone' => 'Временска зона веб локације', + 'Select your timezone' => 'Изаберите своју временску зону', + 'Enable SSL' => 'Омогући ССЛ', + 'Shop logo' => 'Лого продавнице', + 'Optional - You can add you logo at a later time.' => 'Опционо – Логотип можете додати касније.', + 'Your Account' => 'Ваш рачун', + 'First name' => 'Име', + 'Last name' => 'Презиме', + 'E-mail address' => 'Адреса Е-поште', + 'This email address will be your username to access your website\'s back office.' => 'Ова адреса е-поште ће бити ваше корисничко име за приступ бацк оффице-у ваше веб локације.', + 'Password' => 'Лозинка', + 'Must be at least 8 characters' => 'Мора да има најмање 8 знакова', + 'Re-type to confirm' => 'Поново откуцајте да бисте потврдили', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Информације које нам дате прикупљамо ми и подлежу обради података и статистици. У складу са актуелним „Законом о обради података, датотекама података и личним слободама“ имате право да приступите, исправите и успротивите се обради ваших личних података путем овог линк.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Слажем се да примам билтен и промотивне понуде од QloApps-а.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Увек ћете примати е-поруке о трансакцијама као што су нова ажурирања, безбедносне исправке и закрпе чак и ако се не одлучите за ову опцију.', + 'Configure your database by filling out the following fields' => 'Конфигуришите своју базу података попуњавањем следећих поља', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Да бисте користили QloApps, морате да направите базу података да бисте прикупили све активности ваше веб локације у вези са подацима.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Попуните поља испод како би се QloApps повезао са вашом базом података.', + 'Database server address' => 'Адреса сервера базе података', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Подразумевани порт је 3306. Да бисте користили други порт, додајте број порта на крај адресе вашег сервера, тј. „:4242“.', + 'Database name' => 'Назив базе података', + 'Database login' => 'Пријава у базу података', + 'Database password' => 'Лозинка базе података', + 'Database Engine' => 'Датабасе Енгине', + 'Tables prefix' => 'Префикс табела', + 'Drop existing tables (mode dev)' => 'Избаци постојеће табеле (развијање режима)', + 'Test your database connection now!' => 'Тестирајте своју везу са базом података одмах!', + 'Next' => 'Следећи', + 'Back' => 'Назад', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Ако вам је потребна помоћ, можете добити прилагођену помоћ од нашег тима за подршку. Званична документација је такође ту да вас води.', + 'Official forum' => 'Званични форум', + 'Support' => 'Подршка', + 'Documentation' => 'Документација', + 'Contact us' => 'Контактирајте нас', + 'QloApps Installation Assistant' => 'QloApps Инсталлатион Ассистант', + 'Forum' => 'Форум', + 'Blog' => 'Блог', + 'menu_welcome' => 'Изаберите свој језик', + 'menu_license' => 'Уговори о лиценци', + 'menu_system' => 'Компатибилност система', + 'menu_configure' => 'Информације о веб локацији', + 'menu_database' => 'Конфигурација система', + 'menu_process' => 'QloApps инсталација', + 'Need Help?' => 'Потребна помоћ?', + 'Click here to Contact us' => 'Кликните овде да бисте нас контактирали', + 'Installation' => 'Инсталација', + 'See our Installation guide' => 'Погледајте наш водич за инсталацију', + 'Tutorials' => 'Туториали', + 'See our QloApps tutorials' => 'Погледајте наше водиче за QloApps', + 'Installation Assistant' => 'Инсталлатион Ассистант', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Да бисте инсталирали QloApps, потребно је да имате омогућен ЈаваСцрипт у вашем претраживачу.', + 'http://enable-javascript.com/' => 'хттп://енабле-јавасцрипт.цом/', + 'License Agreements' => 'Уговори о лиценци', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Да бисте уживали у многим функцијама које QloApps нуди бесплатно, прочитајте услове лиценцирања у наставку. QloApps језгро је лиценцирано под ОСЛ 3.0, док су модули и теме лиценцирани под АФЛ 3.0.', + 'I agree to the above terms and conditions.' => 'Слажем се са горе наведеним условима и одредбама.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Слажем се да учествујем у побољшању решења слањем анонимних информација о мојој конфигурацији.', + 'Done!' => 'Готово!', + 'An error occurred during installation...' => 'Дошло је до грешке током инсталације...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Можете да користите везе у левој колони да се вратите на претходне кораке или поново покренете процес инсталације кликом овде.', + 'Suggested Modules' => 'Предложени модули', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Пронађите праве функције на QloApps додацима да би ваш угоститељски посао био успешан.', + 'Discover All Modules' => 'Откријте све модуле', + 'Suggested Themes' => 'Предложене теме', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Направите дизајн који одговара вашем хотелу и вашим клијентима, са темом шаблона која је спремна за употребу.', + 'Discover All Themes' => 'Откријте све теме', + 'Your installation is finished!' => 'Ваша инсталација је завршена!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Управо сте завршили инсталирање QloApps-а. Хвала вам што користите QloApps!', + 'Please remember your login information:' => 'Запамтите своје податке за пријаву:', + 'E-mail' => 'Е-маил', + 'Print my login information' => 'Одштампајте моје податке за пријаву', + 'Display' => 'Приказ', + 'For security purposes, you must delete the "install" folder.' => 'Из безбедносних разлога, морате да избришете фасциклу „инсталирај“.', + 'Back Office' => 'Канцеларија за подршку', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Управљајте својом веб локацијом користећи Бацк Оффице. Управљајте својим поруџбинама и клијентима, додајте модуле, промените теме итд.', + 'Manage Your Website' => 'Управљајте својом веб локацијом', + 'Front Office' => 'Фронт Оффице', + 'Discover your website as your future customers will see it!' => 'Откријте своју веб локацију онако како ће је ваши будући купци видети!', + 'Discover Your Website' => 'Откријте своју веб локацију', + 'Share your experience with your friends!' => 'Поделите своје искуство са пријатељима!', + 'I just built an online hotel booking website with QloApps!' => 'Управо сам направио веб локацију за резервације хотела на мрежи са QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Погледајте све функције овде: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Твеет', + 'Share' => 'Објави', + 'Google+' => 'Гоогле+', + 'Pinterest' => 'Пинтерест', + 'LinkedIn' => 'ЛинкедИн', + 'We are currently checking QloApps compatibility with your system environment' => 'Тренутно проверавамо компатибилност QloApps-а са окружењем вашег система', + 'If you have any questions, please visit our documentation and community forum.' => 'Ако имате питања, посетите нашу документацију и форум заједнице.', + 'QloApps compatibility with your system environment has been verified!' => 'Компатибилност QloAppsа са вашим системским окружењем је верификована!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Упс! Исправите ставке испод, а затим кликните на „Освежи информације“ да бисте тестирали компатибилност вашег новог система.', + 'Refresh these settings' => 'Освежите ова подешавања', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps захтева најмање 128 МБ меморије за покретање: проверите мемори_лимит директиву у вашој пхп.ини датотеци или контактирајте свог хост провајдера у вези са овим.', + 'Welcome to the QloApps %s Installer' => 'Добродошли у QloApps %s Инсталлер', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Инсталирање QloApps-а је брзо и лако. За само неколико тренутака постаћете део заједнице. На путу сте да креирате сопствену веб локацију за резервације хотела којом ћете лако управљати сваки дан.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Ако вам је потребна помоћ, не устручавајте се да погледате овај кратки водич или проверите наша документација.', + 'Continue the installation in:' => 'Наставите са инсталацијом у:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Горенаведени избор језика односи се само на помоћника за инсталацију. Када је QloApps инсталиран, можете да изаберете језик своје веб локације између више од %s превода, све бесплатно!', + ), +); \ No newline at end of file diff --git a/install/langs/sv/install.php b/install/langs/sv/install.php index 3098e1ac7..15ab8687b 100644 --- a/install/langs/sv/install.php +++ b/install/langs/sv/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Ett SQL-fel uppstod för entitet %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Kan inte skapa bild "%1$s för entitet "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Kan inte skapa bild "%1$s" (fel rättigheter för katalog "%2$s")', - 'Cannot create image "%s"' => 'Kan inte skapa bild "%s"', - 'SQL error on query %s' => 'SQL-fel i query %s', - '%s Login information' => '%s login information', - 'Field required' => 'Obligatoriskt fält', - 'Invalid shop name' => 'Felaktigt butiksnamn', - 'The field %s is limited to %d characters' => 'Fältet %s är begränsat till %d tecken', - 'Your firstname contains some invalid characters' => 'Ditt förnamn innehåller otillåtna tecken', - 'Your lastname contains some invalid characters' => 'Ditt efternamn innehåller otillåtna tecken', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Ditt lösenord är felaktigt (skall innehålla minst 8 siffror/bokstäver A-Z 0-9)', - 'Password and its confirmation are different' => 'Lösenorden stämmer inte överens', - 'This e-mail address is invalid' => 'Denna E-postadressen är felaktig!', - 'Image folder %s is not writable' => 'Bildkatalogen %s är inte skrivbar', - 'An error occurred during logo copy.' => 'Ett fel uppstod vid kopiering av logotyp.', - 'An error occurred during logo upload.' => 'Ett fel uppstod vid uppladdning av logotyp.', - 'Lingerie and Adult' => 'Underkläder och Vuxet innehåll', - 'Animals and Pets' => 'Djur och husdjur', - 'Art and Culture' => 'Konst och kultur', - 'Babies' => 'Barn', - 'Beauty and Personal Care' => 'Skönhet och hälsa', - 'Cars' => 'Bilar', - 'Computer Hardware and Software' => 'Datorhårdvara och -mjukvara', - 'Download' => 'Ladda ner', - 'Fashion and accessories' => 'Mode och accessoarer', - 'Flowers, Gifts and Crafts' => 'Blommor, presenter och hantverk', - 'Food and beverage' => 'Mat och dryck', - 'HiFi, Photo and Video' => 'HiFi, foto och video', - 'Home and Garden' => 'Hem och trädgård', - 'Home Appliances' => 'Hushållsapparater', - 'Jewelry' => 'Smycken', - 'Mobile and Telecom' => 'Mobil och tele', - 'Services' => 'Tjänster', - 'Shoes and accessories' => 'Skor och accessoarer', - 'Sports and Entertainment' => 'Sport och underhållning', - 'Travel' => 'Resor', - 'Database is connected' => 'Ansluten till databas', - 'Database is created' => 'Databasen är skapad', - 'Cannot create the database automatically' => 'Kan inte skapa databasen automatiskt', - 'Create settings.inc file' => 'Skapa filen settings.inc', - 'Create database tables' => 'Skapa databastabeller', - 'Create default shop and languages' => 'Skapa förvald butik och språk', - 'Populate database tables' => 'Fyll databas', - 'Configure shop information' => 'Konfigurera butiksinformation', - 'Install demonstration data' => 'Installera demodata', - 'Install modules' => 'Installera moduler', - 'Install Addons modules' => 'Installera tilläggsmoduler', - 'Install theme' => 'Installera tema', - 'Required PHP parameters' => 'Obligatoriska PHP-inställningar', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 eller senare är inte aktiverat', - 'Cannot upload files' => 'Kan inte ladda upp fil', - 'Cannot create new files and folders' => 'Kan inte skapa nya filer och kataloger', - 'GD library is not installed' => 'G-biblioteket är inte installerat', - 'MySQL support is not activated' => 'MySQL stöd är inte aktiverat', - 'Files' => 'Filer', - 'Not all files were successfully uploaded on your server' => 'Alla filer kunde inte laddas upp till din server', - 'Permissions on files and folders' => 'Rättigheter till filer och kataloger', - 'Recursive write permissions for %1$s user on %2$s' => 'Rekursiva skrivrättigheter för användare %1$s till %2$s', - 'Recommended PHP parameters' => 'Rekommenderade PHP-inställningar', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Du använder PHP version %s. Snart så kommer den senaste versionen som stöds av PrestaShop att vara 5.4. Se till att uppgradera till version 5.4 för att vara redo för framtiden!', - 'Cannot open external URLs' => 'Kan inte öppna externa URLs', - 'PHP register_globals option is enabled' => 'PHP-inställningen register_globals är aktiverad', - 'GZIP compression is not activated' => 'GZIP-komprimering är inte aktiverad', - 'Mcrypt extension is not enabled' => 'Modulen Mcrypt är inte aktiverad', - 'Mbstring extension is not enabled' => 'Modulen Mbstring är inte aktiverad', - 'PHP magic quotes option is enabled' => 'PHP-inställningen magic quotes är aktiverad', - 'Dom extension is not loaded' => 'Modulen Dom är inte laddad', - 'PDO MySQL extension is not loaded' => 'Modulen PDO MySQL är inte laddad', - 'Server name is not valid' => 'Felaktigt servernamn', - 'You must enter a database name' => 'Du måste skriva in ett databasnamn', - 'You must enter a database login' => 'Du måste skriva in en databaslogin', - 'Tables prefix is invalid' => 'Tabellprefix är ogiltig', - 'Cannot convert database data to utf-8' => 'Kan inte konvertera data i databasen till utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Det finns redan minst en tabell med samma prefix, ändra prefix eller ta bort din databas', - 'The values of auto_increment increment and offset must be set to 1' => 'Värdena på auto_increment, increment och offset måste vara 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Databasservern hittades inte. Verifiera fälten för login, lösenord och server', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Anslutningen till MySQL-servern lyckades, men databas "%s" hittades inte', - 'Attempt to create the database automatically' => 'Försök att skapa databasen automatiskt', - '%s file is not writable (check permissions)' => 'Filen %s är inte skrivbar (kontrollera rättigheter)', - '%s folder is not writable (check permissions)' => 'Katalogen %s är inte skrivbar (kontrollera rättigheter)', - 'Cannot write settings file' => 'Kan inte skriva inställningsfil', - 'Database structure file not found' => 'Databasens strukturfil kunde inte hittas', - 'Cannot create group shop' => 'Kan inte skapa butikgrupp', - 'Cannot create shop' => 'Kan inte skapa butik', - 'Cannot create shop URL' => 'Kunde inte skapa butikens URL', - 'File "language.xml" not found for language iso "%s"' => 'Filen "language.xml" hittades inte för språk med iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Filen "language.xml" är inte giltig för språk med iso "%s"', - 'Cannot install language "%s"' => 'Kan inte installera språk "%s"', - 'Cannot copy flag language "%s"' => 'Kan inte kopiera flaggan för språk "%s"', - 'Cannot create admin account' => 'Kan inte skapa administratörskonto', - 'Cannot install module "%s"' => 'Kan inte installera modul "%s"', - 'Fixtures class "%s" not found' => 'Klass "%s" kunde inte hittas', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" måste vara en instans av "InstallXmlLoader"', - 'Information about your Store' => 'Information om din butik', - 'Shop name' => 'Butik namn', - 'Main activity' => 'Huvudinriktning', - 'Please choose your main activity' => 'Välj din huvudinriktning', - 'Other activity...' => 'Annan inriktning...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Hjälp oss genom att tala om mer om din butik, så att vi kan erbjuda en optimal guide och de bästa funktionerna för din verksamhet!', - 'Install demo products' => 'Installera demo produkter', - 'Yes' => 'Ja', - 'No' => 'Nej', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demoprodukter är ett bra sätt att lära sig att använda PrestaShop. Du bör installera dem om du inte redan har kunskap om PrestaShop.', - 'Country' => 'Land', - 'Select your country' => 'Välj ditt land', - 'Shop timezone' => 'Butikens tidzon', - 'Select your timezone' => 'Välj din tidzon', - 'Shop logo' => 'Butikens logotype', - 'Optional - You can add you logo at a later time.' => 'Valfri - Du kan lägga till en logotyp senare.', - 'Your Account' => 'Ditt konto', - 'First name' => 'Förnamn', - 'Last name' => 'Efternamn', - 'E-mail address' => 'E-postadress', - 'This email address will be your username to access your store\'s back office.' => 'Den här mailadressen kommer att vara det användarnamn du loggar in med i administrationsdelen.', - 'Shop password' => 'Butikens lösenord', - 'Must be at least 8 characters' => 'Måste vara minst 8 tecken', - 'Re-type to confirm' => 'Skriv igen för att bekräfta', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Alla uppgifter som ges till oss samlas in för att behandla data och statistik, det är nödvändigt för att medlemmar av PrestaShop\'s gemenskap ska få besvarat sina ärenden. Dina personliga uppgifter kan komma att lämnas till tjänsteleverantörer och partners. Enligt "Act on Data Processing, Data Files and Individual Liberties", så har du rätt att få tillgång till, rätta och motsätta dig behandlingen av din personliga data via denna länk.', - 'Configure your database by filling out the following fields' => 'Konfigurera din databas genom att fylla i följande fält', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'För att använda PrestaShop så måste du skapa en databas för att lagra din butiks data.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Vänligen fyll i fälten nedan för att koppla PrestaShop till din databas. ', - 'Database server address' => 'Databasens serveradress', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Förvald port är 3306. För att använda en annan port, ange portnumret efter din serveradress, ex. ":4242".', - 'Database name' => 'Databas namn', - 'Database login' => 'Databasinloggning', - 'Database password' => 'Databas lösenord', - 'Database Engine' => 'Databasmotor', - 'Tables prefix' => 'Prefix för tabeller', - 'Drop existing tables (mode dev)' => 'Ta bort existerande tabeller (utv.läge)', - 'Test your database connection now!' => 'Testa din databaskoppling nu!', - 'Next' => 'Nästa', - 'Back' => 'Tillbaka', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Om du behöver någon hjälp, så kan du få anpassad hjälp från vårt supportteam. Den officiella dokumentationen kan också hjälpa dig.', - 'Official forum' => 'Officiellt forum', - 'Support' => 'Support', - 'Documentation' => 'Dokumentation', - 'Contact us' => 'Kontakta oss', - 'PrestaShop Installation Assistant' => 'PrestaShop Installationsassistent', - 'Forum' => 'Forum', - 'Blog' => 'Blogg', - 'Contact us!' => 'Kontakta oss!', - 'menu_welcome' => 'Välj ditt språk', - 'menu_license' => 'Licensavtal', - 'menu_system' => 'Systemkompatibilitet', - 'menu_configure' => 'Butiksinformation', - 'menu_database' => 'Systemkonfiguration', - 'menu_process' => 'Butiksinstallation', - 'Installation Assistant' => 'Installationsassistenten', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Du måste ha JavaScript aktiverat i din webbläsare för att kunna installera PrestaShop.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => 'Licensavtal', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Innan du använder alla funktioner som erbjuds gratis av PrestaShop, vänligen läs licensavtalet nedan. PrestaShop licensieras under OSL 3.0, medan moduler och teman licensieras under AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Jag godkänner ovanstående villkor.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Jag samtycker till att medverka till förbättringar genom att skicka anonym information om min konfiguration.', - 'Done!' => 'Klart!', - 'An error occurred during installation...' => 'Ett fel uppstod under installationen...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Du kan använda länkarna i vänsterkolumnen för att gå tillbaka till föregående steg, eller starta om installationen genom att klicka här.', - 'Your installation is finished!' => 'Din installation är klar!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Du har precis installerat din butik. Tack för att du använder PrestaShop!', - 'Please remember your login information:' => 'Glöm inte dina inloggningsuppgifter:', - 'E-mail' => 'E-post', - 'Print my login information' => 'Skriv ut min inloggningsinformation', - 'Password' => 'Lösenord', - 'Display' => 'Visa', - 'For security purposes, you must delete the "install" folder.' => 'Av säkerhetsskäl måste du ta bort katalogen "install".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Back Office', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Hantera din butik via Back Office. Hantera dina order och kunder, lägg till modules, ändra tema, etc.', - 'Manage your store' => 'Hantera din butik', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Visa din butik så som dina kunder ser den!', - 'Discover your store' => 'Se din butik', - 'Share your experience with your friends!' => 'Dela din upplevelse med dina vänner!', - 'I just built an online store with PrestaShop!' => 'Jag har precis byggt en e-butik med PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Se den häftiga upplevelsen: http://vimeo.com/89298199', - 'Tweet' => 'Twittra', - 'Share' => 'Dela', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Utforska PrestaShop Addons för att lägga till något extra till din butik!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Vi kontrollerar om PrestaShop är kompatibel med din servermiljö', - 'If you have any questions, please visit our documentation and community forum.' => 'Om du har frågor, besök vår dokumentation och forum.', - 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop är kompatibelt med din servemiljö!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Vänligen rätta punkterna nedan, klicka sen på "Uppdatera information" för att testa kompatibiliteten för ditt nya system.', - 'Refresh these settings' => 'Uppdatera inställningarna', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop behöver minst 32 Mb minne för att köras: kontrollera inställningen memory_limit i din php.ini eller kontakta ditt webbhotell för hjälp.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Varning: Du kan inte använda det här verktyget längre för att uppgradera din butik.

Du har redan PrestaShop version %1$s installerad.

Om du vill uppgradera till senaste version, läs vår dokumentation: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'Välkommen till installationen för PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Att installera PrestaShop går snabbt och är enkelt. På bara några få steg blir du en del av communityt som består av mer än 230,000 e-handlare. Du är på väg att skapa din egen unika e-butik som du enkelt administrerar varje dag.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Om du behöver hjälp, tveka inte att titta på den här instruktionen, eller kolla vår dokumentation.', - 'Continue the installation in:' => 'Fortsätt med installationen på:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Språkvalet ovan används bara att installationsassistenten. När din butik är installerad kan du välja språk till din butik från över %d översättningar, alla gratis!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Att installera PrestaShop går snabbt och är enkelt. På bara några få steg blir du en del av communityt som består av mer än 250,000 e-handlare. Du är på väg att skapa din egen unika e-butik som du enkelt administrerar varje dag.', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Ett SQL-fel inträffade för entiteten %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Det går inte att skapa bilden "%1$s" för enheten "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Det går inte att skapa bilden "%1$s" (dåliga behörigheter för mappen "%2$s")', + 'Cannot create image "%s"' => 'Kan inte skapa bilden "%s"', + 'SQL error on query %s' => 'SQL-fel på fråga %s', + '%s Login information' => '%s Inloggningsinformation', + 'Field required' => 'Fält krävs', + 'Invalid shop name' => 'Ogiltigt butiksnamn', + 'The field %s is limited to %d characters' => 'Fältet %s är begränsat till %d tecken', + 'Your firstname contains some invalid characters' => 'Ditt förnamn innehåller några ogiltiga tecken', + 'Your lastname contains some invalid characters' => 'Ditt efternamn innehåller några ogiltiga tecken', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Lösenordet är felaktigt (alfanumerisk sträng med minst 8 tecken)', + 'Password and its confirmation are different' => 'Lösenordet och dess bekräftelse är olika', + 'This e-mail address is invalid' => 'Den här e-postadressen är ogiltig', + 'Image folder %s is not writable' => 'Bildmappen %s är inte skrivbar', + 'An error occurred during logo copy.' => 'Ett fel uppstod under kopieringen av logotypen.', + 'An error occurred during logo upload.' => 'Ett fel uppstod under uppladdningen av logotypen.', + 'Lingerie and Adult' => 'Underkläder och vuxen', + 'Animals and Pets' => 'Djur och husdjur', + 'Art and Culture' => 'Konst och kultur', + 'Babies' => 'Bebisar', + 'Beauty and Personal Care' => 'Skönhet och personlig vård', + 'Cars' => 'Bilar', + 'Computer Hardware and Software' => 'Hårdvara och programvara', + 'Download' => 'Ladda ner', + 'Fashion and accessories' => 'Mode och accessoarer', + 'Flowers, Gifts and Crafts' => 'Blommor, presenter och hantverk', + 'Food and beverage' => 'Mat och dryck', + 'HiFi, Photo and Video' => 'HiFi, foto och video', + 'Home and Garden' => 'Hem och Trädgård', + 'Home Appliances' => 'Vitvaror', + 'Jewelry' => 'Smycken', + 'Mobile and Telecom' => 'Mobil och Telekom', + 'Services' => 'Tjänster', + 'Shoes and accessories' => 'Skor och accessoarer', + 'Sports and Entertainment' => 'Sport och underhållning', + 'Travel' => 'Resa', + 'Database is connected' => 'Databasen är ansluten', + 'Database is created' => 'Databas skapas', + 'Cannot create the database automatically' => 'Det går inte att skapa databasen automatiskt', + 'Create settings.inc file' => 'Skapa filen settings.inc', + 'Create database tables' => 'Skapa databastabeller', + 'Create default website and languages' => 'Skapa standardwebbplats och språk', + 'Populate database tables' => 'Fyll i databastabeller', + 'Configure website information' => 'Konfigurera webbplatsinformation', + 'Install demonstration data' => 'Installera demonstrationsdata', + 'Install modules' => 'Installera moduler', + 'Install Addons modules' => 'Installera tilläggsmoduler', + 'Install theme' => 'Installera tema', + 'Required PHP parameters' => 'Nödvändiga PHP-parametrar', + 'The required PHP version is between 5.6 to 7.4' => 'Den nödvändiga PHP-versionen är mellan 5.6 och 7.4', + 'Cannot upload files' => 'Kan inte ladda upp filer', + 'Cannot create new files and folders' => 'Det går inte att skapa nya filer och mappar', + 'GD library is not installed' => 'GD-biblioteket är inte installerat', + 'PDO MySQL extension is not loaded' => 'PDO MySQL-tillägget är inte laddat', + 'Curl extension is not loaded' => 'Curl extension är inte laddad', + 'SOAP extension is not loaded' => 'SOAP-tillägget laddas inte', + 'SimpleXml extension is not loaded' => 'SimpleXml-tillägget är inte laddat', + 'In the PHP configuration set memory_limit to minimum 128M' => 'I PHP-konfigurationen ställ in memory_limit till minst 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'I PHP-konfigurationen ställ in max_execution_time till minst 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'I PHP-konfigurationen ställ in upload_max_filesize till minst 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Kan inte öppna externa webbadresser (kräver allow_url_fopen som På).', + 'ZIP extension is not enabled' => 'ZIP-tillägget är inte aktiverat', + 'Files' => 'Filer', + 'Not all files were successfully uploaded on your server' => 'Alla filer laddades inte upp på din server', + 'Permissions on files and folders' => 'Behörigheter för filer och mappar', + 'Recursive write permissions for %1$s user on %2$s' => 'Rekursiva skrivbehörigheter för %1$s användare på %2$s', + 'Recommended PHP parameters' => 'Rekommenderade PHP-parametrar', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Du använder PHP %s version. Snart kommer den senaste PHP-versionen som stöds av QloApps att vara PHP 5.6. För att vara säker på att du är redo för framtiden rekommenderar vi att du uppgraderar till PHP 5.6 nu!', + 'PHP register_globals option is enabled' => 'Alternativet PHP register_globals är aktiverat', + 'GZIP compression is not activated' => 'GZIP-komprimering är inte aktiverad', + 'Mbstring extension is not enabled' => 'Mbstring-tillägget är inte aktiverat', + 'Dom extension is not loaded' => 'Dom-förlängningen är inte laddad', + 'Server name is not valid' => 'Servernamnet är inte giltigt', + 'You must enter a database name' => 'Du måste ange ett databasnamn', + 'You must enter a database login' => 'Du måste ange en databasinloggning', + 'Tables prefix is invalid' => 'Tabellprefixet är ogiltigt', + 'Cannot convert database data to utf-8' => 'Kan inte konvertera databasdata till utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Minst en tabell med samma prefix har redan hittats, vänligen ändra ditt prefix eller släpp din databas', + 'The values of auto_increment increment and offset must be set to 1' => 'Värdena för auto_increment inkrement och offset måste ställas in på 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Databasservern hittades inte. Vänligen verifiera fälten för inloggning, lösenord och server', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Anslutningen till MySQL-servern lyckades, men databasen "%s" hittades inte', + 'Attempt to create the database automatically' => 'Försök att skapa databasen automatiskt', + '%s file is not writable (check permissions)' => '%s-filen är inte skrivbar (kontrollera behörigheter)', + '%s folder is not writable (check permissions)' => '%s mappen är inte skrivbar (kontrollera behörigheter)', + 'Cannot write settings file' => 'Kan inte skriva inställningsfil', + 'Database structure file not found' => 'Databasstrukturfilen hittades inte', + 'Cannot create group shop' => 'Det går inte att skapa gruppbutik', + 'Cannot create shop' => 'Kan inte skapa butik', + 'Cannot create shop URL' => 'Det går inte att skapa butiks-URL', + 'File "language.xml" not found for language iso "%s"' => 'Filen "language.xml" hittades inte för språket iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Filen "language.xml" är inte giltig för språket iso "%s"', + 'Cannot install language "%s"' => 'Kan inte installera språket "%s"', + 'Cannot copy flag language "%s"' => 'Kan inte kopiera flaggspråket "%s"', + 'Cannot create admin account' => 'Det går inte att skapa ett administratörskonto', + 'Cannot install module "%s"' => 'Kan inte installera modulen "%s"', + 'Fixtures class "%s" not found' => 'Fixturklassen "%s" hittades inte', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" måste vara en instans av "InstallXmlLoader"', + 'Information about your Website' => 'Information om din webbplats', + 'Website name' => 'Webbplatsens namn', + 'Main activity' => 'Huvudaktivitet', + 'Please choose your main activity' => 'Välj din huvudaktivitet', + 'Other activity...' => 'Annan aktivitet...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Hjälp oss att lära oss mer om din butik så att vi kan erbjuda dig optimal vägledning och de bästa funktionerna för ditt företag!', + 'Install demo data' => 'Installera demodata', + 'Yes' => 'Ja', + 'No' => 'Nej', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Att installera demodata är ett bra sätt att lära sig hur man använder QloApps om du inte har använt det tidigare. Dessa demodata kan senare raderas med modulen QloApps Data Cleaner som kommer förinstallerad med denna installation.', + 'Country' => 'Land', + 'Select your country' => 'Välj ditt land', + 'Website timezone' => 'Webbplatsens tidszon', + 'Select your timezone' => 'Välj din tidszon', + 'Enable SSL' => 'Aktivera SSL', + 'Shop logo' => 'Butikens logotyp', + 'Optional - You can add you logo at a later time.' => 'Valfritt - Du kan lägga till din logotyp vid ett senare tillfälle.', + 'Your Account' => 'Ditt konto', + 'First name' => 'Förnamn', + 'Last name' => 'Efternamn', + 'E-mail address' => 'E-postadress', + 'This email address will be your username to access your website\'s back office.' => 'Denna e-postadress kommer att vara ditt användarnamn för att komma åt din webbplatss backoffice.', + 'Password' => 'Lösenord', + 'Must be at least 8 characters' => 'Måste vara minst 8 tecken', + 'Re-type to confirm' => 'Skriv igen för att bekräfta', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Informationen du ger oss samlas in av oss och är föremål för databehandling och statistik. Enligt den nuvarande "lagen om databehandling, datafiler och individuella friheter" har du rätt att få tillgång till, korrigera och motsätta dig behandling av dina personuppgifter genom denna länk.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Jag samtycker till att ta emot nyhetsbrevet och kampanjerbjudanden från QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Du kommer alltid att få transaktionsmail som nya uppdateringar, säkerhetsfixar och patchar även om du inte väljer detta alternativ.', + 'Configure your database by filling out the following fields' => 'Konfigurera din databas genom att fylla i följande fält', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'För att använda QloApps måste du skapa en databas för att samla in alla datarelaterade aktiviteter på din webbplats.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Fyll i fälten nedan för att QloApps ska ansluta till din databas.', + 'Database server address' => 'Databasserveradress', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Standardporten är 3306. För att använda en annan port, lägg till portnumret i slutet av serverns adress, dvs. ":4242".', + 'Database name' => 'Databas namn', + 'Database login' => 'Databasinloggning', + 'Database password' => 'Databaslösenord', + 'Database Engine' => 'Databasmotor', + 'Tables prefix' => 'Tabeller prefix', + 'Drop existing tables (mode dev)' => 'Släpp befintliga tabeller (lägesutveckling)', + 'Test your database connection now!' => 'Testa din databasanslutning nu!', + 'Next' => 'Nästa', + 'Back' => 'Tillbaka', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Om du behöver hjälp kan du få skräddarsydd hjälp från vårt supportteam. Den officiella dokumentationen är också här för att vägleda dig.', + 'Official forum' => 'Officiellt forum', + 'Support' => 'Stöd', + 'Documentation' => 'Dokumentation', + 'Contact us' => 'Kontakta oss', + 'QloApps Installation Assistant' => 'QloApps installationsassistent', + 'Forum' => 'Forum', + 'Blog' => 'Blogg', + 'menu_welcome' => 'Välj ditt språk', + 'menu_license' => 'Licensavtal', + 'menu_system' => 'Systemkompatibilitet', + 'menu_configure' => 'Webbplatsinformation', + 'menu_database' => 'Systemkonfiguration', + 'menu_process' => 'QloApps installation', + 'Need Help?' => 'Behövs hjälp?', + 'Click here to Contact us' => 'Klicka här för att kontakta oss', + 'Installation' => 'Installation', + 'See our Installation guide' => 'Se vår installationsguide', + 'Tutorials' => 'Handledningar', + 'See our QloApps tutorials' => 'Se våra QloApps-tutorials', + 'Installation Assistant' => 'Installationsassistent', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'För att installera QloApps måste du ha JavaScript aktiverat i din webbläsare.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Licensavtal', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'För att ta del av de många funktionerna som erbjuds gratis av QloApps, läs licensvillkoren nedan. QloApps kärna är licensierad under OSL 3.0, medan modulerna och teman är licensierade under AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Jag godkänner ovanstående villkor.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Jag samtycker till att delta i att förbättra lösningen genom att skicka anonym information om min konfiguration.', + 'Done!' => 'Gjort!', + 'An error occurred during installation...' => 'Ett fel uppstod under installationen...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Du kan använda länkarna i den vänstra kolumnen för att gå tillbaka till föregående steg, eller starta om installationsprocessen genom att klicka här.', + 'Suggested Modules' => 'Föreslagna moduler', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Hitta precis de rätta funktionerna på QloApps Addons för att göra din gästfrihetsverksamhet till en framgång.', + 'Discover All Modules' => 'Upptäck alla moduler', + 'Suggested Themes' => 'Föreslagna teman', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Skapa en design som passar ditt hotell och dina kunder, med ett färdigt malltema.', + 'Discover All Themes' => 'Upptäck alla teman', + 'Your installation is finished!' => 'Din installation är klar!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Du har precis avslutat installationen av QloApps. Tack för att du använder QloApps!', + 'Please remember your login information:' => 'Kom ihåg dina inloggningsuppgifter:', + 'E-mail' => 'E-post', + 'Print my login information' => 'Skriv ut mina inloggningsuppgifter', + 'Display' => 'Visa', + 'For security purposes, you must delete the "install" folder.' => 'Av säkerhetsskäl måste du ta bort mappen "installera".', + 'Back Office' => 'Back Office', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Hantera din webbplats med ditt Back Office. Hantera dina beställningar och kunder, lägg till moduler, ändra teman osv.', + 'Manage Your Website' => 'Hantera din webbplats', + 'Front Office' => 'Front Office', + 'Discover your website as your future customers will see it!' => 'Upptäck din webbplats när dina framtida kunder kommer att se den!', + 'Discover Your Website' => 'Upptäck din webbplats', + 'Share your experience with your friends!' => 'Dela din upplevelse med dina vänner!', + 'I just built an online hotel booking website with QloApps!' => 'Jag har precis byggt en webbsida för hotellbokning online med QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Se alla funktioner här: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Tweet', + 'Share' => 'Dela med sig', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Vi kontrollerar för närvarande QloApps kompatibilitet med din systemmiljö', + 'If you have any questions, please visit our documentation and community forum.' => 'Om du har några frågor, besök vår dokumentation och gemenskapsforum< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'QloApps kompatibilitet med din systemmiljö har verifierats!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'hoppsan! Vänligen korrigera objektet eller objekten nedan och klicka sedan på "Uppdatera information" för att testa kompatibiliteten för ditt nya system.', + 'Refresh these settings' => 'Uppdatera dessa inställningar', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps kräver minst 128 MB minne för att köras: kontrollera memory_limit-direktivet i din php.ini-fil eller kontakta din värdleverantör om detta.', + 'Welcome to the QloApps %s Installer' => 'Välkommen till QloApps %s installationsprogram', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Att installera QloApps är snabbt och enkelt. På bara några ögonblick kommer du att bli en del av en gemenskap. Du är på väg att skapa din egen hotellbokningswebbplats som du enkelt kan hantera varje dag.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Om du behöver hjälp, tveka inte att titta på den här korta handledningen eller kolla vår dokumentation.', + 'Continue the installation in:' => 'Fortsätt installationen i:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Språkvalet ovan gäller endast för installationsassistenten. När QloApps är installerat kan du välja språket på din webbplats bland över %d översättningar, helt gratis!', + ), +); \ No newline at end of file diff --git a/install/langs/tr/install.php b/install/langs/tr/install.php index f8e169ba4..aa3787e01 100644 --- a/install/langs/tr/install.php +++ b/install/langs/tr/install.php @@ -1,212 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => - array( - 'An SQL error occurred for entity %1$s: %2$s' => 'Bir SQL varlık hatası oluştu %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Varlık "%1$s" için "%2$s" imaj oluşturulamıyor.', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Görüntü oluşturulamıyor "%1$s" (klasör izinleri düzgün ayarlanmanış "%2$s")', - 'Cannot create image "%s"' => 'Görüntü "%s" oluşturulamıyor', - 'SQL error on query %s' => 'SQL sorgu hatası %s', - '%s Login information' => '%s Giriş Bilgileri', - 'Field required' => 'Alan gereklidir', - 'Invalid shop name' => 'Geçersiz dükkan ismi', - 'The field %s is limited to %d characters' => '%s Alan %d karakter ile sınırlıdır.', - 'Your firstname contains some invalid characters' => 'İlk isim bazı geçersiz karakterler içeriyor', - 'Your lastname contains some invalid characters' => 'Sizin soyadınız bazı geçersiz karakterler içeriyor', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Parola yanlış (en az 8 alfanümerik karakterden oluşmalıdır) ', - 'Password and its confirmation are different' => 'Şifre ve onay girişi birbirinden farklı.', - 'This e-mail address is invalid' => 'Bu e-mail adresi yanlış !', - 'Image folder %s is not writable' => 'Resim klasörü %s yazılabilir değil', - 'An error occurred during logo copy.' => 'Logo kopyalama sırasında bir hata meydana geldi.', - 'An error occurred during logo upload.' => 'Logo yükleme sırasında bir hata oluştu.', - 'Lingerie and Adult' => 'Mücevher', - 'Animals and Pets' => 'Hayvanlar', - 'Art and Culture' => 'Sanat ve Kültür', - 'Babies' => 'Bebek', - 'Beauty and Personal Care' => 'Güzellik ve bakım ürünleri', - 'Cars' => 'Araba', - 'Computer Hardware and Software' => 'Bilgisayar donanım ve yazılım', - 'Download' => 'Program', - 'Fashion and accessories' => 'Moda ve Aksesuar', - 'Flowers, Gifts and Crafts' => 'Çiçek, Hediyelik Eşya ve El Sanatları', - 'Food and beverage' => 'Gıda', - 'HiFi, Photo and Video' => 'Fotoğraf ve video', - 'Home and Garden' => 'Bahçe ve ev', - 'Home Appliances' => 'Ev Aletleri', - 'Jewelry' => 'Değerli Madenler', - 'Mobile and Telecom' => 'Gsm - Telefon', - 'Services' => 'Hizmet', - 'Shoes and accessories' => 'Ayakkabı ve aksesuarları', - 'Sports and Entertainment' => 'Spor ve Eğlence', - 'Travel' => 'Seyahat', - 'Database is connected' => 'Veritabanına bağlandı.', - 'Database is created' => 'Veritabanı oluşturuldu', - 'Cannot create the database automatically' => 'Otomatik veritabanı oluşturulamıyor.', - 'Create settings.inc file' => 'Settings.inc dosyası oluşturuluyor', - 'Create database tables' => 'Veritabanı tabloları oluşturuluyor', - 'Create default shop and languages' => 'Varsayılan dükkan ve dil oluşturuluyor', - 'Populate database tables' => 'Veritabanı dosyalarına popüler veriler işleniyor', - 'Configure shop information' => 'Dükkan bilgilerini yapılandırıyor', - 'Install demonstration data' => 'Tanıtım verileri yükleniyor', - 'Install modules' => 'Modüller kuruluyor', - 'Install Addons modules' => 'Modül eklentileri kuruluyor', - 'Install theme' => 'Tema kuruluyor', - 'Required PHP parameters' => 'Gerekli PHP parametreleri', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 veya üstü etkinleştirilmemiştir', - 'Cannot upload files' => 'Dosyaları karşıya yüklenemiyor', - 'Cannot create new files and folders' => 'Yeni dosyalar ve klasörleri oluşturamazsınız', - 'GD Library is not installed' => 'GD Kütüphanesi yüklü değil', - 'MySQL support is not activated' => 'MySQL desteği aktif değil', - 'Files' => 'Dosyalar', - 'All files are not successfully uploaded on your server' => 'Tüm dosyalar başarıyla sunucuya yüklenemedi', - 'Permissions on files and folders' => 'Dosyalar ve klasörler üzerindeki izinler', - 'Recursive write permissions for %1$s user on %2$s' => 'Yazma izinlerini yenilemelisiniz %1$s kullanıcının %2$s', - 'Recommended PHP parameters' => 'Önerilen PHP parametreleri', - 'Cannot open external URLs' => 'Harici URL ler açılamıyor', - 'PHP register_globals option is enabled' => 'PHP register_globals seçeneği etkinleştirildiğinde', - 'GZIP compression is not activated' => 'GZIP sıkıştırma aktif değil', - 'Mcrypt extension is not enabled' => 'Mcrypt uzantısı etkinleştirilmemiştir', - 'Mbstring extension is not enabled' => 'Mbstrin uzantısı getkinleştirilmemiştir ', - 'PHP magic quotes option is enabled' => 'PHP sihirli tırnak seçeneği etkinse', - 'Dom extension is not loaded' => 'Dom eklenti yüklü değil', - 'PDO MySQL extension is not loaded' => 'PDO MySQL eklentisi yüklü değil', - 'Server name is not valid' => 'Sunucu adı geçerli değil', - 'You must enter a database name' => 'Bir veritabanı adı girmelisiniz', - 'You must enter a database login' => 'Bir veritabanı oturumu girmelisiniz', - 'Tables prefix is invalid' => 'Tablo öneki geçersiz', - 'Cannot convert database data to utf-8' => 'Utf-8 veritabanı verileri dönüştürülemez', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Aynı önek ile en az bir tablo zaten bulundu, sizin öneki değiştiririn veya veritabanına bırakın lütfen', - 'Database Server is not found. Please verify the login, password and server fields' => 'Veritabanı Sunucu bulunamadı. Giriş, parola ve sunucu alanlarını kontrol edin', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'MySQL sunucusuna bağlantı başarılı, ancak veritabanı "%s" bulunamadı', - 'Attempt to create the database automatically' => 'Otomatik veritabanı oluşturma girişiminde', - '%s file is not writable (check permissions)' => '%s dosyası yazılabilir değil (izinlerini kontrol ediniz)', - '%s folder is not writable (check permissions)' => '%s klasörü yazılabilir değil (izinleri kontrol ediniz)', - 'Cannot write settings file' => 'Ayarlar dosyasını yazamıyor', - 'Database structure file not found' => 'Veritabanı yapısı dosyası bulunamadı', - 'Cannot create group shop' => 'Grup dükkanı oluşturulamıyor', - 'Cannot create shop' => 'Dükkan oluşturulamıyor', - 'Cannot create shop URL' => 'Dükkan URL oluşturulamıyor', - 'File "language.xml" not found for language iso "%s"' => 'Dosya "language.xml" iso dil dosyası bulunamadı "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'Dosya "language.xml" iso dil dosyası geçersiz "%s"', - 'Cannot install language "%s"' => 'Dil yüklenemiyor "%s"', - 'Cannot copy flag language "%s"' => 'Dil bayrağı "%s" kopyalanamıyor', - 'Cannot create admin account' => 'Yönetici hesabı oluşturulamıyor', - 'Cannot install module "%s"' => 'Modüller yüklenemiyor "%s"', - 'Fixtures class "%s" not found' => 'Demirbaşlar sınıfı "%s" bulunamadı', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" "XmlLoader Kurulum" bir örneği olmalıdır', - 'Information about your Store' => 'Senin dükkanın hakkında bilgiler', - 'Shop name' => 'Mağaza adı', - 'Main activity' => 'Ana faaliyet', - 'Please choose your main activity' => 'Ana faaliyeti seçiniz', - 'Other activity...' => 'Diğer faaliyet...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Size işiniz için en uygun rehberlik ve en iyi özellikleri sunan, böylece bize mağaza hakkında daha fazla bilgi edinmek için yardım!', - 'Install demo products' => 'Deneme ürünler yükleniyor', - 'Yes' => 'Evet', - 'No' => 'Hayır', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Demo ürünler PrestaShop kullanmayı öğrenmek için en iyi bir yoldur. Eğer aşina değilseniz bunları yüklemeniz gerekir.', - 'Country' => 'Ülke', - 'Select your country' => 'Ülkenizi seçin', - 'Shop timezone' => 'Dükkan Zaman Dilimi', - 'Select your timezone' => 'Zaman dilimini seçin', - 'Shop logo' => 'Dükkan Logo', - 'Optional - You can add you logo at a later time.' => 'İsteğe bağlı - bir başka zaman siz logo ekleyebilirsiniz.', - 'Your Account' => 'Hesabınız', - 'First name' => 'Adı', - 'Last name' => 'Soyadı', - 'E-mail address' => 'E-posta adresi', - 'This email address will be your username to access your store\'s back office.' => 'Bu e-posta adresi mağazanın yönetim paneline girmek için kullanıcı adınızı olacaktır.', - 'Shop password' => 'Dükkan Parolası', - 'Must be at least 8 characters' => 'En az 8 karakter olmalı', - 'Re-type to confirm' => 'Onaylamak için yeniden yazın', - 'Sign-up to the newsletter' => 'Bültene kaydolma', - 'PrestaShop can provide you with guidance on a regular basis by sending you tips on how to optimize the management of your store which will help you grow your business. If you do not wish to receive these tips, please uncheck this box.' => 'PrestaShop size işinizi büyütmenize yardımcı olacak mağaza yönetimini optimize etmeniz için düzenli ipuçları göndererek size rehberlik sağlayabilir. Bu ipuçlarını almak istemiyorsanız, bu kutunun işaretini kaldırın lütfen.', - 'Configure your database by filling out the following fields' => 'Aşağıdaki alanları doldurarak veritabanını yapılandırın', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'PrestaShop kullanmak için yapmanız gereken Bir Veritabanı Oluştur mağazanın faaliyetleri ile ilgili tüm verileri toplamak için.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'PrestaShop veritabanına bağlanmak için aşağıdaki alanları doldurun.', - 'Database server address' => 'Veritabanı sunucusu adresi', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Varsayılan bağlantı noktası 3306. Farklı bir port kullanmak için, sunucunuzun adresi ile sonuna port numarasını ekleyiniz "Örneğin: 127.0.0.1:4242"', - 'Database name' => 'Veritabanı Adı', - 'Database login' => 'Veritabanı Kullanı Adı', - 'Database password' => 'Veritabanı Şifresi', - 'Database Engine' => 'Veritabanı Motoru', - 'Tables prefix' => 'Tablolar için önad', - 'Drop existing tables (mode dev)' => 'Varolan tabloları olduğu gibi bırak (mod dev)', - 'Test your database connection now!' => 'Şimdi veritabanı bağlantısını test edin!', - 'Next' => 'Sonraki', - 'Back' => 'Geri', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => 'Resmi Forum', - 'Support' => 'Destek', - 'Documentation' => 'Belgeleme', - 'Contact us' => 'İletişim', - 'PrestaShop Installation Assistant' => 'PrestaShop Kurulum Asistanı', - 'Forum' => 'Forum', - 'Blog' => 'Blog', - 'Contact us!' => 'Bize Ulaşın!', - 'menu_welcome' => 'Dilinizi Seçin', - 'menu_license' => 'Lisans Anlaşmaları', - 'menu_system' => 'Sistem Uyumluluğu', - 'menu_configure' => 'Mağaza Bilgileri', - 'menu_database' => 'Sistem Yapılandırması', - 'menu_process' => 'Mağaza Kurulumu', - 'Installation Assistant' => 'Kurulum Yardımcısı', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'PrestaShop yüklemek için, JavaScript\'in tarayıcınızda etkinleştirilmiş olması gerekir.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/tr/', - 'License Agreements' => 'Lisans Sözleşmeleri', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'PrestaShop tarafından ücretsiz olarak sunulan birçok özelliğin tadını çıkarmak için, aşağıdaki lisans koşullarını okuyun. Modüller ve temalar AFL 3.0 altında lisanslı ise PrestaShop çekirdek, OSL 3.0 altında lisanslıdır.', - 'I agree to the above terms and conditions.' => 'Ben yukarıdaki tüm şartları ve koşulları kabul ediyorum.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Benim yapılandırmam hakkında anonim bilgi göndererek, çözüm geliştirmesine katılmayı kabul ediyorum.', - 'Done!' => 'Bitti!', - 'An error occured during installation...' => 'Yükleme sırasında bir hata oluştu...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Önceki adıma geri gidiniz, ya da Buraya Tıklayın. Yükleme işlemini yeniden başlatmak için sol sütundaki linkleri kullanabilirsiniz.', - 'Your installation is finished!' => 'Yükleme işleminiz Tamamlandı!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Siz sadece dükkan yüklemeyi bitirdiniz. PrestaShop kullandığınız için teşekkür ederiz!', - 'Please remember your login information' => 'Oturum açma bilgilerinizi unutmayın', - 'E-mail' => 'E-Posta', - 'Print my login information' => 'Oturum açma bilgilerini yazdırın', - 'Password' => 'Parola', - 'Display' => 'Ekran', - 'For security purposes, you must delete the "install" folder.' => 'Güvenlik amacıyla "install" klasörünü silmeniz gerekir.', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Yönetim Paneli', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Sizin Yönetim panelini kullanarak mağazayı yönetebilir. Emir ve müşteri yönetmek, modülleri eklemek, temaları değiştirmek, vb.', - 'Manage your store' => 'Mağazanızı Yönetin', - 'Front Office' => 'Ön Büro', - 'Discover your store as your future customers will see it!' => 'Gelecekte müşterilerinizin göreceği şekilde bir hikaye keşfedin!', - 'Discover your store' => 'Mağazayı Keşfedin', - 'Share your experience with your friends!' => 'Arkadaşlarınızla deneyiminizi paylaşın!', - 'I just built an online store with PrestaShop!' => 'Ben sadece PrestaShop ile çevrimiçi bir mağaza zaten satın aldım!', - 'Look at this exhilarating experience : http://vimeo.com/89298199' => 'Heyecan verici bir deneyim için buraya bakın: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Paylaş', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add the little something extra to your store!' => 'PrestaShop eklentilerinde mağazanıza ekstra bir şeyler eklemek için ödeme yapınız!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Şu anda sistem ortam ile PrestaShop uyumluluğu kontrol edilir', - 'If you have any questions, please visit our documentation and community forum.' => 'Herhangi bir sorunuz varsa, lütfen bizim Dökümanlar and Topluluk Forumu.', - 'PrestaShop compatibility with your system environment has been verified!' => 'Sistem ortamı ile PrestaShop uyumluluğu doğrulandı!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Durrr! Aşağıdaki kalem(leri) düzeltin, ve sonra yeni sistem uyumluluğunu test etmek için "Bilgi Yenile" ye tıklayın.', - 'Refresh these settings' => 'Bu Ayarları Yenile', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop çalıştırmak için en az 32 MB bellek gerektirir: php.ini dosyasında memory_limit yönergesini kontrol ediniz veya bu konuda host sağlayıcınıza başvurunuz.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Uyarı:.. Siz mağaza yükseltmek için artık bu aracı kullanamazsınız.

Zaten var PrestaShop %1$s sürümü kurulu.

Eğer en son sürüme yükseltmek istiyorsanız bizim dökümanlarımızı okuyun lütfen: %2$s', - 'Welcome to the PrestaShop %s Installer' => 'PrestaShop %s Yükleyiciye Hoşgeldiniz', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop kurulumu hızlı ve kolaydır. Sadece birkaç dakika içinde, size 250.000 \'den fazla tüccar oluşan bir topluluğun parçası haline gelecektir. Size her gün rahatlıkla yönetebileceğiniz kendi özgün bir online mağaza oluşturmak için çalışılmaktadır.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => 'Kurulum Devam Ediyor:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Yukarıda dil seçimi yalnızca kurulum asistanı için geçerlidir. Mağaza yüklendikten sonra, tüm ücretsiz, %d çeviriler bölümünden mağaza dilinizi seçebilirsiniz!', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => '%1$s varlığı için bir SQL hatası oluştu: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => '"%2$s" varlığı için "%1$s" görüntüsü oluşturulamıyor', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => '"%1$s" görüntüsü oluşturulamıyor ("%2$s" klasöründe hatalı izinler)', + 'Cannot create image "%s"' => '"%s" resmi oluşturulamıyor', + 'SQL error on query %s' => '%s sorgusunda SQL hatası', + '%s Login information' => '%s Giriş bilgileri', + 'Field required' => 'Alan gerekli', + 'Invalid shop name' => 'Geçersiz mağaza adı', + 'The field %s is limited to %d characters' => '%s alanı %d karakterle sınırlıdır', + 'Your firstname contains some invalid characters' => 'Adınız bazı geçersiz karakterler içeriyor', + 'Your lastname contains some invalid characters' => 'Soyadınız bazı geçersiz karakterler içeriyor', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Şifre yanlış (en az 8 karakterden oluşan alfanümerik dize)', + 'Password and its confirmation are different' => 'Şifre ve onayı farklı', + 'This e-mail address is invalid' => 'Bu e-posta adresi geçersiz', + 'Image folder %s is not writable' => '%s resim klasörü yazılabilir değil', + 'An error occurred during logo copy.' => 'Logo kopyalama sırasında bir hata oluştu.', + 'An error occurred during logo upload.' => 'Logo yüklenirken bir hata oluştu.', + 'Lingerie and Adult' => 'Iç çamaşırı ve Yetişkin', + 'Animals and Pets' => 'Hayvanlar ve Evcil Hayvanlar', + 'Art and Culture' => 'Sanat ve Kültür', + 'Babies' => 'Bebekler', + 'Beauty and Personal Care' => 'Güzellik ve Kişisel Bakım', + 'Cars' => 'Arabalar', + 'Computer Hardware and Software' => 'Bilgisayar Donanımı ve Yazılımı', + 'Download' => 'İndirmek', + 'Fashion and accessories' => 'Moda ve aksesuarlar', + 'Flowers, Gifts and Crafts' => 'Çiçekler, Hediyeler ve El Sanatları', + 'Food and beverage' => 'Yiyecek ve içecek', + 'HiFi, Photo and Video' => 'HiFi, Fotoğraf ve Video', + 'Home and Garden' => 'Ev ve bahçe', + 'Home Appliances' => 'Ev Aletleri', + 'Jewelry' => 'Takı', + 'Mobile and Telecom' => 'Mobil ve Telekom', + 'Services' => 'Hizmetler', + 'Shoes and accessories' => 'Ayakkabı ve aksesuarlar', + 'Sports and Entertainment' => 'Spor ve Eğlence', + 'Travel' => 'Seyahat', + 'Database is connected' => 'Veritabanı bağlı', + 'Database is created' => 'Veritabanı oluşturuldu', + 'Cannot create the database automatically' => 'Veritabanı otomatik olarak oluşturulamıyor', + 'Create settings.inc file' => 'Settings.inc dosyası oluşturun', + 'Create database tables' => 'Veritabanı tabloları oluşturun', + 'Create default website and languages' => 'Varsayılan web sitesi ve dilleri oluşturun', + 'Populate database tables' => 'Veritabanı tablolarını doldurma', + 'Configure website information' => 'Web sitesi bilgilerini yapılandırma', + 'Install demonstration data' => 'Gösteri verilerini yükleyin', + 'Install modules' => 'Modülleri yükleyin', + 'Install Addons modules' => 'Eklenti modüllerini yükleyin', + 'Install theme' => 'TEMAYI yükle', + 'Required PHP parameters' => 'Gerekli PHP parametreleri', + 'The required PHP version is between 5.6 to 7.4' => 'Gerekli PHP sürümü 5.6 ila 7.4 arasındadır', + 'Cannot upload files' => 'Dosyalar yüklenemiyor', + 'Cannot create new files and folders' => 'Yeni dosya ve klasörler oluşturulamıyor', + 'GD library is not installed' => 'GD kütüphanesi kurulu değil', + 'PDO MySQL extension is not loaded' => 'PDO MySQL uzantısı yüklü değil', + 'Curl extension is not loaded' => 'Curl uzantısı yüklü değil', + 'SOAP extension is not loaded' => 'SOAP uzantısı yüklü değil', + 'SimpleXml extension is not loaded' => 'SimpleXml uzantısı yüklü değil', + 'In the PHP configuration set memory_limit to minimum 128M' => 'PHP yapılandırmasında hafıza_limitini minimum 128M olarak ayarlayın', + 'In the PHP configuration set max_execution_time to minimum 500' => 'PHP yapılandırmasında max_execution_time değerini minimum 500 olarak ayarlayın', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'PHP yapılandırmasında upload_max_filesize değerini minimum 16M olarak ayarlayın', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Harici URL\'ler açılamıyor (Açık olarak izin_url_fopen gerektirir).', + 'ZIP extension is not enabled' => 'ZIP uzantısı etkin değil', + 'Files' => 'Dosyalar', + 'Not all files were successfully uploaded on your server' => 'Tüm dosyalar sunucunuza başarıyla yüklenmedi', + 'Permissions on files and folders' => 'Dosya ve klasörlere ilişkin izinler', + 'Recursive write permissions for %1$s user on %2$s' => '%2$s üzerinde %1$s kullanıcısı için yinelemeli yazma izinleri', + 'Recommended PHP parameters' => 'Önerilen PHP parametreleri', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'PHP %s sürümünü kullanıyorsunuz. Yakında QloApps tarafından desteklenen en son PHP sürümü PHP 5.6 olacaktır. Geleceğe hazır olduğunuzdan emin olmak için şimdi PHP 5.6\'ya yükseltmenizi öneririz!', + 'PHP register_globals option is enabled' => 'PHP Register_globals seçeneği etkin', + 'GZIP compression is not activated' => 'GZIP sıkıştırması etkin değil', + 'Mbstring extension is not enabled' => 'Mbstring uzantısı etkin değil', + 'Dom extension is not loaded' => 'Dom uzantısı yüklü değil', + 'Server name is not valid' => 'Sunucu adı geçerli değil', + 'You must enter a database name' => 'Bir veritabanı adı girmelisiniz', + 'You must enter a database login' => 'Veritabanı giriş bilgilerini girmelisiniz', + 'Tables prefix is invalid' => 'Tablolar öneki geçersiz', + 'Cannot convert database data to utf-8' => 'Veritabanı verileri utf-8\'e dönüştürülemiyor', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Aynı öneke sahip en az bir tablo zaten bulundu, lütfen önekinizi değiştirin veya veritabanınızı bırakın', + 'The values of auto_increment increment and offset must be set to 1' => 'Auto_increment artışı ve ofset değerleri 1 olarak ayarlanmalıdır', + 'Database Server is not found. Please verify the login, password and server fields' => 'Veritabanı Sunucusu bulunamadı. Lütfen kullanıcı adı, şifre ve sunucu alanlarını doğrulayın', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'MySQL sunucusuna bağlantı başarılı oldu ancak "%s" veritabanı bulunamadı', + 'Attempt to create the database automatically' => 'Veritabanını otomatik olarak oluşturmaya çalışın', + '%s file is not writable (check permissions)' => '%s dosyası yazılabilir değil (izinleri kontrol edin)', + '%s folder is not writable (check permissions)' => '%s klasörü yazılabilir değil (izinleri kontrol edin)', + 'Cannot write settings file' => 'Ayarlar dosyası yazılamıyor', + 'Database structure file not found' => 'Veritabanı yapısı dosyası bulunamadı', + 'Cannot create group shop' => 'Grup mağazası oluşturulamıyor', + 'Cannot create shop' => 'Mağaza oluşturulamıyor', + 'Cannot create shop URL' => 'Mağaza URL\'si oluşturulamıyor', + 'File "language.xml" not found for language iso "%s"' => '"%s" dili için "language.xml" dosyası bulunamadı', + 'File "language.xml" not valid for language iso "%s"' => '"language.xml" dosyası "%s" dili için geçerli değil', + 'Cannot install language "%s"' => '"%s" dili yüklenemiyor', + 'Cannot copy flag language "%s"' => '"%s" bayrak dili kopyalanamıyor', + 'Cannot create admin account' => 'Yönetici hesabı oluşturulamıyor', + 'Cannot install module "%s"' => '"%s" modülü yüklenemiyor', + 'Fixtures class "%s" not found' => 'Fikstür sınıfı "%s" bulunamadı', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s", "InstallXmlLoader"ın bir örneği olmalıdır', + 'Information about your Website' => 'Web Siteniz hakkında bilgiler', + 'Website name' => 'Web sitesi adı', + 'Main activity' => 'Ana aktivite', + 'Please choose your main activity' => 'Lütfen ana faaliyetinizi seçin', + 'Other activity...' => 'Diğer aktivite...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'İşletmeniz için size en uygun rehberliği ve en iyi özellikleri sunabilmemiz için mağazanız hakkında daha fazla bilgi edinmemize yardımcı olun!', + 'Install demo data' => 'Demo verilerini yükleyin', + 'Yes' => 'Evet', + 'No' => 'HAYIR', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Demo verilerini yüklemek, daha önce kullanmadıysanız QloApps\'i nasıl kullanacağınızı öğrenmenin iyi bir yoludur. Bu demo verileri daha sonra bu kurulumla önceden yüklenmiş olarak gelen QloApps Veri Temizleyici modülü kullanılarak silinebilir.', + 'Country' => 'Ülke', + 'Select your country' => 'Ülkeni seç', + 'Website timezone' => 'Web sitesi saat dilimi', + 'Select your timezone' => 'Saat diliminizi seçin', + 'Enable SSL' => 'SSL\'yi etkinleştir', + 'Shop logo' => 'Mağaza logosu', + 'Optional - You can add you logo at a later time.' => 'İsteğe bağlı - Logonuzu daha sonra ekleyebilirsiniz.', + 'Your Account' => 'Hesabınız', + 'First name' => 'İlk adı', + 'Last name' => 'Soy isim', + 'E-mail address' => 'E-posta adresi', + 'This email address will be your username to access your website\'s back office.' => 'Bu e-posta adresi, web sitenizin arka ofisine erişmenizi sağlayacak kullanıcı adınız olacaktır.', + 'Password' => 'Şifre', + 'Must be at least 8 characters' => 'En az 8 karakter olmalı', + 'Re-type to confirm' => 'Doğrulamak için yeniden yazınız', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Bize verdiğiniz bilgiler tarafımızdan toplanır ve veri işleme ve istatistiklere tabidir. Mevcut "Veri İşleme, Veri Dosyaları ve Bireysel Özgürlükler Kanunu" kapsamında, bu bağlantı.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'QloApps\'ten Bülten ve promosyon tekliflerini almayı kabul ediyorum.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Bu seçeneği seçmeseniz bile her zaman yeni güncellemeler, güvenlik düzeltmeleri ve yamalar gibi işlem e-postaları alacaksınız.', + 'Configure your database by filling out the following fields' => 'Aşağıdaki alanları doldurarak veritabanınızı yapılandırın', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'QloApps\'i kullanmak için web sitenizin verilerle ilgili tüm etkinliklerini toplayacak bir veritabanı oluşturmanız gerekir.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'QloApps\'in veritabanınıza bağlanabilmesi için lütfen aşağıdaki alanları doldurun.', + 'Database server address' => 'Veritabanı sunucusu adresi', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Varsayılan port 3306\'dır. Farklı bir port kullanmak için sunucunuzun adresinin sonuna port numarasını ekleyin yani ":4242".', + 'Database name' => 'Veri tabanı ismi', + 'Database login' => 'Veritabanı girişi', + 'Database password' => 'Veritabanı şifresi', + 'Database Engine' => 'Veritabanı Motoru', + 'Tables prefix' => 'Tablolar öneki', + 'Drop existing tables (mode dev)' => 'Mevcut tabloları bırak (mod geliştirme)', + 'Test your database connection now!' => 'Veritabanı bağlantınızı şimdi test edin!', + 'Next' => 'Sonraki', + 'Back' => 'Geri', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Yardıma ihtiyacınız olursa destek ekibimizden özel yardım alabilirsiniz. Resmi belgeler de size yol göstermek için burada.', + 'Official forum' => 'Resmi forum', + 'Support' => 'Destek', + 'Documentation' => 'Dokümantasyon', + 'Contact us' => 'Bize Ulaşın', + 'QloApps Installation Assistant' => 'QloApps Kurulum Asistanı', + 'Forum' => 'Forum', + 'Blog' => 'Blog', + 'menu_welcome' => 'Dilinizi seçin', + 'menu_license' => 'Lisans sözleşmeleri', + 'menu_system' => 'Sistem uyumluluğu', + 'menu_configure' => 'Web sitesi bilgileri', + 'menu_database' => 'Sistem yapılandırması', + 'menu_process' => 'QloApps kurulumu', + 'Need Help?' => 'Yardıma mı ihtiyacınız var?', + 'Click here to Contact us' => 'Bizimle iletişime geçmek için buraya tıklayın', + 'Installation' => 'Kurulum', + 'See our Installation guide' => 'Kurulum kılavuzumuza bakın', + 'Tutorials' => 'Öğreticiler', + 'See our QloApps tutorials' => 'QloApps eğitimlerimize bakın', + 'Installation Assistant' => 'Kurulum Asistanı', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'QloApps\'i yüklemek için tarayıcınızda JavaScript\'in etkinleştirilmiş olması gerekir.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Lisans Sözleşmeleri', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'QloApps tarafından ücretsiz olarak sunulan birçok özellikten yararlanmak için lütfen aşağıdaki lisans koşullarını okuyun. QloApps çekirdeği OSL 3.0 kapsamında lisanslanırken modüller ve temalar AFL 3.0 kapsamında lisanslanır.', + 'I agree to the above terms and conditions.' => 'Yukarıdaki şart ve koşulları kabul ediyorum.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Yapılandırmamla ilgili anonim bilgiler göndererek çözümün geliştirilmesine katılmayı kabul ediyorum.', + 'Done!' => 'Tamamlamak!', + 'An error occurred during installation...' => 'Kurulum sırasında bir hata oluştu...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Önceki adımlara geri dönmek için sol sütundaki bağlantıları kullanabilir veya burayı tıklayarak yükleme işlemini yeniden başlatabilirsiniz.', + 'Suggested Modules' => 'Önerilen Modüller', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Konaklama işletmenizi başarıya ulaştırmak için QloApps Eklentilerinde tam olarak doğru özellikleri bulun.', + 'Discover All Modules' => 'Tüm Modülleri Keşfet', + 'Suggested Themes' => 'Önerilen Temalar', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Kullanıma hazır şablon temasıyla otelinize ve müşterilerinize uygun bir tasarım oluşturun.', + 'Discover All Themes' => 'Tüm Temaları Keşfet', + 'Your installation is finished!' => 'Kurulumunuz tamamlandı!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'QloApps\'i yüklemeyi yeni bitirdiniz. QloApps\'i kullandığınız için teşekkür ederiz!', + 'Please remember your login information:' => 'Lütfen giriş bilgilerinizi unutmayın:', + 'E-mail' => 'E-posta', + 'Print my login information' => 'Giriş bilgilerimi yazdır', + 'Display' => 'Görüntülemek', + 'For security purposes, you must delete the "install" folder.' => 'Güvenlik nedeniyle "install" klasörünü silmelisiniz.', + 'Back Office' => 'Arka Ofis', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Web sitenizi Arka Ofisinizi kullanarak yönetin. Siparişlerinizi ve müşterilerinizi yönetin, modüller ekleyin, temaları değiştirin vb.', + 'Manage Your Website' => 'Web Sitenizi Yönetin', + 'Front Office' => 'Ön ofis', + 'Discover your website as your future customers will see it!' => 'Web sitenizi gelecekteki müşterilerinizin göreceği şekilde keşfedin!', + 'Discover Your Website' => 'Web Sitenizi Keşfedin', + 'Share your experience with your friends!' => 'Deneyiminizi arkadaşlarınızla paylaşın!', + 'I just built an online hotel booking website with QloApps!' => 'Az önce QloApps ile bir çevrimiçi otel rezervasyon web sitesi oluşturdum!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Tüm özellikleri burada görün: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'Cıvıldamak', + 'Share' => 'Paylaşmak', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest\'te', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Şu anda QloApps\'in sistem ortamınızla uyumluluğunu kontrol ediyoruz', + 'If you have any questions, please visit our documentation and community forum.' => 'Sorularınız varsa lütfen belgelerimizi ve topluluk forumumuzu< ziyaret edin. /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'QloApps\'in sistem ortamınızla uyumluluğu doğrulandı!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Hata! Lütfen aşağıdaki öğeyi/öğeleri düzeltin ve ardından yeni sisteminizin uyumluluğunu test etmek için "Bilgileri yenile"ye tıklayın.', + 'Refresh these settings' => 'Bu ayarları yenile', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps\'in çalışması için en az 128 MB bellek gerekir: lütfen php.ini dosyanızdaki Memory_limit yönergesini kontrol edin veya bu konuda ana bilgisayar sağlayıcınıza başvurun.', + 'Welcome to the QloApps %s Installer' => 'QloApps %s Yükleyicisine Hoş Geldiniz', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'QloApps\'i yüklemek hızlı ve kolaydır. Sadece birkaç dakika içinde bir topluluğun parçası olacaksınız. Her gün kolaylıkla yönetebileceğiniz kendi otel rezervasyon web sitenizi oluşturma yolundasınız.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Yardıma ihtiyacınız varsa bu kısa eğiticiyi izlemekten çekinmeyin veya belgelerimiz.', + 'Continue the installation in:' => 'Kuruluma şurada devam edin:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Yukarıdaki dil seçimi yalnızca Kurulum Asistanı için geçerlidir. QloApps yüklendikten sonra, %d\'den fazla çeviri arasından web sitenizin dilini seçebilirsiniz, üstelik tamamı ücretsiz!', + ), +); \ No newline at end of file diff --git a/install/langs/tw/install.php b/install/langs/tw/install.php index 44588265c..2fc5a1f87 100644 --- a/install/langs/tw/install.php +++ b/install/langs/tw/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => '所輸入的 %1$s: %2$s 發生了SQL錯誤', - 'Cannot create image "%1$s" for entity "%2$s"' => '無法建立圖片 "%s",於 "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => '無法建立圖片 "%s"(資料夾 "%2$s" 權限有誤)', - 'Cannot create image "%s"' => '無法建立圖片 "%s"', - 'SQL error on query %s' => 'SQL查詢錯誤 %s', - '%s Login information' => '%s 登入信息', - 'Field required' => '必填欄位', - 'Invalid shop name' => '商店名稱有誤', - 'The field %s is limited to %d characters' => '欄位 %s 限制長度為 %s 字元', - 'Your firstname contains some invalid characters' => '您的姓名包含錯誤字元', - 'Your lastname contains some invalid characters' => '您的姓氏包含錯誤字元', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => '密碼有誤(只接受英文字母與數字,且至少 8 個字)', - 'Password and its confirmation are different' => '密碼與確認不同', - 'This e-mail address is invalid' => '電郵地址無效 ', - 'Image folder %s is not writable' => '圖片資料夾 %s 無法寫入', - 'An error occurred during logo copy.' => '複製圖示時發生錯誤', - 'An error occurred during logo upload.' => '上傳圖示時發生錯誤', - 'Lingerie and Adult' => '內衣與成人用品', - 'Animals and Pets' => '動物與寵物', - 'Art and Culture' => '藝術與文化', - 'Babies' => '嬰幼兒用品', - 'Beauty and Personal Care' => '美容與個人護理', - 'Cars' => '汽車', - 'Computer Hardware and Software' => '電腦軟硬體', - 'Download' => '下載', - 'Fashion and accessories' => '時裝與配件', - 'Flowers, Gifts and Crafts' => '花店、禮品與工藝品', - 'Food and beverage' => '飲食', - 'HiFi, Photo and Video' => '影音', - 'Home and Garden' => '家居園藝', - 'Home Appliances' => '家用電器', - 'Jewelry' => '珠寶', - 'Mobile and Telecom' => '行動設備與通訊', - 'Services' => '服務', - 'Shoes and accessories' => '鞋子與配件', - 'Sports and Entertainment' => '運動與娛樂', - 'Travel' => '旅遊', - 'Database is connected' => '資料庫已經連結', - 'Database is created' => '資料庫已經建立', - 'Cannot create the database automatically' => '無法自動建立資料庫', - 'Create settings.inc file' => '建立 settings.inc 檔案', - 'Create database tables' => '建立資料表', - 'Create default shop and languages' => '建立預設商店及語言', - 'Populate database tables' => '佈署資料表', - 'Configure shop information' => '設定商店資訊', - 'Install demonstration data' => '安裝展示資料', - 'Install modules' => '安裝模組', - 'Install Addons modules' => '安裝模組與外掛', - 'Install theme' => '安裝佈景', - 'Required PHP parameters' => '必填PHP參數', - 'PHP 5.1.2 or later is not enabled' => '沒有安裝 PHP 5.1.2 或更新版本', - 'Cannot upload files' => '無法上傳檔案', - 'Cannot create new files and folders' => '無法建立新檔案與資料夾', - 'GD library is not installed' => '沒有安裝 GD 函式庫', - 'MySQL support is not activated' => '沒有啟用 MySQL 支援', - 'Files' => '檔案', - 'Not all files were successfully uploaded on your server' => '未能成功將所有檔案上傳於你的伺服器', - 'Permissions on files and folders' => '文件和文件夾的​​權限', - 'Recursive write permissions for %1$s user on %2$s' => '%1$s 在 %2$s 的用戶遞歸寫權限', - 'Recommended PHP parameters' => '推薦PHP參數', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => '無法開啟外部網址', - 'PHP register_globals option is enabled' => 'PHP register_globals 選項啟用中', - 'GZIP compression is not activated' => '沒有啟用 GZIP 壓縮', - 'Mcrypt extension is not enabled' => '沒有啟用 Mcrypt 外掛', - 'Mbstring extension is not enabled' => '沒有啟用 Mbstring 外掛', - 'PHP magic quotes option is enabled' => 'PHP magic quotes 選項啟用中', - 'Dom extension is not loaded' => '沒有載入 Dom 外掛', - 'PDO MySQL extension is not loaded' => '沒有載入 PDO MySQL 外掛', - 'Server name is not valid' => '伺服器名稱有誤', - 'You must enter a database name' => '您必須輸入資料庫名稱', - 'You must enter a database login' => '您必須輸入資料庫帳號', - 'Tables prefix is invalid' => '資料表前綴有誤', - 'Cannot convert database data to utf-8' => '無法轉換資料到 UTF-8 ', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => '發現使用同樣前綴的資料表存在,請修改前綴或是移除現有資料庫', - 'The values of auto_increment increment and offset must be set to 1' => '自動增量的值和抵銷必須設置為1', - 'Database Server is not found. Please verify the login, password and server fields' => '找不到資料庫伺服器,請確認帳號、密碼與伺服器欄位', - 'Connection to MySQL server succeeded, but database "%s" not found' => '成功連線伺服器,不過找不到資料庫 "%s"', - 'Attempt to create the database automatically' => '嘗試自動建立資料庫', - '%s file is not writable (check permissions)' => '%s 檔案無法寫入(請檢查權限)', - '%s folder is not writable (check permissions)' => '%s 資料夾無法寫入(請檢查權限)', - 'Cannot write settings file' => '無法寫入設定檔', - 'Database structure file not found' => '找不到資料庫結構檔案', - 'Cannot create group shop' => '無法建立商店群組', - 'Cannot create shop' => '無法建立商店', - 'Cannot create shop URL' => '無法建立商店網址', - 'File "language.xml" not found for language iso "%s"' => '找不到語言代碼 "%s" 的 "language.xml"', - 'File "language.xml" not valid for language iso "%s"' => '語言代碼 "%s" 的 "language.xml" 有誤', - 'Cannot install language "%s"' => '無法安裝語言 "%s"', - 'Cannot copy flag language "%s"' => '無法複製語言圖示 "%s" ', - 'Cannot create admin account' => '無法建立管理者', - 'Cannot install module "%s"' => '無法安裝模組 "%s" ', - 'Fixtures class "%s" not found' => '找不到測試資料物件 "%s"', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" 必須是 "InstallXmlLoader" 的一個實例', - 'Information about your Store' => '您商店的資訊', - 'Shop name' => '商店名稱', - 'Main activity' => '主要活動', - 'Please choose your main activity' => '請選擇主要活動', - 'Other activity...' => '其他活動...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => '協助我們學習您的商店運作,這樣一來我們就可以為您的生意提供更好的建議與功能!', - 'Install demo products' => '安裝展示用產品', - 'Yes' => '是', - 'No' => '否', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => '展示用產品適合用來學習使用 PrestaShop ,如果還不熟悉系統就建議安裝.', - 'Country' => '國家', - 'Select your country' => '選擇您的國家', - 'Shop timezone' => '網店時區', - 'Select your timezone' => '選擇您的時區', - 'Shop logo' => '網店商標', - 'Optional - You can add you logo at a later time.' => '選擇性 – 您可以晚點再加入圖示', - 'Your Account' => '您的帳號', - 'First name' => '名字', - 'Last name' => '姓氏', - 'E-mail address' => 'E-mail address', - 'This email address will be your username to access your store\'s back office.' => '這個信箱會成為您登入商店後台的帳號', - 'Shop password' => '商店密碼', - 'Must be at least 8 characters' => '最少 8 個字元', - 'Re-type to confirm' => '再次輸入確認', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => '填寫下面欄位來設定資料庫', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => '為了正確使用PrestaShop,您需要create a database收集您網店的所有項目相關數據。', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => '請填入下面欄位來連線您的資料庫', - 'Database server address' => '伺服器位址', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => '預設連接埠是 3306 ,要使用其他連接埠,請將連接埠編號加入到伺服器網址後面,例如 "localhost:4242"', - 'Database name' => '資料庫名稱', - 'Database login' => '帳號', - 'Database password' => '密碼', - 'Database Engine' => '引擎', - 'Tables prefix' => '資料表前綴', - 'Drop existing tables (mode dev)' => '移除現有資料表(開發用)', - 'Test your database connection now!' => '現在測試您的資料庫連線!', - 'Next' => '下一步', - 'Back' => '返回', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => '討論區', - 'Support' => '支援', - 'Documentation' => '文件', - 'Contact us' => '聯絡我們', - 'PrestaShop Installation Assistant' => '安裝協助', - 'Forum' => '討論區', - 'Blog' => '博客', - 'Contact us!' => '聯絡我們!', - 'menu_welcome' => '選擇語言', - 'menu_license' => '授權聲明', - 'menu_system' => '系統兼容性', - 'menu_configure' => '商店資訊', - 'menu_database' => '系統配置', - 'menu_process' => '商店安裝', - 'Installation Assistant' => '安裝協助', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => '要安裝 PrestaShop ,您必須啟用瀏覽器的 JavaScript 估能', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => '授權聲明', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => '要自由使用 PrestaShop 的許多功能,請先詳閱下面的授權條款。PrestaShop 程式碼是以 OSL 3.0 發布,模組與佈景則是 AFL 3.0 。', - 'I agree to the above terms and conditions.' => '我同意上面的規則與條件', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => '我願意透過匿名方式送出網站資訊來參與改善這個軟體', - 'Done!' => '完成!', - 'An error occurred during installation...' => '安裝過程出現錯誤.....', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => '您可以使用左邊的連結來回到上一步,或是 點選這裡 重新開始安裝程序', - 'Your installation is finished!' => '您的安裝已經完成!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => '您已經安裝完成,歡迎使用 PrestaShop !', - 'Please remember your login information:' => '請記住您的登入資訊 :', - 'E-mail' => '電子信箱', - 'Print my login information' => '列印我的登入資訊', - 'Password' => '密碼', - 'Display' => '顯示', - 'For security purposes, you must delete the "install" folder.' => '基於安全考量,您必須刪除 install 資料夾', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => '後台', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => '透過後台可以管理您的商店,包括訂單、客戶、模組與佈景等等', - 'Manage your store' => '管理您的商店', - 'Front Office' => '前台', - 'Discover your store as your future customers will see it!' => '瀏覽未來您的客戶會看到的商店畫面!', - 'Discover your store' => '瀏覽您的商店', - 'Share your experience with your friends!' => '和您的朋友分享經驗!', - 'I just built an online store with PrestaShop!' => '我剛以 PrestaShop 開了一家網上商店!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => '看看這個令人振奮的體驗:http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => '分享', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => '在PrestaShop Addons 尋找或更新您的網店需要的一些小插件!', - 'We are currently checking PrestaShop compatibility with your system environment' => '正在檢查系統環境的相容性', - 'If you have any questions, please visit our documentation and community forum.' => '如果有任何問題,請瀏覽我們的 文件討論區', - 'PrestaShop compatibility with your system environment has been verified!' => '您的系統環境相容於 PrestaShop !', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => '請修正下面項目,然後點選 "重新整理資訊" 來測試系統相容性', - 'Refresh these settings' => '重新整理這些設定', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'Prestashop 至少需要32M的內存來運行,請檢查php.ini中的memory_limit的指令或聯繫您的主機提供商', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => '警告:你不能再使用此工具來提升你的店。

您已安裝了PrestaShop 的 %1$s 版本

如果你想升級到最新版本,請閱讀我們的文檔:%2$s的', - 'Welcome to the PrestaShop %s Installer' => '歡迎安裝 PrestaShop %s', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Prestashop 的安裝快速而簡單。在短短的幾分鐘,你就會成為一個擁有超過165,000位商人社區的一份子。在創建您獨特的網上商店途中,您可以很容易地每天管理它。', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => '繼續安裝:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => '上面選擇的語言只用在安裝過程,一旦完成安裝,您可以為商店加入超過 %d 種翻譯,而且都是免費的!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Prestashop 的安裝快速而簡單。在短短的幾分鐘,你就會成為一個擁有超過250,000位商人社區的一份子。在創建您獨特的網上商店途中,您可以很容易地每天管理它。', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => '實體 %1$s 發生 SQL 錯誤:%2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => '無法為實體“%2$s”建立映像“%1$s”', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => '無法建立映像“%1$s”(資料夾“%2$s”的權限錯誤)', + 'Cannot create image "%s"' => '無法建立映像“%s”', + 'SQL error on query %s' => '查詢 %s 出現 SQL 錯誤', + '%s Login information' => '%s 登入訊息', + 'Field required' => '必填字段', + 'Invalid shop name' => '店家名稱無效', + 'The field %s is limited to %d characters' => '字段 %s 僅限於 %d 個字符', + 'Your firstname contains some invalid characters' => '您的名字包含一些無效字符', + 'Your lastname contains some invalid characters' => '您的姓氏包含一些無效字符', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => '密碼不正確(至少 8 個字元的字母數字字串)', + 'Password and its confirmation are different' => '密碼和確認訊息不同', + 'This e-mail address is invalid' => '該電子郵件地址無效', + 'Image folder %s is not writable' => '圖像資料夾 %s 不可寫', + 'An error occurred during logo copy.' => '徽標複製期間發生錯誤。', + 'An error occurred during logo upload.' => '徽標上傳期間發生錯誤。', + 'Lingerie and Adult' => '內衣和成人', + 'Animals and Pets' => '動物和寵物', + 'Art and Culture' => '藝術與文化', + 'Babies' => '嬰兒', + 'Beauty and Personal Care' => '美容及個人護理', + 'Cars' => '汽車', + 'Computer Hardware and Software' => '電腦硬體和軟體', + 'Download' => '下載', + 'Fashion and accessories' => '時裝及配件', + 'Flowers, Gifts and Crafts' => '鮮花、禮品和工藝品', + 'Food and beverage' => '食品與飲品', + 'HiFi, Photo and Video' => '高傳真音響、照片和視頻', + 'Home and Garden' => '居家和花園', + 'Home Appliances' => '家用電器', + 'Jewelry' => '珠寶', + 'Mobile and Telecom' => '移動和電信', + 'Services' => '服務', + 'Shoes and accessories' => '鞋履及配件', + 'Sports and Entertainment' => '體育及娛樂', + 'Travel' => '旅行', + 'Database is connected' => '資料庫已連接', + 'Database is created' => '資料庫已創建', + 'Cannot create the database automatically' => '無法自動建立資料庫', + 'Create settings.inc file' => '建立settings.inc文件', + 'Create database tables' => '建立資料庫表', + 'Create default website and languages' => '建立預設網站和語言', + 'Populate database tables' => '填充資料庫表', + 'Configure website information' => '配置網站資訊', + 'Install demonstration data' => '安裝示範數據', + 'Install modules' => '安裝模組', + 'Install Addons modules' => '安裝插件模組', + 'Install theme' => '安裝主題', + 'Required PHP parameters' => '所需的 PHP 參數', + 'The required PHP version is between 5.6 to 7.4' => '所需的 PHP 版本在 5.6 到 7.4 之間', + 'Cannot upload files' => '無法上傳文件', + 'Cannot create new files and folders' => '無法建立新檔案和資料夾', + 'GD library is not installed' => 'GD庫未安裝', + 'PDO MySQL extension is not loaded' => 'PDO MySQL 擴充功能未載入', + 'Curl extension is not loaded' => '未加載 Curl 擴展', + 'SOAP extension is not loaded' => '未載入 SOAP 擴充', + 'SimpleXml extension is not loaded' => 'SimpleXml 擴充功能未載入', + 'In the PHP configuration set memory_limit to minimum 128M' => '在 PHP 配置中將 memory_limit 設定為最小 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => '在 PHP 配置中將 max_execution_time 設定為最小 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => '在 PHP 配置中將 upload_max_filesize 設定為最小 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => '無法開啟外部 URL(需要將allow_url_fopen 設定為開啟)。', + 'ZIP extension is not enabled' => 'ZIP 副檔名未啟用', + 'Files' => '文件', + 'Not all files were successfully uploaded on your server' => '並非所有檔案都已成功上傳到您的伺服器上', + 'Permissions on files and folders' => '文件和資料夾的權限', + 'Recursive write permissions for %1$s user on %2$s' => '%1$s 使用者對 %2$s 的遞歸寫入權限', + 'Recommended PHP parameters' => '推薦的 PHP 參數', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => '您正在使用 PHP %s 版本。很快,QloApps 支援的最新 PHP 版本將是 PHP 5.6。為了確保您為未來做好準備,我們建議您立即升級至 PHP 5.6!', + 'PHP register_globals option is enabled' => 'PHP register_globals 選項已啟用', + 'GZIP compression is not activated' => 'GZIP 壓縮未激活', + 'Mbstring extension is not enabled' => 'Mbstring 擴充功能未啟用', + 'Dom extension is not loaded' => 'Dom擴充功能未加載', + 'Server name is not valid' => '伺服器名稱無效', + 'You must enter a database name' => '您必須輸入資料庫名稱', + 'You must enter a database login' => '您必須輸入資料庫登入名', + 'Tables prefix is invalid' => '表前綴無效', + 'Cannot convert database data to utf-8' => '無法將資料庫資料轉換為utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => '已找到至少一張具有相同前綴的表,請更改您的前綴或刪除您的資料庫', + 'The values of auto_increment increment and offset must be set to 1' => 'auto_increment增量和偏移的值必須設定為1', + 'Database Server is not found. Please verify the login, password and server fields' => '未找到資料庫伺服器。請驗證登入名稱、密碼和伺服器字段', + 'Connection to MySQL server succeeded, but database "%s" not found' => '連接 MySQL 伺服器成功,但未找到資料庫“%s”', + 'Attempt to create the database automatically' => '嘗試自動建立資料庫', + '%s file is not writable (check permissions)' => '%s 檔案不可寫入(檢查權限)', + '%s folder is not writable (check permissions)' => '%s 資料夾不可寫入(檢查權限)', + 'Cannot write settings file' => '無法寫入設定文件', + 'Database structure file not found' => '未找到資料庫結構文件', + 'Cannot create group shop' => '無法建立群組商店', + 'Cannot create shop' => '無法創建商店', + 'Cannot create shop URL' => '無法建立商店 URL', + 'File "language.xml" not found for language iso "%s"' => '未找到語言 ISO“%s”的檔案“language.xml”', + 'File "language.xml" not valid for language iso "%s"' => '檔案“language.xml”對於語言 iso“%s”無效', + 'Cannot install language "%s"' => '無法安裝語言“%s”', + 'Cannot copy flag language "%s"' => '無法複製標誌語言“%s”', + 'Cannot create admin account' => '無法建立管理員帳戶', + 'Cannot install module "%s"' => '無法安裝模組“%s”', + 'Fixtures class "%s" not found' => '未找到燈具類別“%s”', + '"%s" must be an instance of "InstallXmlLoader"' => '「%s」必須是「InstallXmlLoader」的實例', + 'Information about your Website' => '有關您網站的信息', + 'Website name' => '網站名稱', + 'Main activity' => '主要活動', + 'Please choose your main activity' => '請選擇您的主要活動', + 'Other activity...' => '其他活動...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => '幫助我們更多地了解您的商店,以便我們為您的業務提供最佳指導和最佳功能!', + 'Install demo data' => '安裝示範數據', + 'Yes' => '是的', + 'No' => '不', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => '如果您以前沒有使用過 QloApps,那麼安裝示範資料是學習如何使用 QloApps 的好方法。稍後可以使用隨此安裝預先安裝的模組 QloApps Data Cleaner 刪除此演示資料。', + 'Country' => '國家', + 'Select your country' => '選擇您所在的國家/地區', + 'Website timezone' => '網站時區', + 'Select your timezone' => '選擇您的時區', + 'Enable SSL' => '啟用 SSL', + 'Shop logo' => '店鋪標誌', + 'Optional - You can add you logo at a later time.' => '可選 - 您可以稍後添加您的徽標。', + 'Your Account' => '你的帳戶', + 'First name' => '名', + 'Last name' => '姓', + 'E-mail address' => '電子郵件地址', + 'This email address will be your username to access your website\'s back office.' => '此電子郵件地址將作為您造訪網站後台的使用者名稱。', + 'Password' => '密碼', + 'Must be at least 8 characters' => '必須至少 8 個字符', + 'Re-type to confirm' => '重新輸入以確認', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => '您提供給我們的資訊由我們收集並進行資料處理和統計。根據現行的《資料處理、資料檔案和個人自由法》,您有權透過此 連結。', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => '我同意接收來自 QloApps 的新聞通訊和促銷優惠。', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => '即使您不選擇此選項,您也將始終收到新更新、安全性修復和修補程式等事務性電子郵件。', + 'Configure your database by filling out the following fields' => '透過填寫以下欄位來配置您的資料庫', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => '要使用 QloApps,您必須建立資料庫來收集網站的所有資料相關活動。', + 'Please complete the fields below in order for QloApps to connect to your database. ' => '請填寫以下字段,以便 QloApps 連接到您的資料庫。', + 'Database server address' => '資料庫伺服器位址', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => '預設連接埠為 3306。', + 'Database name' => '資料庫名稱', + 'Database login' => '資料庫登入', + 'Database password' => '資料庫密碼', + 'Database Engine' => '資料庫引擎', + 'Tables prefix' => '錶前綴', + 'Drop existing tables (mode dev)' => '刪除現有表(模式開發)', + 'Test your database connection now!' => '立即測試您的資料庫連線!', + 'Next' => '下一個', + 'Back' => '後退', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => '如果您需要協助,可以從我們的支援團隊取得量身訂製的協助官方文件也可以為您提供指導。', + 'Official forum' => '官方論壇', + 'Support' => '支援', + 'Documentation' => '文件', + 'Contact us' => '聯絡我們', + 'QloApps Installation Assistant' => 'QloApps 安裝助手', + 'Forum' => '論壇', + 'Blog' => '部落格', + 'menu_welcome' => '選擇你的語言', + 'menu_license' => '授權協議', + 'menu_system' => '系統相容性', + 'menu_configure' => '網站資訊', + 'menu_database' => '系統配置', + 'menu_process' => 'QloApps 安裝', + 'Need Help?' => '需要幫忙?', + 'Click here to Contact us' => '點擊此處與我們聯繫', + 'Installation' => '安裝', + 'See our Installation guide' => '請參閱我們的安裝指南', + 'Tutorials' => '教學', + 'See our QloApps tutorials' => '請參閱我們的 QloApps 教學課程', + 'Installation Assistant' => '安裝助理', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => '要安裝 QloApps,您需要在瀏覽器中啟用 JavaScript。', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => '授權協議', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => '要享受 QloApps 免費提供的眾多功能,請閱讀下面的授權條款。 QloApps 核心根據 OSL 3.0 獲得許可,而模組和主題根據 AFL 3.0 獲得許可。', + 'I agree to the above terms and conditions.' => '我同意上述條款和條件。', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => '我同意透過發送有關我的配置的匿名資訊來參與改進解決方案。', + 'Done!' => '完畢!', + 'An error occurred during installation...' => '安裝過程中出現錯誤...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => '您可以使用左欄中的連結回到先前的步驟,或透過按一下此處重新啟動安裝程序。', + 'Suggested Modules' => '建議模組', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => '在 QloApps Addons 上找到合適的功能,讓您的飯店業務成功。', + 'Discover All Modules' => '發現所有模組', + 'Suggested Themes' => '建議主題', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => '使用即用型模板主題創建適合您的飯店和客戶的設計。', + 'Discover All Themes' => '發現所有主題', + 'Your installation is finished!' => '您的安裝已完成!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => '您剛完成 QloApps 的安裝。感謝您使用 QloApps!', + 'Please remember your login information:' => '請記住您的登入資訊:', + 'E-mail' => '電子郵件', + 'Print my login information' => '列印我的登入訊息', + 'Display' => '展示', + 'For security purposes, you must delete the "install" folder.' => '為了安全起見,您必須刪除“install”資料夾。', + 'Back Office' => '後台', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => '使用後台管理您的網站。管理您的訂單和客戶、新增模組、更改主題等。', + 'Manage Your Website' => '管理您的網站', + 'Front Office' => '前廳部', + 'Discover your website as your future customers will see it!' => '發現您的網站,因為您未來的客戶將會看到它!', + 'Discover Your Website' => '發現您的網站', + 'Share your experience with your friends!' => '與您的朋友分享您的經驗!', + 'I just built an online hotel booking website with QloApps!' => '我剛剛使用 QloApps 建立了一個線上飯店預訂網站!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => '在這裡查看所有功能:https://qloapps.com/qlo-reservation-system/', + 'Tweet' => '鳴叫', + 'Share' => '分享', + 'Google+' => '谷歌+', + 'Pinterest' => '興趣', + 'LinkedIn' => '領英', + 'We are currently checking QloApps compatibility with your system environment' => '我們目前正在檢查 QloApps 與您的系統環境的兼容性', + 'If you have any questions, please visit our documentation and community forum.' => '如果您有任何疑問,請造訪我們的文件社群論壇< /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'QloApps 與您的系統環境的兼容性已經過驗證!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => '哎呀!請修正以下項目,然後按一下「刷新資訊」以測試新系統的兼容性。', + 'Refresh these settings' => '刷新這些設定', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps 需要至少 128 MB 記憶體才能運作:請檢查 php.ini 檔案中的 memory_limit 指令或聯絡您的主機提供者以了解此情況。', + 'Welcome to the QloApps %s Installer' => '歡迎使用 QloApps %s 安裝程序', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => '安裝 QloApps 既快速又簡單。只需幾分鐘,您就會成為社區的一部分。您正在建立自己的飯店預訂網站,您每天都可以輕鬆管理網站。', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => '如果您需要幫助,請隨時 觀看這個簡短教程,或查看我們的文檔。', + 'Continue the installation in:' => '繼續安裝:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => '上述語言選擇僅適用於安裝助理。安裝 QloApps 後,您可以從超過 %d 種翻譯中選擇您網站的語言,全部免費!', + ), +); \ No newline at end of file diff --git a/install/langs/vn/install.php b/install/langs/vn/install.php index 69a4be4c7..de68f101b 100644 --- a/install/langs/vn/install.php +++ b/install/langs/vn/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => - array ( - 'An SQL error occurred for entity %1$s: %2$s' => 'Lỗi SQL đã xảy ra cho %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => 'Không thể tạo ảnh "%1$s" cho "%2$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Không thể tạo ảnh "%1$s" (không có quyền thực thi trên thư mục "%2$s")', - 'Cannot create image "%s"' => 'Không thể tạo ảnh "%s"', - 'SQL error on query %s' => 'Lỗi SQL ở truy vấn %s', - '%s Login information' => '%s Thông tin đăng nhập', - 'Field required' => 'Thông tin bắt buộc', - 'Invalid shop name' => 'Tên cửa hàng không hợp lệ', - 'The field %s is limited to %d characters' => '%s chỉ giới hạn trong %d ký tự', - 'Your firstname contains some invalid characters' => 'Tên riêng của bạn chứa các ký tự không hợp lệ', - 'Your lastname contains some invalid characters' => 'Họ và tên đệm của bạn chứa các ký tự không hợp lệ', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Mật khẩu không hợp lệ (mật khẩu phải có ít nhất 8 ký tự)', - 'Password and its confirmation are different' => 'Mật khẩu và xác nhận mật khẩu không khớp nhau', - 'This e-mail address is invalid' => 'Địa chỉ email không hợp lệ', - 'Image folder %s is not writable' => 'Thư mục ảnh %s không thể ghi được', - 'An error occurred during logo copy.' => 'Một lỗi xảy ra khi copy logo.', - 'An error occurred during logo upload.' => 'Mỗi lỗi xảy ra khi tải logo lên.', - 'Lingerie and Adult' => 'Đồ lót và đồ người lớn', - 'Animals and Pets' => 'Động vật và thú nuôi', - 'Art and Culture' => 'Văn hóa nghệ thuật', - 'Babies' => 'Trẻ em', - 'Beauty and Personal Care' => 'Chăm sóc và làm đẹp', - 'Cars' => 'Ô tô, xe máy', - 'Computer Hardware and Software' => 'Phần cứng, phần mềm máy tính', - 'Download' => 'Tải về', - 'Fashion and accessories' => 'Thời trang và phụ kiện', - 'Flowers, Gifts and Crafts' => 'Hoa, quà, đồ lưu niệm', - 'Food and beverage' => 'Ăn uống', - 'HiFi, Photo and Video' => 'HiFi, Ảnh và Video', - 'Home and Garden' => 'Nhà cửa, vườn', - 'Home Appliances' => 'Đồ gia dụng', - 'Jewelry' => 'Trang sức', - 'Mobile and Telecom' => 'Viễn thông, di động', - 'Services' => 'Dịch vụ', - 'Shoes and accessories' => 'Giầy dép và phụ kiện', - 'Sports and Entertainment' => 'Thể thao, giải trí', - 'Travel' => 'Du lịch', - 'Database is connected' => 'Cơ sở dữ liệu đã được kết nối', - 'Database is created' => 'Đã tạo cơ sở dữ liệu', - 'Cannot create the database automatically' => 'Không thể tạo tự động cơ sở dữ liệu', - 'Create settings.inc file' => 'Tạo tệp tin settings.inc', - 'Create database tables' => 'Tạo bảng', - 'Create default shop and languages' => 'Cài đặt ngôn ngữ và cửa hàng mặc định', - 'Populate database tables' => 'Khởi tạo dữ liệu', - 'Configure shop information' => 'Tinh chỉnh thông tin cửa hàng', - 'Install demonstration data' => 'Cài đặt dữ liệu mẫu', - 'Install modules' => 'Cài đặt mô-đun', - 'Install Addons modules' => 'Cài đặt mô-đun', - 'Install theme' => 'Cài đặt theme', - 'Required PHP parameters' => 'Các thông số PHP tối thiểu', - 'PHP 5.1.2 or later is not enabled' => 'PHP 5.1.2 hoặc mới hơn không được kích hoạt', - 'Cannot upload files' => 'Không thể tải file lên', - 'Cannot create new files and folders' => 'Không thể tạo file và thư mục', - 'GD library is not installed' => 'Thư viện GD không được cài đặt', - 'MySQL support is not activated' => 'Chưa hỗ trợ MySQL', - 'Files' => 'Tập tin', - 'Not all files were successfully uploaded on your server' => 'Có một vài lỗi trong khi tải các tệp tin lên máy chủ', - 'Permissions on files and folders' => 'Các quyền trên tệp tin và thư mục', - 'Recursive write permissions for %1$s user on %2$s' => 'Đệ quy viết cấp phép cho người dùng %1$s trên %2$s', - 'Recommended PHP parameters' => 'Các thông số PHP đề nghị', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'Bạn đang sử dụng PHP phiên bản %s. Chúng tôi sẽ không hỗ trợ các phiên bản cũ hơn PHP 5.4. Do đó, bạn nên nâng cấp lên PHP 5.4 ngay để PrestaShop có thể chạy ổn định!', - 'Cannot open external URLs' => 'Không thể mở đường dẫn ngoài', - 'PHP register_globals option is enabled' => 'Giá trị PHP register_globals được kích hoạt', - 'GZIP compression is not activated' => 'Bộ nén GZIP không được kích hoạt', - 'Mcrypt extension is not enabled' => 'Thư viện mcrypt không được kích hoạt', - 'Mbstring extension is not enabled' => 'Bộ mở rộng Mbstring không được kích hoạt', - 'PHP magic quotes option is enabled' => 'Giá trị PHP magic quotes được kích hoạt', - 'Dom extension is not loaded' => 'Bộ mở rộng Dom không được nạp', - 'PDO MySQL extension is not loaded' => 'Bộ mở rộng PDO MySQL không được nạp', - 'Server name is not valid' => 'Tên máy chủ không hợp lệ', - 'You must enter a database name' => 'Bạn phải nhập tên cơ sở dữ liệu', - 'You must enter a database login' => 'Bạn phải nhập tên đăng nhập cơ sở dữ liệu', - 'Tables prefix is invalid' => 'Tiền tố bảng không hợp lệ', - 'Cannot convert database data to utf-8' => 'Không thể chuyển đổi dữ liệu cơ sở dữ liệu sang utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Ít nhất một bảng với cùng một tiền tố đã được tìm ra, hãy thay đổi tiền tố hay bỏ cơ sở dữ liệu của bạn', - 'The values of auto_increment increment and offset must be set to 1' => 'Các giá trị của auto_increment tăng và bù trừ phải được thiết lập để 1', - 'Database Server is not found. Please verify the login, password and server fields' => 'Cơ sở dữ liệu Server không được tìm thấy. Hãy kiểm tra đăng nhập, mật khẩu và các trường máy chủ', - 'Connection to MySQL server succeeded, but database "%s" not found' => 'Kết nối với máy chủ MySQL thành công, nhưng cơ sở dữ liệu "%s" không tìm thấy', - 'Attempt to create the database automatically' => 'Cố gắng để tạo ra cơ sở dữ liệu tự động', - '%s file is not writable (check permissions)' => '%s tập tin không cho phép ghi (kiểm tra quyền)', - '%s folder is not writable (check permissions)' => '%s thư mục không cho phép ghi (kiểm tra quyền)', - 'Cannot write settings file' => 'Không thể ghi tập tin cài đặt', - 'Database structure file not found' => 'Tập tin cấu trúc cơ sở dữ liệu không tìm thấy', - 'Cannot create group shop' => 'Không thể tạo nhóm cửa hàng', - 'Cannot create shop' => 'Không thể tạo cửa hàng', - 'Cannot create shop URL' => 'Không thể tạo ra URL cửa hàng', - 'File "language.xml" not found for language iso "%s"' => 'File "language.xml" không tìm thấy cho ngôn ngữ iso "%s"', - 'File "language.xml" not valid for language iso "%s"' => 'File "language.xml" không hợp lệ cho ngôn ngữ iso "%s"', - 'Cannot install language "%s"' => 'Không thể cài đặt ngôn ngữ "%s"', - 'Cannot copy flag language "%s"' => 'Không thể sao chép cờ ngôn ngữ cờ "%s"', - 'Cannot create admin account' => 'Không thể tạo tài khoản admin', - 'Cannot install module "%s"' => 'Không thể cài đặt mô-đun "%s"', - 'Fixtures class "%s" not found' => 'Fixtures class "%s" không tìm thấy', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" phải là một thực thể của "InstallXmlLoader"', - 'Information about your Store' => 'Thông tin về cửa hàng', - 'Shop name' => 'Tên cửa hàng', - 'Main activity' => 'Hoạt động chính', - 'Please choose your main activity' => 'Hãy chọn hoạt động chính', - 'Other activity...' => 'Hoạt động khác...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Giúp chúng tôi hiểu hơn về cửa hàng của bạn để chúng tôi có thể đem lại cho bạn những chỉ dẫn tối ưu và các chức năng tốt nhất cho doanh nghiệp của bạn!', - 'Install demo products' => 'Cài đặt sản phẩm mẫu', - 'Yes' => 'Có', - 'No' => 'Không', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => 'Sản phẩm mẫu là một cách tốt để học cách sử dụng Prestashop. Bạn nên cài đặt chúng nếu bạn chưa thuần thạo với Prestashop.', - 'Country' => 'Quốc gia', - 'Select your country' => 'Chọn quốc gia', - 'Shop timezone' => 'Múi giờ', - 'Select your timezone' => 'Chọn múi giờ', - 'Shop logo' => 'Logo cửa hàng', - 'Optional - You can add you logo at a later time.' => 'Mục phụ - Bạn có thể thêm logo vào sau.', - 'Your Account' => 'Tài khoản của bạn', - 'First name' => 'Tên', - 'Last name' => 'Họ', - 'E-mail address' => 'Địa chỉ email', - 'This email address will be your username to access your store\'s back office.' => 'Địa chỉ email này sẽ là tên đăng nhập vào phần quản lý của cửa hàng.', - 'Shop password' => 'Mật khẩu của cửa hàng', - 'Must be at least 8 characters' => 'Phải có ít nhất 8 ký tự', - 'Re-type to confirm' => 'Nhập lại để xác nhận', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Tất cả các thông tin mà bạn cung cấp cho chúng tôi là được chúng tôi thu thập và là đối tượng để xử lý dữ liệu và thống kê, nó là cần thiết cho các thành viên của công ty PrestaShop để đáp ứng yêu cầu của bạn. Dữ liệu cá nhân của bạn có thể được thông báo cho các nhà cung cấp dịch vụ và các đối tác như là một phần của mối quan hệ đối tác. Theo "luật về xử lý dữ liệu, tập tin dữ liệu cá nhân và tự do" hiện tại bạn có quyền truy cập, chỉnh sửa và phản đối với việc xử lý các dữ liệu cá nhân của bạn thông qua này link.', - 'Configure your database by filling out the following fields' => 'Tinh chỉnh cơ sở dữ liệu bằng cách điền vào các mục dưới đây', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => 'Để sử dụng PrestaShop, bạn phải create a database thu thập tất cả các hoạt động liên quan đến dữ liệu của cửa hàng của bạn.', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => 'Hãy điền vào các trường dưới đây để cho PrestaShop để kết nối với cơ sở dữ liệu của bạn.', - 'Database server address' => 'Địa chỉ máy chủ cơ sở dữ liệu', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Cổng mặc định là 3306. Sử dụng một cổng khác nhau, thêm số hiệu cổng vào máy chủ của bạn địa chỉ IE ": 4242".', - 'Database name' => 'Tên cơ sở dữ liệu', - 'Database login' => 'Đăng nhập Cơ sở dữ liệu', - 'Database password' => 'Mật khẩu Cơ sở dữ liệu', - 'Database Engine' => 'Database Engine', - 'Tables prefix' => 'Tables Prefix', - 'Drop existing tables (mode dev)' => 'Thả các bảng hiện có (chế độ dev)', - 'Test your database connection now!' => 'Kiểm tra kết nối cơ sở dữ liệu của bạn bây giờ!', - 'Next' => 'Tiếp', - 'Back' => 'Quay lại', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Nếu bạn cần một số trợ giúp, bạn có thể nhận được sự giúp đỡ phù hợptừ đội ngũ hỗ trợ của chúng tôi. Tài liệu chính thức cũng ở đây để hướng dẫn bạn.', - 'Official forum' => 'Diễn đàn chính thức', - 'Support' => 'Hỗ trợ', - 'Documentation' => 'Tài liệu', - 'Contact us' => 'contact us', - 'PrestaShop Installation Assistant' => 'PrestaShop Trợ lý Cài đặt', - 'Forum' => 'Diễn đàn', - 'Blog' => 'Blog', - 'Contact us!' => 'Liên hệ với chúng tôi!', - 'menu_welcome' => 'Chọn ngôn ngữ của bạn', - 'menu_license' => 'Thỏa thuận bản quyền', - 'menu_system' => 'Tương thích hệ thống', - 'menu_configure' => 'Thông tin cửa hàng', - 'menu_database' => 'Cấu hình hệ thống', - 'menu_process' => 'Cài đặt cửa hàng', - 'Installation Assistant' => 'Trợ giúp cài đặt', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => 'Để cài đặt PrestaShop, bạn phải bật JavaScript trên trình duyệt.', - 'http://enable-javascript.com/' => 'http://enable-javascript.com', - 'License Agreements' => 'Thỏa thuận bản quyền', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Để tận hưởng nhiều tính năng được cung cấp miễn phí bởi PrestaShop, xin vui lòng đọc các điều khoản cấp phép dưới đây. PrestaShop core được cấp phép theo OSL 3.0, trong khi các mô-đun và các chủ đề được cấp phép theo AFL 3.0.', - 'I agree to the above terms and conditions.' => 'Tôi đồng ý với các điều khoản và điều kiện nêu trên.', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Tôi đồng ý tham gia vào việc cải thiện các giải pháp bằng cách gửi thông tin vô danh về cấu hình của tôi.', - 'Done!' => 'Hoàn thành!', - 'An error occurred during installation...' => 'Một lỗi xảy ra trong quá trình cài đặt...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Bạn có thể sử dụng các liên kết trên các cột bên trái để quay lại các bước trước đó, hoặc khởi động lại quá trình cài đặt bằng cách Click vào đây.', - 'Your installation is finished!' => 'Cài đặt đã hoàn thành!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => 'Bạn vừa hoàn thành cài đặt cửa hàng của bạn. Cảm ơn bạn đã sử dụng PrestaShop!', - 'Please remember your login information:' => 'Xin vui lòng ghi nhớ thông tin đăng nhập của bạn:', - 'E-mail' => 'Hộp thư', - 'Print my login information' => 'In thông tin đăng nhập của tôi', - 'Password' => 'Mật khẩu', - 'Display' => 'Hiển thị', - 'For security purposes, you must delete the "install" folder.' => 'Vì mục đích bảo mật, bạn phải xóa các thư mục "cài đặt".', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => 'Trang quản trị', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Quản lý cửa hàng với Trang Quản Trị. Quản lý đơn đặt hàng, khách hàng, thêm mô-đun, hay thay đổi theme, v.v...', - 'Manage your store' => 'Quản lý cửa hàng của bạn', - 'Front Office' => 'Front Office', - 'Discover your store as your future customers will see it!' => 'Khám phá cửa hàng của bạn như khách hàng tương lai của bạn sẽ nhìn thấy nó!', - 'Discover your store' => 'Khám phá cửa hàng của bạn', - 'Share your experience with your friends!' => 'Chia sẻ kinh nghiệm của bạn với bạn bè của bạn!', - 'I just built an online store with PrestaShop!' => 'Tôi vừa xây dựng một cửa hàng trực tuyến với PrestaShop!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Xem kinh nghiệm này: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => 'Chia sẻ', - 'Google+' => 'Google +', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => 'Kiểm tra trong PrestaShop Addons để thêm rằng chút gì đó thêm để cửa hàng của bạn!', - 'We are currently checking PrestaShop compatibility with your system environment' => 'Chúng tôi hiện đang kiểm tra khả năng tương thích với môi trường PrestaShop hệ thống của bạn', - 'If you have any questions, please visit our documentation and community forum.' => 'Nếu bạn có bất kỳ câu hỏi, xin vui lòng ghé thăm chúng tôi tài liệudiễn đàn cộng đồng.', - 'PrestaShop compatibility with your system environment has been verified!' => 'PrestaShop khả năng tương thích với môi trường hệ thống của bạn đã được xác nhận!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system. -Rất tiếc! Xin vui lòng sửa mục (s) bên dưới, và sau đó click vào "Làm mới thông tin" để kiểm tra khả năng tương thích hệ thống mới của bạn.', - 'Refresh these settings' => 'Làm mới các thiết lập', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop đòi hỏi ít nhất 32 MB bộ nhớ để chạy: xin vui lòng kiểm tra các chỉ thị memory_limit trong tập tin php.ini của bạn hoặc liên hệ với nhà cung cấp host của bạn về điều này.', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => 'Cảnh báo: Bạn không thể sử dụng công cụ này để nâng cấp cửa hàng của bạn nữa.

Bạn đã có PrestaShop version %1$s cài đặt.

Nếu bạn muốn nâng cấp lên phiên bản mới nhất, xin vui lòng đọc các tài liệu của chúng tôi:%2$s', - 'Welcome to the PrestaShop %s Installer' => 'Chào mừng bạn đến PrestaShop %s Installer', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Cài đặt PrestaShop là nhanh chóng và dễ dàng. Trong chỉ là một vài phút, bạn sẽ trở thành một phần của một cộng đồng bao gồm hơn 250.000 người bán. Bạn đang trên đường để tạo cửa hàng trực tuyến của riêng bạn duy nhất mà bạn có thể quản lý một cách dễ dàng mỗi ngày.', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Nếu bạn cần sự giúp đỡ, đừng ngần ngại xem hướng dẫn ngắn này, hoặc kiểm tra tài liệu của chúng tôi .', - 'Continue the installation in:' => 'Tiếp tục cài đặt tại:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => 'Việc lựa chọn ngôn ngữ ở trên chỉ áp dụng cho các trợ cài đặt. Một khi cửa hàng của bạn đã được cài đặt, bạn có thể chọn ngôn ngữ của cửa hàng của bạn từ trên %d dịch, tất cả miễn phí!', - ), -); +return array( + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => 'Đã xảy ra lỗi SQL đối với thực thể %1$s: %2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => 'Không thể tạo hình ảnh "%1$s" cho thực thể "%2$s"', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => 'Không thể tạo hình ảnh "%1$s" (quyền không hợp lệ trên thư mục "%2$s")', + 'Cannot create image "%s"' => 'Không thể tạo hình ảnh "%s"', + 'SQL error on query %s' => 'Lỗi SQL trên truy vấn %s', + '%s Login information' => '%s Thông tin đăng nhập', + 'Field required' => 'Trường bắt buộc', + 'Invalid shop name' => 'Tên cửa hàng không hợp lệ', + 'The field %s is limited to %d characters' => 'Trường %s được giới hạn ở %d ký tự', + 'Your firstname contains some invalid characters' => 'Tên của bạn chứa một số ký tự không hợp lệ', + 'Your lastname contains some invalid characters' => 'Họ của bạn chứa một số ký tự không hợp lệ', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => 'Mật khẩu không chính xác (chuỗi chữ và số có ít nhất 8 ký tự)', + 'Password and its confirmation are different' => 'Mật khẩu và xác nhận của nó là khác nhau', + 'This e-mail address is invalid' => 'Địa chỉ email này không hợp lệ', + 'Image folder %s is not writable' => 'Thư mục hình ảnh %s không thể ghi được', + 'An error occurred during logo copy.' => 'Đã xảy ra lỗi trong quá trình sao chép logo.', + 'An error occurred during logo upload.' => 'Đã xảy ra lỗi trong quá trình tải lên logo.', + 'Lingerie and Adult' => 'Đồ lót và Người lớn', + 'Animals and Pets' => 'Động vật và Thú cưng', + 'Art and Culture' => 'Nghệ thuật và văn hóa', + 'Babies' => 'Đứa trẻ', + 'Beauty and Personal Care' => 'Chăm sóc sắc đẹp và cá nhân', + 'Cars' => 'Ô tô', + 'Computer Hardware and Software' => 'Phần cứng và phần mềm máy tính', + 'Download' => 'Tải xuống', + 'Fashion and accessories' => 'Thời trang và phụ kiện', + 'Flowers, Gifts and Crafts' => 'Hoa, Quà tặng và Thủ công', + 'Food and beverage' => 'Đồ ăn và đồ uống', + 'HiFi, Photo and Video' => 'HiFi, Ảnh và Video', + 'Home and Garden' => 'Nhà và vườn', + 'Home Appliances' => 'Thiết bị gia dụng', + 'Jewelry' => 'Trang sức', + 'Mobile and Telecom' => 'Điện thoại di động và viễn thông', + 'Services' => 'Dịch vụ', + 'Shoes and accessories' => 'Giày và phụ kiện', + 'Sports and Entertainment' => 'Thể thao và Giải trí', + 'Travel' => 'Du lịch', + 'Database is connected' => 'Cơ sở dữ liệu được kết nối', + 'Database is created' => 'Cơ sở dữ liệu được tạo', + 'Cannot create the database automatically' => 'Không thể tạo cơ sở dữ liệu tự động', + 'Create settings.inc file' => 'Tạo tập tin settings.inc', + 'Create database tables' => 'Tạo bảng cơ sở dữ liệu', + 'Create default website and languages' => 'Tạo trang web và ngôn ngữ mặc định', + 'Populate database tables' => 'Điền vào các bảng cơ sở dữ liệu', + 'Configure website information' => 'Cấu hình thông tin trang web', + 'Install demonstration data' => 'Cài đặt dữ liệu trình diễn', + 'Install modules' => 'Cài đặt mô-đun', + 'Install Addons modules' => 'Cài đặt mô-đun Addons', + 'Install theme' => 'Cài đặt chủ đề', + 'Required PHP parameters' => 'Các tham số PHP bắt buộc', + 'The required PHP version is between 5.6 to 7.4' => 'Phiên bản PHP yêu cầu là từ 5.6 đến 7.4', + 'Cannot upload files' => 'Không thể tải tập tin lên', + 'Cannot create new files and folders' => 'Không thể tạo tập tin và thư mục mới', + 'GD library is not installed' => 'Thư viện GD chưa được cài đặt', + 'PDO MySQL extension is not loaded' => 'Phần mở rộng PDO MySQL không được tải', + 'Curl extension is not loaded' => 'Phần mở rộng cuộn tròn không được tải', + 'SOAP extension is not loaded' => 'Tiện ích mở rộng SOAP không được tải', + 'SimpleXml extension is not loaded' => 'Tiện ích mở rộng SimpleXml không được tải', + 'In the PHP configuration set memory_limit to minimum 128M' => 'Trong cấu hình PHP, đặt bộ nhớ_limit ở mức tối thiểu 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => 'Trong cấu hình PHP, đặt max_execution_time ở mức tối thiểu 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => 'Trong cấu hình PHP, đặt upload_max_filesize ở mức tối thiểu 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => 'Không thể mở URL bên ngoài (yêu cầu allow_url_fopen là Bật).', + 'ZIP extension is not enabled' => 'Tiện ích mở rộng ZIP chưa được bật', + 'Files' => 'Các tập tin', + 'Not all files were successfully uploaded on your server' => 'Không phải tất cả các tệp đều được tải lên thành công trên máy chủ của bạn', + 'Permissions on files and folders' => 'Quyền trên tập tin và thư mục', + 'Recursive write permissions for %1$s user on %2$s' => 'Quyền ghi đệ quy cho người dùng %1$s trên %2$s', + 'Recommended PHP parameters' => 'Tham số PHP được đề xuất', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => 'Bạn đang sử dụng phiên bản PHP %s. Sắp tới, phiên bản PHP mới nhất được QloApps hỗ trợ sẽ là PHP 5.6. Để đảm bảo bạn đã sẵn sàng cho tương lai, chúng tôi khuyên bạn nên nâng cấp lên PHP 5.6 ngay bây giờ!', + 'PHP register_globals option is enabled' => 'Tùy chọn PHP register_globals được bật', + 'GZIP compression is not activated' => 'Tính năng nén GZIP chưa được kích hoạt', + 'Mbstring extension is not enabled' => 'Tiện ích mở rộng Mbstring chưa được bật', + 'Dom extension is not loaded' => 'Tiện ích mở rộng Dom không được tải', + 'Server name is not valid' => 'Tên máy chủ không hợp lệ', + 'You must enter a database name' => 'Bạn phải nhập tên cơ sở dữ liệu', + 'You must enter a database login' => 'Bạn phải nhập thông tin đăng nhập cơ sở dữ liệu', + 'Tables prefix is invalid' => 'Tiền tố của bảng không hợp lệ', + 'Cannot convert database data to utf-8' => 'Không thể chuyển đổi dữ liệu cơ sở dữ liệu sang utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => 'Đã tìm thấy ít nhất một bảng có cùng tiền tố, vui lòng thay đổi tiền tố hoặc xóa cơ sở dữ liệu của bạn', + 'The values of auto_increment increment and offset must be set to 1' => 'Các giá trị của phần tăng và phần bù auto_increment phải được đặt thành 1', + 'Database Server is not found. Please verify the login, password and server fields' => 'Máy chủ cơ sở dữ liệu không được tìm thấy. Vui lòng xác minh các trường đăng nhập, mật khẩu và máy chủ', + 'Connection to MySQL server succeeded, but database "%s" not found' => 'Kết nối tới máy chủ MySQL thành công nhưng không tìm thấy cơ sở dữ liệu "%s"', + 'Attempt to create the database automatically' => 'Cố gắng tạo cơ sở dữ liệu tự động', + '%s file is not writable (check permissions)' => 'Tệp %s không thể ghi được (kiểm tra quyền)', + '%s folder is not writable (check permissions)' => 'Thư mục %s không thể ghi được (kiểm tra quyền)', + 'Cannot write settings file' => 'Không thể ghi tập tin cài đặt', + 'Database structure file not found' => 'Không tìm thấy tệp cấu trúc cơ sở dữ liệu', + 'Cannot create group shop' => 'Không thể tạo cửa hàng nhóm', + 'Cannot create shop' => 'Không thể tạo cửa hàng', + 'Cannot create shop URL' => 'Không thể tạo URL cửa hàng', + 'File "language.xml" not found for language iso "%s"' => 'Không tìm thấy tệp "ngôn ngữ.xml" cho ngôn ngữ iso "%s"', + 'File "language.xml" not valid for language iso "%s"' => 'Tệp "ngôn ngữ.xml" không hợp lệ cho ngôn ngữ iso "%s"', + 'Cannot install language "%s"' => 'Không thể cài đặt ngôn ngữ "%s"', + 'Cannot copy flag language "%s"' => 'Không thể sao chép ngôn ngữ cờ "%s"', + 'Cannot create admin account' => 'Không thể tạo tài khoản quản trị viên', + 'Cannot install module "%s"' => 'Không thể cài đặt mô-đun "%s"', + 'Fixtures class "%s" not found' => 'Không tìm thấy lớp lịch thi đấu "%s"', + '"%s" must be an instance of "InstallXmlLoader"' => '"%s" phải là phiên bản của "InstallXmlLoader"', + 'Information about your Website' => 'Thông tin về trang web của bạn', + 'Website name' => 'Tên trang web', + 'Main activity' => 'Hoạt động chủ yêu', + 'Please choose your main activity' => 'Vui lòng chọn hoạt động chính của bạn', + 'Other activity...' => 'Hoạt động khác...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => 'Hãy giúp chúng tôi tìm hiểu thêm về cửa hàng của bạn để chúng tôi có thể cung cấp cho bạn hướng dẫn tối ưu và các tính năng tốt nhất cho doanh nghiệp của bạn!', + 'Install demo data' => 'Cài đặt dữ liệu demo', + 'Yes' => 'Đúng', + 'No' => 'KHÔNG', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => 'Cài đặt dữ liệu demo là một cách hay để tìm hiểu cách sử dụng QloApps nếu bạn chưa từng sử dụng nó trước đây. Dữ liệu demo này sau đó có thể bị xóa bằng cách sử dụng mô-đun QloApps Data Cleaner được cài đặt sẵn trong bản cài đặt này.', + 'Country' => 'Quốc gia', + 'Select your country' => 'Chọn đất nước của bạn', + 'Website timezone' => 'Múi giờ của trang web', + 'Select your timezone' => 'Chọn múi giờ của bạn', + 'Enable SSL' => 'Kích hoạt SSL', + 'Shop logo' => 'Logo cửa hàng', + 'Optional - You can add you logo at a later time.' => 'Tùy chọn - Bạn có thể thêm logo của mình sau.', + 'Your Account' => 'Tài khoản của bạn', + 'First name' => 'Tên đầu tiên', + 'Last name' => 'Họ', + 'E-mail address' => 'Địa chỉ email', + 'This email address will be your username to access your website\'s back office.' => 'Địa chỉ email này sẽ là tên người dùng của bạn để truy cập vào văn phòng hỗ trợ trang web của bạn.', + 'Password' => 'Mật khẩu', + 'Must be at least 8 characters' => 'Phải có ít nhất 8 ký tự', + 'Re-type to confirm' => 'Nhập lại để xác nhận', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'Thông tin bạn cung cấp cho chúng tôi được chúng tôi thu thập và có thể xử lý và thống kê dữ liệu. Theo "Đạo luật xử lý dữ liệu, tệp dữ liệu và quyền tự do cá nhân" hiện tại, bạn có quyền truy cập, khắc phục và phản đối việc xử lý dữ liệu cá nhân của mình thông qua liên kết.', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => 'Tôi đồng ý nhận Bản tin và khuyến mại từ QloApps.', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => 'Bạn sẽ luôn nhận được email giao dịch như bản cập nhật mới, bản sửa lỗi và bản vá bảo mật ngay cả khi bạn không chọn tùy chọn này.', + 'Configure your database by filling out the following fields' => 'Định cấu hình cơ sở dữ liệu của bạn bằng cách điền vào các trường sau', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => 'Để sử dụng QloApps, bạn phải tạo cơ sở dữ liệu để thu thập tất cả các hoạt động liên quan đến dữ liệu trên trang web của bạn.', + 'Please complete the fields below in order for QloApps to connect to your database. ' => 'Vui lòng hoàn thành các trường bên dưới để QloApps kết nối với cơ sở dữ liệu của bạn.', + 'Database server address' => 'Địa chỉ máy chủ cơ sở dữ liệu', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => 'Cổng mặc định là 3306. Để sử dụng cổng khác, hãy thêm số cổng vào cuối địa chỉ máy chủ của bạn, tức là ":4242".', + 'Database name' => 'Tên cơ sở dữ liệu', + 'Database login' => 'Đăng nhập cơ sở dữ liệu', + 'Database password' => 'Mật khẩu cơ sở dữ liệu', + 'Database Engine' => 'Cơ sở dữ liệu', + 'Tables prefix' => 'Tiền tố bảng', + 'Drop existing tables (mode dev)' => 'Bỏ các bảng hiện có (chế độ dev)', + 'Test your database connection now!' => 'Kiểm tra kết nối cơ sở dữ liệu của bạn ngay bây giờ!', + 'Next' => 'Kế tiếp', + 'Back' => 'Mặt sau', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'Nếu cần trợ giúp, bạn có thể nhận trợ giúp phù hợp từ nhóm hỗ trợ của chúng tôi. Tài liệu chính thức cũng có ở đây để hướng dẫn bạn.', + 'Official forum' => 'Diễn đàn chính thức', + 'Support' => 'Ủng hộ', + 'Documentation' => 'Tài liệu', + 'Contact us' => 'Liên hệ chúng tôi', + 'QloApps Installation Assistant' => 'Trợ lý cài đặt QloApps', + 'Forum' => 'Diễn đàn', + 'Blog' => 'Blog', + 'menu_welcome' => 'Chọn ngôn ngữ của bạn', + 'menu_license' => 'Thỏa thuận cấp phép', + 'menu_system' => 'Khả năng tương thích hệ thống', + 'menu_configure' => 'Thông tin trang web', + 'menu_database' => 'Cấu hình hệ thông', + 'menu_process' => 'Cài đặt QloApps', + 'Need Help?' => 'Cần giúp đỡ?', + 'Click here to Contact us' => 'Nhấn vào đây để liên hệ với chúng tôi', + 'Installation' => 'Cài đặt', + 'See our Installation guide' => 'Xem hướng dẫn cài đặt của chúng tôi', + 'Tutorials' => 'Hướng dẫn', + 'See our QloApps tutorials' => 'Xem hướng dẫn về QloApps của chúng tôi', + 'Installation Assistant' => 'Trợ lý cài đặt', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => 'Để cài đặt QloApps, bạn cần bật JavaScript trong trình duyệt của mình.', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => 'Thỏa thuận cấp phép', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => 'Để tận hưởng nhiều tính năng được QloApps cung cấp miễn phí, vui lòng đọc các điều khoản cấp phép bên dưới. Lõi QloApps được cấp phép theo OSL 3.0, trong khi các mô-đun và chủ đề được cấp phép theo AFL 3.0.', + 'I agree to the above terms and conditions.' => 'Tôi đồng ý với các điều khoản và điều kiện trên.', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => 'Tôi đồng ý tham gia cải tiến giải pháp bằng cách gửi thông tin ẩn danh về cấu hình của tôi.', + 'Done!' => 'Xong!', + 'An error occurred during installation...' => 'Đã xảy ra lỗi trong quá trình cài đặt...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => 'Bạn có thể sử dụng các liên kết ở cột bên trái để quay lại các bước trước đó hoặc bắt đầu lại quá trình cài đặt bằng cách nhấp vào đây.', + 'Suggested Modules' => 'Mô-đun được đề xuất', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => 'Chỉ tìm các tính năng phù hợp trên QloApps Addons để giúp doanh nghiệp khách sạn của bạn thành công.', + 'Discover All Modules' => 'Khám phá tất cả các mô-đun', + 'Suggested Themes' => 'Chủ đề được đề xuất', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => 'Tạo một thiết kế phù hợp với khách sạn và khách hàng của bạn, với chủ đề mẫu có sẵn.', + 'Discover All Themes' => 'Khám phá tất cả chủ đề', + 'Your installation is finished!' => 'Quá trình cài đặt của bạn đã hoàn tất!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => 'Bạn vừa cài đặt xong QloApps. Cảm ơn bạn đã sử dụng QloApps!', + 'Please remember your login information:' => 'Hãy nhớ thông tin đăng nhập của bạn:', + 'E-mail' => 'E-mail', + 'Print my login information' => 'In thông tin đăng nhập của tôi', + 'Display' => 'Trưng bày', + 'For security purposes, you must delete the "install" folder.' => 'Vì mục đích bảo mật, bạn phải xóa thư mục "cài đặt".', + 'Back Office' => 'Văn phòng hỗ trợ', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => 'Quản lý trang web của bạn bằng cách sử dụng Back Office. Quản lý đơn hàng và khách hàng của bạn, thêm mô-đun, thay đổi chủ đề, v.v.', + 'Manage Your Website' => 'Quản lý trang web của bạn', + 'Front Office' => 'Văn phòng phía trước', + 'Discover your website as your future customers will see it!' => 'Khám phá trang web của bạn khi khách hàng tương lai của bạn sẽ nhìn thấy nó!', + 'Discover Your Website' => 'Khám phá trang web của bạn', + 'Share your experience with your friends!' => 'Chia sẻ kinh nghiệm của bạn với bạn bè của bạn!', + 'I just built an online hotel booking website with QloApps!' => 'Tôi vừa xây dựng một trang web đặt phòng khách sạn trực tuyến với QloApps!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => 'Xem tất cả các tính năng tại đây: https://qloapps.com/qlo-reservation-system/', + 'Tweet' => 'tiếng riu ríu', + 'Share' => 'Chia sẻ', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => 'Chúng tôi hiện đang kiểm tra khả năng tương thích của QloApps với môi trường hệ thống của bạn', + 'If you have any questions, please visit our documentation and community forum.' => 'Nếu bạn có bất kỳ câu hỏi nào, vui lòng truy cập tài liệudiễn đàn cộng đồng< của chúng tôi /a>.', + 'QloApps compatibility with your system environment has been verified!' => 'Khả năng tương thích của QloApps với môi trường hệ thống của bạn đã được xác minh!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => 'Ối! Vui lòng sửa (các) mục bên dưới và sau đó nhấp vào "Làm mới thông tin" để kiểm tra tính tương thích của hệ thống mới của bạn.', + 'Refresh these settings' => 'Làm mới các cài đặt này', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps yêu cầu ít nhất 128 MB bộ nhớ để chạy: vui lòng kiểm tra lệnh Memory_limit trong tệp php.ini của bạn hoặc liên hệ với nhà cung cấp máy chủ của bạn về vấn đề này.', + 'Welcome to the QloApps %s Installer' => 'Chào mừng bạn đến với Trình cài đặt QloApps %s', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => 'Quá trình cài đặt QloApps rất nhanh chóng và dễ dàng. Chỉ trong chốc lát, bạn sẽ trở thành một phần của cộng đồng. Bạn đang trong quá trình tạo trang web đặt phòng khách sạn của riêng mình mà bạn có thể quản lý dễ dàng hàng ngày.', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'Nếu bạn cần trợ giúp, đừng ngần ngại xem hướng dẫn ngắn này hoặc kiểm tra tài liệu của chúng tôi.', + 'Continue the installation in:' => 'Tiếp tục cài đặt trong:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => 'Lựa chọn ngôn ngữ ở trên chỉ áp dụng cho Trợ lý cài đặt. Sau khi cài đặt QloApps, bạn có thể chọn ngôn ngữ trang web của mình từ hơn %d bản dịch, tất cả đều miễn phí!', + ), +); \ No newline at end of file diff --git a/install/langs/zh/install.php b/install/langs/zh/install.php index 89215d904..608b84499 100644 --- a/install/langs/zh/install.php +++ b/install/langs/zh/install.php @@ -1,214 +1,227 @@ array( - 'documentation' => 'https://qloapps.com/qlo-reservation-system/', - 'documentation_upgrade' => 'https://webkul.uvdesk.com/', - 'forum' => 'https://forums.qloapps.com/', - 'blog' => 'https://qloapps.com/blog/', - 'support' => 'https://webkul.uvdesk.com/', - 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', - 'tailored_help' => 'https://webkul.uvdesk.com/', - 'contact' => 'https://qloapps.com/contact/', - 'services' => 'https://qloapps.com/contact/', - 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', - 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', - 'install_help' => 'https://qloapps.com/install-qloapps/', - ), - 'translations' => array( - 'An SQL error occurred for entity %1$s: %2$s' => 'An SQL error occurred for entity %1$s: %2$s', - 'Cannot create image "%1$s" for entity "%2$s"' => '不能在"%2$s" 创建图片"%1$s"', - 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => '无法创建图片 "%1$s" ( 无文件夹"%2$s"授权)', - 'Cannot create image "%s"' => '不能创建图片"%s"', - 'SQL error on query %s' => 'SQL error on query %s', - '%s Login information' => '%s 登陆信息', - 'Field required' => '必填字段', - 'Invalid shop name' => '无效店铺名字', - 'The field %s is limited to %d characters' => '该字段 %s 字数最大限为%d 个字符', - 'Your firstname contains some invalid characters' => '你的名字包含一些无效的字符', - 'Your lastname contains some invalid characters' => '你的姓包含一些无效的字符', - 'The password is incorrect (alphanumeric string with at least 8 characters)' => '密码不正确 (至少8个字符)', - 'Password and its confirmation are different' => '密码与确认密码不同', - 'This e-mail address is invalid' => '此电子邮件地址是无效的。', - 'Image folder %s is not writable' => '图片文件夹 %s 不可写', - 'An error occurred during logo copy.' => '在标志复制过程中发生错误。', - 'An error occurred during logo upload.' => '在标志上传过程中发生错误。', - 'Lingerie and Adult' => '内衣和成人', - 'Animals and Pets' => '宠物', - 'Art and Culture' => '艺术文化', - 'Babies' => '婴儿用品', - 'Beauty and Personal Care' => '美容及个人护理', - 'Cars' => '轿车', - 'Computer Hardware and Software' => '计算机硬件和软件', - 'Download' => '下载', - 'Fashion and accessories' => '时装及配饰', - 'Flowers, Gifts and Crafts' => '鲜花,礼品及工艺品', - 'Food and beverage' => '食品和饮料', - 'HiFi, Photo and Video' => '音响,照片和视频', - 'Home and Garden' => '室内和花园', - 'Home Appliances' => '家电', - 'Jewelry' => '首饰珠宝', - 'Mobile and Telecom' => '移动及电信', - 'Services' => '服务', - 'Shoes and accessories' => '鞋类及配件', - 'Sports and Entertainment' => '体育和娱乐业', - 'Travel' => '旅行', - 'Database is connected' => '数据库已连接', - 'Database is created' => '数据库已创建', - 'Cannot create the database automatically' => '无法自动创建数据库', - 'Create settings.inc file' => '创建settings.inc文件', - 'Create database tables' => '创建数据库表', - 'Create default shop and languages' => '创建默认店铺和语言', - 'Populate database tables' => '植入数据库表', - 'Configure shop information' => '配置店铺信息', - 'Install demonstration data' => '安装演示数据', - 'Install modules' => '安装模块', - 'Install Addons modules' => '安装插件模块', - 'Install theme' => '安装主题', - 'Required PHP parameters' => '必填参数', - 'PHP 5.1.2 or later is not enabled' => 'PHP5.1.2或更高版本未启用', - 'Cannot upload files' => '无法上传文件', - 'Cannot create new files and folders' => '无法创建新文件和文件夹', - 'GD library is not installed' => '未安装GD库', - 'MySQL support is not activated' => 'MySQL支持未激活', - 'Files' => '文件', - 'Not all files were successfully uploaded on your server' => '非所有文件成功上传到您的服务器上', - 'Permissions on files and folders' => '文件和文件夹的权限', - 'Recursive write permissions for %1$s user on %2$s' => 'Recursive write permissions for %1$s user on %2$s', - 'Recommended PHP parameters' => 'Recommended PHP parameters', - 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!' => 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.4. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.4 now!', - 'Cannot open external URLs' => '无法打开外部链接', - 'PHP register_globals option is enabled' => 'PHP的register_globals选项被启用', - 'GZIP compression is not activated' => 'GZIP压缩未激活', - 'Mcrypt extension is not enabled' => 'Mcrypt扩展未启用', - 'Mbstring extension is not enabled' => 'Mbstring扩展未启用', - 'PHP magic quotes option is enabled' => 'PHP magic quotes 选项为 on', - 'Dom extension is not loaded' => 'DOM扩展未加载', - 'PDO MySQL extension is not loaded' => 'PDO MySQL扩展名未加载', - 'Server name is not valid' => '服务器名称不可用', - 'You must enter a database name' => '您必须输入一个数据库名', - 'You must enter a database login' => '您必须输入一个数据库登录名', - 'Tables prefix is invalid' => '数据库表前缀', - 'Cannot convert database data to utf-8' => '无法将数据转换成 utf-8', - 'At least one table with same prefix was already found, please change your prefix or drop your database' => '如果找到相同前缀的数据库表,请更换前缀或者删除您的数据库表。', - 'The values of auto_increment increment and offset must be set to 1' => 'The values of auto_increment increment and offset must be set to 1', - 'Database Server is not found. Please verify the login, password and server fields' => '数据库服务器没有找到。请检查登录名,密码和服务器领域', - 'Connection to MySQL server succeeded, but database "%s" not found' => '成功连接到MySQL服务器,但"%s"数据库未找到', - 'Attempt to create the database automatically' => '尝试自动创建数据库', - '%s file is not writable (check permissions)' => '%s文件不可写(检查权限)', - '%s folder is not writable (check permissions)' => '%s文件夹不可写(检查权限)', - 'Cannot write settings file' => '无法写入设置文件', - 'Database structure file not found' => '未找到数据库文件结构', - 'Cannot create group shop' => '无法创建组店', - 'Cannot create shop' => '无法创建店铺', - 'Cannot create shop URL' => '无法创建店铺连接', - 'File "language.xml" not found for language iso "%s"' => '文件"language.xml" 无法从语言iso "%s" 里找到', - 'File "language.xml" not valid for language iso "%s"' => '文件 "language.xml" 在语言 iso "%s" 里无效', - 'Cannot install language "%s"' => '无法安装语言 "%s" ', - 'Cannot copy flag language "%s"' => '无法复制该语言对应的国旗 "%s"', - 'Cannot create admin account' => '无法创建行政账户', - 'Cannot install module "%s"' => '无法安装模块 "%s"', - 'Fixtures class "%s" not found' => '装置"%s"未找到', - '"%s" must be an instance of "InstallXmlLoader"' => '"%s" 应为一个 "InstallXmlLoader" 实例', - 'Information about your Store' => '您店铺的信息', - 'Shop name' => '商店名称:', - 'Main activity' => '主营业务', - 'Please choose your main activity' => '请选择您的主要业务', - 'Other activity...' => '其他业务...', - 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => '帮助我们更多地了解你的店铺,我们可以为您的企业提供最佳的指导和最合适的功能!', - 'Install demo products' => '安装演示产品', - 'Yes' => '是', - 'No' => '否', - 'Demo products are a good way to learn how to use PrestaShop. You should install them if you are not familiar with it.' => '演示商品是个了解如何使用 Prestashop 好方法。如果您还不熟悉如何在 PrestaShop 上开店,您应该安装它们。', - 'Country' => '国家', - 'Select your country' => '选择您的国家', - 'Shop timezone' => 'Shop timezone', - 'Select your timezone' => '选择您的时区', - 'Shop logo' => 'Shop logo', - 'Optional - You can add you logo at a later time.' => '可选 - 你可迟些添加您的标志。', - 'Your Account' => '我的账户', - 'First name' => '名', - 'Last name' => '姓', - 'E-mail address' => '电邮l地址', - 'This email address will be your username to access your store\'s back office.' => '这个电子邮件地址将成为您的用户名来访问您的店铺后台。', - 'Shop password' => '店铺密码', - 'Must be at least 8 characters' => '必须多于8个字符', - 'Re-type to confirm' => '重新输入', - 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => 'All information you give us is collected by us and is subject to data processing and statistics, it is necessary for the members of the PrestaShop company in order to respond to your requests. Your personal data may be communicated to service providers and partners as part of partner relationships. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.', - 'Configure your database by filling out the following fields' => '填写以下字段配置数据库', - 'To use PrestaShop, you must create a database to collect all of your store\'s data-related activities.' => '为了正确使用PrestaShop,您需要create a database收集您网店的所有项目相关数据。', - 'Please complete the fields below in order for PrestaShop to connect to your database. ' => '请按顺序填写下面的字段,以便让 Prestashop 连接到您的数据库。', - 'Database server address' => '数据库服务器地址', - 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => '默认端口为3306。如要使用不同的端口,请在服务器的地址端口末端添加“:4242”。', - 'Database name' => '数据库名称', - 'Database login' => '数据库登录名', - 'Database password' => '数据库密码', - 'Database Engine' => 'Database Engine', - 'Tables prefix' => '表格前缀', - 'Drop existing tables (mode dev)' => '删除现有表格(开发模式)', - 'Test your database connection now!' => '现在测试你的数据库连接吧!', - 'Next' => '下一个', - 'Back' => '返回', - 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.', - 'Official forum' => '官方论坛', - 'Support' => '支持', - 'Documentation' => '文档', - 'Contact us' => '联系我们', - 'PrestaShop Installation Assistant' => 'PrestaShop 安装助手', - 'Forum' => '论坛', - 'Blog' => '博客', - 'Contact us!' => '联系我们!', - 'menu_welcome' => '请选择语言', - 'menu_license' => '许可协议', - 'menu_system' => '系统兼容性', - 'menu_configure' => '店信息', - 'menu_database' => '系统配置', - 'menu_process' => '店铺安装', - 'Installation Assistant' => '安装助手', - 'To install PrestaShop, you need to have JavaScript enabled in your browser.' => '您需要在浏览器中启用 JavaScript 来安装 PrestaShop。', - 'http://enable-javascript.com/' => 'http://enable-javascript.com/', - 'License Agreements' => '许可协议', - 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. PrestaShop core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => '想要享受 PrestaShop 提供的多种免费功能,请阅读下面的许可条款。Prestashop 核心是以 OSL 3.0协议 授权,但是模块和主题授权于 AFL3.0 协议。', - 'I agree to the above terms and conditions.' => '我同意上述条款和条件。', - 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => '我同意参与改善的解决方案,通过发送我的配置的匿名信息。', - 'Done!' => '完成!', - 'An error occurred during installation...' => '在安装的过程中出现了错误...', - 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => '您可以使用左侧列中的链接返回到前面的步骤,或者通过点击这里重新启动安装​​过程。', - 'Your installation is finished!' => '安装已结束!', - 'You have just finished installing your shop. Thank you for using PrestaShop!' => '您已完成店铺的安装。感谢您使用 PrestaShop!', - 'Please remember your login information:' => '请记住您的登录信息', - 'E-mail' => '邮箱', - 'Print my login information' => '打印我的登录信息', - 'Password' => '密码', - 'Display' => '显示', - 'For security purposes, you must delete the "install" folder.' => '为了保证安全,你必须删除文件夹 “安装” 。', - 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation' => 'http://doc.prestashop.com/display/PS16/Installing+PrestaShop#InstallingPrestaShop-Completingtheinstallation', - 'Back Office' => '后台', - 'Manage your store using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => '使用后台管理您的店铺。管理您的订单和客户,添加模块,更改主题等。', - 'Manage your store' => '管理您的店铺', - 'Front Office' => '前台', - 'Discover your store as your future customers will see it!' => '站在顾客的位置上看您的店铺!', - 'Discover your store' => '体验您的店铺', - 'Share your experience with your friends!' => '和您的朋友分享经验!', - 'I just built an online store with PrestaShop!' => '我刚刚在PrestaShop开了一家网上商店!', - 'Watch this exhilarating experience: http://vimeo.com/89298199' => 'Watch this exhilarating experience: http://vimeo.com/89298199', - 'Tweet' => 'Tweet', - 'Share' => '分享', - 'Google+' => 'Google+', - 'Pinterest' => 'Pinterest', - 'LinkedIn' => 'LinkedIn', - 'Check out PrestaShop Addons to add that little something extra to your store!' => '在 PrestaShop Addons 寻找或更新您的网店需要的一些小插件!', - 'We are currently checking PrestaShop compatibility with your system environment' => '我们正在检查您和 PrestaShop 的系统环境兼容', - 'If you have any questions, please visit our documentation and community forum.' => '如果您有任何疑问,请访问我们的文档社区论坛。', - 'PrestaShop compatibility with your system environment has been verified!' => '您和 PrestaShop 的系统环境兼容已通过验证!', - 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => '糟糕!请更正下面商品,然后单击“刷新信息”,以测试新系统的兼容性。', - 'Refresh these settings' => '重新整理这些设置', - 'PrestaShop requires at least 32 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'PrestaShop 至少需要32M的内存来运行,请检查php.ini中的memory_limit的指令或联系您的主机提供商', - 'Warning: You cannot use this tool to upgrade your store anymore.

You already have PrestaShop version %1$s installed.

If you want to upgrade to the latest version, please read our documentation: %2$s' => '警告:你无法使用此工具来升级你的店铺。

您已经安装了 PrestaShop 的 %1$s s版本

如果你想升级到最新版本,请阅读我们的文档:%2$s', - 'Welcome to the PrestaShop %s Installer' => '欢迎来到PrestaShop %s 安装', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 230,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'Prestashop 的安装快速而简单。在短短的几分钟,你就会成为一个拥有超过230,000位商人社区的一份子。在创建您独特的网上商店途中,您可以很容易地每天管理它。', - 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.', - 'Continue the installation in:' => '继续安装:', - 'The language selection above only applies to the Installation Assistant. Once your store is installed, you can choose the language of your store from over %d translations, all for free!' => '上面语言选择用于安装助手。一旦店铺安装完毕,你可以从超过 %d 个翻译版本选择您的商店需要的语言,这一切都是免费的!', - 'Installing PrestaShop is quick and easy. In just a few moments, you will become part of a community consisting of more than 250,000 merchants. You are on the way to creating your own unique online store that you can manage easily every day.' => 'PrestaShop 的安装快速而简单。在短短的几分钟,你就会成为一个拥有超过250,000位商人社区的一份子。在创建您独特的网上商店途中,您可以很容易地每天管理它。', - ), -); + 'informations' => array( + 'documentation' => 'https://qloapps.com/qlo-reservation-system/', + 'documentation_upgrade' => 'https://webkul.uvdesk.com/', + 'forum' => 'https://forums.qloapps.com/', + 'blog' => 'https://qloapps.com/blog/', + 'support' => 'https://webkul.uvdesk.com/', + 'tutorial' => 'https://www.youtube.com/watch?v=BWoifR8INCE', + 'tailored_help' => 'https://webkul.uvdesk.com/', + 'contact' => 'https://qloapps.com/contact/', + 'services' => 'https://qloapps.com/contact/', + 'tutorials' => 'https://qloapps.com/qlo-reservation-system/', + 'installation_guide' => 'https://qloapps.com/qloapps-installation-process/', + 'install_help' => 'https://qloapps.com/install-qloapps/', + ), + 'translations' => array( + 'An SQL error occurred for entity %1$s: %2$s' => '实体 %1$s 发生 SQL 错误:%2$s', + 'Cannot create image "%1$s" for entity "%2$s"' => '无法为实体“%2$s”创建图像“%1$s”', + 'Cannot create image "%1$s" (bad permissions on folder "%2$s")' => '无法创建图像“%1$s”(文件夹“%2$s”的权限错误)', + 'Cannot create image "%s"' => '无法创建图像“%s”', + 'SQL error on query %s' => '查询 %s 时出现 SQL 错误', + '%s Login information' => '%s 登录信息', + 'Field required' => '必填字段', + 'Invalid shop name' => '店铺名称无效', + 'The field %s is limited to %d characters' => '字段 %s 限制为 %d 个字符', + 'Your firstname contains some invalid characters' => '您的名字包含一些无效字符', + 'Your lastname contains some invalid characters' => '您的姓氏包含一些无效字符', + 'The password is incorrect (alphanumeric string with at least 8 characters)' => '密码不正确(至少8个字符的字母数字字符串)', + 'Password and its confirmation are different' => '密码和确认密码不同', + 'This e-mail address is invalid' => '此电子邮件地址无效', + 'Image folder %s is not writable' => '图像文件夹 %s 不可写入', + 'An error occurred during logo copy.' => '复制徽标时发生错误。', + 'An error occurred during logo upload.' => '徽标上传期间出现错误。', + 'Lingerie and Adult' => '内衣和成人', + 'Animals and Pets' => '动物和宠物', + 'Art and Culture' => '艺术与文化', + 'Babies' => '婴儿', + 'Beauty and Personal Care' => '美容及个人护理', + 'Cars' => '汽车', + 'Computer Hardware and Software' => '计算机硬件和软件', + 'Download' => '下载', + 'Fashion and accessories' => '时装与配饰', + 'Flowers, Gifts and Crafts' => '鲜花、礼品和工艺品', + 'Food and beverage' => '食品与饮品', + 'HiFi, Photo and Video' => 'HiFi、照片和视频', + 'Home and Garden' => '家居与花园', + 'Home Appliances' => '家用电器', + 'Jewelry' => '珠宝', + 'Mobile and Telecom' => '移动和电信', + 'Services' => '服务', + 'Shoes and accessories' => '鞋子和配饰', + 'Sports and Entertainment' => '体育和娱乐', + 'Travel' => '旅行', + 'Database is connected' => '数据库已连接', + 'Database is created' => '数据库已创建', + 'Cannot create the database automatically' => '无法自动创建数据库', + 'Create settings.inc file' => '创建 settings.inc 文件', + 'Create database tables' => '创建数据库表', + 'Create default website and languages' => '创建默认网站和语言', + 'Populate database tables' => '填充数据库表', + 'Configure website information' => '配置网站信息', + 'Install demonstration data' => '安装演示数据', + 'Install modules' => '安装模块', + 'Install Addons modules' => '安装附加模块', + 'Install theme' => '安装主题', + 'Required PHP parameters' => '必需的 PHP 参数', + 'The required PHP version is between 5.6 to 7.4' => '所需 PHP 版本介于 5.6 至 7.4 之间', + 'Cannot upload files' => '无法上传文件', + 'Cannot create new files and folders' => '无法创建新文件和文件夹', + 'GD library is not installed' => '未安装 GD 库', + 'PDO MySQL extension is not loaded' => 'PDO MySQL 扩展未加载', + 'Curl extension is not loaded' => '未加载 Curl 扩展', + 'SOAP extension is not loaded' => '未加载 SOAP 扩展', + 'SimpleXml extension is not loaded' => 'SimpleXml 扩展未加载', + 'In the PHP configuration set memory_limit to minimum 128M' => '在 PHP 配置中将 memory_limit 设置为最低 128M', + 'In the PHP configuration set max_execution_time to minimum 500' => '在 PHP 配置中将 max_execution_time 设置为最低 500', + 'In the PHP configuration set upload_max_filesize to minimum 16M' => '在 PHP 配置中将 upload_max_filesize 设置为最小 16M', + 'Cannot open external URLs (requires allow_url_fopen as On).' => '无法打开外部 URL(需要 allow_url_fopen 为 On)。', + 'ZIP extension is not enabled' => '未启用 ZIP 扩展', + 'Files' => '文件', + 'Not all files were successfully uploaded on your server' => '并非所有文件都已成功上传至您的服务器', + 'Permissions on files and folders' => '文件和文件夹的权限', + 'Recursive write permissions for %1$s user on %2$s' => '%2$s 上 %1$s 用户的递归写入权限', + 'Recommended PHP parameters' => '推荐的 PHP 参数', + 'You are using PHP %s version. Soon, the latest PHP version supported by QloApps will be PHP 5.6. To make sure you’re ready for the future, we recommend you to upgrade to PHP 5.6 now!' => '您正在使用 PHP %s 版本。很快,QloApps 支持的最新 PHP 版本将是 PHP 5.6。为了确保您为未来做好准备,我们建议您立即升级到 PHP 5.6!', + 'PHP register_globals option is enabled' => 'PHP register_globals 选项已启用', + 'GZIP compression is not activated' => '未激活 GZIP 压缩', + 'Mbstring extension is not enabled' => 'Mbstring 扩展未启用', + 'Dom extension is not loaded' => 'Dom 扩展未加载', + 'Server name is not valid' => '服务器名称无效', + 'You must enter a database name' => '您必须输入数据库名称', + 'You must enter a database login' => '您必须输入数据库登录名', + 'Tables prefix is invalid' => '表格前缀无效', + 'Cannot convert database data to utf-8' => '无法将数据库数据转换为 utf-8', + 'At least one table with same prefix was already found, please change your prefix or drop your database' => '至少已找到一个具有相同前缀的表,请更改前缀或删除数据库', + 'The values of auto_increment increment and offset must be set to 1' => 'auto_incrementincrement和offset的值必须设置为1', + 'Database Server is not found. Please verify the login, password and server fields' => '未找到数据库服务器。请验证登录名、密码和服务器字段', + 'Connection to MySQL server succeeded, but database "%s" not found' => '连接到 MySQL 服务器成功,但未找到数据库“%s”', + 'Attempt to create the database automatically' => '尝试自动创建数据库', + '%s file is not writable (check permissions)' => '%s 文件不可写(请检查权限)', + '%s folder is not writable (check permissions)' => '%s 文件夹不可写(请检查权限)', + 'Cannot write settings file' => '无法写入设置文件', + 'Database structure file not found' => '未找到数据库结构文件', + 'Cannot create group shop' => '无法创建团购', + 'Cannot create shop' => '无法创建商店', + 'Cannot create shop URL' => '无法创建商店 URL', + 'File "language.xml" not found for language iso "%s"' => '未找到语言 iso“%s”的文件“language.xml”', + 'File "language.xml" not valid for language iso "%s"' => '文件“language.xml”对于语言 iso“%s”无效', + 'Cannot install language "%s"' => '无法安装语言“%s”', + 'Cannot copy flag language "%s"' => '无法复制标志语言“%s”', + 'Cannot create admin account' => '无法创建管理员账户', + 'Cannot install module "%s"' => '无法安装模块“%s”', + 'Fixtures class "%s" not found' => '未找到装置类“%s”', + '"%s" must be an instance of "InstallXmlLoader"' => '“%s”必须是“InstallXmlLoader”的一个实例', + 'Information about your Website' => '有关您的网站的信息', + 'Website name' => '网站名称', + 'Main activity' => '主要活动', + 'Please choose your main activity' => '请选择您的主要活动', + 'Other activity...' => '其他活动...', + 'Help us learn more about your store so we can offer you optimal guidance and the best features for your business!' => '帮助我们更多地了解您的商店,以便我们能够为您的业务提供最佳指导和最佳功能!', + 'Install demo data' => '安装演示数据', + 'Yes' => '是的', + 'No' => '不', + 'Installing demo data is a good way to learn how to use QloApps if you have not used it before. This demo data can later be erased using module QloApps Data Cleaner which comes pre-installed with this installation.' => '如果您以前没有使用过 QloApps,安装演示数据是学习如何使用 QloApps 的好方法。稍后可以使用此安装中预装的模块 QloApps 数据清理器删除此演示数据。', + 'Country' => '国家', + 'Select your country' => '选择您的国家', + 'Website timezone' => '网站时区', + 'Select your timezone' => '选择您的时区', + 'Enable SSL' => '启用 SSL', + 'Shop logo' => '商店标志', + 'Optional - You can add you logo at a later time.' => '可选-您可以稍后添加您的徽标。', + 'Your Account' => '你的帐户', + 'First name' => '名', + 'Last name' => '姓', + 'E-mail address' => '电子邮件地址', + 'This email address will be your username to access your website\'s back office.' => '该电子邮件地址将作为您访问网站后台的用户名。', + 'Password' => '密码', + 'Must be at least 8 characters' => '必须至少包含 8 个字符', + 'Re-type to confirm' => '重新输入以确认', + 'The information you give us is collected by us and is subject to data processing and statistics. Under the current "Act on Data Processing, Data Files and Individual Liberties" you have the right to access, rectify and oppose to the processing of your personal data through this link.' => '您提供给我们的信息由我们收集,并进行数据处理和统计。根据现行的《数据处理、数据文件和个人自由法》,您有权通过此链接访问、更正和反对处理您的个人数据。', + 'I agree to receive the Newsletter and promotional offers from QloApps.' => '我同意接收 QloApps 的新闻通讯和促销优惠。', + 'You will always receive transactional emails like new updates, security fixes and patches even if you do not opt in for this option.' => '即使您不选择此选项,您也将始终收到交易电子邮件,例如新的更新、安全修复和补丁。', + 'Configure your database by filling out the following fields' => '通过填写以下字段来配置您的数据库', + 'To use QloApps, you must create a database to collect all of your website\'s data-related activities.' => '要使用 QloApps,您必须创建一个数据库来收集您网站的所有与数据相关的活动。', + 'Please complete the fields below in order for QloApps to connect to your database. ' => '请填写以下字段以便 QloApps 连接到您的数据库。', + 'Database server address' => '数据库服务器地址', + 'The default port is 3306. To use a different port, add the port number at the end of your server\'s address i.e ":4242".' => '默认端口是 3306。要使用不同的端口,请在服务器地址末尾添加端口号,即“:4242”。', + 'Database name' => '数据库名称', + 'Database login' => '数据库登录', + 'Database password' => '数据库密码', + 'Database Engine' => '数据库引擎', + 'Tables prefix' => '表前缀', + 'Drop existing tables (mode dev)' => '删除现有表(模式 dev)', + 'Test your database connection now!' => '现在测试您的数据库连接!', + 'Next' => '下一个', + 'Back' => '后退', + 'If you need some assistance, you can get tailored help from our support team. The official documentation is also here to guide you.' => '如果您需要帮助,您可以从我们的支持团队获取定制帮助官方文档也可以为您提供指导。', + 'Official forum' => '官方论坛', + 'Support' => '支持', + 'Documentation' => '文档', + 'Contact us' => '联系我们', + 'QloApps Installation Assistant' => 'QloApps 安装助手', + 'Forum' => '论坛', + 'Blog' => '博客', + 'menu_welcome' => '选择你的语言', + 'menu_license' => '许可协议', + 'menu_system' => '系统兼容性', + 'menu_configure' => '网站信息', + 'menu_database' => '系统配置', + 'menu_process' => 'QloApps 安装', + 'Need Help?' => '需要帮忙?', + 'Click here to Contact us' => '点击此处与我们联系', + 'Installation' => '安装', + 'See our Installation guide' => '请参阅我们的安装指南', + 'Tutorials' => '教程', + 'See our QloApps tutorials' => '查看我们的 QloApps 教程', + 'Installation Assistant' => '安装助理', + 'To install QloApps, you need to have JavaScript enabled in your browser.' => '要安装 QloApps,您需要在浏览器中启用 JavaScript。', + 'http://enable-javascript.com/' => 'http://enable-javascript.com/', + 'License Agreements' => '许可协议', + 'To enjoy the many features that are offered for free by QloApps, please read the license terms below. QloApps core is licensed under OSL 3.0, while the modules and themes are licensed under AFL 3.0.' => '要享受 QloApps 免费提供的众多功能,请阅读以下许可条款。QloApps 核心根据 OSL 3.0 获得许可,而模块和主题根据 AFL 3.0 获得许可。', + 'I agree to the above terms and conditions.' => '我同意上述条款和条件。', + 'I agree to participate in improving the solution by sending anonymous information about my configuration.' => '我同意通过发送有关我的配置的匿名信息来参与改进解决方案。', + 'Done!' => '完毕!', + 'An error occurred during installation...' => '安装期间出现错误...', + 'You can use the links on the left column to go back to the previous steps, or restart the installation process by clicking here.' => '您可以使用左侧栏的链接返回前面的步骤,或者通过点击此处重新启动安装过程。', + 'Suggested Modules' => '建议模块', + 'Find just the right features on QloApps Addons to make your hospitality business a success.' => '在 QloApps Addons 上找到合适的功能,让您的酒店业务取得成功。', + 'Discover All Modules' => '发现所有模块', + 'Suggested Themes' => '建议主题', + 'Create a design that suits your hotel and your customers, with a ready-to-use template theme.' => '使用可立即使用的模板主题创建适合您的酒店和客户的设计。', + 'Discover All Themes' => '发现所有主题', + 'Your installation is finished!' => '您的安装已完成!', + 'You have just finished installing QloApps. Thank you for using QloApps!' => '您刚刚完成安装 QloApps。感谢您使用 QloApps!', + 'Please remember your login information:' => '请记住您的登录信息:', + 'E-mail' => '电子邮件', + 'Print my login information' => '打印我的登录信息', + 'Display' => '展示', + 'For security purposes, you must delete the "install" folder.' => '为了安全目的,您必须删除“安装”文件夹。', + 'Back Office' => '后台', + 'Manage your website using your Back Office. Manage your orders and customers, add modules, change themes, etc.' => '使用后台管理您的网站。管理您的订单和客户、添加模块、更改主题等。', + 'Manage Your Website' => '管理您的网站', + 'Front Office' => '前台', + 'Discover your website as your future customers will see it!' => '发现您的网站,就像您的未来客户将看到的那样!', + 'Discover Your Website' => '发现您的网站', + 'Share your experience with your friends!' => '与您的朋友分享您的经验!', + 'I just built an online hotel booking website with QloApps!' => '我刚刚用 QloApps 建立了一个在线酒店预订网站!', + 'See all the features here : https://qloapps.com/qlo-reservation-system/' => '在此处查看所有功能:https://qloapps.com/qlo-reservation-system/', + 'Tweet' => '鸣叫', + 'Share' => '分享', + 'Google+' => 'Google+', + 'Pinterest' => 'Pinterest', + 'LinkedIn' => 'LinkedIn', + 'We are currently checking QloApps compatibility with your system environment' => '我们目前正在检查 QloApps 与您的系统环境的兼容性', + 'If you have any questions, please visit our documentation and community forum.' => '如果您有任何疑问,请访问我们的文档社区论坛。', + 'QloApps compatibility with your system environment has been verified!' => 'QloApps 与您的系统环境的兼容性已经验证!', + 'Oops! Please correct the item(s) below, and then click "Refresh information" to test the compatibility of your new system.' => '哎呀!请更正以下项目,然后单击“刷新信息”以测试新系统的兼容性。', + 'Refresh these settings' => '刷新这些设置', + 'QloApps requires at least 128 MB of memory to run: please check the memory_limit directive in your php.ini file or contact your host provider about this.' => 'QloApps 运行时至少需要 128 MB 内存:请检查 php.ini 文件中的 memory_limit 指令或联系您的主机提供商。', + 'Welcome to the QloApps %s Installer' => '欢迎使用 QloApps %s 安装程序', + 'Installing QloApps is quick and easy. In just a few moments, you will become part of a community. You are on the way to creating your own hotel booking website that you can manage easily every day.' => '安装 QloApps 既快捷又简单。只需片刻,您就会成为社区的一员。您正在创建自己的酒店预订网站,并可轻松管理日常事务。', + 'If you need help, do not hesitate to watch this short tutorial, or check our documentation.' => '如果您需要帮助,请随时观看此简短教程,或查看我们的文档。', + 'Continue the installation in:' => '继续安装:', + 'The language selection above only applies to the Installation Assistant. Once QloApps is installed, you can choose the language of your website from over %d translations, all for free!' => '上述语言选择仅适用于安装助手。安装 QloApps 后,您可以从超过 %d 种翻译中选择您网站的语言,而且全部免费!', + ), +); \ No newline at end of file diff --git a/js/admin/maintenance.js b/js/admin/maintenance.js new file mode 100644 index 000000000..dadb576fd --- /dev/null +++ b/js/admin/maintenance.js @@ -0,0 +1,43 @@ +/** +* Since 2010 Webkul. +* +* NOTICE OF LICENSE +* +* All right is reserved, +* Please go through this link for complete license : https://store.webkul.com/license.html +* +* DISCLAIMER +* +* Do not edit or add to this file if you wish to upgrade this module to newer +* versions in the future. If you wish to customize this module for your +* needs please refer to https://store.webkul.com/customisation-guidelines/ for more information. +* +* @author Webkul IN +* @copyright Since 2010 Webkul IN +* @license https://store.webkul.com/license.html +*/ + +function manageFieldMaximumAttempts(state) { + if (state) { + $('[name="PS_ALLOW_EMP_MAX_ATTEMPTS"]').closest('.form-group').show(200); + } else { + $('[name="PS_ALLOW_EMP_MAX_ATTEMPTS"]').closest('.form-group').hide(200); + } +} + +$(document).ready(function() { + // manage fields visibility + $(document).on('change', '[name="PS_SHOP_ENABLE"]', function () { + if (parseInt($('[name="PS_SHOP_ENABLE"]:checked').val())) { + $('[name="PS_ALLOW_EMP"]').closest('.form-group').hide(200); + manageFieldMaximumAttempts(false); + } else { + $('[name="PS_ALLOW_EMP"]').closest('.form-group').show(200); + manageFieldMaximumAttempts(parseInt($('[name="PS_ALLOW_EMP"]:checked').val())); + } + }); + + $(document).on('change', '[name="PS_ALLOW_EMP"]', function () { + manageFieldMaximumAttempts(parseInt($('[name="PS_ALLOW_EMP"]:checked').val())); + }); +}); diff --git a/js/maintenance.js b/js/maintenance.js deleted file mode 100644 index a2685698b..000000000 --- a/js/maintenance.js +++ /dev/null @@ -1,35 +0,0 @@ -$(document).ready(function(){ - - if ($("#PS_SHOP_ENABLE_on").is(':checked')) { - $('#conf_id_PS_ALLOW_EMP').hide(); - } - if ($("#PS_SHOP_ENABLE_off").is(':checked')) { - $("#conf_id_PS_ALLOW_EMP").show(); - } - - $(".clicker.blue").on('click', function(){ - $('.hiddendiv').show('slow'); - }); - - $("#cancelLogin").on('click', function(){ - $('.hiddendiv').hide('slow'); - }); - - $("input[type='radio'][name='PS_SHOP_ENABLE']").change(function() { - $("#conf_id_PS_ALLOW_EMP").toggle('slow'); - }); - - // manage dropdowns - $(document).on('click', function (e) { - const closestDropdown = $(e.target).closest('.dropdown'); - - if (closestDropdown.length) { - if ($(e.target).closest('.dropdown-toggle').length) { - $('.dropdown').not(closestDropdown).removeClass('open'); - closestDropdown.toggleClass('open'); - } - } else { - $('.dropdown').removeClass('open'); - } - }); -}); diff --git a/modules/hotelreservationsystem/classes/HotelBookingDetail.php b/modules/hotelreservationsystem/classes/HotelBookingDetail.php index 047e1de46..e7abb8d20 100644 --- a/modules/hotelreservationsystem/classes/HotelBookingDetail.php +++ b/modules/hotelreservationsystem/classes/HotelBookingDetail.php @@ -1975,10 +1975,10 @@ public function swapBooking($idHotelBookingFrom, $idHotelBookingTo) * * @return [boolean] [true if updated otherwise false] */ - public function updateOrderRefundStatus($id_order, $date_from = false, $date_to = false, $id_rooms = array(), $is_refunded = 1) + public function updateOrderRefundStatus($id_order, $date_from = false, $date_to = false, $id_rooms = array(), $is_refunded = 1, $is_cancelled = 0) { $table = 'htl_booking_detail'; - $data = array('is_refunded' => (int) $is_refunded); + $data = array('is_refunded' => (int) $is_refunded, 'is_cancelled' => (int) $is_cancelled); if ($id_rooms) { foreach ($id_rooms as $key_rm => $val_rm) { diff --git a/modules/hotelreservationsystem/controllers/admin/AdminOrderRefundRequestsController.php b/modules/hotelreservationsystem/controllers/admin/AdminOrderRefundRequestsController.php index fa74ab46a..e39b3b30b 100644 --- a/modules/hotelreservationsystem/controllers/admin/AdminOrderRefundRequestsController.php +++ b/modules/hotelreservationsystem/controllers/admin/AdminOrderRefundRequestsController.php @@ -28,15 +28,23 @@ public function __construct() $this->list_no_link = true; $this->context = Context::getContext(); - $this->_select = ' COUNT(IF(a.`state` = '.(int) Configuration::get('PS_ORS_PENDING').', 1, NULL)) AS total_pending_requests, - ord.`id_currency`, ord.`total_paid_tax_incl` AS total_order, SUM(a.`refunded_amount`) AS refunded_amount, CONCAT(firstname, " ", lastname) AS cust_name, os.`color`, os.`id_order_state`'; + $this->_select = ' ord.`id_currency`, CONCAT(firstname, " ", lastname) AS cust_name'; $this->_join .= ' LEFT JOIN `'._DB_PREFIX_.'orders` ord ON (a.`id_order` = ord.`id_order`)'; - $this->_join .= 'LEFT JOIN '._DB_PREFIX_.'order_state os ON (os.`id_order_state` = ord.`current_state`)'; - $this->_join .= 'LEFT JOIN '._DB_PREFIX_.'order_state_lang osl ON (osl.`id_order_state` = os.`id_order_state` AND osl.`id_lang` = '.(int)$this->context->language->id.')'; $this->_join .= ' LEFT JOIN `'._DB_PREFIX_.'customer` cust ON (cust.`id_customer` = ord.`id_customer`)'; $this->_orderWay = 'DESC'; - $this->_group = 'GROUP BY ord.`id_order`'; + if ($idOrder = Tools::getValue('id_order')) { + $this->_select .= ', orsl.`name` as `status_name`, ors.`color`'; + $this->_join .= 'LEFT JOIN '._DB_PREFIX_.'order_return_state ors ON (ors.`id_order_return_state` = a.`state`)'; + $this->_join .= 'LEFT JOIN '._DB_PREFIX_.'order_return_state_lang orsl ON (orsl.`id_order_return_state` = a.`state` AND orsl.`id_lang` = '.(int)$this->context->language->id.')'; + $this->_where = ' AND a.`id_order`='. (int)$idOrder; + $this->_group = ''; + } else { + $this->_select .= ', ord.`total_paid_tax_incl` AS total_order, os.`id_order_state`, os.`color`, COUNT(IF(a.`state` = '.(int) Configuration::get('PS_ORS_PENDING').', 1, NULL)) AS total_pending_requests, SUM(a.`refunded_amount`) AS refunded_amount'; + $this->_join .= 'LEFT JOIN '._DB_PREFIX_.'order_state os ON (os.`id_order_state` = ord.`current_state`)'; + $this->_join .= 'LEFT JOIN '._DB_PREFIX_.'order_state_lang osl ON (osl.`id_order_state` = os.`id_order_state` AND osl.`id_lang` = '.(int)$this->context->language->id.')'; + $this->_group = 'GROUP BY ord.`id_order`'; + } $orderStatuses = OrderState::getOrderStates($this->context->language->id); $ordStatuses = array(); @@ -44,38 +52,85 @@ public function __construct() $ordStatuses[$status['id_order_state']] = $status['name']; } /*for showing status of booking with badge_danger or success*/ - $this->fields_list = array( - 'id_order' => array( + $this->fields_list = array(); + + if ($idOrder = Tools::getValue('id_order')) { + $refundStatuses = OrderReturnStateCore::getOrderReturnStates($this->context->language->id); + + $retStatuses = array(); + foreach ($refundStatuses as $status) { + $retStatuses[$status['id_order_return_state']] = $status['name']; + } + $this->fields_list['id_order_return'] = array( + 'title' => $this->l('Request ID'), + 'align' => 'center', + 'class' => 'fixed-width-xs', + ); + $this->fields_list['id_order'] = array( 'title' => $this->l('Order ID'), 'align' => 'center', 'class' => 'fixed-width-xs', 'callback' => 'setOrderLink', 'havingFilter' => true, - ), - 'cust_name' => array( + ); + $this->fields_list['cust_name'] = array( 'title' => $this->l('Customer Name'), 'align' => 'center', 'havingFilter' => true, 'callback' => 'setCustomerLink', - ), - 'total_order' => array( - 'title' => $this->l('Total Order Amount'), + ); + $this->fields_list['refunded_amount'] = array( + 'title' => $this->l('Refunded Amount'), 'align' => 'center', 'callback' => 'setOrderCurrency', 'havingFilter' => true, - ), - 'refunded_amount' => array( + ); + $this->fields_list['status_name'] = array( + 'title' => $this->l('Refund Status'), + 'type' => 'select', + 'color' => 'color', + 'list' => $retStatuses, + 'filter_key' => 'ors!id_order_return_state', + 'filter_type' => 'int', + ); + $this->fields_list['date_add'] = array( + 'title' => $this->l('Requested Date'), + 'type' => 'datetime', + 'havingFilter' => true, + 'filter_key' => 'a!date_add', + ); + } else { + $this->fields_list['id_order'] = array( + 'title' => $this->l('Order ID'), + 'align' => 'center', + 'class' => 'fixed-width-xs', + 'callback' => 'setOrderLink', + 'havingFilter' => true, + ); + $this->fields_list['cust_name'] = array( + 'title' => $this->l('Customer Name'), + 'align' => 'center', + 'havingFilter' => true, + 'callback' => 'setCustomerLink', + ); + $this->fields_list['refunded_amount'] = array( 'title' => $this->l('Refunded Amount'), 'align' => 'center', 'callback' => 'setOrderCurrency', 'havingFilter' => true, - ), - 'total_pending_requests' => array( + ); + $this->fields_list['total_order'] = array( + 'title' => $this->l('Total Order Amount'), + 'align' => 'center', + 'callback' => 'setOrderCurrency', + 'havingFilter' => true, + ); + $this->fields_list['total_pending_requests'] = array( 'title' => $this->l('Pending Requests'), 'align' => 'center', 'havingFilter' => true, - ), - ); + ); + } $this->addRowAction('view'); $this->identifier = 'id_order_return'; @@ -88,15 +143,20 @@ public function __construct() parent::__construct(); - // work on renderlist filter on render view page - if (Tools::isSubmit('submitResetorder_return') && Tools::getValue('id_order')) { - Tools::redirectAdmin($this->context->link->getAdminLink('AdminOrderRefundRequests').'&id_order='.Tools::getValue('id_order').'&view'.$this->table); - } $this->_conf[101] = $this->l('Refund request has been denied successfully.'); $this->_conf[102] = $this->l('Refund request has been completed successfully.'); } + public function init() + { + parent::init(); + if ($idOrder = Tools::getValue('id_order')) { + self::$currentIndex = self::$currentIndex.'&id_order='.(int) $idOrder; + } + } + + public function setOrderCurrency($echo, $row) { return Tools::displayPrice($echo, (int) $row['id_currency']); @@ -122,7 +182,7 @@ public function displayViewLink($token, $idOrderReturn, $name = null) { if (!Tools::getValue('id_order')) { $objOrderReturn = new OrderReturn($idOrderReturn); - return ' + return ' '.$this->l('View'). ''; } else { @@ -139,137 +199,57 @@ public function renderView() return; } $refundStatuses = OrderReturnStateCore::getOrderReturnStates($this->context->language->id); - if ($idOrder = Tools::getValue('id_order')) { - // work on renderlist filter on renderview page - if (!Tools::isSubmit('submitFilterorder_return')) { - $this->processResetFilters(); - } - - $this->table = 'order_return'; - $this->identifier = 'id_order_return'; - - /*for showing status of booking with badge_danger or success*/ - $this->_select = ' CONCAT(cust.`firstname`, " ", cust.`lastname`) AS `cust_name`, ors.`color`, orsl.`name` as `status_name`, ord.`id_currency`'; - $this->_join = ' LEFT JOIN `'._DB_PREFIX_.'customer` cust ON (cust.`id_customer` = a.`id_customer`)'; - $this->_join .= ' LEFT JOIN `'._DB_PREFIX_.'orders` ord ON (ord.`id_order` = a.`id_order`)'; - $this->_join .= 'LEFT JOIN '._DB_PREFIX_.'order_return_state ors ON (ors.`id_order_return_state` = a.`state`)'; - $this->_join .= 'LEFT JOIN '._DB_PREFIX_.'order_return_state_lang orsl ON (orsl.`id_order_return_state` = a.`state` AND orsl.`id_lang` = '.(int)$this->context->language->id.')'; - - $this->_where = ' AND a.`id_order`='. (int)$idOrder; - $this->_group = ''; - - $retStatuses = array(); - foreach ($refundStatuses as $status) { - $retStatuses[$status['id_order_return_state']] = $status['name']; - } - $this->fields_list = array( - 'id_order_return' => array( - 'title' => $this->l('Request ID'), - 'align' => 'center', - 'class' => 'fixed-width-xs', - ), - 'id_order' => array( - 'title' => $this->l('Order ID'), - 'align' => 'center', - 'class' => 'fixed-width-xs', - 'callback' => 'setOrderLink', - 'havingFilter' => true, - 'filter_key' => 'a!id_order', - 'filter_type' => 'int', - ), - 'cust_name' => array( - 'title' => $this->l('Customer Name'), - 'align' => 'center', - 'havingFilter' => true, - 'callback' => 'setCustomerLink', - ), - 'status_name' => array( - 'title' => $this->l('Refund Status'), - 'type' => 'select', - 'color' => 'color', - 'list' => $retStatuses, - 'filter_key' => 'ors!id_order_return_state', - 'filter_type' => 'int', - ), - 'refunded_amount' => array( - 'title' => $this->l('Refunded Amount'), - 'align' => 'center', - 'callback' => 'setOrderCurrency', - 'havingFilter' => true, - ), - 'date_add' => array( - 'title' => $this->l('Requested Date'), - 'type' => 'datetime', - 'havingFilter' => true, - 'filter_key' => 'a!date_add', - ), - ); - - $this->identifier = 'id_order_return'; - - if (Tools::isSubmit('submitFilterorder_return')) { - $this->processFilter(); - } - - return parent::renderList(); - } else { - $objCustomer = new Customer($objOrderReturn->id_customer); - $objOrder = new Order($objOrderReturn->id_order); - $orderCurrency = new Currency($objOrder->id_currency); - - $objRefundRules = new HotelOrderRefundRules(); - if ($refundReqBookings = $objOrderReturn->getOrderRefundRequestedBookings($objOrderReturn->id_order, $objOrderReturn->id)){ - foreach ($refundReqBookings as &$booking) { - $bookingCharges = $objRefundRules->getBookingCancellationDetails( - $objOrderReturn->id_order, - $objOrderReturn->id, - $booking['id'] - ); - $booking = array_merge($booking, array_shift($bookingCharges)); - } + $objCustomer = new Customer($objOrderReturn->id_customer); + $objOrder = new Order($objOrderReturn->id_order); + $orderCurrency = new Currency($objOrder->id_currency); + + $objRefundRules = new HotelOrderRefundRules(); + if ($refundReqBookings = $objOrderReturn->getOrderRefundRequestedBookings($objOrderReturn->id_order, $objOrderReturn->id)){ + foreach ($refundReqBookings as &$booking) { + $bookingCharges = $objRefundRules->getBookingCancellationDetails( + $objOrderReturn->id_order, + $objOrderReturn->id, + $booking['id'] + ); + $booking = array_merge($booking, array_shift($bookingCharges)); } + } - $paymentMethods = array(); - foreach (PaymentModule::getInstalledPaymentModules() as $payment) { - $module = Module::getInstanceByName($payment['name']); - if (Validate::isLoadedObject($module) && $module->active) { - $paymentMethods[] = $module->displayName; - } + $paymentMethods = array(); + foreach (PaymentModule::getInstalledPaymentModules() as $payment) { + $module = Module::getInstanceByName($payment['name']); + if (Validate::isLoadedObject($module) && $module->active) { + $paymentMethods[] = $module->displayName; } + } - $this->context->smarty->assign( - array ( - 'orderTotalPaid' => $objOrder->getTotalPaid(), - 'customer_name' => $objCustomer->firstname.' '.$objCustomer->lastname, - 'customer_email' => $objCustomer->email, - 'orderReturnInfo' => (array)$objOrderReturn, - 'refundReqBookings' => $refundReqBookings, - 'orderInfo' => (array) $objOrder, - 'orderCurrency' => (array) $orderCurrency, - 'currentOrderStateInfo' => (array) new OrderState($objOrder->current_state, - $this->context->language->id), - 'currentStateInfo' => (array) new OrderReturnState($objOrderReturn->state, - $this->context->language->id), - 'current_id_lang' => $this->context->language->id, - 'refundStatuses' => $refundStatuses, - 'isRefundCompleted' => $objOrderReturn->hasBeenCompleted(), - 'paymentMethods' => $paymentMethods, - 'name_controller' => Tools::getValue('controller'), - 'info_icon_path' => $this->context->link->getMediaLink(_MODULE_DIR_.'hotelreservationsystem/views/img/Slices/icon-info.svg') - ) - ); + $this->context->smarty->assign( + array ( + 'orderTotalPaid' => $objOrder->getTotalPaid(), + 'customer_name' => $objCustomer->firstname.' '.$objCustomer->lastname, + 'customer_email' => $objCustomer->email, + 'orderReturnInfo' => (array)$objOrderReturn, + 'refundReqBookings' => $refundReqBookings, + 'orderInfo' => (array) $objOrder, + 'orderCurrency' => (array) $orderCurrency, + 'currentOrderStateInfo' => (array) new OrderState($objOrder->current_state, + $this->context->language->id), + 'currentStateInfo' => (array) new OrderReturnState($objOrderReturn->state, + $this->context->language->id), + 'current_id_lang' => $this->context->language->id, + 'refundStatuses' => $refundStatuses, + 'isRefundCompleted' => $objOrderReturn->hasBeenCompleted(), + 'paymentMethods' => $paymentMethods, + 'name_controller' => Tools::getValue('controller'), + 'info_icon_path' => $this->context->link->getMediaLink(_MODULE_DIR_.'hotelreservationsystem/views/img/Slices/icon-info.svg') + ) + ); - return parent::renderView(); - } + return parent::renderView(); } public function postProcess() { - // for the filteration - if (Tools::isSubmit('submitFilterorder_return') && Tools::isSubmit('order_returnFilter_ors!id_order_return_state')) { - self::$currentIndex .= '&id_order_return=1&id_order=1&vieworder_return'; - } - /*If Admin update the status of the order cancellation request*/ if (Tools::isSubmit('submitRefundReqBookings') || Tools::isSubmit('submitRefundReqBookingsAndStay')) { $idOrderReturn = Tools::getValue('id_order_return'); @@ -569,9 +549,10 @@ public function setMedia() { parent::setMedia(); - $this->addJqueryUI('ui.tooltip', 'base', true); - - $this->addJs(_MODULE_DIR_.$this->module->name.'/views/js/admin/wk_refund_request.js'); - $this->addCSS(_MODULE_DIR_.$this->module->name.'/views/css/admin/wk_refund_request.css'); + if ($this->display == 'view') { + $this->addJqueryUI('ui.tooltip', 'base', true); + $this->addJs(_MODULE_DIR_.$this->module->name.'/views/js/admin/wk_refund_request.js'); + $this->addCSS(_MODULE_DIR_.$this->module->name.'/views/css/admin/wk_refund_request.css'); + } } } diff --git a/modules/hotelreservationsystem/hotelreservationsystem.php b/modules/hotelreservationsystem/hotelreservationsystem.php index 76a6c3bae..0b9f5b984 100644 --- a/modules/hotelreservationsystem/hotelreservationsystem.php +++ b/modules/hotelreservationsystem/hotelreservationsystem.php @@ -484,7 +484,11 @@ public function hookActionOrderStatusPostUpdate($params) // Make rooms available for booking if order status is cancelled, refunded or error if (in_array($params['newOrderStatus']->id, $objHtlBkDtl->getOrderStatusToFreeBookedRoom())) { - if (!$objHtlBkDtl->updateOrderRefundStatus($params['id_order'])) { + $isCancelled = 0; + if ($params['newOrderStatus']->id == Configuration::get('PS_OS_CANCELED')) { + $isCancelled = 1; + } + if (!$objHtlBkDtl->updateOrderRefundStatus($params['id_order'], false, false, array(), 1, $isCancelled)) { $this->context->controller->errors[] = $this->l('Error while making booked rooms available, attached with this order. Please try again !!'); } } diff --git a/themes/hotel-reservation-theme/contact-form.tpl b/themes/hotel-reservation-theme/contact-form.tpl index 6e7cbdc7e..ce9aa2fc5 100644 --- a/themes/hotel-reservation-theme/contact-form.tpl +++ b/themes/hotel-reservation-theme/contact-form.tpl @@ -23,196 +23,175 @@ * International Registered Trademark & Property of PrestaShop SA *} -{if isset($confirmation)} +{if isset($smarty.get.confirm)}

{l s='Your message has been successfully sent to our team.'}

- -{elseif isset($alreadySent)} -

{l s='Your message has already been sent.'}

- -{else} - {include file="$tpl_dir./errors.tpl"} -
-
-

{l s='Contact Us'}

-

{l s='Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry`s standard dummy text.'}

-
-
- {if (isset($gblHtlAddress) && $gblHtlAddress) && (isset($gblHtlPhone) && $gblHtlPhone) && (isset($gblHtlEmail) && $gblHtlEmail)} -
-
- {if isset($gblHtlPhone) && $gblHtlPhone } -
-

{l s='Main Branch'}

-

- {$gblHtlAddress} -

-
- {/if} - {if isset($gblHtlPhone) && $gblHtlPhone} -
-

{l s='Phone'}

-

- {$gblHtlPhone} -

-
- {/if} - {if isset($gblHtlEmail) && $gblHtlEmail} -
-

{l s='Mail Us'}

-

- {$gblHtlEmail} -

-
- {/if} -
+{/if} +{include file="$tpl_dir./errors.tpl"} +
+
+

{l s='Contact Us'}

+

{l s='Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry`s standard dummy text.'}

+
+
+ {if (isset($gblHtlAddress) && $gblHtlAddress) && (isset($gblHtlPhone) && $gblHtlPhone) && (isset($gblHtlEmail) && $gblHtlEmail)} +
+
+ {if isset($gblHtlPhone) && $gblHtlPhone } +
+

{l s='Main Branch'}

+

+ {$gblHtlAddress} +

+
+ {/if} + {if isset($gblHtlPhone) && $gblHtlPhone} +
+

{l s='Phone'}

+

+ {$gblHtlPhone} +

+
+ {/if} + {if isset($gblHtlEmail) && $gblHtlEmail} +
+

{l s='Mail Us'}

+

+ {$gblHtlEmail} +

+
+ {/if}
- {/if} -
-
- {if isset($customerThread.id_contact) && $customerThread.id_contact && $contacts|count} - {assign var=flag value=true} - {foreach from=$contacts item=contact} - {if $contact.id_contact == $customerThread.id_contact} - - - {$flag=false} - {/if} - {/foreach} - {if $flag && isset($contacts.0.id_contact)} - - +
+ {/if} +
+ + {if isset($customerThread.id_contact) && $customerThread.id_contact && $contacts|count} + {assign var=flag value=true} + {foreach from=$contacts item=contact} + {if $contact.id_contact == $customerThread.id_contact} + + + {$flag=false} {/if} - {else} -
-
- - -
-
+ {/foreach} + {if $flag && isset($contacts.0.id_contact)} + + {/if} + {else}
-
+ {/if} +
+
+ + {if isset($customerThread.email)} + + {else} + + {/if} +
+
+
+
+ + +
+
+ {if $fileupload == 1}
-
- {if $fileupload == 1} -
-
- - - -
-
- {/if} - {hook h='displayGDPRConsent' moduleName='contactform'} -
- - - -
- -
-
- {if isset($hotelsInfo) && $hotelsInfo} -
-
- {l s='Our Hotels'} + {/if} + {hook h='displayGDPRConsent' moduleName='contactform'} +
+ + +
- {foreach $hotelsInfo as $hotel} -
-
- {$hotel['city']} + +
+
+ {if isset($hotelsInfo) && $hotelsInfo} +
+
+ {l s='Our Hotels'} +
+ {foreach $hotelsInfo as $hotel} +
+
+ {$hotel['city']} +
+
+
+
-
-
- -
-
-

{$hotel['hotel_name']}

-

{$hotel['address']}, {$hotel['city']}, {if {$hotel['state_name']}}{$hotel['state_name']},{/if} {$hotel['country_name']}, {$hotel['postcode']}

- {if $hotel['latitude'] != 0 || $hotel['longitude'] != 0} -

- - {l s='View on map'} - -

- {/if} -

- {$hotel['phone']} -

+
+

{$hotel['hotel_name']}

+

{$hotel['address']}, {$hotel['city']}, {if {$hotel['state_name']}}{$hotel['state_name']},{/if} {$hotel['country_name']}, {$hotel['postcode']}

+ {if $hotel['latitude'] != 0 || $hotel['longitude'] != 0}

- {$hotel['email']} + + {l s='View on map'} +

-
+ {/if} +

+ {$hotel['phone']} +

+

+ {$hotel['email']} +

- {/foreach} -
- {/if} - {if isset($hotelLocationArray)} -
-
-
+ {/foreach} +
+ {/if} + {if isset($hotelLocationArray)} +
+
+
- {/if} -
-
-{/if} +
+ {/if} +
+
{strip} {addJsDefL name='contact_fileDefaultHtml'}{l s='No file selected' js=1}{/addJsDefL} diff --git a/themes/hotel-reservation-theme/css/maintenance.css b/themes/hotel-reservation-theme/css/maintenance.css index da78fb1d8..5bcf093c9 100644 --- a/themes/hotel-reservation-theme/css/maintenance.css +++ b/themes/hotel-reservation-theme/css/maintenance.css @@ -39,8 +39,7 @@ p { cursor: pointer; } -.hiddendiv { - display: none; +.login-form-wrap { width: 300px; } diff --git a/themes/hotel-reservation-theme/js/maintenance.js b/themes/hotel-reservation-theme/js/maintenance.js new file mode 100644 index 000000000..ed1690c98 --- /dev/null +++ b/themes/hotel-reservation-theme/js/maintenance.js @@ -0,0 +1,42 @@ +/** +* Since 2010 Webkul. +* +* NOTICE OF LICENSE +* +* All right is reserved, +* Please go through this link for complete license : https://store.webkul.com/license.html +* +* DISCLAIMER +* +* Do not edit or add to this file if you wish to upgrade this module to newer +* versions in the future. If you wish to customize this module for your +* needs please refer to https://store.webkul.com/customisation-guidelines/ for more information. +* +* @author Webkul IN +* @copyright Since 2010 Webkul IN +* @license https://store.webkul.com/license.html +*/ + +$(document).ready(function() { + $('.clicker.blue').on('click', function() { + $('.login-form-wrap').toggle(200); + }); + + $('#cancelLogin').on('click', function() { + $('.login-form-wrap').hide(200); + }); + + // manage dropdowns + $(document).on('click', function (e) { + const closestDropdown = $(e.target).closest('.dropdown'); + + if (closestDropdown.length) { + if ($(e.target).closest('.dropdown-toggle').length) { + $('.dropdown').not(closestDropdown).removeClass('open'); + closestDropdown.toggleClass('open'); + } + } else { + $('.dropdown').removeClass('open'); + } + }); +}); diff --git a/themes/hotel-reservation-theme/maintenance.tpl b/themes/hotel-reservation-theme/maintenance.tpl index a347a4079..b2293fc88 100644 --- a/themes/hotel-reservation-theme/maintenance.tpl +++ b/themes/hotel-reservation-theme/maintenance.tpl @@ -39,7 +39,7 @@ - + @@ -98,37 +98,33 @@

{l s='Thanks for your patience!'}

{if isset($allowEmployee) && $allowEmployee}
-

{l s='Are you member?'}

-
-
-
-
-
- -
- -
-
- -
- -
- - +

{l s='Are you a member?'}

+ +
{/if}