first commit

This commit is contained in:
2024-11-05 12:22:50 +01:00
commit e5682a3912
19641 changed files with 2948548 additions and 0 deletions

View File

@@ -0,0 +1 @@
# Leo Feature

View File

@@ -0,0 +1,153 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
if (!defined('_PS_VERSION_')) {
# module validation
exit;
}
class CompareProduct extends ObjectModel
{
public $id_compare;
public $id_customer;
public $date_add;
public $date_upd;
/**
* @see ObjectModel::$definition
*/
public static $definition = array(
'table' => 'leofeature_compare',
'primary' => 'id_compare',
'fields' => array(
'id_compare' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedInt', 'required' => true),
'id_customer' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedInt', 'required' => true),
),
);
/**
* Get all compare products of the customer
* @param int $id_customer
* @return array
*/
public static function getCompareProducts($id_compare)
{
$results = Db::getInstance()->executeS('
SELECT DISTINCT `id_product`
FROM `'._DB_PREFIX_.'leofeature_compare` c
LEFT JOIN `'._DB_PREFIX_.'leofeature_compare_product` cp ON (cp.`id_compare` = c.`id_compare`)
WHERE cp.`id_compare` = '.(int)($id_compare));
$compareProducts = array();
if ($results) {
foreach ($results as $result) {
$compareProducts[] = (int)$result['id_product'];
}
}
return $compareProducts;
}
/**
* Add a compare product for the customer
* @param int $id_customer, int $id_product
* @return bool
*/
public static function addCompareProduct($id_compare, $id_product)
{
// Check if compare row exists
$id_compare = Db::getInstance()->getValue('SELECT `id_compare`
FROM `'._DB_PREFIX_.'leofeature_compare`
WHERE `id_compare` = '.(int)$id_compare);
if (!$id_compare) {
$id_customer = false;
if (Context::getContext()->customer) {
$id_customer = Context::getContext()->customer->id;
}
$sql = Db::getInstance()->execute('
INSERT INTO `'._DB_PREFIX_.'leofeature_compare` (`id_compare`, `id_customer`) VALUES (NULL, "'.($id_customer ? (int)$id_customer: '0').'")');
if ($sql) {
$id_compare = Db::getInstance()->getValue('SELECT MAX(`id_compare`) FROM `'._DB_PREFIX_.'leofeature_compare`');
Context::getContext()->cookie->id_compare = $id_compare;
}
}
return Db::getInstance()->execute('
INSERT IGNORE INTO `'._DB_PREFIX_.'leofeature_compare_product` (`id_compare`, `id_product`, `date_add`, `date_upd`)
VALUES ('.(int)($id_compare).', '.(int)($id_product).', NOW(), NOW())');
}
/**
* Remove a compare product for the customer
* @param int $id_compare
* @param int $id_product
* @return bool
*/
public static function removeCompareProduct($id_compare, $id_product)
{
return Db::getInstance()->execute('
DELETE cp FROM `'._DB_PREFIX_.'leofeature_compare_product` cp, `'._DB_PREFIX_.'leofeature_compare` c
WHERE cp.`id_compare`=c.`id_compare`
AND cp.`id_product` = '.(int)$id_product.'
AND c.`id_compare` = '.(int)$id_compare);
}
/**
* Get the number of compare products of the customer
* @param int $id_compare
* @return int
*/
public static function getNumberProducts($id_compare)
{
return (int)(Db::getInstance()->getValue('SELECT count(`id_compare`)
FROM `'._DB_PREFIX_.'leofeature_compare_product`
WHERE `id_compare` = '.(int)($id_compare)));
}
/**
* Clean entries which are older than the period
* @param string $period
* @return void
*/
public static function cleanCompareProducts($period = null)
{
if ($period !== null) {
Tools::displayParameterAsDeprecated('period');
}
Db::getInstance()->execute('
DELETE cp, c FROM `'._DB_PREFIX_.'leofeature_compare_product` cp, `'._DB_PREFIX_.'leofeature_compare` c
WHERE cp.date_upd < DATE_SUB(NOW(), INTERVAL 1 WEEK) AND c.`id_compare`=cp.`id_compare`');
}
/**
* Get the id_compare by id_customer
* @param int $id_customer
* @return int $id_compare
*/
public static function getIdCompareByIdCustomer($id_customer)
{
return (int)Db::getInstance()->getValue('SELECT `id_compare`
FROM `'._DB_PREFIX_.'leofeature_compare`
WHERE `id_customer`= '.(int)$id_customer);
}
}

View File

@@ -0,0 +1,230 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
if (!defined('_PS_VERSION_')) {
# module validation
exit;
}
class LeoProductAttribute
{
public function getReqQuantity($product) {
$quantity = (int)$this->getMinimalQuantity($product);
if ($quantity < $product['minimal_quantity']) {
$quantity = $product['minimal_quantity'];
}
return $quantity;
}
public function getMinimalQuantity($product) {
$minimalQuantity = 1;
if ($product['id_product_attribute']) {
$combination = $this->getCombinationsByID($product['id_product_attribute'], $product['id']);
if ($combination['minimal_quantity']) {
$minimalQuantity = $combination['minimal_quantity'];
}
} else {
$minimalQuantity = $product['minimal_quantity'];
}
return $minimalQuantity;
}
public function getCombinationsByID($combinationId, $productId) {
$product = new Product((int)$productId);
$findedCombination = null;
$combinations = $product->getAttributesGroups(Context::getContext()->language->id);
foreach ($combinations as $combination) {
if ((int) ($combination['id_product_attribute']) === $combinationId) {
$findedCombination = $combination;
break;
}
}
return $findedCombination;
}
public static function getProductAttributesID($productId, $attributesId) {
if (!is_array($attributesId)) {
return 0;
}
$productAttributeId = Db::getInstance()->getValue('
SELECT pac.`id_product_attribute`
FROM `'._DB_PREFIX_.'product_attribute_combination` pac
INNER JOIN `'._DB_PREFIX_.'product_attribute` pa ON pa.id_product_attribute = pac.id_product_attribute
WHERE id_product = '.(int)$productId.' AND id_attribute IN ('.implode(',', array_map('intval', $attributesId)).')
GROUP BY id_product_attribute
HAVING COUNT(id_product) = '.count($attributesId));
if ($productAttributeId === false) {
$ordered = array();
$result = Db::getInstance()->executeS('SELECT `id_attribute` FROM `'._DB_PREFIX_.'attribute` a
INNER JOIN `'._DB_PREFIX_.'attribute_group` g ON a.`id_attribute_group` = g.`id_attribute_group`
WHERE `id_attribute` IN ('.implode(',', array_map('intval', $attributesId)).') ORDER BY g.`position` ASC');
foreach ($result as $row) {
$ordered[] = $row['id_attribute'];
}
while ($productAttributeId === false && count($ordered) > 0) {
array_pop($ordered);
$productAttributeId = Db::getInstance()->getValue('
SELECT pac.`id_product_attribute`
FROM `'._DB_PREFIX_.'product_attribute_combination` pac
INNER JOIN `'._DB_PREFIX_.'product_attribute` pa ON pa.id_product_attribute = pac.id_product_attribute
WHERE id_product = '.(int)$productId.' AND id_attribute IN ('.implode(',', array_map('intval', $ordered)).')
GROUP BY id_product_attribute
HAVING COUNT(id_product) = '.count($ordered));
}
}
return $productAttributeId;
}
public static function getAttributesParams($productId, $productAttributeId) {
$langId = (int)Context::getContext()->language->id;
return Db::getInstance()->executeS('
SELECT a.`id_attribute`, a.`id_attribute_group`
FROM `'._DB_PREFIX_.'attribute` a
LEFT JOIN `'._DB_PREFIX_.'attribute_lang` al
ON (al.`id_attribute` = a.`id_attribute` AND al.`id_lang` = '.(int)$langId.')
LEFT JOIN `'._DB_PREFIX_.'product_attribute_combination` pac
ON (pac.`id_attribute` = a.`id_attribute`)
LEFT JOIN `'._DB_PREFIX_.'product_attribute` pa
ON (pa.`id_product_attribute` = pac.`id_product_attribute`)
'.Shop::addSqlAssociation('product_attribute', 'pa').'
LEFT JOIN `'._DB_PREFIX_.'attribute_group_lang` agl
ON (a.`id_attribute_group` = agl.`id_attribute_group` AND agl.`id_lang` = '.(int)$langId.')
WHERE pa.`id_product` = '.(int)$productId.'
AND pac.`id_product_attribute` = '.(int)$productAttributeId.'
AND agl.`id_lang` = '.(int)$langId);
}
public static function getProductCombinationsSeparatelly($idProduct, $idProductAttribute) {
$product = new Product((int)$idProduct, true, (int)Context::getContext()->language->id, (int)Context::getContext()->shop->id);
$attributes = self::getAttributesParams((int)$idProduct, (int)$idProductAttribute);
$productAttributes = array();
foreach ($attributes as $attribute) {
$productAttributes['attributes'][$attribute['id_attribute_group']] = $attribute;
}
$groups = array();
$attributesGroups = $product->getAttributesGroups(Context::getContext()->language->id);
if (is_array($attributesGroups) && $attributesGroups) {
foreach ($attributesGroups as $k => $row) {
if (!isset($groups[$row['id_attribute_group']])) {
$groups[$row['id_attribute_group']] = array(
'group_name' => $row['group_name'],
'name' => $row['public_group_name'],
'group_type' => $row['group_type'],
'default' => -1,
);
}
$groups[$row['id_attribute_group']]['attributes'][$row['id_attribute']] = array(
'name' => $row['attribute_name'],
'html_color_code' => $row['attribute_color'],
'texture' => (@filemtime(_PS_COL_IMG_DIR_.$row['id_attribute'].'.jpg')) ? _THEME_COL_DIR_.$row['id_attribute'].'.jpg' : '',
'selected' => (isset($productAttributes['attributes'][$row['id_attribute_group']]['id_attribute']) && $productAttributes['attributes'][$row['id_attribute_group']]['id_attribute'] == $row['id_attribute']) ? true : false,
);
if ($row['default_on'] && $groups[$row['id_attribute_group']]['default'] == -1) {
$groups[$row['id_attribute_group']]['default'] = (int) $row['id_attribute'];
}
if (!isset($groups[$row['id_attribute_group']]['attributes_quantity'][$row['id_attribute']])) {
$groups[$row['id_attribute_group']]['attributes_quantity'][$row['id_attribute']] = 0;
}
$groups[$row['id_attribute_group']]['attributes_quantity'][$row['id_attribute']] += (int) $row['quantity'];
}
$currentSelectedAttributes = array();
$count = 0;
foreach ($groups as &$group) {
$count++;
if ($count > 1) {
$attributesId = Db::getInstance()->executeS('SELECT `id_attribute` FROM `'._DB_PREFIX_.'product_attribute_combination` pac2
INNER JOIN (
SELECT pac.`id_product_attribute`
FROM `'._DB_PREFIX_.'product_attribute_combination` pac
INNER JOIN `'._DB_PREFIX_.'product_attribute` pa ON pa.id_product_attribute = pac.id_product_attribute
WHERE id_product = '.(int)$product->id.' AND id_attribute IN ('.implode(',', array_map('intval', $currentSelectedAttributes)).')
GROUP BY id_product_attribute
HAVING COUNT(id_product) = '.count($currentSelectedAttributes).'
)pac on pac.`id_product_attribute` = pac2.`id_product_attribute`
AND id_attribute NOT IN ('.implode(',', array_map('intval', $currentSelectedAttributes)).')');
foreach ($attributesId as $k => $row) {
$attributesId[$k] = (int)$row['id_attribute'];
}
foreach ($group['attributes'] as $key => $attribute) {
if (!in_array((int)$key, $attributesId)) {
unset($group['attributes'][$key]);
unset($group['attributes_quantity'][$key]);
}
}
}
$index = 0;
$currentSelectedAttribute = 0;
foreach ($group['attributes'] as $key => $attribute) {
if ($index === 0) {
$currentSelectedAttribute = $key;
}
if ($attribute['selected']) {
$currentSelectedAttribute = $key;
break;
}
}
if ($currentSelectedAttribute > 0) {
$currentSelectedAttributes[] = $currentSelectedAttribute;
}
}
if (!Product::isAvailableWhenOutOfStock($product->out_of_stock) && Configuration::get('PS_DISP_UNAVAILABLE_ATTR') == 0) {
foreach ($groups as &$group) {
foreach ($group['attributes_quantity'] as $key => &$quantity) {
if ($quantity <= 0) {
unset($group['attributes'][$key]);
}
}
}
}
}
return $groups;
}
public static function getProductCombinationsList($productID, $showOutOfStock, $idProductAttribute = 0) {
$product = new Product($productID);
$combinations = $product->getAttributeCombinations((int)Context::getContext()->language->id);
$productsVariants = array();
if (is_array($combinations)) {
foreach ($combinations as $k => $combination) {
if ((!$showOutOfStock && (int)$combination['quantity'] > 0) || $showOutOfStock) {
$productsVariants[$combination['id_product_attribute']]['id_product_attribute'] = $combination['id_product_attribute'];
$productsVariants[$combination['id_product_attribute']]['attributes'][] = array($combination['group_name'], $combination['attribute_name'], $combination['id_attribute'], $combination['id_attribute_group']);
$productsVariants[$combination['id_product_attribute']]['price'] = $product->getPrice(true, $combination['id_product_attribute'], (int)Configuration::get('PS_PRICE_DISPLAY_PRECISION'));
if ($idProductAttribute > 0) {
$productsVariants[$combination['id_product_attribute']]['default_on'] = ($idProductAttribute == $combination['id_product_attribute']);
} else {
$productsVariants[$combination['id_product_attribute']]['default_on'] = $combination['default_on'];
}
}
}
}
if (isset($productsVariants)) {
foreach ($productsVariants as $id_product_attribute => $product_attribute) {
$list = '';
asort($product_attribute['attributes']);
foreach ($product_attribute['attributes'] as $attribute) {
$list .= $attribute[0].' - '.$attribute[1].', ';
}
$list = rtrim($list, ', ');
$productsVariants[$id_product_attribute]['name'] = $list;
}
}
return $productsVariants;
}
}

View File

@@ -0,0 +1,185 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
use PrestaShop\PrestaShop\Adapter\Product\PriceFormatter;
use PrestaShop\PrestaShop\Adapter\Image\ImageRetriever;
use PrestaShop\PrestaShop\Core\Product\ProductExtraContentFinder;
use PrestaShop\PrestaShop\Core\Product\ProductListingPresenter;
use PrestaShop\PrestaShop\Adapter\Product\ProductColorsRetriever;
use PrestaShop\PrestaShop\Core\Addon\Module\ModuleManagerBuilder;
class LeofeatureProduct extends ProductControllerCore
{
protected function assignPriceAndTax()
{
$id_customer = (isset($this->context->customer) ? (int) $this->context->customer->id : 0);
$id_group = (int) Group::getCurrent()->id;
$id_country = $id_customer ? (int) Customer::getCurrentCountry($id_customer) : (int) Tools::getCountry();
// Tax
$tax = (float) $this->product->getTaxesRate(new Address((int) $this->context->cart->{Configuration::get('PS_TAX_ADDRESS_TYPE')}));
$this->context->smarty->assign('tax_rate', $tax);
$product_price_with_tax = Product::getPriceStatic($this->product->id, true, null, 6);
if (Product::$_taxCalculationMethod == PS_TAX_INC) {
$product_price_with_tax = Tools::ps_round($product_price_with_tax, 2);
}
$id_currency = (int) $this->context->cookie->id_currency;
$id_product = (int) $this->product->id;
$id_product_attribute = Tools::getValue('id_product_attribute', null);
$id_shop = $this->context->shop->id;
$quantity_discounts = SpecificPrice::getQuantityDiscounts($id_product, $id_shop, $id_currency, $id_country, $id_group, $id_product_attribute, false, (int) $this->context->customer->id);
foreach ($quantity_discounts as &$quantity_discount) {
if ($quantity_discount['id_product_attribute']) {
$combination = new Combination((int) $quantity_discount['id_product_attribute']);
$attributes = $combination->getAttributesName((int) $this->context->language->id);
foreach ($attributes as $attribute) {
$quantity_discount['attributes'] = $attribute['name'].' - ';
}
$quantity_discount['attributes'] = rtrim($quantity_discount['attributes'], ' - ');
}
if ((int) $quantity_discount['id_currency'] == 0 && $quantity_discount['reduction_type'] == 'amount') {
$quantity_discount['reduction'] = Tools::convertPriceFull($quantity_discount['reduction'], null, Context::getContext()->currency);
}
}
$product_price = $this->product->getPrice(Product::$_taxCalculationMethod == PS_TAX_INC, false);
$this->quantity_discounts = $this->formatQuantityDiscounts($quantity_discounts, $product_price, (float) $tax, $this->product->ecotax);
$this->context->smarty->assign(array(
'no_tax' => Tax::excludeTaxeOption() || !$tax,
'tax_enabled' => Configuration::get('PS_TAX') && !Configuration::get('AEUC_LABEL_TAX_INC_EXC'),
'customer_group_without_tax' => Group::getPriceDisplayMethod($this->context->customer->id_default_group),
));
}
public function getTemplateVarProduct2($id_product, $id_product_attribute)
{
if ($id_product) {
$this->product = new Product($id_product, true, $this->context->language->id, $this->context->shop->id);
}
if (!Validate::isLoadedObject($this->product)) {
return false;
}
$productSettings = $this->getProductPresentationSettings();
// Hook displayProductExtraContent
$extraContentFinder = new ProductExtraContentFinder();
$product = $this->objectPresenter->present($this->product);
$product['id_product'] = (int) $this->product->id;
$product['out_of_stock'] = (int) $this->product->out_of_stock;
$product['new'] = (int) $this->product->new;
$product['id_product_attribute'] = (int) $id_product_attribute;
$product['minimal_quantity'] = $this->getProductMinimalQuantity($product);
$product['quantity_wanted'] = $this->getRequiredQuantity($product);
$product['extraContent'] = $extraContentFinder->addParams(array('product' => $this->product))->present();
$product_full = Product::getProductProperties($this->context->language->id, $product, $this->context);
$product_full = $this->addProductCustomizationData($product_full);
$product_full['show_quantities'] = (bool) (
Configuration::get('PS_DISPLAY_QTIES')
&& Configuration::get('PS_STOCK_MANAGEMENT')
&& $this->product->quantity > 0
&& $this->product->available_for_order
&& !Configuration::isCatalogMode()
);
$product_full['quantity_label'] = ($this->product->quantity > 1) ? $this->trans('Items', array(), 'Shop.Theme.Catalog') : $this->trans('Item', array(), 'Shop.Theme.Catalog');
$product_full['quantity_discounts'] = $this->quantity_discounts;
if ($product_full['unit_price_ratio'] > 0) {
$unitPrice = ($productSettings->include_taxes) ? $product_full['price'] : $product_full['price_tax_exc'];
$product_full['unit_price'] = $unitPrice / $product_full['unit_price_ratio'];
}
$group_reduction = GroupReduction::getValueForProduct($this->product->id, (int) Group::getCurrent()->id);
if ($group_reduction === false) {
$group_reduction = Group::getReduction((int) $this->context->cookie->id_customer) / 100;
}
$product_full['customer_group_discount'] = $group_reduction;
$presenter = $this->getProductPresenter();
return $presenter->present(
$productSettings,
$product_full,
$this->context->language
);
}
public function getTemplateVarProduct1($id_product)
{
if ($id_product) {
$this->product = new Product($id_product, true, $this->context->language->id, $this->context->shop->id);
}
if (!Validate::isLoadedObject($this->product)) {
return false;
}
$productSettings = $this->getProductPresentationSettings();
// Hook displayProductExtraContent
$extraContentFinder = new ProductExtraContentFinder();
$product = $this->objectPresenter->present($this->product);
$product['id_product'] = (int) $this->product->id;
$product['out_of_stock'] = (int) $this->product->out_of_stock;
$product['new'] = (int) $this->product->new;
$product['id_product_attribute'] = Product::getDefaultAttribute((int)$id_product);
$product['minimal_quantity'] = $this->getProductMinimalQuantity($product);
$product['quantity_wanted'] = $this->getRequiredQuantity($product);
$product['extraContent'] = $extraContentFinder->addParams(array('product' => $this->product))->present();
$product_full = Product::getProductProperties($this->context->language->id, $product, $this->context);
$product_full = $this->addProductCustomizationData($product_full);
$product_full['show_quantities'] = (bool) (
Configuration::get('PS_DISPLAY_QTIES')
&& Configuration::get('PS_STOCK_MANAGEMENT')
&& $this->product->quantity > 0
&& $this->product->available_for_order
&& !Configuration::isCatalogMode()
);
$product_full['quantity_label'] = ($this->product->quantity > 1) ? $this->trans('Items', array(), 'Shop.Theme.Catalog') : $this->trans('Item', array(), 'Shop.Theme.Catalog');
$product_full['quantity_discounts'] = $this->quantity_discounts;
if ($product_full['unit_price_ratio'] > 0) {
$unitPrice = ($productSettings->include_taxes) ? $product_full['price'] : $product_full['price_tax_exc'];
$product_full['unit_price'] = $unitPrice / $product_full['unit_price_ratio'];
}
$group_reduction = GroupReduction::getValueForProduct($this->product->id, (int) Group::getCurrent()->id);
if ($group_reduction === false) {
$group_reduction = Group::getReduction((int) $this->context->cookie->id_customer) / 100;
}
$product_full['customer_group_discount'] = $group_reduction;
if ((bool)Module::isEnabled('appagebuilder')) {
$appagebuilder = Module::getInstanceByName('appagebuilder');
$product_full['description'] = $appagebuilder->buildShortCode($product_full['description']);
$product_full['description_short'] = $appagebuilder->buildShortCode($product_full['description_short']);
}
$presenter = $this->getProductPresenter();
return $presenter->present(
$productSettings,
$product_full,
$this->context->language
);
}
}

View File

@@ -0,0 +1,438 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
if (!defined('_PS_VERSION_')) {
# module validation
exit;
}
class ProductReview extends ObjectModel
{
public $id;
/** @var integer Product's id */
public $id_product;
/** @var integer Customer's id */
public $id_customer;
/** @var integer Guest's id */
public $id_guest;
/** @var integer Customer name */
public $customer_name;
/** @var string Title */
public $title;
/** @var string Content */
public $content;
/** @var integer Grade */
public $grade;
/** @var boolean Validate */
public $validate = 0;
public $deleted = 0;
/** @var string Object creation date */
public $date_add;
/**
* @see ObjectModel::$definition
*/
public static $definition = array(
'table' => 'leofeature_product_review',
'primary' => 'id_product_review',
'fields' => array(
'id_product' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedId', 'required' => true),
'id_customer' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedId', 'required' => true),
'id_guest' => array('type' => self::TYPE_INT),
'customer_name' => array('type' => self::TYPE_STRING),
'title' => array('type' => self::TYPE_STRING),
'content' => array('type' => self::TYPE_STRING, 'validate' => 'isMessage', 'size' => 65535, 'required' => true),
'grade' => array('type' => self::TYPE_FLOAT, 'validate' => 'isFloat'),
'validate' => array('type' => self::TYPE_BOOL, 'validate' => 'isBool'),
'deleted' => array('type' => self::TYPE_BOOL),
'date_add' => array('type' => self::TYPE_DATE),
)
);
/**
* Get reviews by IdProduct
*
* @return array Reviews
*/
public static function getByProduct($id_product, $p = 1, $n = null, $id_customer = null)
{
if (!Validate::isUnsignedId($id_product)) {
return false;
}
$validate = Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE');
$p = (int)$p;
$n = (int)$n;
if ($p <= 1) {
$p = 1;
}
if ($n != null && $n <= 0) {
$n = 5;
}
$cache_id = 'ProductReview::getByProduct_'.(int)$id_product.'-'.(int)$p.'-'.(int)$n.'-'.(int)$id_customer.'-'.(bool)$validate;
if (!Cache::isStored($cache_id)) {
$result = Db::getInstance(_PS_USE_SQL_SLAVE_)->executeS('
SELECT pc.`id_product_review`,
(SELECT count(*) FROM `'._DB_PREFIX_.'leofeature_product_review_usefulness` pcu WHERE pcu.`id_product_review` = pc.`id_product_review` AND pcu.`usefulness` = 1) as total_useful,
(SELECT count(*) FROM `'._DB_PREFIX_.'leofeature_product_review_usefulness` pcu WHERE pcu.`id_product_review` = pc.`id_product_review`) as total_advice, '.
((int)$id_customer ? '(SELECT count(*) FROM `'._DB_PREFIX_.'leofeature_product_review_usefulness` pcuc WHERE pcuc.`id_product_review` = pc.`id_product_review` AND pcuc.id_customer = '.(int)$id_customer.') as customer_advice, ' : '').
((int)$id_customer ? '(SELECT count(*) FROM `'._DB_PREFIX_.'leofeature_product_review_report` pcrc WHERE pcrc.`id_product_review` = pc.`id_product_review` AND pcrc.id_customer = '.(int)$id_customer.') as customer_report, ' : '').'
if (c.id_customer, CONCAT(c.`firstname`, \' \', c.`lastname`), pc.customer_name) customer_name, pc.`content`, pc.`grade`, pc.`date_add`, pc.title
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
LEFT JOIN `'._DB_PREFIX_.'customer` c ON c.`id_customer` = pc.`id_customer`
WHERE pc.`id_product` = '.(int)($id_product).($validate == '1' ? ' AND pc.`validate` = 1' : '').'
ORDER BY pc.`date_add` DESC
'.($n ? 'LIMIT '.(int)(($p - 1) * $n).', '.(int)($n) : ''));
Cache::store($cache_id, $result);
}
return Cache::retrieve($cache_id);
}
/**
* Return customer's review
*
* @return arrayReviews
*/
public static function getByCustomer($id_product, $id_customer, $get_last = false, $id_guest = false)
{
$cache_id = 'ProductReview::getByCustomer_'.(int)$id_product.'-'.(int)$id_customer.'-'.(bool)$get_last.'-'.(int)$id_guest;
if (!Cache::isStored($cache_id)) {
$results = Db::getInstance()->executeS('SELECT *
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
WHERE pc.`id_product` = '.(int)$id_product.'
AND '.(!$id_guest ? 'pc.`id_customer` = '.(int)$id_customer : 'pc.`id_guest` = '.(int)$id_guest).'
ORDER BY pc.`date_add` DESC '
.($get_last ? 'LIMIT 1' : ''));
if ($get_last && count($results)) {
$results = array_shift($results);
}
Cache::store($cache_id, $results);
}
return Cache::retrieve($cache_id);
}
/**
* Get Grade By product
*
* @return array Grades
*/
public static function getGradeByProduct($id_product, $id_lang)
{
if (!Validate::isUnsignedId($id_product) || !Validate::isUnsignedId($id_lang)) {
return false;
}
$validate = Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE');
return (Db::getInstance(_PS_USE_SQL_SLAVE_)->executeS('
SELECT pc.`id_product_review`, pcg.`grade`, pccl.`name`, pcc.`id_product_review_criterion`
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
LEFT JOIN `'._DB_PREFIX_.'leofeature_product_review_grade` pcg ON (pcg.`id_product_review` = pc.`id_product_review`)
LEFT JOIN `'._DB_PREFIX_.'leofeature_product_review_criterion` pcc ON (pcc.`id_product_review_criterion` = pcg.`id_product_review_criterion`)
LEFT JOIN `'._DB_PREFIX_.'leofeature_product_review_criterion_lang` pccl ON (pccl.`id_product_review_criterion` = pcg.`id_product_review_criterion`)
WHERE pc.`id_product` = '.(int)$id_product.'
AND pccl.`id_lang` = '.(int)$id_lang.($validate == '1' ? ' AND pc.`validate` = 1' : '')));
}
public static function getRatings($id_product)
{
$validate = Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE');
$sql = 'SELECT (SUM(pc.`grade`) / COUNT(pc.`grade`)) AS avg,
MIN(pc.`grade`) AS min,
MAX(pc.`grade`) AS max
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
WHERE pc.`id_product` = '.(int)$id_product.'
AND pc.`deleted` = 0'.
($validate == '1' ? ' AND pc.`validate` = 1' : '');
return Db::getInstance(_PS_USE_SQL_SLAVE_)->getRow($sql);
}
public static function getAverageGrade($id_product)
{
$validate = Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE');
return Db::getInstance(_PS_USE_SQL_SLAVE_)->getRow('
SELECT (SUM(pc.`grade`) / COUNT(pc.`grade`)) AS grade
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
WHERE pc.`id_product` = '.(int)$id_product.'
AND pc.`deleted` = 0'.
($validate == '1' ? ' AND pc.`validate` = 1' : ''));
}
public static function getAveragesByProduct($id_product, $id_lang)
{
/* Get all grades */
$grades = ProductReview::getGradeByProduct((int)$id_product, (int)$id_lang);
$total = ProductReview::getGradedReviewNumber((int)$id_product);
if (!count($grades) || (!$total)) {
return array();
}
/* Addition grades for each criterion */
$criterionsGradeTotal = array();
$count_grades = count($grades);
for ($i = 0; $i < $count_grades; ++$i) {
if (array_key_exists($grades[$i]['id_product_review_criterion'], $criterionsGradeTotal) === false) {
$criterionsGradeTotal[$grades[$i]['id_product_review_criterion']] = (int)($grades[$i]['grade']);
} else {
$criterionsGradeTotal[$grades[$i]['id_product_review_criterion']] += (int)($grades[$i]['grade']);
}
}
/* Finally compute the averages */
$averages = array();
foreach ($criterionsGradeTotal as $key => $criterionGradeTotal) {
$averages[(int)($key)] = (int)($total) ? ((int)($criterionGradeTotal) / (int)($total)) : 0;
}
return $averages;
}
/**
* Return number of reviews and average grade by products
*
* @return array Info
*/
public static function getReviewNumber($id_product)
{
if (!Validate::isUnsignedId($id_product)) {
return false;
}
$validate = (int)Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE');
$cache_id = 'ProductReview::getReviewNumber_'.(int)$id_product.'-'.$validate;
if (!Cache::isStored($cache_id)) {
$result = (int)Db::getInstance(_PS_USE_SQL_SLAVE_)->getValue('
SELECT COUNT(`id_product_review`) AS "nbr"
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
WHERE `id_product` = '.(int)($id_product).($validate == '1' ? ' AND `validate` = 1' : ''));
Cache::store($cache_id, $result);
}
return Cache::retrieve($cache_id);
}
/**
* Return number of reviews and average grade by products
*
* @return array Info
*/
public static function getGradedReviewNumber($id_product)
{
if (!Validate::isUnsignedId($id_product)) {
return false;
}
$validate = (int)Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE');
$result = Db::getInstance(_PS_USE_SQL_SLAVE_)->getRow('
SELECT COUNT(pc.`id_product`) AS nbr
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
WHERE `id_product` = '.(int)($id_product).($validate == '1' ? ' AND `validate` = 1' : '').'
AND `grade` > 0');
return (int)($result['nbr']);
}
/**
* Get reviews by Validation
*
* @return array Reviews
*/
public static function getByValidate($validate = '0', $deleted = false)
{
$sql = '
SELECT pc.`id_product_review`, pc.`id_product`, if (c.id_customer, CONCAT(c.`firstname`, \' \', c.`lastname`), pc.customer_name) customer_name, pc.`title`, pc.`content`, pc.`grade`, pc.`date_add`, pl.`name`
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
LEFT JOIN `'._DB_PREFIX_.'customer` c ON (c.`id_customer` = pc.`id_customer`)
LEFT JOIN `'._DB_PREFIX_.'product_lang` pl ON (pl.`id_product` = pc.`id_product` AND pl.`id_lang` = '.(int)Context::getContext()->language->id.Shop::addSqlRestrictionOnLang('pl').')
WHERE pc.`validate` = '.(int)$validate;
$sql .= ' ORDER BY pc.`date_add` DESC';
// validate module
unset($deleted);
return (Db::getInstance()->executeS($sql));
}
/**
* Get all reviews
*
* @return array Reviews
*/
public static function getAll()
{
return (Db::getInstance()->executeS('
SELECT pc.`id_product_review`, pc.`id_product`, if (c.id_customer, CONCAT(c.`firstname`, \' \', c.`lastname`), pc.customer_name) customer_name, pc.`content`, pc.`grade`, pc.`date_add`, pl.`name`
FROM `'._DB_PREFIX_.'leofeature_product_review` pc
LEFT JOIN `'._DB_PREFIX_.'customer` c ON (c.`id_customer` = pc.`id_customer`)
LEFT JOIN `'._DB_PREFIX_.'product_lang` pl ON (pl.`id_product` = pc.`id_product` AND pl.`id_lang` = '.(int)Context::getContext()->language->id.Shop::addSqlRestrictionOnLang('pl').')
ORDER BY pc.`date_add` DESC'));
}
/**
* Validate a comment
*
* @return boolean succeed
*/
public function validate($validate = '1')
{
if (!Validate::isUnsignedId($this->id)) {
return false;
}
$success = (Db::getInstance()->execute('
UPDATE `'._DB_PREFIX_.'leofeature_product_review` SET
`validate` = '.(int)$validate.'
WHERE `id_product_review` = '.(int)$this->id));
Hook::exec('actionObjectProductReviewValidateAfter', array('object' => $this));
return $success;
}
/**
* Delete a comment, grade and report data
*
* @return boolean succeed
*/
public function delete()
{
ProductReview::deleteGrades($this->id);
ProductReview::deleteReports($this->id);
ProductReview::deleteUsefulness($this->id);
parent::delete();
}
/**
* Delete Grades
*
* @return boolean succeed
*/
public static function deleteGrades($id_product_review)
{
if (!Validate::isUnsignedId($id_product_review)) {
return false;
}
return (Db::getInstance()->execute('
DELETE FROM `'._DB_PREFIX_.'leofeature_product_review_grade`
WHERE `id_product_review` = '.(int)$id_product_review));
}
/**
* Delete Reports
*
* @return boolean succeed
*/
public static function deleteReports($id_product_review)
{
if (!Validate::isUnsignedId($id_product_review)) {
return false;
}
return (Db::getInstance()->execute('
DELETE FROM `'._DB_PREFIX_.'leofeature_product_review_report`
WHERE `id_product_review` = '.(int)$id_product_review));
}
/**
* Delete usefulness
*
* @return boolean succeed
*/
public static function deleteUsefulness($id_product_review)
{
if (!Validate::isUnsignedId($id_product_review)) {
return false;
}
return (Db::getInstance()->execute('
DELETE FROM `'._DB_PREFIX_.'leofeature_product_review_usefulness`
WHERE `id_product_review` = '.(int)$id_product_review));
}
/**
* Report comment
*
* @return boolean
*/
public static function reportReview($id_product_review, $id_customer)
{
return (Db::getInstance()->execute('
INSERT INTO `'._DB_PREFIX_.'leofeature_product_review_report` (`id_product_review`, `id_customer`)
VALUES ('.(int)$id_product_review.', '.(int)$id_customer.')'));
}
/**
* Comment already report
*
* @return boolean
*/
public static function isAlreadyReport($id_product_review, $id_customer)
{
return (bool)Db::getInstance()->getValue('SELECT COUNT(*)
FROM `'._DB_PREFIX_.'leofeature_product_review_report`
WHERE `id_customer` = '.(int)$id_customer.'
AND `id_product_review` = '.(int)$id_product_review);
}
/**
* Set comment usefulness
*
* @return boolean
*/
public static function setReviewUsefulness($id_product_review, $usefulness, $id_customer)
{
return (Db::getInstance()->execute('
INSERT INTO `'._DB_PREFIX_.'leofeature_product_review_usefulness` (`id_product_review`, `usefulness`, `id_customer`)
VALUES ('.(int)$id_product_review.', '.(int)$usefulness.', '.(int)$id_customer.')'));
}
/**
* Usefulness already set
*
* @return boolean
*/
public static function isAlreadyUsefulness($id_product_review, $id_customer)
{
return (bool)Db::getInstance()->getValue('SELECT COUNT(*)
FROM `'._DB_PREFIX_.'leofeature_product_review_usefulness`
WHERE `id_customer` = '.(int)$id_customer.'
AND `id_product_review` = '.(int)$id_product_review);
}
/**
* Get reported reviews
*
* @return array Reviews
*/
public static function getReportedReviews()
{
return Db::getInstance(_PS_USE_SQL_SLAVE_)->executeS('
SELECT DISTINCT(pc.`id_product_review`), pc.`id_product`, if (c.id_customer, CONCAT(c.`firstname`, \' \', c.`lastname`), pc.customer_name) customer_name, pc.`content`, pc.`grade`, pc.`date_add`, pl.`name`, pc.`title`
FROM `'._DB_PREFIX_.'leofeature_product_review_report` pcr
LEFT JOIN `'._DB_PREFIX_.'leofeature_product_review` pc
ON pcr.id_product_review = pc.id_product_review
LEFT JOIN `'._DB_PREFIX_.'customer` c ON (c.`id_customer` = pc.`id_customer`)
LEFT JOIN `'._DB_PREFIX_.'product_lang` pl ON (pl.`id_product` = pc.`id_product` AND pl.`id_lang` = '.(int)Context::getContext()->language->id.' AND pl.`id_lang` = '.(int)Context::getContext()->language->id.Shop::addSqlRestrictionOnLang('pl').')
ORDER BY pc.`date_add` DESC');
}
}

View File

@@ -0,0 +1,277 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
class ProductReviewCriterion extends ObjectModel
{
public $id;
public $id_product_review_criterion_type;
public $name;
public $active = true;
const MODULE_NAME = 'leofeature';
/**
* @see ObjectModel::$definition
*/
public static $definition = array(
'table' => 'leofeature_product_review_criterion',
'primary' => 'id_product_review_criterion',
'multilang' => true,
'fields' => array(
'id_product_review_criterion_type' => array('type' => self::TYPE_INT),
'active' => array('type' => self::TYPE_BOOL),
// Lang fields
'name' => array('type' => self::TYPE_STRING, 'lang' => true, 'validate' => 'isGenericName', 'required' => true, 'size' => 128),
)
);
public function delete()
{
if (!parent::delete()) {
return false;
}
if ($this->id_product_review_criterion_type == 2) {
if (!Db::getInstance()->execute('DELETE FROM '._DB_PREFIX_.'leofeature_product_review_criterion_category WHERE id_product_review_criterion='.(int)$this->id)) {
return false;
}
} elseif ($this->id_product_review_criterion_type == 3) {
if (!Db::getInstance()->execute('
DELETE FROM '._DB_PREFIX_.'leofeature_product_review_criterion_product
WHERE id_product_review_criterion='.(int)$this->id)) {
return false;
}
}
return Db::getInstance()->execute('
DELETE FROM `'._DB_PREFIX_.'leofeature_product_review_grade`
WHERE `id_product_review_criterion` = '.(int)$this->id);
}
public function update($nullValues = false)
{
// print_r('kkk');die();
$previousUpdate = new self((int)$this->id);
if (!parent::update($nullValues)) {
return false;
}
if ($previousUpdate->id_product_review_criterion_type != $this->id_product_review_criterion_type) {
if ($previousUpdate->id_product_review_criterion_type == 2) {
return Db::getInstance()->execute('
DELETE FROM '._DB_PREFIX_.'leofeature_product_review_criterion_category
WHERE id_product_review_criterion = '.(int)$previousUpdate->id);
} elseif ($previousUpdate->id_product_review_criterion_type == 3) {
return Db::getInstance()->execute('
DELETE FROM '._DB_PREFIX_.'leofeature_product_review_criterion_product
WHERE id_product_review_criterion = '.(int)$previousUpdate->id);
}
}
return true;
}
/**
* Link a review Criterion to a product
*
* @return boolean succeed
*/
public function addProduct($id_product)
{
if (!Validate::isUnsignedId($id_product)) {
die(Tools::displayError());
}
return Db::getInstance()->execute('
INSERT INTO `'._DB_PREFIX_.'leofeature_product_review_criterion_product` (`id_product_review_criterion`, `id_product`)
VALUES('.(int)$this->id.','.(int)$id_product.')
');
}
/**
* Link a review Criterion to a category
*
* @return boolean succeed
*/
public function addCategory($id_category)
{
if (!Validate::isUnsignedId($id_category)) {
die(Tools::displayError());
}
return Db::getInstance()->execute('
INSERT INTO `'._DB_PREFIX_.'leofeature_product_review_criterion_category` (`id_product_review_criterion`, `id_category`)
VALUES('.(int)$this->id.','.(int)$id_category.')');
}
/**
* Add grade to a criterion
*
* @return boolean succeed
*/
public function addGrade($id_product_review, $grade)
{
if (!Validate::isUnsignedId($id_product_review)) {
die(Tools::displayError());
}
if ($grade < 0) {
$grade = 0;
} elseif ($grade > 10) {
$grade = 10;
}
return (Db::getInstance()->execute('
INSERT INTO `'._DB_PREFIX_.'leofeature_product_review_grade`
(`id_product_review`, `id_product_review_criterion`, `grade`) VALUES(
'.(int)($id_product_review).',
'.(int)$this->id.',
'.(int)($grade).')'));
}
/**
* Get criterion by Product
*
* @return array Criterion
*/
public static function getByProduct($id_product, $id_lang)
{
if (!Validate::isUnsignedId($id_product) || !Validate::isUnsignedId($id_lang)) {
die(Tools::displayError());
}
$alias = 'p';
$table = '';
// check if version > 1.5 to add shop association
if (version_compare(_PS_VERSION_, '1.5', '>')) {
$table = '_shop';
$alias = 'ps';
}
$cache_id = 'ProductReviewCriterion::getByProduct_'.(int)$id_product.'-'.(int)$id_lang;
if (!Cache::isStored($cache_id)) {
$result = Db::getInstance()->executeS('
SELECT pcc.`id_product_review_criterion`, pccl.`name`
FROM `'._DB_PREFIX_.'leofeature_product_review_criterion` pcc
LEFT JOIN `'._DB_PREFIX_.'leofeature_product_review_criterion_lang` pccl
ON (pcc.id_product_review_criterion = pccl.id_product_review_criterion)
LEFT JOIN `'._DB_PREFIX_.'leofeature_product_review_criterion_product` pccp
ON (pcc.`id_product_review_criterion` = pccp.`id_product_review_criterion` AND pccp.`id_product` = '.(int)$id_product.')
LEFT JOIN `'._DB_PREFIX_.'leofeature_product_review_criterion_category` pccc
ON (pcc.`id_product_review_criterion` = pccc.`id_product_review_criterion`)
LEFT JOIN `'._DB_PREFIX_.'product'.$table.'` '.$alias.'
ON ('.$alias.'.id_category_default = pccc.id_category AND '.$alias.'.id_product = '.(int)$id_product.')
WHERE pccl.`id_lang` = '.(int)($id_lang).'
AND (
pccp.id_product IS NOT NULL
OR ps.id_product IS NOT NULL
OR pcc.id_product_review_criterion_type = 1
)
AND pcc.active = 1
GROUP BY pcc.id_product_review_criterion
');
Cache::store($cache_id, $result);
}
return Cache::retrieve($cache_id);
}
/**
* Get Criterions
*
* @return array Criterions
*/
public static function getCriterions($id_lang, $type = false, $active = false)
{
if (!Validate::isUnsignedId($id_lang)) {
die(Tools::displayError());
}
$sql = '
SELECT pcc.`id_product_review_criterion`, pcc.id_product_review_criterion_type, pccl.`name`, pcc.active
FROM `'._DB_PREFIX_.'leofeature_product_review_criterion` pcc
JOIN `'._DB_PREFIX_.'leofeature_product_review_criterion_lang` pccl ON (pcc.id_product_review_criterion = pccl.id_product_review_criterion)
WHERE pccl.`id_lang` = '.(int)$id_lang.($active ? ' AND active = 1' : '').($type ? ' AND id_product_review_criterion_type = '.(int)$type : '').'
ORDER BY pccl.`name` ASC';
$criterions = Db::getInstance()->executeS($sql);
$types = self::getTypes();
foreach ($criterions as $key => $data) {
$criterions[$key]['type_name'] = $types[$data['id_product_review_criterion_type']];
}
return $criterions;
}
public function getProducts()
{
$res = Db::getInstance()->executeS('
SELECT pccp.id_product, pccp.id_product_review_criterion
FROM `'._DB_PREFIX_.'leofeature_product_review_criterion_product` pccp
WHERE pccp.id_product_review_criterion = '.(int)$this->id);
$products = array();
if ($res) {
foreach ($res as $row) {
$products[] = (int)$row['id_product'];
}
}
return $products;
}
public function getCategories()
{
$res = Db::getInstance()->executeS('
SELECT pccc.id_category, pccc.id_product_review_criterion
FROM `'._DB_PREFIX_.'leofeature_product_review_criterion_category` pccc
WHERE pccc.id_product_review_criterion = '.(int)$this->id);
$criterions = array();
if ($res) {
foreach ($res as $row) {
$criterions[] = (int)$row['id_category'];
}
}
return $criterions;
}
public function deleteCategories()
{
return Db::getInstance()->execute('
DELETE FROM `'._DB_PREFIX_.'leofeature_product_review_criterion_category`
WHERE `id_product_review_criterion` = '.(int)$this->id);
}
public function deleteProducts()
{
return Db::getInstance()->execute('
DELETE FROM `'._DB_PREFIX_.'leofeature_product_review_criterion_product`
WHERE `id_product_review_criterion` = '.(int)$this->id);
}
/**
* Get translation for a given module text
*
* Note: $specific parameter is mandatory for library files.
* Otherwise, translation key will not match for Module library
* when module is loaded with eval() Module::getModulesOnDisk()
*
* @param string $string String to translate
* @param boolean|string $specific filename to use in translation key
* @return string Translation
*/
public static function l($string, $specific = false)
{
return Translate::getModuleTranslation(self::MODULE_NAME, $string, ($specific) ? $specific : self::MODULE_NAME);
}
public static function getTypes()
{
return array(
1 => self::l('Valid for the entire catalog'),
2 => self::l('Restricted to some categories'),
3 => self::l('Restricted to some products')
);
}
}

View File

@@ -0,0 +1,43 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
if (!defined('_PS_VERSION_')) {
# module validation
exit;
}
class ProductReviewGrade extends ObjectModel
{
public $id;
public $id_product_review;
public $id_product_review_criterion;
public $grade;
/**
* @see ObjectModel::$definition
*/
public static $definition = array(
'table' => 'leofeature_product_review_grade',
'primary' => 'id_product_review_grade',
'fields' => array(
'id_product_review' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedId', 'required' => true),
'id_product_review_criterion' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedId', 'required' => true),
'grade' => array('type' => self::TYPE_FLOAT, 'validate' => 'isFloat'),
)
);
}

View File

@@ -0,0 +1,566 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
if (!defined('_PS_VERSION_')) {
# module validation
exit;
}
class WishList extends ObjectModel
{
/** @var integer Wishlist ID */
public $id;
/** @var integer Customer ID */
public $id_customer;
/** @var integer Token */
public $token;
/** @var integer Name */
public $name;
/** @var string Object creation date */
public $date_add;
/** @var string Object last modification date */
public $date_upd;
/** @var string Object last modification date */
public $id_shop;
/** @var string Object last modification date */
public $id_shop_group;
/** @var integer default */
public $default;
/**
* @see ObjectModel::$definition
*/
public static $definition = array(
'table' => 'leofeature_wishlist',
'primary' => 'id_wishlist',
'fields' => array(
'id_customer' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedId', 'required' => true),
'token' => array('type' => self::TYPE_STRING, 'validate' => 'isMessage', 'required' => true),
'name' => array('type' => self::TYPE_STRING, 'validate' => 'isMessage', 'required' => true),
'date_add' => array('type' => self::TYPE_DATE, 'validate' => 'isDate'),
'date_upd' => array('type' => self::TYPE_DATE, 'validate' => 'isDate'),
'id_shop' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedId'),
'id_shop_group' => array('type' => self::TYPE_INT, 'validate' => 'isUnsignedId'),
'default' => array('type' => self::TYPE_BOOL, 'validate' => 'isUnsignedId'),
)
);
public function delete()
{
Db::getInstance()->execute('DELETE FROM `'._DB_PREFIX_.'leofeature_wishlist_product` WHERE `id_wishlist` = '.(int)($this->id));
if ($this->default) {
$result = Db::getInstance()->executeS('SELECT * FROM `'._DB_PREFIX_.'leofeature_wishlist` WHERE `id_customer` = '.(int)$this->id_customer.' and `id_wishlist` != '.(int)$this->id.' LIMIT 1');
foreach ($result as $res) {
Db::getInstance()->update('wishlist', array('default' => '1'), 'id_wishlist = '.(int)$res['id_wishlist']);
}
}
if (isset($this->context->cookie->id_wishlist)) {
unset($this->context->cookie->id_wishlist);
}
return (parent::delete());
}
/**
* Increment counter
*
* @return boolean succeed
*/
public static function incCounter($id_wishlist)
{
if (!Validate::isUnsignedId($id_wishlist)) {
die(Tools::displayError());
}
$result = Db::getInstance()->getRow('
SELECT `counter`
FROM `'._DB_PREFIX_.'leofeature_wishlist`
WHERE `id_wishlist` = '.(int)$id_wishlist);
if ($result == false || !count($result) || empty($result) === true) {
return (false);
}
return Db::getInstance()->execute('
UPDATE `'._DB_PREFIX_.'leofeature_wishlist` SET
`counter` = '.(int)($result['counter'] + 1).'
WHERE `id_wishlist` = '.(int)$id_wishlist);
}
public static function isExistsByNameForUser($name)
{
if (Shop::getContextShopID()) {
$shop_restriction = 'AND id_shop = '.(int)Shop::getContextShopID();
} elseif (Shop::getContextShopGroupID()) {
$shop_restriction = 'AND id_shop_group = '.(int)Shop::getContextShopGroupID();
} else {
$shop_restriction = '';
}
$context = Context::getContext();
return Db::getInstance()->getValue('SELECT COUNT(*) AS total
FROM `'._DB_PREFIX_.'leofeature_wishlist`
WHERE `name` = \''.pSQL($name).'\'
AND `id_customer` = '.(int)$context->customer->id.'
'.$shop_restriction);
}
/**
* Return true if wishlist exists else false
*
* @return boolean exists
*/
public static function exists($id_wishlist, $id_customer, $return = false)
{
if (!Validate::isUnsignedId($id_wishlist) or !Validate::isUnsignedId($id_customer)) {
die(Tools::displayError());
}
$result = Db::getInstance()->getRow('
SELECT `id_wishlist`, `name`, `token`
FROM `'._DB_PREFIX_.'leofeature_wishlist`
WHERE `id_wishlist` = '.(int)($id_wishlist).'
AND `id_customer` = '.(int)($id_customer).'
AND `id_shop` = '.(int)Context::getContext()->shop->id);
if (empty($result) === false and $result != false and sizeof($result)) {
if ($return === false) {
return (true);
} else {
return ($result);
}
}
return (false);
}
/**
* Get Customers having a wishlist
*
* @return array Results
*/
public static function getCustomers()
{
$cache_id = 'WhishList::getCustomers';
if (!Cache::isStored($cache_id)) {
$result = Db::getInstance(_PS_USE_SQL_SLAVE_)->executeS('
SELECT c.`id_customer`, c.`firstname`, c.`lastname`
FROM `'._DB_PREFIX_.'leofeature_wishlist` w
INNER JOIN `'._DB_PREFIX_.'customer` c ON c.`id_customer` = w.`id_customer`
ORDER BY c.`firstname` ASC');
Cache::store($cache_id, $result);
}
return Cache::retrieve($cache_id);
}
/**
* Get ID wishlist by Token
*
* @return array Results
*/
public static function getByToken($token)
{
if (!Validate::isMessage($token)) {
die(Tools::displayError());
}
return (Db::getInstance(_PS_USE_SQL_SLAVE_)->getRow('
SELECT w.`id_wishlist`, w.`name`, w.`id_customer`, c.`firstname`, c.`lastname`
FROM `'._DB_PREFIX_.'leofeature_wishlist` w
INNER JOIN `'._DB_PREFIX_.'customer` c ON c.`id_customer` = w.`id_customer`
WHERE `token` = \''.pSQL($token).'\''));
}
/**
* Get Wishlists by Customer ID
*
* @return array Results
*/
public static function getByIdCustomer($id_customer)
{
if (!Validate::isUnsignedId($id_customer)) {
die(Tools::displayError());
}
if (Shop::getContextShopID()) {
$shop_restriction = 'AND id_shop = '.(int)Shop::getContextShopID();
} elseif (Shop::getContextShopGroupID()) {
$shop_restriction = 'AND id_shop_group = '.(int)Shop::getContextShopGroupID();
} else {
$shop_restriction = '';
}
$cache_id = 'WhishList::getByIdCustomer_'.(int)$id_customer.'-'.(int)Shop::getContextShopID().'-'.(int)Shop::getContextShopGroupID();
if (!Cache::isStored($cache_id)) {
$result = Db::getInstance()->executeS('
SELECT w.`id_wishlist`, w.`name`, w.`token`, w.`date_add`, w.`date_upd`, w.`counter`, w.`default`
FROM `'._DB_PREFIX_.'leofeature_wishlist` w
WHERE `id_customer` = '.(int)($id_customer).'
'.$shop_restriction.'
ORDER BY w.`name` ASC');
Cache::store($cache_id, $result);
}
return Cache::retrieve($cache_id);
}
// public static function refreshWishList($id_wishlist)
// {
// $old_carts = Db::getInstance(_PS_USE_SQL_SLAVE_)->executeS('
// SELECT wp.id_product, wp.id_product_attribute, wpc.id_cart, UNIX_TIMESTAMP(NOW()) - UNIX_TIMESTAMP(wpc.date_add) AS timecart
// FROM `'._DB_PREFIX_.'wishlist_product_cart` wpc
// JOIN `'._DB_PREFIX_.'leofeature_wishlist_product` wp ON (wp.id_wishlist_product = wpc.id_wishlist_product)
// JOIN `'._DB_PREFIX_.'cart` c ON (c.id_cart = wpc.id_cart)
// JOIN `'._DB_PREFIX_.'cart_product` cp ON (wpc.id_cart = cp.id_cart)
// LEFT JOIN `'._DB_PREFIX_.'orders` o ON (o.id_cart = c.id_cart)
// WHERE (wp.id_wishlist='.(int)($id_wishlist).' and o.id_cart IS NULL)
// HAVING timecart >= 3600*6');
// if (isset($old_carts) AND $old_carts != false)
// foreach ($old_carts AS $old_cart)
// Db::getInstance()->execute('
// DELETE FROM `'._DB_PREFIX_.'cart_product`
// WHERE id_cart='.(int)($old_cart['id_cart']).' AND id_product='.(int)($old_cart['id_product']).' AND id_product_attribute='.(int)($old_cart['id_product_attribute'])
// );
// $freshwish = Db::getInstance()->executeS('
// SELECT wpc.id_cart, wpc.id_wishlist_product
// FROM `'._DB_PREFIX_.'wishlist_product_cart` wpc
// JOIN `'._DB_PREFIX_.'leofeature_wishlist_product` wp ON (wpc.id_wishlist_product = wp.id_wishlist_product)
// JOIN `'._DB_PREFIX_.'cart` c ON (c.id_cart = wpc.id_cart)
// LEFT JOIN `'._DB_PREFIX_.'cart_product` cp ON (cp.id_cart = wpc.id_cart AND cp.id_product = wp.id_product AND cp.id_product_attribute = wp.id_product_attribute)
// WHERE (wp.id_wishlist = '.(int)($id_wishlist).' AND ((cp.id_product IS NULL AND cp.id_product_attribute IS NULL)))
// ');
// $res = Db::getInstance()->executeS('
// SELECT wp.id_wishlist_product, cp.quantity AS cart_quantity, wpc.quantity AS wish_quantity, wpc.id_cart
// FROM `'._DB_PREFIX_.'wishlist_product_cart` wpc
// JOIN `'._DB_PREFIX_.'leofeature_wishlist_product` wp ON (wp.id_wishlist_product = wpc.id_wishlist_product)
// JOIN `'._DB_PREFIX_.'cart` c ON (c.id_cart = wpc.id_cart)
// JOIN `'._DB_PREFIX_.'cart_product` cp ON (cp.id_cart = wpc.id_cart AND cp.id_product = wp.id_product AND cp.id_product_attribute = wp.id_product_attribute)
// WHERE wp.id_wishlist='.(int)($id_wishlist)
// );
// if (isset($res) AND $res != false)
// foreach ($res AS $refresh)
// if ($refresh['wish_quantity'] > $refresh['cart_quantity'])
// {
// Db::getInstance()->execute('
// UPDATE `'._DB_PREFIX_.'leofeature_wishlist_product`
// SET `quantity`= `quantity` + '.((int)($refresh['wish_quantity']) - (int)($refresh['cart_quantity'])).'
// WHERE id_wishlist_product='.(int)($refresh['id_wishlist_product'])
// );
// Db::getInstance()->execute('
// UPDATE `'._DB_PREFIX_.'wishlist_product_cart`
// SET `quantity`='.(int)($refresh['cart_quantity']).'
// WHERE id_wishlist_product='.(int)($refresh['id_wishlist_product']).' AND id_cart='.(int)($refresh['id_cart'])
// );
// }
// if (isset($freshwish) AND $freshwish != false)
// foreach ($freshwish AS $prodcustomer)
// {
// Db::getInstance()->execute('
// UPDATE `'._DB_PREFIX_.'leofeature_wishlist_product` SET `quantity`=`quantity` +
// (
// SELECT `quantity` FROM `'._DB_PREFIX_.'wishlist_product_cart`
// WHERE `id_wishlist_product`='.(int)($prodcustomer['id_wishlist_product']).' AND `id_cart`='.(int)($prodcustomer['id_cart']).'
// )
// WHERE `id_wishlist_product`='.(int)($prodcustomer['id_wishlist_product']).' AND `id_wishlist`='.(int)($id_wishlist)
// );
// Db::getInstance()->execute('
// DELETE FROM `'._DB_PREFIX_.'wishlist_product_cart`
// WHERE `id_wishlist_product`='.(int)($prodcustomer['id_wishlist_product']).' AND `id_cart`='.(int)($prodcustomer['id_cart'])
// );
// }
// }
/**
* Get Wishlist products by Customer ID
*
* @return array Results
*/
public static function getProductByIdCustomer($id_wishlist, $id_customer, $id_lang, $id_product = null, $quantity = false)
{
if (!Validate::isUnsignedId($id_customer) or !Validate::isUnsignedId($id_lang) or !Validate::isUnsignedId($id_wishlist)) {
die(Tools::displayError());
}
$products = Db::getInstance()->executeS('
SELECT wp.`id_product`, wp.`quantity`, p.`quantity` AS product_quantity, pl.`name`, wp.`id_product_attribute`, wp.`priority`, pl.link_rewrite, cl.link_rewrite AS category_rewrite
FROM `'._DB_PREFIX_.'leofeature_wishlist_product` wp
LEFT JOIN `'._DB_PREFIX_.'product` p ON p.`id_product` = wp.`id_product`
'.Shop::addSqlAssociation('product', 'p').'
LEFT JOIN `'._DB_PREFIX_.'product_lang` pl ON pl.`id_product` = wp.`id_product`'.Shop::addSqlRestrictionOnLang('pl').'
LEFT JOIN `'._DB_PREFIX_.'leofeature_wishlist` w ON w.`id_wishlist` = wp.`id_wishlist`
LEFT JOIN `'._DB_PREFIX_.'category_lang` cl ON cl.`id_category` = product_shop.`id_category_default` and cl.id_lang='.(int)$id_lang.Shop::addSqlRestrictionOnLang('cl').'
WHERE w.`id_customer` = '.(int)($id_customer).'
AND pl.`id_lang` = '.(int)($id_lang).'
AND wp.`id_wishlist` = '.(int)($id_wishlist).
(empty($id_product) === false ? ' AND wp.`id_product` = '.(int)($id_product) : '').
($quantity == true ? ' AND wp.`quantity` != 0': '').'
GROUP BY p.id_product, wp.id_product_attribute');
if (empty($products) === true or !sizeof($products)) {
return array();
}
for ($i = 0; $i < sizeof($products); ++$i) {
if (isset($products[$i]['id_product_attribute']) and Validate::isUnsignedInt($products[$i]['id_product_attribute'])) {
$result = Db::getInstance()->executeS('
SELECT al.`name` AS attribute_name, pa.`quantity` AS "attribute_quantity"
FROM `'._DB_PREFIX_.'product_attribute_combination` pac
LEFT JOIN `'._DB_PREFIX_.'attribute` a ON (a.`id_attribute` = pac.`id_attribute`)
LEFT JOIN `'._DB_PREFIX_.'attribute_group` ag ON (ag.`id_attribute_group` = a.`id_attribute_group`)
LEFT JOIN `'._DB_PREFIX_.'attribute_lang` al ON (a.`id_attribute` = al.`id_attribute` AND al.`id_lang` = '.(int)($id_lang).')
LEFT JOIN `'._DB_PREFIX_.'attribute_group_lang` agl ON (ag.`id_attribute_group` = agl.`id_attribute_group` AND agl.`id_lang` = '.(int)($id_lang).')
LEFT JOIN `'._DB_PREFIX_.'product_attribute` pa ON (pac.`id_product_attribute` = pa.`id_product_attribute`)
'.Shop::addSqlAssociation('product_attribute', 'pa').'
WHERE pac.`id_product_attribute` = '.(int)($products[$i]['id_product_attribute']));
$products[$i]['attributes_small'] = '';
if ($result) {
foreach ($result as $k => $row) {
$products[$i]['attributes_small'] .= $row['attribute_name'].', ';
}
// validate module
unset($k);
}
$products[$i]['attributes_small'] = rtrim($products[$i]['attributes_small'], ', ');
if (isset($result[0])) {
$products[$i]['attribute_quantity'] = $result[0]['attribute_quantity'];
}
} else {
$products[$i]['attribute_quantity'] = $products[$i]['product_quantity'];
}
}
return ($products);
}
//DONGND:: get simple list product by wishlist
public static function getSimpleProductByIdCustomer($id_customer, $id_shop)
{
if (!Validate::isUnsignedId($id_customer) or !Validate::isUnsignedId($id_shop)) {
die(Tools::displayError());
}
$wishlists = Db::getInstance()->executeS('
SELECT w.`id_wishlist`
FROM `'._DB_PREFIX_.'leofeature_wishlist` w
WHERE w.`id_customer` = '.(int)($id_customer).' AND w.`id_shop` = '.(int) $id_shop.'');
if (empty($wishlists) === true or !sizeof($wishlists)) {
return array();
}
$wishlist_product = array();
foreach ($wishlists as $wishlists_val) {
$product = Db::getInstance()->executeS('
SELECT wp.`id_product`, wp.`id_product_attribute`
FROM `'._DB_PREFIX_.'leofeature_wishlist_product` wp
WHERE wp.`id_wishlist` = '.(int)$wishlists_val['id_wishlist'].'');
$wishlist_product[$wishlists_val['id_wishlist']] = $product;
}
return ($wishlist_product);
}
/**
* Get Wishlists number products by Customer ID
*
* @return array Results
*/
public static function getInfosByIdCustomer($id_customer, $id_wishlist)
{
if (Shop::getContextShopID()) {
$shop_restriction = 'AND id_shop = '.(int)Shop::getContextShopID();
} elseif (Shop::getContextShopGroupID()) {
$shop_restriction = 'AND id_shop_group = '.(int)Shop::getContextShopGroupID();
} else {
$shop_restriction = '';
}
if (!Validate::isUnsignedId($id_customer)) {
die(Tools::displayError());
}
return (Db::getInstance(_PS_USE_SQL_SLAVE_)->getRow('
SELECT SUM(wp.`quantity`) AS nbProducts, wp.`id_wishlist`
FROM `'._DB_PREFIX_.'leofeature_wishlist_product` wp
INNER JOIN `'._DB_PREFIX_.'leofeature_wishlist` w ON (w.`id_wishlist` = wp.`id_wishlist`)
WHERE w.`id_customer` = '.(int)($id_customer).' AND wp.`id_wishlist` = '.(int)($id_wishlist).'
'.$shop_restriction.'
GROUP BY w.`id_wishlist`
ORDER BY w.`name` ASC'));
}
/**
* Add product to ID wishlist
*
* @return boolean succeed
*/
public static function addProduct($id_wishlist, $id_customer, $id_product, $id_product_attribute, $quantity)
{
if (!Validate::isUnsignedId($id_wishlist) or !Validate::isUnsignedId($id_customer) or !Validate::isUnsignedId($id_product) or !Validate::isUnsignedId($quantity)) {
die(Tools::displayError());
}
$result = Db::getInstance()->getRow('
SELECT wp.`quantity`
FROM `'._DB_PREFIX_.'leofeature_wishlist_product` wp
JOIN `'._DB_PREFIX_.'leofeature_wishlist` w ON (w.`id_wishlist` = wp.`id_wishlist`)
WHERE wp.`id_wishlist` = '.(int)($id_wishlist).'
AND w.`id_customer` = '.(int)($id_customer).'
AND wp.`id_product` = '.(int)($id_product).'
AND wp.`id_product_attribute` = '.(int)($id_product_attribute));
if (empty($result) === false and sizeof($result)) {
if (($result['quantity'] + $quantity) <= 0) {
return (WishList::removeProduct($id_wishlist, $id_customer, $id_product, $id_product_attribute));
} else {
return (Db::getInstance()->execute('
UPDATE `'._DB_PREFIX_.'leofeature_wishlist_product` SET
`quantity` = '.(int)($quantity + $result['quantity']).'
WHERE `id_wishlist` = '.(int)($id_wishlist).'
AND `id_product` = '.(int)($id_product).'
AND `id_product_attribute` = '.(int)($id_product_attribute)));
}
} else {
return (Db::getInstance()->execute('
INSERT INTO `'._DB_PREFIX_.'leofeature_wishlist_product` (`id_wishlist`, `id_product`, `id_product_attribute`, `quantity`, `priority`) VALUES(
'.(int)($id_wishlist).',
'.(int)($id_product).',
'.(int)($id_product_attribute).',
'.(int)($quantity).', 1)'));
}
}
/**
* Update product to wishlist
*
* @return boolean succeed
*/
public static function updateProduct($id_wishlist, $id_product, $id_product_attribute, $priority, $quantity)
{
if (!Validate::isUnsignedId($id_wishlist) or !Validate::isUnsignedId($id_product) or !Validate::isUnsignedId($quantity) or $priority < 0 or $priority > 2) {
die(Tools::displayError());
}
return (Db::getInstance()->execute('
UPDATE `'._DB_PREFIX_.'leofeature_wishlist_product` SET
`priority` = '.(int)($priority).',
`quantity` = '.(int)($quantity).'
WHERE `id_wishlist` = '.(int)($id_wishlist).'
AND `id_product` = '.(int)($id_product).'
AND `id_product_attribute` = '.(int)($id_product_attribute)));
}
/**
* Remove product from wishlist
*
* @return boolean succeed
*/
public static function removeProduct($id_wishlist, $id_customer, $id_product, $id_product_attribute)
{
if (!Validate::isUnsignedId($id_wishlist) or !Validate::isUnsignedId($id_customer) or !Validate::isUnsignedId($id_product)) {
die(Tools::displayError());
}
$result = Db::getInstance()->getRow('
SELECT w.`id_wishlist`, wp.`id_wishlist_product`
FROM `'._DB_PREFIX_.'leofeature_wishlist` w
LEFT JOIN `'._DB_PREFIX_.'leofeature_wishlist_product` wp ON (wp.`id_wishlist` = w.`id_wishlist`)
WHERE `id_customer` = '.(int)($id_customer).'
AND w.`id_wishlist` = '.(int)($id_wishlist));
if (empty($result) === true or $result === false or !sizeof($result) or $result['id_wishlist'] != $id_wishlist) {
return (false);
}
return Db::getInstance()->execute('
DELETE FROM `'._DB_PREFIX_.'leofeature_wishlist_product`
WHERE `id_wishlist` = '.(int)($id_wishlist).'
AND `id_product` = '.(int)($id_product).'
AND `id_product_attribute` = '.(int)($id_product_attribute));
}
/**
* Return if there is a default already set
*
* @return boolean
*/
public static function isDefault($id_customer)
{
return (Bool)Db::getInstance()->getValue('SELECT * FROM `'._DB_PREFIX_.'leofeature_wishlist` WHERE `id_customer` = '.(int)$id_customer.' AND `default` = 1');
}
public static function getDefault($id_customer)
{
return Db::getInstance()->executeS('SELECT * FROM `'._DB_PREFIX_.'leofeature_wishlist` WHERE `id_customer` = '.(int)$id_customer.' AND `default` = 1');
}
/**
* Set current WishList as default
*
* @return boolean
*/
public function setDefault()
{
if ($default = $this->getDefault($this->id_customer)) {
Db::getInstance()->update('leofeature_wishlist', array('default' => '0'), 'id_wishlist = '.(int)$default[0]['id_wishlist']);
}
return Db::getInstance()->update('leofeature_wishlist', array('default' => '1'), 'id_wishlist = '.(int)$this->id);
}
//DONGND:: delete product of wishlist
public static function removeProductWishlist($id_wishlist, $id_wishlist_product)
{
if (!Validate::isUnsignedId($id_wishlist_product) || !Validate::isUnsignedId($id_wishlist)) {
die(Tools::displayError());
}
return Db::getInstance()->execute('
DELETE FROM `'._DB_PREFIX_.'leofeature_wishlist_product`
WHERE `id_wishlist_product` = '.(int)($id_wishlist_product).'
AND `id_wishlist` = '.(int)($id_wishlist));
}
//DONGND:: delete product of wishlist
public static function updateProductWishlist($id_wishlist, $id_wishlist_product, $priority, $quantity)
{
if (!Validate::isUnsignedId($id_wishlist_product) || !Validate::isUnsignedId($id_wishlist) || !Validate::isUnsignedInt($quantity) || !Validate::isUnsignedInt($priority) || $priority < 0 || $priority > 2) {
die(Tools::displayError());
}
return Db::getInstance()->execute('
UPDATE `'._DB_PREFIX_.'leofeature_wishlist_product` SET
`priority` = '.(int)($priority).',
`quantity` = '.(int)($quantity).'
WHERE `id_wishlist` = '.(int)($id_wishlist).'
AND `id_wishlist_product` = '.(int)($id_wishlist_product));
}
//DONGND::
public static function getSimpleProductByIdWishlist($id_wishlist)
{
if (!Validate::isUnsignedId($id_wishlist)) {
die(Tools::displayError());
}
return Db::getInstance()->executeS('
SELECT wp.*
FROM `'._DB_PREFIX_.'leofeature_wishlist_product` wp
WHERE wp.`id_wishlist` = '.(int)$id_wishlist.'');
}
}

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,12 @@
<?xml version="1.0" encoding="UTF-8" ?>
<module>
<name>leofeature</name>
<displayName><![CDATA[Leo Feature]]></displayName>
<version><![CDATA[2.1.6]]></version>
<description><![CDATA[Leo feature for prestashop 1.7: ajax cart, dropdown cart, fly cart, review, compare, wishlist at product list]]></description>
<author><![CDATA[Leotheme]]></author>
<tab><![CDATA[front_office_features]]></tab>
<is_configurable>1</is_configurable>
<need_instance>0</need_instance>
<limited_countries></limited_countries>
</module>

View File

@@ -0,0 +1,12 @@
<?xml version="1.0" encoding="UTF-8" ?>
<module>
<name>leofeature</name>
<displayName><![CDATA[Leo Feature]]></displayName>
<version><![CDATA[2.2.1]]></version>
<description><![CDATA[Leo feature for prestashop 1.7: ajax cart, dropdown cart, fly cart, review, compare, wishlist at product list]]></description>
<author><![CDATA[Leotheme]]></author>
<tab><![CDATA[front_office_features]]></tab>
<is_configurable>1</is_configurable>
<need_instance>0</need_instance>
<limited_countries></limited_countries>
</module>

View File

@@ -0,0 +1,30 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
if (!defined('_PS_VERSION_')) {
# module validation
exit;
}
class AdminLeofeatureModuleController extends ModuleAdminControllerCore
{
public function __construct()
{
parent::__construct();
$url = 'index.php?controller=AdminModules&configure=leofeature&token='.Tools::getAdminTokenLite('AdminModules');
Tools::redirectAdmin($url);
}
}

View File

@@ -0,0 +1,505 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
require_once(_PS_MODULE_DIR_.'leofeature/classes/ProductReviewCriterion.php');
require_once(_PS_MODULE_DIR_.'leofeature/classes/ProductReview.php');
class AdminLeofeatureReviewsController extends ModuleAdminController
{
public function __construct()
{
parent::__construct();
$this->bootstrap = true;
$this->table = 'leofeature_product_review_criterion';
$this->identifier = 'id_product_review_criterion';
$this->className = 'ProductReviewCriterion';
$this->lang = true;
$this->addRowAction('edit');
$this->addRowAction('delete');
$this->bulk_actions = array('delete' => array('text' => $this->l('Delete selected'), 'confirm' => $this->l('Delete selected items?'), 'icon' => 'icon-trash'));
$this->fields_list = array(
'id_product_review_criterion' => array(
'title' => $this->l('ID'),
'type' => 'text',
'class' => 'fixed-width-sm'
),
'name' => array(
'title' => $this->l('Name'),
'type' => 'text',
),
'type_name' => array(
'title' => $this->l('Type'),
'type' => 'text',
'search' => false,
),
'active' => array(
'title' => $this->l('Status'),
'active' => 'status',
'type' => 'bool',
'class' => 'fixed-width-sm'
),
);
$this->_defaultOrderBy = 'id_product_review_criterion';
$this->_select .= ' CASE
WHEN `id_product_review_criterion_type` = 1 THEN "'.$this->module->l('Valid for the entire catalog').'"
WHEN `id_product_review_criterion_type` = 2 THEN "'.$this->module->l('Restricted to some categories').'"
WHEN `id_product_review_criterion_type` = 3 THEN "'.$this->module->l('Restricted to some products').'"
END as `type_name` ';
}
public function renderForm()
{
if (Validate::isLoadedObject($this->object)) {
$this->display = 'edit';
} else {
$this->display = 'add';
}
$types = ProductReviewCriterion::getTypes();
$query = array();
foreach ($types as $key => $value) {
$query[] = array(
'id' => $key,
'label' => $value,
);
}
if (Tools::getValue('id_product_review_criterion')) {
$id_criterion = Tools::getValue('id_product_review_criterion');
} else {
$id_criterion = 0;
}
$criterion = new ProductReviewCriterion((int) $id_criterion);
$selected_categories = $criterion->getCategories();
$product_table_values = Product::getSimpleProducts($this->context->language->id);
$selected_products = $criterion->getProducts();
foreach ($product_table_values as $key => $product) {
if (false !== array_search($product['id_product'], $selected_products)) {
$product_table_values[$key]['selected'] = 1;
}
}
if (version_compare(_PS_VERSION_, '1.6', '<')) {
$field_category_tree = array(
'type' => 'categories_select',
'name' => 'categoryBox',
'label' => $this->l('Criterion will be restricted to the following categories'),
'category_tree' => $this->initCategoriesAssociation(null, $id_criterion),
);
} else {
$field_category_tree = array(
'type' => 'categories',
'label' => $this->l('Criterion will be restricted to the following categories'),
'name' => 'categoryBox',
'desc' => $this->l('Mark the boxes of categories to which this criterion applies.'),
'tree' => array(
'use_search' => false,
'id' => 'categoryBox',
'use_checkbox' => true,
'selected_categories' => $selected_categories,
),
//retro compat 1.5 for category tree
'values' => array(
'trads' => array(
'Root' => Category::getTopCategory(),
'selected' => $this->l('Selected'),
'Collapse All' => $this->l('Collapse All'),
'Expand All' => $this->l('Expand All'),
'Check All' => $this->l('Check All'),
'Uncheck All' => $this->l('Uncheck All'),
),
'selected_cat' => $selected_categories,
'input_name' => 'categoryBox[]',
'use_radio' => false,
'use_search' => false,
'disabled_categories' => array(),
'top_category' => Category::getTopCategory(),
'use_context' => true,
),
);
}
$this->fields_form = array(
'legend' => array(
'title' => $this->l('Add new criterion'),
'icon' => 'icon-cogs',
),
'input' => array(
array(
'type' => 'hidden',
'name' => 'id_product_review_criterion',
),
array(
'type' => 'text',
'lang' => true,
'label' => $this->l('Criterion name'),
'name' => 'name',
),
array(
'type' => 'select',
'name' => 'id_product_review_criterion_type',
'label' => $this->l('Application scope of the criterion'),
'options' => array(
'query' => $query,
'id' => 'id',
'name' => 'label',
),
),
$field_category_tree,
array(
'type' => 'products',
'label' => $this->l('The criterion will be restricted to the following products'),
'name' => 'ids_product',
'values' => $product_table_values,
),
array(
'type' => 'switch',
'is_bool' => true, //retro compat 1.5
'label' => $this->l('Active'),
'name' => 'active',
'values' => array(
array(
'id' => 'active_on',
'value' => 1,
'label' => $this->l('Enabled'),
),
array(
'id' => 'active_off',
'value' => 0,
'label' => $this->l('Disabled'),
),
),
),
),
'submit' => array(
'title' => $this->l('Save'),
'class' => 'btn btn-default pull-right',
'name' => 'submitEditCriterion',
),
'buttons' => array(
'save_and_preview' => array(
'name' => 'submitEditCriterionAndStay',
'type' => 'submit',
'title' => $this->l('Save and stay'),
'class' => 'btn btn-default pull-right',
'icon' => 'process-icon-save-and-stay'
)
)
);
return parent::renderForm();
}
public function renderList()
{
$this->toolbar_title = $this->l('Review Criteria');
$return = null;
$return .= $this->renderModerateLists();
$return .= parent::renderList();
$return .= $this->renderReviewsList();
return $return;
}
public function postProcess()
{
if (count($this->errors) > 0) {
if ($this->ajax) {
$array = array('hasError' => true, 'errors' => $this->errors[0]);
die(Tools::jsonEncode($array));
}
return;
}
if (Tools::isSubmit('submitEditCriterion') || Tools::isSubmit('submitEditCriterionAndStay')) {
parent::validateRules();
if (count($this->errors)) {
$this->display = 'edit';
return false;
}
if ((int) Tools::getValue('id_product_review_criterion')) {
$mess_id = '4';
} else {
$mess_id = '3';
}
$criterion = new ProductReviewCriterion((int) Tools::getValue('id_product_review_criterion'));
$criterion->id_product_review_criterion_type = Tools::getValue('id_product_review_criterion_type');
$criterion->active = Tools::getValue('active');
$languages = Language::getLanguages();
$name = array();
foreach ($languages as $key => $value) {
$name[$value['id_lang']] = Tools::getValue('name_'.$value['id_lang']);
}
// validate module
unset($key);
$criterion->name = $name;
$criterion->save();
// Clear before reinserting data
$criterion->deleteCategories();
$criterion->deleteProducts();
if ($criterion->id_product_review_criterion_type == 2) {
if ($categories = Tools::getValue('categoryBox')) {
if (count($categories)) {
foreach ($categories as $id_category) {
$criterion->addCategory((int) $id_category);
}
}
}
} elseif ($criterion->id_product_review_criterion_type == 3) {
if ($products = Tools::getValue('ids_product')) {
if (count($products)) {
foreach ($products as $product) {
$criterion->addProduct((int) $product);
}
}
}
}
if ($criterion->save()) {
if (Tools::isSubmit('submitEditCriterionAndStay')) {
# validate module
$this->redirect_after = self::$currentIndex.'&'.$this->identifier.'='.$criterion->id.'&conf='.$mess_id.'&update'.$this->table.'&token='.$this->token;
} else {
# validate module
$this->redirect_after = self::$currentIndex.'&conf=4&token='.$this->token;
}
} else {
return false;
}
} elseif (Tools::isSubmit('deleteleofeature_product_review') && Tools::getValue('id_product_review')) {
$id_product_review = (int) Tools::getValue('id_product_review');
$review = new ProductReview($id_product_review);
$review->delete();
// var_dump($review->delete());die();
$this->redirect_after = self::$currentIndex.'&conf=1&token='.$this->token;
} elseif (Tools::isSubmit('approveReview') && Tools::getValue('id_product_review')) {
$id_product_review = (int) Tools::getValue('id_product_review');
$review = new ProductReview($id_product_review);
$review->validate();
$this->redirect_after = self::$currentIndex.'&conf=4&token='.$this->token;
} elseif (Tools::isSubmit('noabuseReview') && Tools::getValue('id_product_review')) {
$id_product_review = (int) Tools::getValue('id_product_review');
ProductReview::deleteReports($id_product_review);
$this->redirect_after = self::$currentIndex.'&conf=4&token='.$this->token;
} else {
parent::postProcess(true);
}
$this->module->_clearcache('leo_list_product_review.tpl');
}
public function initCategoriesAssociation($id_root = null, $id_criterion = 0)
{
if (is_null($id_root)) {
$id_root = Configuration::get('PS_ROOT_CATEGORY');
}
$id_shop = (int) Tools::getValue('id_shop');
$shop = new Shop($id_shop);
if ($id_criterion == 0) {
$selected_cat = array();
} else {
$pdc_object = new ProductReviewCriterion($id_criterion);
$selected_cat = $pdc_object->getCategories();
}
if (Shop::getContext() == Shop::CONTEXT_SHOP && Tools::isSubmit('id_shop')) {
$root_category = new Category($shop->id_category);
} else {
$root_category = new Category($id_root);
}
$root_category = array('id_category' => $root_category->id, 'name' => $root_category->name[$this->context->language->id]);
$helper = new Helper();
return $helper->renderCategoryTree($root_category, $selected_cat, 'categoryBox', false, true);
}
//DONGND:: render list reviews have not approved and reported
public function renderModerateLists()
{
$return = null;
if (Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE')) {
$reviews = ProductReview::getByValidate(0, false);
if (count($reviews) > 0) {
$fields_list = $this->getStandardFieldList();
if (version_compare(_PS_VERSION_, '1.6', '<')) {
$return .= $this->l('Reviews waiting for approval');
$actions = array('enable', 'delete');
} else {
$actions = array('approve', 'delete');
}
$helper = new HelperList();
$helper->shopLinkType = '';
$helper->simple_header = true;
$helper->actions = $actions;
$helper->show_toolbar = false;
$helper->module = $this->module;
$helper->listTotal = count($reviews);
$helper->identifier = 'id_product_review';
$helper->title = $this->l('Reviews waiting for approval');
$helper->table = 'leofeature_product_review';
$helper->token = $this->token;
$helper->currentIndex = self::$currentIndex;
$helper->no_link = true;
$return .= $helper->generateList($reviews, $fields_list);
}
}
$reviews = ProductReview::getReportedReviews();
if (count($reviews) > 0) {
$fields_list = $this->getStandardFieldList();
if (version_compare(_PS_VERSION_, '1.6', '<')) {
$return .= $this->l('Reported Reviews');
$actions = array('enable', 'delete');
} else {
$actions = array('delete', 'noabuse');
}
$helper = new HelperList();
$helper->shopLinkType = '';
$helper->simple_header = true;
$helper->actions = $actions;
$helper->show_toolbar = false;
$helper->module = $this->module;
$helper->listTotal = count($reviews);
$helper->identifier = 'id_product_review';
$helper->title = $this->l('Reported Reviews');
$helper->table = 'leofeature_product_review';
$helper->token = $this->token;
$helper->currentIndex = self::$currentIndex;
$helper->no_link = true;
$return .= $helper->generateList($reviews, $fields_list);
}
return $return;
}
//DONGND:: render list reviews have approved
public function renderReviewsList()
{
$reviews = ProductReview::getByValidate(1, false);
$moderate = Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE');
if (empty($moderate)) {
$reviews = array_merge($reviews, ProductReview::getByValidate(0, false));
}
$fields_list = $this->getStandardFieldList();
$helper = new HelperList();
$helper->shopLinkType = '';
$helper->simple_header = true;
$helper->actions = array('delete');
$helper->show_toolbar = false;
$helper->module = $this->module;
$helper->listTotal = count($reviews);
$helper->identifier = 'id_product_review';
$helper->title = $this->l('Approved Reviews');
$helper->table = 'leofeature_product_review';
$helper->token = $this->token;
$helper->currentIndex = self::$currentIndex;
$helper->no_link = true;
return $helper->generateList($reviews, $fields_list);
}
public function displayApproveLink($token, $id, $name = null)
{
// validate module
unset($token);
unset($name);
$template = $this->createTemplate('list_action_approve.tpl');
$template->assign(array(
'href' => $this->context->link->getAdminLink('AdminLeofeatureReviews').'&approveReview&id_product_review='.$id,
'action' => $this->l('Approve'),
));
return $template->fetch();
}
public function displayNoabuseLink($token, $id, $name = null)
{
// validate module
unset($token);
unset($name);
$template = $this->createTemplate('list_action_noabuse.tpl');
$template->assign(array(
'href' => $this->context->link->getAdminLink('AdminLeofeatureReviews').'&noabuseReview&id_product_review='.$id,
'action' => $this->l('Not abusive'),
));
return $template->fetch();
}
public function getStandardFieldList()
{
return array(
'id_product_review' => array(
'title' => $this->l('ID'),
'type' => 'text',
),
'title' => array(
'title' => $this->l('Review title'),
'type' => 'text',
),
'content' => array(
'title' => $this->l('Review'),
'type' => 'text',
),
'grade' => array(
'title' => $this->l('Rating'),
'type' => 'text',
'suffix' => '/5',
),
'customer_name' => array(
'title' => $this->l('Author'),
'type' => 'text',
),
'name' => array(
'title' => $this->l('Product'),
'type' => 'text',
),
'date_add' => array(
'title' => $this->l('Time of publication'),
'type' => 'date',
),
);
}
/**
* PERMISSION ACCOUNT demo@demo.com
* OVERRIDE CORE
*/
public function initProcess()
{
parent::initProcess();
if (count($this->errors) <= 0) {
if (!$this->access('delete')){
if (Tools::isSubmit('deleteleofeature_product_review')) {
$this->errors[] = $this->trans('You do not have permission to delete this.', array(), 'Admin.Notifications.Error');
}
}
}
}
}

View File

@@ -0,0 +1,36 @@
<?php
/*
* 2007-2012 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2012 PrestaShop SA
* @version Release: $Revision: 13573 $
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1 @@
<?php

View File

@@ -0,0 +1,36 @@
<?php
/*
* 2007-2012 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2012 PrestaShop SA
* @version Release: $Revision: 13573 $
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1,384 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
require_once(_PS_MODULE_DIR_.'leofeature/classes/WishList.php');
require_once(_PS_MODULE_DIR_.'leofeature/classes/LeofeatureProduct.php');
class LeoFeatureMyWishListModuleFrontController extends ModuleFrontController
{
public $php_self;
public function displayAjax()
{
$array_result = array();
$errors = array();
$result = array();
if (!$this->isTokenValid() || !Tools::getValue('action')) {
// Ooops! Token is not valid!
$errors[] = $this->l('An error while processing. Please try again', 'mywishlist');
// die('Token is not valid, hack stop');
$array_result['result'] = $result;
$array_result['errors'] = $errors;
die(Tools::jsonEncode($array_result));
};
// Add or remove product with Ajax
$context = Context::getContext();
$action = Tools::getValue('action');
$id_wishlist = (int)Tools::getValue('id_wishlist');
$id_product = (int)Tools::getValue('id_product');
$quantity = (int)Tools::getValue('quantity');
$id_product_attribute = (int)Tools::getValue('id_product_attribute');
// Instance of module class for translations
if ($context->customer->isLogged()) {
if ($id_wishlist && WishList::exists($id_wishlist, $context->customer->id) === true) {
$context->cookie->id_wishlist = (int)$id_wishlist;
}
if ((int)$context->cookie->id_wishlist > 0 && !WishList::exists($context->cookie->id_wishlist, $context->customer->id)) {
$context->cookie->id_wishlist = '';
}
if (($action == 'add' || $action == 'remove') && empty($id_product) === false) {
if (!isset($context->cookie->id_wishlist) || $context->cookie->id_wishlist == '') {
$wishlist = new WishList();
$wishlist->id_shop = $context->shop->id;
$wishlist->id_shop_group = $context->shop->id_shop_group;
$wishlist->default = 1;
$wishlist->name = $this->l('My wishlist', 'mywishlist');
$wishlist->id_customer = (int)$context->customer->id;
list($us, $s) = explode(' ', microtime());
srand($s * $us);
$wishlist->token = Tools::strtoupper(Tools::substr(sha1(uniqid(rand(), true)._COOKIE_KEY_.$context->customer->id), 0, 16));
$wishlist->add();
$context->cookie->id_wishlist = (int)$wishlist->id;
$result['id_wishlist'] = $context->cookie->id_wishlist;
}
if ($action == 'add') {
WishList::addProduct($context->cookie->id_wishlist, $context->customer->id, $id_product, $id_product_attribute, $quantity);
} else if ($action == 'remove') {
WishList::removeProduct($context->cookie->id_wishlist, $context->customer->id, $id_product, $id_product_attribute);
}
$result[] = true;
}
if ($action == 'add-wishlist') {
$name_wishlist = Tools::getValue('name_wishlist');
if (empty($name_wishlist)) {
$errors[] = $this->module->l('You must specify a name.', 'mywishlist');
}
if (WishList::isExistsByNameForUser($name_wishlist)) {
$errors[] = $this->module->l('This name is already used by another list.', 'mywishlist');
}
if (!Validate::isMessage($name_wishlist)) {
$errors[] = $this->module->l('This name is is incorrect', 'mywishlist');
}
if (!count($errors)) {
$wishlist = new WishList();
$wishlist->id_shop = $this->context->shop->id;
$wishlist->id_shop_group = $this->context->shop->id_shop_group;
$wishlist->name = $name_wishlist;
$wishlist->id_customer = (int)$this->context->customer->id;
!$wishlist->isDefault($wishlist->id_customer) ? $wishlist->default = 1 : '';
list($us, $s) = explode(' ', microtime());
srand($s * $us);
$wishlist->token = Tools::strtoupper(Tools::substr(sha1(uniqid(rand(), true)._COOKIE_KEY_.$this->context->customer->id), 0, 16));
$wishlist->add();
$leo_is_rewrite_active = (bool)Configuration::get('PS_REWRITING_SETTINGS');
if ($leo_is_rewrite_active) {
$check_leo_is_rewrite_active = '?';
} else {
$check_leo_is_rewrite_active = '&';
}
$checked = '';
if ($wishlist->default == 1) {
$checked = 'checked="checked"';
}
$this->context->smarty->assign(array(
'wishlist' => $wishlist,
'checked' => $checked,
'url_view_wishlist' => $this->context->link->getModuleLink('leofeature', 'viewwishlist').$check_leo_is_rewrite_active.'token='.$wishlist->token,
));
$result['wishlist'] = $this->module->fetch('module:leofeature/views/templates/front/leo_wishlist_new.tpl');
$result['message'] = $this->module->l('The new wishlist has been created', 'mywishlist');
}
}
if ($action == 'delete-wishlist') {
$wishlist = new WishList((int)$id_wishlist);
if ($this->context->customer->id != $wishlist->id_customer || !Validate::isLoadedObject($wishlist)) {
$errors[] = $this->module->l('Cannot delete this wishlist', 'mywishlist');
}
if (!count($errors)) {
$wishlist->delete();
$result[] = true;
}
}
if ($action == 'default-wishlist') {
$wishlist = new WishList((int)$id_wishlist);
if ($this->context->customer->id != $wishlist->id_customer || !Validate::isLoadedObject($wishlist)) {
$errors[] = $this->module->l('Cannot update this wishlist', 'mywishlist');
}
if (!count($errors)) {
$wishlist->setDefault();
$result[] = true;
}
}
if ($action == 'show-wishlist-product') {
$wishlist = new WishList((int)$id_wishlist);
if ($this->context->customer->id != $wishlist->id_customer || !Validate::isLoadedObject($wishlist)) {
$errors[] = $this->module->l('Cannot show the product(s) of this wishlist', 'mywishlist');
}
if (!count($errors)) {
$products = array();
$show_send_wishlist = 0;
$wishlist_product = WishList::getSimpleProductByIdWishlist($id_wishlist);
$product_object = new LeofeatureProduct();
$product_object->php_self = 'mywishlist';
if (count($wishlist_product) > 0) {
foreach ($wishlist_product as $wishlist_product_item) {
$list_product_tmp = array();
$list_product_tmp['wishlist_info'] = $wishlist_product_item;
$list_product_tmp['product_info'] = $product_object->getTemplateVarProduct2($wishlist_product_item['id_product'], $wishlist_product_item['id_product_attribute']);
$products[] = $list_product_tmp;
}
$show_send_wishlist = 1;
}
$wishlists = WishList::getByIdCustomer($this->context->customer->id);
foreach ($wishlists as $key => $wishlists_item) {
if ($wishlists_item['id_wishlist'] == $id_wishlist) {
unset($wishlists[$key]);
}
}
$this->context->smarty->assign(array(
'products' => $products,
'wishlists' => $wishlists,
));
$result['html'] = $this->module->fetch('module:leofeature/views/templates/front/leo_my_wishlist_product.tpl');
$result['show_send_wishlist'] = $show_send_wishlist;
}
}
if ($action == 'send-wishlist') {
$wishlist = new WishList((int)$id_wishlist);
if ($this->context->customer->id != $wishlist->id_customer || !Validate::isLoadedObject($wishlist)) {
$errors[] = $this->module->l('Invalid wishlist', 'mywishlist');
}
if (!count($errors)) {
$to = Tools::getValue('email');
$toName = Tools::safeOutput(Configuration::get('PS_SHOP_NAME'));
$customer = $context->customer;
if (Validate::isLoadedObject($customer)) {
if (Mail::Send($context->language->id, 'wishlist', sprintf(Mail::l('Message from %1$s %2$s', $context->language->id), $customer->lastname, $customer->firstname), array(
'{lastname}' => $customer->lastname,
'{firstname}' => $customer->firstname,
'{wishlist}' => $wishlist->name,
'{message}' => $context->link->getModuleLink('leofeature', 'viewwishlist', array('token' => $wishlist->token))
), $to, $toName, $customer->email, $customer->firstname.' '.$customer->lastname, null, null, $this->module->module_path.'/mails/')) {
$result[] = true;
} else {
$errors[] = $this->module->l('Wishlist send error', 'mywishlist');
}
} else {
$errors[] = $this->module->l('Invalid customer', 'mywishlist');
}
}
}
if ($action == 'delete-wishlist-product') {
$id_wishlist_product = Tools::getValue('id_wishlist_product');
$wishlist = new WishList((int)$id_wishlist);
if ($this->context->customer->id != $wishlist->id_customer || !Validate::isLoadedObject($wishlist) || !Validate::isUnsignedId($id_wishlist_product)) {
$errors[] = $this->module->l('Invalid wishlist', 'mywishlist');
}
if (!count($errors)) {
if (WishList::removeProductWishlist($id_wishlist, $id_wishlist_product)) {
$result[] = true;
} else {
$errors[] = $this->module->l('Cannot delete', 'mywishlist');
}
}
}
if ($action == 'get-wishlist-info') {
$wishlist = new WishList((int)$id_wishlist);
if ($this->context->customer->id != $wishlist->id_customer || !Validate::isLoadedObject($wishlist)) {
$errors[] = $this->module->l('Invalid wishlist', 'mywishlist');
}
if (!count($errors)) {
$wishlist_product = WishList::getInfosByIdCustomer($this->context->customer->id, $id_wishlist);
if ($wishlist_product['nbProducts'] && $wishlist_product['nbProducts'] > 0) {
$result['number_product'] = $wishlist_product['nbProducts'];
} else {
$result['number_product'] = 0;
}
}
}
if ($action == 'update-wishlist-product') {
$id_wishlist_product = Tools::getValue('id_wishlist_product');
$priority = Tools::getValue('priority');
$wishlist = new WishList((int)$id_wishlist);
if ($this->context->customer->id != $wishlist->id_customer || !Validate::isLoadedObject($wishlist) || !Validate::isUnsignedInt($priority) || !Validate::isUnsignedInt($quantity) || !Validate::isUnsignedId($id_wishlist_product)) {
$errors[] = $this->module->l('Invalid wishlist', 'mywishlist');
}
if (!count($errors)) {
if (WishList::updateProductWishlist($id_wishlist, $id_wishlist_product, $priority, $quantity)) {
$result[] = true;
} else {
$errors[] = $this->module->l('Cannot update', 'mywishlist');
}
}
}
if ($action == 'move-wishlist-product') {
$id_wishlist_product = Tools::getValue('id_wishlist_product');
$priority = (int)Tools::getValue('priority');
$id_old_wishlist = (int)Tools::getValue('id_old_wishlist');
$id_new_wishlist = (int)Tools::getValue('id_new_wishlist');
$new_wishlist = new WishList((int)$id_new_wishlist);
$old_wishlist = new WishList((int)$id_old_wishlist);
if (!Validate::isUnsignedId($id_product) || !Validate::isUnsignedInt($id_product_attribute) || !Validate::isUnsignedInt($quantity) ||
!Validate::isUnsignedInt($priority) || ($priority < 0 && $priority > 2) || !Validate::isUnsignedId($id_old_wishlist) || !Validate::isUnsignedId($id_new_wishlist) || !Validate::isUnsignedId($id_wishlist_product) ||
(Validate::isLoadedObject($new_wishlist) && $new_wishlist->id_customer != $this->context->customer->id) ||
(Validate::isLoadedObject($old_wishlist) && $old_wishlist->id_customer != $this->context->customer->id)) {
$errors[] = $this->module->l('Error while moving product to another list', 'mywishlist');
}
$res = true;
$check = Db::getInstance()->getRow('SELECT quantity, id_wishlist_product FROM '._DB_PREFIX_.'leofeature_wishlist_product
WHERE `id_product` = '.(int)$id_product.' AND `id_product_attribute` = '.(int)$id_product_attribute.' AND `id_wishlist` = '.(int)$id_new_wishlist);
$res &= $old_wishlist->removeProductWishlist($id_old_wishlist, $id_wishlist_product);
if ($check) {
$res &= $new_wishlist->updateProductWishlist($id_new_wishlist, $check['id_wishlist_product'], $priority, $quantity + $check['quantity']);
} else {
$res &= $new_wishlist->addProduct($id_new_wishlist, $this->context->customer->id, $id_product, $id_product_attribute, $quantity);
}
if ($res) {
$result[] = true;
} else {
$errors[] = $this->module->l('Error while moving product to another list', 'mywishlist');
}
}
} else {
$errors[] = $this->l('You must be logged in to manage your wishlist.', 'mywishlist');
}
$array_result['result'] = $result;
$array_result['errors'] = $errors;
die(Tools::jsonEncode($array_result));
}
/**
* @see FrontController::initContent()
*/
public function initContent()
{
$this->php_self = 'mywishlist';
if (Tools::getValue('ajax')) {
return;
}
parent::initContent();
if (!Configuration::get('LEOFEATURE_ENABLE_PRODUCTWISHLIST')) {
return Tools::redirect('index.php?controller=404');
}
if ($this->context->customer->isLogged()) {
$wishlists = WishList::getByIdCustomer($this->context->customer->id);
if (count($wishlists)>0) {
foreach ($wishlists as $key => $wishlists_val) {
$wishlist_product = WishList::getInfosByIdCustomer($this->context->customer->id, $wishlists_val['id_wishlist']);
$wishlists[$key]['number_product'] = $wishlist_product['nbProducts'];
}
}
$this->context->smarty->assign(array(
'wishlists' => $wishlists,
'view_wishlist_url' => $this->context->link->getModuleLink('leofeature', 'viewwishlist'),
'leo_is_rewrite_active' => (bool)Configuration::get('PS_REWRITING_SETTINGS'),
));
} else {
Tools::redirect('index.php?controller=authentication&back='.urlencode($this->context->link->getModuleLink('leofeature', 'mywishlist')));
}
$this->setTemplate('module:leofeature/views/templates/front/leo_my_wishlist.tpl');
}
//DONGND:: add meta title, meta description, meta keywords
public function getTemplateVarPage()
{
$page = parent::getTemplateVarPage();
$page['meta']['title'] = Configuration::get('PS_SHOP_NAME').' - '.$this->l('My Wishlist', 'mywishlist');
$page['meta']['keywords'] = $this->l('my-wishlist', 'mywishlist');
$page['meta']['description'] = $this->l('My Wishlist', 'mywishlist');
// echo '<pre>';
// print_r($page);die();
return $page;
}
//DONGND:: add breadcrumb
public function getBreadcrumbLinks()
{
$breadcrumb = parent::getBreadcrumbLinks();
// $link = LeoBlogHelper::getInstance()->getFontBlogLink();
// $config = LeoBlogConfig::getInstance();
$breadcrumb['links'][] = array(
'title' => $this->l('My Account', 'mywishlist'),
'url' => $this->context->link->getPageLink('my-account', true),
);
$breadcrumb['links'][] = array(
'title' => $this->l('My Wishlist', 'mywishlist'),
'url' => $this->context->link->getModuleLink('leofeature', 'mywishlist'),
);
return $breadcrumb;
}
//DONGND:: get layout
public function getLayout()
{
$entity = 'module-leofeature-'.$this->php_self;
$layout = $this->context->shop->theme->getLayoutRelativePathForPage($entity);
if ($overridden_layout = Hook::exec(
'overrideLayoutTemplate',
array(
'default_layout' => $layout,
'entity' => $entity,
'locale' => $this->context->language->locale,
'controller' => $this,
)
)) {
return $overridden_layout;
}
if ((int) Tools::getValue('content_only')) {
$layout = 'layouts/layout-content-only.tpl';
}
return $layout;
}
}

View File

@@ -0,0 +1,212 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
require_once(_PS_MODULE_DIR_.'leofeature/classes/CompareProduct.php');
require_once(_PS_MODULE_DIR_.'leofeature/classes/LeofeatureProduct.php');
class LeofeatureProductsCompareModuleFrontController extends ModuleFrontController
{
public $php_self;
/**
* Display ajax content (this function is called instead of classic display, in ajax mode)
*/
public function displayAjax()
{
if (!$this->isTokenValid() || !Tools::getValue('action') || !Tools::getValue('ajax') || !Tools::getValue('id_product')) {
// Ooops! Token is not valid!
die('Token is not valid, hack stop');
};
// Add or remove product with Ajax
if (Tools::getValue('ajax') && Tools::getValue('id_product') && Tools::getValue('action')) {
if (Tools::getValue('action') == 'add') {
$id_compare = isset($this->context->cookie->id_compare) ? $this->context->cookie->id_compare: false;
if (CompareProduct::getNumberProducts($id_compare) < Configuration::get('LEOFEATURE_COMPARATOR_MAX_ITEM')) {
CompareProduct::addCompareProduct($id_compare, (int)Tools::getValue('id_product'));
} else {
$this->ajaxDie('0');
}
} elseif (Tools::getValue('action') == 'remove') {
if (isset($this->context->cookie->id_compare)) {
CompareProduct::removeCompareProduct((int)$this->context->cookie->id_compare, (int)Tools::getValue('id_product'));
} else {
$this->ajaxDie('0');
}
} else {
$this->ajaxDie('0');
}
$this->ajaxDie('1');
}
$this->ajaxDie('0');
}
/**
* Assign template vars related to page content
* @see FrontController::initContent()
*/
public function initContent()
{
$this->php_self = 'productscompare';
if (Tools::getValue('ajax')) {
return;
}
parent::initContent();
CompareProduct::cleanCompareProducts('week');
$hasProduct = false;
if (!Configuration::get('LEOFEATURE_COMPARATOR_MAX_ITEM') || !Configuration::get('LEOFEATURE_ENABLE_PRODUCTCOMPARE')) {
return Tools::redirect('index.php?controller=404');
}
$ids = null;
if (isset($this->context->cookie->id_compare)) {
$ids = CompareProduct::getCompareProducts($this->context->cookie->id_compare);
}
if ($ids) {
if (count($ids) > 0) {
if (count($ids) > Configuration::get('LEOFEATURE_COMPARATOR_MAX_ITEM')) {
$ids = array_slice($ids, 0, Configuration::get('LEOFEATURE_COMPARATOR_MAX_ITEM'));
}
$listProducts = array();
$listFeatures = array();
foreach ($ids as $k => &$id) {
$curProduct = new Product((int)$id, true, $this->context->language->id);
if (!Validate::isLoadedObject($curProduct) || !$curProduct->active || !$curProduct->isAssociatedToShop()) {
if (isset($this->context->cookie->id_compare)) {
CompareProduct::removeCompareProduct($this->context->cookie->id_compare, $id);
}
unset($ids[$k]);
continue;
}
foreach ($curProduct->getFrontFeatures($this->context->language->id) as $feature) {
if (isset($listFeatures[$curProduct->id][$feature['id_feature']])) {
$listFeatures[$curProduct->id][$feature['id_feature']] =
$listFeatures[$curProduct->id][$feature['id_feature']] . '<br>' . $feature['value'];
} else {
$listFeatures[$curProduct->id][$feature['id_feature']] = $feature['value'];
}
}
$product_object = new LeofeatureProduct();
$product_object->php_self = 'productscompare';
$curProduct = $product_object->getTemplateVarProduct1($id);
$listProducts[] = $curProduct;
}
if (count($listProducts) > 0) {
$width = 80 / count($listProducts);
$hasProduct = true;
$ordered_features = $this->getFeaturesForComparison($ids, $this->context->language->id);
$this->context->smarty->assign(array(
'ordered_features' => $ordered_features,
'product_features' => $listFeatures,
'products' => $listProducts,
'width' => $width,
// 'HOOK_COMPARE_EXTRA_INFORMATION' => Hook::exec('displayCompareExtraInformation', array('list_ids_product' => $ids)),
// 'HOOK_EXTRA_PRODUCT_COMPARISON' => Hook::exec('displayProductComparison', array('list_ids_product' => $ids)),
'homeSize' => Image::getSize(ImageType::getFormattedName('home')),
'list_product' => $ids,
));
} elseif (isset($this->context->cookie->id_compare)) {
$object = new CompareProduct((int)$this->context->cookie->id_compare);
if (Validate::isLoadedObject($object)) {
$object->delete();
}
}
}
}
$this->context->smarty->assign('hasProduct', $hasProduct);
$this->setTemplate('module:leofeature/views/templates/front/leo_products_compare.tpl');
}
public function getFeaturesForComparison($list_ids_product, $id_lang)
{
if (!Feature::isFeatureActive()) {
return false;
}
$ids = '';
foreach ($list_ids_product as $id) {
$ids .= (int)$id.',';
}
$ids = rtrim($ids, ',');
if (empty($ids)) {
return false;
}
return Db::getInstance()->executeS('SELECT f.*, fl.*
FROM `'._DB_PREFIX_.'feature` f
LEFT JOIN `'._DB_PREFIX_.'feature_product` fp
ON f.`id_feature` = fp.`id_feature`
LEFT JOIN `'._DB_PREFIX_.'feature_lang` fl
ON f.`id_feature` = fl.`id_feature`
WHERE fp.`id_product` IN ('.$ids.')
AND `id_lang` = '.(int)$id_lang.'
GROUP BY f.`id_feature`
ORDER BY f.`position` ASC');
}
//DONGND:: add meta title, meta description, meta keywords
public function getTemplateVarPage()
{
$page = parent::getTemplateVarPage();
$page['meta']['title'] = Configuration::get('PS_SHOP_NAME').' - '.$this->l('Products Comparison', 'productscompare');
$page['meta']['keywords'] = $this->l('products-comparison', 'productscompare');
$page['meta']['description'] = $this->l('Products Comparison', 'productscompare');
return $page;
}
//DONGND:: add breadcrumb
public function getBreadcrumbLinks()
{
$breadcrumb = parent::getBreadcrumbLinks();
$breadcrumb['links'][] = array(
'title' => $this->l('Products Comparison', 'productscompare'),
'url' => $this->context->link->getModuleLink('leofeature', 'productscompare'),
);
return $breadcrumb;
}
//DONGND:: get layout
public function getLayout()
{
$entity = 'module-leofeature-'.$this->php_self;
$layout = $this->context->shop->theme->getLayoutRelativePathForPage($entity);
if ($overridden_layout = Hook::exec('overrideLayoutTemplate', array(
'default_layout' => $layout,
'entity' => $entity,
'locale' => $this->context->language->locale,
'controller' => $this,
))) {
return $overridden_layout;
}
if ((int) Tools::getValue('content_only')) {
$layout = 'layouts/layout-content-only.tpl';
}
return $layout;
}
}

View File

@@ -0,0 +1,126 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
require_once(_PS_MODULE_DIR_.'leofeature/classes/WishList.php');
require_once(_PS_MODULE_DIR_.'leofeature/classes/LeofeatureProduct.php');
class LeoFeatureViewWishlistModuleFrontController extends ModuleFrontController
{
public $php_self;
public function __construct()
{
parent::__construct();
$this->context = Context::getContext();
}
public function initContent()
{
$this->php_self = 'viewwishlist';
parent::initContent();
if (!Configuration::get('LEOFEATURE_ENABLE_PRODUCTWISHLIST')) {
return Tools::redirect('index.php?controller=404');
}
$token = Tools::getValue('token');
if ($token) {
$wishlist = WishList::getByToken($token);
$wishlists = WishList::getByIdCustomer((int)$wishlist['id_customer']);
if (count($wishlists) > 1) {
foreach ($wishlists as $key => $wishlists_item) {
if ($wishlists_item['id_wishlist'] == $wishlist['id_wishlist']) {
unset($wishlists[$key]);
}
}
} else {
$wishlists = array();
}
$products = array();
$wishlist_product = WishList::getSimpleProductByIdWishlist((int)$wishlist['id_wishlist']);
$product_object = new LeofeatureProduct();
if (count($wishlist_product) > 0) {
foreach ($wishlist_product as $wishlist_product_item) {
$list_product_tmp = array();
$list_product_tmp['wishlist_info'] = $wishlist_product_item;
$list_product_tmp['product_info'] = $product_object->getTemplateVarProduct2($wishlist_product_item['id_product'], $wishlist_product_item['id_product_attribute']);
$list_product_tmp['product_info']['wishlist_quantity'] = $wishlist_product_item['quantity'];
$products[] = $list_product_tmp;
}
}
WishList::incCounter((int)$wishlist['id_wishlist']);
$this->context->smarty->assign(
array(
'current_wishlist' => $wishlist,
'wishlists' => $wishlists,
'products' => $products,
'view_wishlist_url' => $this->context->link->getModuleLink('leofeature', 'viewwishlist'),
'show_button_cart' => Configuration::get('LEOFEATURE_ENABLE_AJAXCART'),
'leo_is_rewrite_active' => (bool)Configuration::get('PS_REWRITING_SETTINGS'),
)
);
}
$this->setTemplate('module:leofeature/views/templates/front/leo_wishlist_view.tpl');
}
//DONGND:: add meta title, meta description, meta keywords
public function getTemplateVarPage()
{
$page = parent::getTemplateVarPage();
$page['meta']['title'] = Configuration::get('PS_SHOP_NAME').' - '.$this->l('View Wishlist', 'viewwishlist');
$page['meta']['keywords'] = $this->l('view-wishlist', 'viewwishlist');
$page['meta']['description'] = $this->l('view Wishlist', 'viewwishlist');
return $page;
}
//DONGND:: add breadcrumb
public function getBreadcrumbLinks()
{
$breadcrumb = parent::getBreadcrumbLinks();
$breadcrumb['links'][] = array(
'title' => $this->l('My Account', 'viewwishlist'),
'url' => $this->context->link->getPageLink('my-account', true),
);
$breadcrumb['links'][] = array(
'title' => $this->l('My Wishlist', 'viewwishlist'),
'url' => $this->context->link->getModuleLink('leofeature', 'mywishlist'),
);
return $breadcrumb;
}
//DONGND:: get layout
public function getLayout()
{
$entity = 'module-leofeature-'.$this->php_self;
$layout = $this->context->shop->theme->getLayoutRelativePathForPage($entity);
if ($overridden_layout = Hook::exec('overrideLayoutTemplate', array(
'default_layout' => $layout,
'entity' => $entity,
'locale' => $this->context->language->locale,
'controller' => $this,
))) {
return $overridden_layout;
}
if ((int) Tools::getValue('content_only')) {
$layout = 'layouts/layout-content-only.tpl';
}
return $layout;
}
}

View File

@@ -0,0 +1,36 @@
<?php
/*
* 2007-2012 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2012 PrestaShop SA
* @version Release: $Revision: 13573 $
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,156 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
//DONGND:: install database for product review
$res = (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_product_review` (
`id_product_review` int(10) unsigned NOT NULL AUTO_INCREMENT,
`id_product` int(10) unsigned NOT NULL,
`id_customer` int(10) unsigned NOT NULL,
`id_guest` int(10) unsigned NULL,
`title` varchar(64) NULL,
`content` text NOT NULL,
`customer_name` varchar(64) NULL,
`grade` float unsigned NOT NULL,
`validate` tinyint(1) NOT NULL,
`deleted` tinyint(1) NOT NULL,
`date_add` datetime NOT NULL,
PRIMARY KEY (`id_product_review`),
KEY `id_product` (`id_product`),
KEY `id_customer` (`id_customer`),
KEY `id_guest` (`id_guest`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_product_review_criterion` (
`id_product_review_criterion` int(10) unsigned NOT NULL AUTO_INCREMENT,
`id_product_review_criterion_type` tinyint(1) NOT NULL,
`active` tinyint(1) NOT NULL,
PRIMARY KEY (`id_product_review_criterion`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_product_review_criterion_product` (
`id_product` int(10) unsigned NOT NULL,
`id_product_review_criterion` int(10) unsigned NOT NULL,
PRIMARY KEY(`id_product`, `id_product_review_criterion`),
KEY `id_product_review_criterion` (`id_product_review_criterion`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_product_review_criterion_lang` (
`id_product_review_criterion` INT(11) UNSIGNED NOT NULL ,
`id_lang` INT(11) UNSIGNED NOT NULL ,
`name` VARCHAR(64) NOT NULL ,
PRIMARY KEY ( `id_product_review_criterion` , `id_lang` )
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_product_review_criterion_category` (
`id_product_review_criterion` int(10) unsigned NOT NULL,
`id_category` int(10) unsigned NOT NULL,
PRIMARY KEY(`id_product_review_criterion`, `id_category`),
KEY `id_category` (`id_category`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_product_review_grade` (
`id_product_review_grade` int(10) unsigned NOT NULL AUTO_INCREMENT,
`id_product_review` int(10) unsigned NOT NULL,
`id_product_review_criterion` int(10) unsigned NOT NULL,
`grade` int(10) unsigned NOT NULL,
PRIMARY KEY (`id_product_review_grade`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_product_review_usefulness` (
`id_product_review` int(10) unsigned NOT NULL,
`id_customer` int(10) unsigned NOT NULL,
`usefulness` tinyint(1) unsigned NOT NULL,
PRIMARY KEY (`id_product_review`, `id_customer`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_product_review_report` (
`id_product_review` int(10) unsigned NOT NULL,
`id_customer` int(10) unsigned NOT NULL,
PRIMARY KEY (`id_product_review`, `id_customer`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$rows = Db::getInstance(_PS_USE_SQL_SLAVE_)->executeS('SELECT id_product_review_criterion FROM `'._DB_PREFIX_.'leofeature_product_review_criterion`');
if (count($rows) <= 0) {
$res &= (bool)Db::getInstance()->execute('
INSERT INTO `'._DB_PREFIX_.'leofeature_product_review_criterion` VALUES (1, 1, 1)');
$languages = Language::getLanguages(false);
foreach ($languages as $lang) {
$res &= (bool)Db::getInstance()->execute('INSERT INTO `'._DB_PREFIX_.'leofeature_product_review_criterion_lang` VALUES(1, '.(int)$lang['id_lang'].', \'Quality\')');
}
}
//DONGND:: install database for product compare
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_compare` (
`id_compare` int(10) unsigned NOT NULL AUTO_INCREMENT,
`id_customer` int(10) unsigned NOT NULL,
PRIMARY KEY (`id_compare`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_compare_product` (
`id_compare` int(10) unsigned NOT NULL,
`id_product` int(10) unsigned NOT NULL,
`date_add` datetime NOT NULL,
`date_upd` datetime NOT NULL,
PRIMARY KEY (`id_compare`, `id_product`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
//DONGND:: install database for wishlist
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_wishlist` (
`id_wishlist` int(10) unsigned NOT NULL auto_increment,
`id_customer` int(10) unsigned NOT NULL,
`token` varchar(64) character set utf8 NOT NULL,
`name` varchar(64) character set utf8 NOT NULL,
`counter` int(10) unsigned NULL,
`id_shop` int(10) unsigned default 1,
`id_shop_group` int(10) unsigned default 1,
`date_add` datetime NOT NULL,
`date_upd` datetime NOT NULL,
`default` int(10) unsigned default 0,
PRIMARY KEY (`id_wishlist`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');
$res &= (bool)Db::getInstance()->execute('
CREATE TABLE IF NOT EXISTS `'._DB_PREFIX_.'leofeature_wishlist_product` (
`id_wishlist_product` int(10) NOT NULL auto_increment,
`id_wishlist` int(10) unsigned NOT NULL,
`id_product` int(10) unsigned NOT NULL,
`id_product_attribute` int(10) unsigned NOT NULL,
`quantity` int(10) unsigned NOT NULL,
`priority` int(10) unsigned NOT NULL,
PRIMARY KEY (`id_wishlist_product`)
) ENGINE='._MYSQL_ENGINE_.' DEFAULT CHARSET=utf8;
');

File diff suppressed because it is too large Load Diff

BIN
modules/leofeature/logo.gif Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.1 KiB

BIN
modules/leofeature/logo.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.1 KiB

View File

@@ -0,0 +1,35 @@
<?php
/*
* 2007-2016 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2016 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1,112 @@
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01//EN" "http://www.w3.org/TR/1999/REC-html401-19991224/strict.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=0" />
<title>Message from {shop_name}</title>
<style>
/****** responsive ********/
@media only screen and (max-width: 300px){
body {
width:218px !important;
margin:auto !important;
}
.table {width:195px !important;margin:auto !important;}
.logo, .titleblock, .linkbelow, .box, .footer, .space_footer{width:auto !important;display: block !important;}
span.title{font-size:20px !important;line-height: 23px !important}
span.subtitle{font-size: 14px !important;line-height: 18px !important;padding-top:10px !important;display:block !important;}
td.box p{font-size: 12px !important;font-weight: bold !important;}
.table-recap table, .table-recap thead, .table-recap tbody, .table-recap th, .table-recap td, .table-recap tr {
display: block !important;
}
.table-recap{width: 200px!important;}
.table-recap tr td, .conf_body td{text-align:center !important;}
.address{display: block !important;margin-bottom: 10px !important;}
.space_address{display: none !important;}
}
@media only screen and (min-width: 301px) and (max-width: 500px) {
body {width:308px!important;margin:auto!important;}
.table {width:285px!important;margin:auto!important;}
.logo, .titleblock, .linkbelow, .box, .footer, .space_footer{width:auto!important;display: block!important;}
.table-recap table, .table-recap thead, .table-recap tbody, .table-recap th, .table-recap td, .table-recap tr {
display: block !important;
}
.table-recap{width: 293px !important;}
.table-recap tr td, .conf_body td{text-align:center !important;}
}
@media only screen and (min-width: 501px) and (max-width: 768px) {
body {width:478px!important;margin:auto!important;}
.table {width:450px!important;margin:auto!important;}
.logo, .titleblock, .linkbelow, .box, .footer, .space_footer{width:auto!important;display: block!important;}
}
/* Mobile */
@media only screen and (max-device-width: 480px) {
body {width:308px!important;margin:auto!important;}
.table {width:285px;margin:auto!important;}
.logo, .titleblock, .linkbelow, .box, .footer, .space_footer{width:auto!important;display: block!important;}
.table-recap{width: 285px!important;}
.table-recap tr td, .conf_body td{text-align:center!important;}
.address{display: block !important;margin-bottom: 10px !important;}
.space_address{display: none !important;}
}
</style>
</head>
<body style="background-color:#fff;width:650px;font-family:Open-sans, sans-serif;color:#555454;font-size:13px;line-height:18px;margin:auto">
<table class="table table-mail" style="width:100%;margin-top:10px;-moz-box-shadow:0 0 5px #afafaf;-webkit-box-shadow:0 0 5px #afafaf;-o-box-shadow:0 0 5px #afafaf;box-shadow:0 0 5px #afafaf;filter:progid:DXImageTransform.Microsoft.Shadow(color=#afafaf,Direction=134,Strength=5)">
<tr>
<td class="space" style="width:20px;border:none;padding:7px 0">&nbsp;</td>
<td align="center" style="border:none;padding:7px 0">
<table class="table" style="width:100%;background-color:#fff">
<tr>
<td align="center" class="logo" style="border-bottom:4px solid #333!important;border:none;padding:7px 0">
<a title="{shop_name}" href="{shop_url}" style="color:#337ff1">
<img src="{shop_logo}" alt="{shop_name}" />
</a>
</td>
</tr>
<tr>
<td align="center" class="titleblock" style="border:none;padding:7px 0">
<span class="title" style="font-weight:500;font-size:28px;text-transform:uppercase;line-height:33px">Hi,</span>
</td>
</tr>
<tr>
<td class="space_footer" style="padding:0!important;border:none">&nbsp;</td>
</tr>
<tr>
<td class="box" style="background-color:#fbfbfb;border:1px solid #d6d4d4!important;padding:10px!important">
<p style="margin:3px 0 7px;text-transform:uppercase;font-weight:500;font-size:18px;border-bottom:1px solid #d6d4d4!important;padding-bottom:10px">
Message from {shop_name} </p>
<span style="color:#777">
<span style="color:#333"><strong>{firstname} {lastname}</strong></span> indicated you may want to see his/her wishlist: <span style="color:#333"><strong>{wishlist}</strong></span><br /><br />
<a title="WishList" href="{message}" style="color:#337ff1">{wishlist}</a>
</span>
</td>
</tr>
<tr>
<td class="space_footer" style="padding:0!important;border:none">&nbsp;</td>
</tr>
<tr>
<td class="footer" style="border-top:4px solid #333!important;border:none;padding:7px 0">
<span><a href="{shop_url}" style="color:#337ff1">{shop_name}</a> powered by <a href="http://www.prestashop.com/" style="color:#337ff1">PrestaShop&trade;</a></span>
</td>
</tr>
</table>
</td>
<td class="space" style="width:20px;border:none;padding:7px 0">&nbsp;</td>
</tr>
</table>
</body>
</html>

View File

@@ -0,0 +1,15 @@
[{shop_url}]
Hi,
Message from {shop_name}
{firstname} {lastname} indicated you may want to see his/her
wishlist: {wishlist}
{wishlist} [{message}]
{shop_name} [{shop_url}] powered by
PrestaShop(tm) [http://www.prestashop.com/]

View File

@@ -0,0 +1,35 @@
<?php
/*
* 2007-2016 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2016 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1,120 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
require_once(dirname(__FILE__).'/../../config/config.inc.php');
require_once(dirname(__FILE__).'/../../init.php');
include_once(dirname(__FILE__).'/leofeature.php');
include_once(dirname(__FILE__).'/classes/LeofeatureProduct.php');
$module = new Leofeature();
if ((!$module->isTokenValid() || !Tools::getValue('action')) && Tools::getValue('action') != 'get-new-review') {
// Ooops! Token is not valid!
// die('Token is not valid, hack stop');
$result = '';
die($result);
}
//DONGND:: render modal popup and dropdown cart
if (Tools::getValue('action') == 'render-modal') {
$context = Context::getContext();
$modal = '';
$notification = '';
$dropdown = '';
if (Tools::getValue('only_dropdown') == 0) {
$modal = $module->renderModal();
$notification = $module->renderNotification();
}
if (Configuration::get('LEOFEATURE_ENABLE_DROPDOWN_DEFAULTCART') || Configuration::get('LEOFEATURE_ENABLE_DROPDOWN_FLYCART')) {
$only_total = Tools::getValue('only_total');
$dropdown = $module->renderDropDown($only_total);
}
ob_end_clean();
header('Content-Type: application/json');
die(Tools::jsonEncode(array(
'dropdown' => $dropdown,
'modal' => $modal,
'notification' => $notification,
)));
}
if (Tools::getValue('action') == 'get-attribute-data') {
$result = array();
$context = Context::getContext();
$id_product = Tools::getValue('id_product');
$id_product_attribute = Tools::getValue('id_product_attribute');
$attribute_data = new LeofeatureProduct();
$result = $attribute_data->getTemplateVarProduct2($id_product, $id_product_attribute);
die(Tools::jsonEncode(array(
'product_cover' => $result['cover'],
'price_attribute' => $module->renderPriceAttribute($result),
'product_url' => $context->link->getProductLink($id_product, null, null, null, $context->language->id, null, $id_product_attribute, false, false, true),
)));
}
if (Tools::getValue('action') == 'get-new-review') {
// $result = array();
if (Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MODERATE')) {
$reviews = ProductReview::getByValidate(0, false);
} else {
$reviews = array();
}
die(Tools::jsonEncode(array(
'number_review' => count($reviews)
)));
}
if (Tools::getValue('action') == 'check-product-outstock') {
$id_product = Tools::getValue('id_product');
$id_product_attribute = Tools::getValue('id_product_attribute');
$id_customization = Tools::getValue('id_customization');
$check_product_in_cart = Tools::getValue('check_product_in_cart');
$quantity = Tools::getValue('quantity');
$context = Context::getContext();
$qty_to_check = $quantity;
// print_r('test111');
if ($check_product_in_cart == 'true') {
$cart_products = $context->cart->getProducts();
if (is_array($cart_products)) {
foreach ($cart_products as $cart_product) {
if ((!isset($id_product_attribute) || ($cart_product['id_product_attribute'] == $id_product_attribute && $cart_product['id_customization'] == $id_customization )) && isset($id_product) && $cart_product['id_product'] == $id_product) {
$qty_to_check = $cart_product['cart_quantity'];
$qty_to_check += $quantity;
break;
}
}
}
}
$product = new Product($id_product, true, $context->language->id);
$return = true;
// Check product quantity availability
if ($id_product_attribute) {
if (!Product::isAvailableWhenOutOfStock($product->out_of_stock) && !Attribute::checkAttributeQty($id_product_attribute, $qty_to_check)) {
$return = false;
}
} elseif (!$product->checkQty($qty_to_check)) {
$return = false;
}
die(Tools::jsonEncode(array(
'success' => $return,
)));
}

View File

@@ -0,0 +1,153 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
require_once(dirname(__FILE__) . '/../../config/config.inc.php');
require_once(dirname(__FILE__) . '/../../init.php');
include_once(dirname(__FILE__) . '/leofeature.php');
include_once(dirname(__FILE__) . '/classes/ProductReviewCriterion.php');
include_once(dirname(__FILE__) . '/classes/ProductReview.php');
$module = new Leofeature();
if (!$module->isTokenValid() || !Tools::getValue('action')) {
$result = '';
die($result);
};
if (Tools::getValue('action') == 'render-modal-review') {
$result = $module->renderModalReview(Tools::getValue('id_product'), Tools::getValue('is_logged'));
die($result);
};
if (Tools::getValue('action') == 'add-new-review') {
$array_result = array();
$result = true;
$id_guest = 0;
$context = Context::getContext();
$id_customer = $context->customer->id;
if (!$id_customer) {
$id_guest = $context->cookie->id_guest;
}
$id_product_review = Tools::getValue('id_product_review');
$new_review_title = Tools::getValue('new_review_title');
$new_review_content = Tools::getValue('new_review_content');
$new_review_customer_name = Tools::getValue('new_review_customer_name');
$criterion = Tools::getValue('criterion');
$errors = array();
// Validation
if (!Validate::isInt($id_product_review)) {
$errors[] = $module->l('Product ID is incorrect', 'psajax_review');
}
if (!$new_review_title || !Validate::isGenericName($new_review_title)) {
$errors[] = $module->l('Title is incorrect', 'psajax_review');
}
if (!$new_review_content || !Validate::isMessage($new_review_content)) {
$errors[] = $module->l('Comment is incorrect', 'psajax_review');
}
if (!$id_customer && (!Tools::isSubmit('new_review_customer_name') || !$new_review_customer_name || !Validate::isGenericName($new_review_customer_name))) {
$errors[] = $module->l('Customer name is incorrect', 'psajax_review');
}
if (!$context->customer->id && !Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_ALLOW_GUESTS')) {
$errors[] = $module->l('You must be connected in order to send a review', 'psajax_review');
}
if (!count($criterion)) {
$errors[] = $module->l('You must give a rating', 'psajax_review');
}
$product = new Product($id_product_review);
if (!$product->id) {
$errors[] = $module->l('Product not found', 'psajax_review');
}
if (!count($errors)) {
$customer_review = ProductReview::getByCustomer($id_product_review, $id_customer, true, $id_guest);
if (!$customer_review || ($customer_review && (strtotime($customer_review['date_add']) + (int) Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MINIMAL_TIME')) < time())) {
$review = new ProductReview();
$review->content = strip_tags($new_review_content);
$review->id_product = (int) $id_product_review;
$review->id_customer = (int) $id_customer;
$review->id_guest = $id_guest;
$review->customer_name = $new_review_customer_name;
if (!$review->customer_name) {
$review->customer_name = pSQL($context->customer->firstname . ' ' . $context->customer->lastname);
}
$review->title = $new_review_title;
$review->grade = 0;
$review->validate = 0;
$review->save();
$grade_sum = 0;
foreach ($criterion as $id_product_review_criterion => $grade) {
$grade_sum += $grade;
$product_review_criterion = new ProductReviewCriterion($id_product_review_criterion);
if ($product_review_criterion->id) {
$product_review_criterion->addGrade($review->id, $grade);
}
}
if (count($criterion) >= 1) {
$review->grade = $grade_sum / count($criterion);
// Update Grade average of comment
$review->save();
}
$result = true;
Tools::clearCache($context->smarty, $module->getTemplatePath('leo_list_product_review.tpl'));
} else {
$result = false;
$errors[] = $module->l('Please wait before posting another comment', 'psajax_review') . ' ' . Configuration::get('LEOFEATURE_PRODUCT_REVIEWS_MINIMAL_TIME') . ' ' . $module->l('seconds before posting a new review', 'psajax_review');
}
} else {
$result = false;
}
$array_result['result'] = $result;
$array_result['errors'] = $errors;
if ($result) {
$array_result['sucess_mess'] = $module->l('Your comment has been added. Thank you!', 'psajax_review');
}
die(Tools::jsonEncode($array_result));
}
if (Tools::getValue('action') == 'add-review-usefull') {
$id_product_review = Tools::getValue('id_product_review');
$is_usefull = Tools::getValue('is_usefull');
if (ProductReview::isAlreadyUsefulness($id_product_review, Context::getContext()->cookie->id_customer)) {
die('0');
}
if (ProductReview::setReviewUsefulness((int) $id_product_review, (bool) $is_usefull, Context::getContext()->cookie->id_customer)) {
die('1');
}
die('0');
}
if (Tools::getValue('action') == 'add-review-report') {
$id_product_review = Tools::getValue('id_product_review');
if (ProductReview::isAlreadyReport($id_product_review, Context::getContext()->cookie->id_customer)) {
die('0');
}
if (ProductReview::reportReview((int) $id_product_review, Context::getContext()->cookie->id_customer)) {
die('1');
}
die('0');
}

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,27 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
$sql = array();
$sql[] = 'CREATE TABLE IF NOT EXISTS `' . _DB_PREFIX_ . 'leofeature` (
`id_leofeature` int(11) NOT NULL AUTO_INCREMENT,
PRIMARY KEY (`id_leofeature`)
) ENGINE=' . _MYSQL_ENGINE_ . ' DEFAULT CHARSET=utf8;';
foreach ($sql as $query) {
if (Db::getInstance()->execute($query) == false) {
return false;
}
}

View File

@@ -0,0 +1,27 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
/**
* In some cases you should not drop the tables.
* Maybe the merchant will just try to reset the module
* but does not want to loose all of the data associated to the module.
*/
$sql = array();
foreach ($sql as $query) {
if (Db::getInstance()->execute($query) == false) {
return false;
}
}

View File

@@ -0,0 +1,298 @@
<?php
global $_MODULE;
$_MODULE = array();
$_MODULE['<{leofeature}prestashop>leofeature_ab958c5dabadcbf3b020b083f8ff929f'] = 'ليو ميزة';
$_MODULE['<{leofeature}prestashop>leofeature_6bf92ee4988e28d896685690b1fa5f35'] = 'ميزة ليو بريستاشوب 1.7: سلة اياكس، عربة المنسدلة، ويطير عربة، استعراض، مقارنة، مفضلة في قائمة المنتجات';
$_MODULE['<{leofeature}prestashop>leofeature_e60e6135ee33810573ed274fb9982ad1'] = 'إدارة ميزة ليو';
$_MODULE['<{leofeature}prestashop>leofeature_aafeca601facaa973f2fae7533159182'] = 'وحدة الصحيحة هي ناجحة';
$_MODULE['<{leofeature}prestashop>leofeature_7498c445a737312f3678aa1494e01a38'] = 'اسقاط';
$_MODULE['<{leofeature}prestashop>leofeature_f11bd493714fd89d3f6326d1a79435bf'] = 'Dropup';
$_MODULE['<{leofeature}prestashop>leofeature_76b9fa479019cd2837be9494861ea524'] = 'شريط التمرير لليسار';
$_MODULE['<{leofeature}prestashop>leofeature_58606efd87c419236084a2022baea608'] = 'شريط التمرير اليمين';
$_MODULE['<{leofeature}prestashop>leofeature_0cfc343a9362779441564f491e26fbda'] = 'شريط التمرير الأعلى';
$_MODULE['<{leofeature}prestashop>leofeature_0a4a50a9c0527b7918669759fa3a43b0'] = 'أسفل شريط التمرير';
$_MODULE['<{leofeature}prestashop>leofeature_4457d440870ad6d42bab9082d9bf9b61'] = 'ثابت';
$_MODULE['<{leofeature}prestashop>leofeature_b51ca26c6c89cfc9bec338f7a0d3e0c8'] = 'مطلق';
$_MODULE['<{leofeature}prestashop>leofeature_adaaee4b22041c27198d410c68d952c9'] = 'نسبه مئويه';
$_MODULE['<{leofeature}prestashop>leofeature_08822b3ae4e2aede0afe08abe600e9c0'] = 'بكسل';
$_MODULE['<{leofeature}prestashop>leofeature_a4ffdcf0dc1f31b9acaf295d75b51d00'] = 'أعلى';
$_MODULE['<{leofeature}prestashop>leofeature_2ad9d63b69c4a10a5cc9cad923133bc4'] = 'الأسفل';
$_MODULE['<{leofeature}prestashop>leofeature_945d5e233cf7d6240f6b783b36a374ff'] = 'اليسار';
$_MODULE['<{leofeature}prestashop>leofeature_92b09c7c48c520c3c55e497875da437c'] = 'حق';
$_MODULE['<{leofeature}prestashop>leofeature_6adf97f83acf6453d4a6a4b1070f3754'] = 'لا شيء';
$_MODULE['<{leofeature}prestashop>leofeature_04e0385c10aefee8e4681617d2f3ef40'] = 'تلاشى';
$_MODULE['<{leofeature}prestashop>leofeature_968818e489bac02c58d8b0e5a348a229'] = 'هزة';
$_MODULE['<{leofeature}prestashop>leofeature_a8d0c913d1d79fe67f2a58b1a759dc82'] = 'عرض العربة زر في قائمة المنتجات';
$_MODULE['<{leofeature}prestashop>leofeature_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'تمكين';
$_MODULE['<{leofeature}prestashop>leofeature_b9f5c797ebbf55adccdd8539a65a0241'] = 'معاق';
$_MODULE['<{leofeature}prestashop>leofeature_61aaf7c8a6b05985566c9d2c650c9333'] = 'تظهر حدد سمة';
$_MODULE['<{leofeature}prestashop>leofeature_01ac026a761b0e3435b871540ff3dfcf'] = 'تسمية تحديث المنتج بعد تحديد سمة';
$_MODULE['<{leofeature}prestashop>leofeature_6d57e1e9eaa5a46936ba207b6645223d'] = 'فقط لتمكين اختيار سمة';
$_MODULE['<{leofeature}prestashop>leofeature_f6d00129240d2dcfea0f583a09cc1c12'] = 'عرض المدخلات الكمية';
$_MODULE['<{leofeature}prestashop>leofeature_ed5d0637392bb5b5ca5e2b1f84b0d811'] = 'تمكين Flycart تأثير';
$_MODULE['<{leofeature}prestashop>leofeature_f4428c5ee72358148375a5133a09a4f2'] = 'تفعيل الإشعارات';
$_MODULE['<{leofeature}prestashop>leofeature_74912e66e046819c0abc2f875d011029'] = 'إظهار تنبيه عند العربة إضافة ناجحة';
$_MODULE['<{leofeature}prestashop>leofeature_6a1cc91d2ee540430399d1789025babf'] = 'عرض قافزة بعد إضافة العربة';
$_MODULE['<{leofeature}prestashop>leofeature_1899b6edecb8416410321f6b06405830'] = 'الافتراضي هو ON. يمكنك تشغيل OFF وتحويل ON \"إعلام\" بدلا';
$_MODULE['<{leofeature}prestashop>leofeature_95a2abcb1ad563eab999a9d48d8269a1'] = 'مشاهدة منسدلة العربة (افتراضي العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_355c2ea48020748a34cc9b51e93a0059'] = 'نوع منسدلة العربة (افتراضي العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_9677c9b9ad26ac6ca4f2bd0580cd85cc'] = 'تمكين تأثير الضغط (افتراضي العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_f3cbdd924fed60f118cb06021c713a83'] = 'فقط ل \"شريط التمرير\" نوع';
$_MODULE['<{leofeature}prestashop>leofeature_a250470863e5f137ef7ea7582e675199'] = 'مشاهدة منسدلة العربة (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_19074636b4a15edd812970a50e043062'] = 'نوع منسدلة العربة (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_bef3aac57b74246067916ff1df59375b'] = 'تمكين تأثير الضغط (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_90ff8c3bfa243f5c7866bc9319786a5b'] = 'نوع تأثير (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_764e759ba72e74c933eb1ba59acc9583'] = 'فقط عندما \"تأثير Flycart\" ON';
$_MODULE['<{leofeature}prestashop>leofeature_ab9f7fa39bf8caa7a35e758a9618c9b4'] = 'نوع الوظيفة (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_04489daf1e045d7c0abdc122e05277e9'] = 'موقف عمودي (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_27c94021d6dfcf1815af5d00079ed5ed'] = 'حدد نوع من المسافة بين \"عربة يطير\" والحافة العلوية أو الحافة السفلية من نافذة (المتصفح)';
$_MODULE['<{leofeature}prestashop>leofeature_04cf48f2938d2f697e7726cc8e4af116'] = 'الموقف من حيث القيمة عمودي (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_d7bd437e1369a9384728c0f2930a7be8'] = 'يجب أن له قيمة 0-100 مع نوع وحدة أدناه في المئة';
$_MODULE['<{leofeature}prestashop>leofeature_38b56b23a3de125a4578add14f9acfb9'] = 'الموقف بواسطة وحدة عمودي (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_63cce7c94297356e15a81fa6a6183472'] = 'موقف بواسطة أفقي (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_4d2587faf1c1986dd485c3cf57a01514'] = 'حدد نوع من المسافة بين \"فلاي عربة\" والحافة اليسرى أو الحافة اليمنى من نافذة (المتصفح)';
$_MODULE['<{leofeature}prestashop>leofeature_330f2d6aff1b2e7c85af79c7b24f4c9e'] = 'الموقف من حيث القيمة الأفقية (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_858381718a0020c0323a0841e250d7e1'] = 'الموقف بواسطة وحدة أفقي (يطير العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_d1c226dd77e24b1cc898d5ac6825c705'] = 'تمكين خلفية تراكب (جميع العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_c3208f5c1a4c395da4233c14006edd14'] = 'فقط ل \"شريط التمرير\" نوع. تحويل OFF للسماح \"إضافة إلى عربة\" لشريط التمرير';
$_MODULE['<{leofeature}prestashop>leofeature_11ed36d421f3f4a7e5ffe3da74a84688'] = 'تمكين تحديث الكمية (جميع العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_3c0c053e3282a7f80355a3acb57271ec'] = 'تمكين زر أعلى / أسفل (جميع العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_4394ab109164d8a0d1efde196f3aeb22'] = 'فقط عندما بدوره على كمية التحديث';
$_MODULE['<{leofeature}prestashop>leofeature_def10fe75471f30ddb2602a547194ed0'] = 'الجمع بين عرض المنتج (كل سلة)';
$_MODULE['<{leofeature}prestashop>leofeature_3a6f7920e6373f479bc59d2826ce045e'] = 'عرض المنتج التخصيص (جميع العربة)';
$_MODULE['<{leofeature}prestashop>leofeature_5a5b64f5ff86ab8ccc4ec985efeca1a7'] = 'عرض العربة البند (كل سلة)';
$_MODULE['<{leofeature}prestashop>leofeature_fa3b06e55eb4ed1e99836e2f6332f4f9'] = 'ارتفاع العربة البند (كل سلة)';
$_MODULE['<{leofeature}prestashop>leofeature_fb39004686b1c10a3e5eb63a7f95c19d'] = 'عدد العربة العنصر لعرض (كل سلة)';
$_MODULE['<{leofeature}prestashop>leofeature_7004f6ef7ffd79001e36fa193d86abb9'] = 'بنيويورك ل \"Dropup / منسدلة\" نوع. عندما مجموع عربة البند هو أكبر هذا التكوين، سيتم عرض شريط التمرير';
$_MODULE['<{leofeature}prestashop>leofeature_dbc9efd02f9f843af156ec542b95271e'] = 'عرض (إعلام)';
$_MODULE['<{leofeature}prestashop>leofeature_dad183c86365a98a08e617bcbda8b6bf'] = 'موقف عمودي (إعلام)';
$_MODULE['<{leofeature}prestashop>leofeature_82ae0a80b6a2e2cdaf346daccc4db4ea'] = 'حدد نوع من المسافة بين \"الإعلام\" و الحافة العلوية أو الحافة السفلية من نافذة (المتصفح)';
$_MODULE['<{leofeature}prestashop>leofeature_dafe26043ab10325d4bd1dd9003aca7a'] = 'الموقف من حيث القيمة عمودي (إعلام)';
$_MODULE['<{leofeature}prestashop>leofeature_09044a82ba586d14bf4d7813bd853cba'] = 'الموقف بواسطة وحدة عمودي (إعلام)';
$_MODULE['<{leofeature}prestashop>leofeature_aeb7fec4a02f5c824a53919f1c1c148c'] = 'موقف بواسطة أفقي (إعلام)';
$_MODULE['<{leofeature}prestashop>leofeature_700bdbd09461c73f1140755c7be7f146'] = 'الموقف من حيث القيمة أفقي (إعلام)';
$_MODULE['<{leofeature}prestashop>leofeature_b20178e5217f724ed944916506520667'] = 'الموقف بواسطة وحدة أفقي (إعلام)';
$_MODULE['<{leofeature}prestashop>leofeature_c9cc8cce247e49bae79f15173ce97354'] = 'حفظ';
$_MODULE['<{leofeature}prestashop>leofeature_d99da061f9d26b35c01d44b3e65490dc'] = 'تمكين تعليقات على هذا المنتج';
$_MODULE['<{leofeature}prestashop>leofeature_a25526a1f2a163618a5cd9d2d35daa84'] = 'عرض المشاركات المنتج في قائمة المنتجات';
$_MODULE['<{leofeature}prestashop>leofeature_0da91026404d3b07dfbc7d8511011a72'] = 'عرض المشاركات المنتج رقم المنتج في القائمة';
$_MODULE['<{leofeature}prestashop>leofeature_b87baaf985f1b46c51ee6d8e6b1c446a'] = 'تظهر الصفر استعراض المنتجات في قائمة المنتجات';
$_MODULE['<{leofeature}prestashop>leofeature_cf2fcb22e6342dea54b0cc34bb521752'] = 'يجب التحقق من صحة جميع التقييمات من قبل موظف';
$_MODULE['<{leofeature}prestashop>leofeature_3d028644c30ee457da7838578b1ea44e'] = 'السماح زر المفيد';
$_MODULE['<{leofeature}prestashop>leofeature_e4894be52ea3506144018020eb795736'] = 'السماح زر تقرير';
$_MODULE['<{leofeature}prestashop>leofeature_4e26bb46aa3f40913ee95cfb1d6c82f9'] = 'السماح تعليقات من النزلاء';
$_MODULE['<{leofeature}prestashop>leofeature_9dc1140983196141368ceda7565128a8'] = 'الحد الأدنى من الوقت بين 2 آراء من نفس العضو';
$_MODULE['<{leofeature}prestashop>leofeature_f331ddd467099246f8c879b33e44346b'] = 'الثانية (الصورة)';
$_MODULE['<{leofeature}prestashop>leofeature_ee7273842616e7880648d668f01c99fb'] = 'تمكين مقارنة المنتج';
$_MODULE['<{leofeature}prestashop>leofeature_ca4fa3ce52694f750f63086120ea671f'] = 'عرض المنتج مقارنة المنتج في القائمة';
$_MODULE['<{leofeature}prestashop>leofeature_b9430191b5de82688380961d92a211ea'] = 'عرض المنتج مقارنة في صفحة المنتج';
$_MODULE['<{leofeature}prestashop>leofeature_cc9e4e12af1eceecf60527c80ceed331'] = 'مقارنة رقم المنتج ';
$_MODULE['<{leofeature}prestashop>leofeature_dbd6459b099286fe756dced2f6f5d138'] = 'تمكين سلة المنتج';
$_MODULE['<{leofeature}prestashop>leofeature_b9ce07d8233546cec066b0a2832a3313'] = 'مشاهدة سلة المنتج في قائمة المنتجات';
$_MODULE['<{leofeature}prestashop>leofeature_1412c7fb2f326c4a9c1d2f3ddae31891'] = 'مشاهدة سلة المنتج في صفحة المنتج';
$_MODULE['<{leofeature}prestashop>leofeature_90723749917a82bf3ff8a73247d32ffb'] = 'لا يمكنك إضافة أكثر من %d من المنتجات إلى مقارنة المنتج';
$_MODULE['<{leofeature}prestashop>leofeature_59c533b287338f11f4cdca5a4b71df47'] = 'تمت إضافة هذا المنتج الى قائمة المقارنة';
$_MODULE['<{leofeature}prestashop>leofeature_98b612d068fbdaa76e73a049156eb861'] = 'عرض قائمة المقارنة';
$_MODULE['<{leofeature}prestashop>leofeature_fdf96b7e3bfda00d1188bab3e57b0216'] = 'تمت إزالة هذا المنتج بنجاح من قائمة المقارنة';
$_MODULE['<{leofeature}prestashop>leofeature_7f5508c884f40e3378895c83d99cbbd3'] = 'قارن';
$_MODULE['<{leofeature}prestashop>leofeature_201f644e542b0230551936ae7af3169e'] = 'إزالة من قارن';
$_MODULE['<{leofeature}prestashop>leofeature_096cbcc12b9255bd4050af021d493ae1'] = 'تمت إضافة المنتج بنجاح لسلة المفضلة';
$_MODULE['<{leofeature}prestashop>leofeature_366b534e538a2cd839e0044f0dcc9037'] = 'عرض سلة المفضلة';
$_MODULE['<{leofeature}prestashop>leofeature_758a20dcb47ba17c30e007a8f92349e2'] = 'تمت إزالة هذا المنتج بنجاح من سلة المفضلة';
$_MODULE['<{leofeature}prestashop>leofeature_6a5373df703ab2827a4ba7facdfcf779'] = 'الأماني';
$_MODULE['<{leofeature}prestashop>leofeature_5db81b03fbed784f36ad9502aad70e95'] = 'إزالة من الأماني';
$_MODULE['<{leofeature}prestashop>leofeature_019b05578911596956b81b9a90ea36e7'] = 'يجب عليك تسجيل الدخول لإدارة سلة المفضلة';
$_MODULE['<{leofeature}prestashop>leofeature_ea4788705e6873b424c65e91c2846b19'] = 'إلغاء';
$_MODULE['<{leofeature}prestashop>leofeature_a60852f204ed8028c1c58808b746d115'] = 'حسنا';
$_MODULE['<{leofeature}prestashop>leofeature_94966d90747b97d1f0f206c98a8b1ac3'] = 'إرسال';
$_MODULE['<{leofeature}prestashop>leofeature_526d688f37a86d3c3f27d0c5016eb71d'] = 'إعادة تعيين';
$_MODULE['<{leofeature}prestashop>leofeature_8a965890cf0d6d58c5174a2309095c19'] = 'إرسال مفضلة';
$_MODULE['<{leofeature}prestashop>leofeature_ce8ae9da5b7cd6c3df2929543a9af92d'] = 'البريد الإلكتروني';
$_MODULE['<{leofeature}prestashop>leofeature_1412292b09d3cd39f32549afb1f5f102'] = 'حذف العنصر المحدد؟';
$_MODULE['<{leofeature}prestashop>leofeature_6caf5bb14ae65101ea712a309b48e8a1'] = 'لا يمكن حذف مفضلة الافتراضي';
$_MODULE['<{leofeature}prestashop>leofeature_61b5f801ab23a9ecf6f652dc12747be5'] = 'يجب عليك إدخال كمية';
$_MODULE['<{leofeature}prestashop>leofeature_d848b57ab6ab8b6ff5997373b38fcdf0'] = 'لا يوجد معيار لمراجعة لهذا المنتج أو هذه اللغة';
$_MODULE['<{leofeature}prestashop>leofeature_92a91a1abd2ab891ad47073cf2759ae4'] = '\"مقارنة المنتج الرقم\" غير صالحة. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_68244a8ad554402d0da92c7c0e183245'] = '\"الوقت الحد الأدنى بين 2 آراء من نفس المستخدم\" غير صالح. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_ed1aadd93871c8183fd51bada53b9faa'] = '\"الوظيفة من حيث القيمة عمودي (يطير العربة)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_f493b87f71f88239d33b66167fa88137'] = '\"الوظيفة من حيث القيمة عمودي (يطير العربة)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة). يجب أن له قيمة 0-100 مع نوع الوحدة في المئة';
$_MODULE['<{leofeature}prestashop>leofeature_c13bf293921283ea99cdce12d0a93970'] = '\"الوظيفة من حيث القيمة الأفقية (يطير العربة)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_3b4b9f3b9061a6857d70f36143c9f223'] = '\"الموضع حسب القيمة الأفقية (سلة ذبابة)\" غير صالح. يجب أن يكون صحيحا صحيحا (غير موقعة). يجب أن يكون قيمة من 0 إلى 100 مع نوع الوحدة في المئة';
$_MODULE['<{leofeature}prestashop>leofeature_1dd5613fc6b902c5552348b00cee0ed7'] = '\"عرض العربة البند (جميع العربة)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_ddf4809c8588348158d64672fbd9cd33'] = '\"ارتفاع العربة البند (جميع العربة)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_ecb836eddf0396d96e332108d9cad3da'] = '\"عدد العربة العنصر لعرض (كل العربة)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_c083170aff5792f88b22cf3152954130'] = '\"العرض (إعلام)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_a87ef72e6b4f6babb9dbee396c3b596a'] = '\"الموضع حسب القيمة العمودية (الإشعار)\" غير صالح. يجب أن يكون صحيحا صحيحا (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_f60b7707ef028e49a6e905fc3f8501bd'] = '\"الموضع حسب القيمة العمودية (الإشعار)\" غير صالح. يجب أن يكون صحيحا صحيحا (غير موقعة). يجب أن يكون قيمة من 0 إلى 100 مع نوع الوحدة في المئة';
$_MODULE['<{leofeature}prestashop>leofeature_378364d7bf0b82e84a7066e3777ea6e0'] = '\"الوظيفة من حيث القيمة أفقي (إعلام)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة).';
$_MODULE['<{leofeature}prestashop>leofeature_6b1eaf3ca9c6ab029498d0a77556f437'] = '\"الوظيفة من حيث القيمة أفقي (إعلام)\" غير صالح. يجب على صحة عدد صحيح (غير موقعة). يجب أن له قيمة 0-100 مع نوع الوحدة في المئة';
$_MODULE['<{leofeature}prestashop>psajax_review_da3e413ae5dde1a6b986203857fb1a59'] = 'معرف المنتج غير صحيحة';
$_MODULE['<{leofeature}prestashop>psajax_review_7b0bf23ae4079e07a3a4cb4d07e2caef'] = 'عنوان غير صحيح';
$_MODULE['<{leofeature}prestashop>psajax_review_ddbd56de5feb78ef1aaf60401f8c472b'] = 'تعليق غير صحيحة';
$_MODULE['<{leofeature}prestashop>psajax_review_1b1030b6294e9096a7d7c40d83d61872'] = 'اسم العميل غير صحيح';
$_MODULE['<{leofeature}prestashop>psajax_review_ba0ba469e1c4ba0bea43b77c5c00f9f1'] = 'يجب أن تكون متصلا من أجل إرسال مراجعة';
$_MODULE['<{leofeature}prestashop>psajax_review_a201fbadca94d310a1b62407cdc775d5'] = 'يجب أن تعطي تقييما';
$_MODULE['<{leofeature}prestashop>psajax_review_dfbe69c6d9568ecb0e65e7b32ed92a3a'] = 'الصنف غير موجود';
$_MODULE['<{leofeature}prestashop>psajax_review_6d10b2f471e8894d59ae18e01537ece5'] = 'يرجى الانتظار قبل نشر تعليق آخر';
$_MODULE['<{leofeature}prestashop>psajax_review_498b760d1963039e2fdf4c940f12e3d8'] = 'ثواني قبل نشر نصيحة جديدة';
$_MODULE['<{leofeature}prestashop>psajax_review_8a8bc2f7809ee4f789b25182a8cd6417'] = 'تم اضافت تعليقك. شكرا!';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3b206d196cd6be3a2764c1fb90b200f'] = 'احذف المختار';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_e25f0ecd41211b01c83e5fec41df4fe7'] = 'حذف العناصر المحددة؟';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b718adec73e04ce3ec720dd11a06a308'] = 'هوية شخصية';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_49ee3087348e8d44e1feda1917443987'] = 'اسم';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a1fa27779242b4902f7ae3bdd5c6d508'] = 'اكتب';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ec53a8c4f07baed5d8825072c89799be'] = 'الحالة';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a09ed6c60eb3213939cecb4c580813cd'] = 'صالحة لفهرس كامل';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_467366059d7d7c743a4d0971363a8d66'] = 'تقتصر على بعض الفئات';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_772911becd336c843ab09a1d4b4f66c0'] = 'تقتصر على بعض المنتجات';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f3d8e91894baa7ee67e0649abcc092ff'] = 'وسوف يقتصر معيار للفئات التالية';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3dc571a8be516766c8124a636290fd9'] = 'بمناسبة صناديق من الفئات التي ينطبق عليها هذا المعيار.';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_91b442d385b54e1418d81adc34871053'] = 'المحدد';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b56c3bda503a8dc4be356edb0cc31793'] = 'انهيار جميع';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5ffd7a335dd836b3373f5ec570a58bdc'] = 'توسيع الكل';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5e9df908eafa83cb51c0a3720e8348c7'] = 'تحقق من الكل';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9747d23c8cc358c5ef78c51e59cd6817'] = 'الغاءالكل';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_38fc05fb7f02497ea56b77fe085ffc78'] = 'إضافة معيار جديد';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_92a497b6a43b59cce82c604a4c834bb0'] = 'اسم المعيار';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_bbda28827cde1064b0320cbf6b1890a2'] = 'نطاق تطبيق المعيار';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_20089c27bf83463fe32e7d30ed9d8f81'] = 'سيقتصر المعيار على المنتجات التالية';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_4d3d769b812b6faa6b76e1a8abaece2d'] = 'نشيط';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'تمكين';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b9f5c797ebbf55adccdd8539a65a0241'] = 'معاق';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_c9cc8cce247e49bae79f15173ce97354'] = 'حفظ';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9ea67be453eaccf020697b4654fc021a'] = 'حفظ والبقاء';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_57826496f2bb2a191458e4893e96e52e'] = 'معايير المراجعة';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ef61fb324d729c341ea8ab9901e23566'] = 'اضف جديد';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2ec265696a51530949d345239069f0d4'] = 'التعليقات تنتظر الموافقة';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_655d20c1ca69519ca647684edbb2db35'] = 'متوسط';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'متوسط';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'منخفض';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_eb7d6baeb8bbf339547da7e0d6c5e416'] = 'مراجعات ذكرت';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2608831883bb20ab520b70b4350aa23a'] = 'التعليقات المعتمدة';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_6f7351657f795bc1357a53142b1184cc'] = 'يوافق';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ecf74aa77715220b378ec668e75655a8'] = 'لا المسيئة';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f8a0aa69f5ce41287f02c2d182306f52'] = 'عنوان مراجعة';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_457dd55184faedb7885afd4009d70163'] = 'إعادة النظر';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_dda9c06f33071c9b6fc237ee164109d8'] = 'تقييم';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a517747c3d12f99244ae598910d979c5'] = 'مؤلف';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_deb10517653c255364175796ace3553f'] = 'المنتج';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_0f46dacf1a6ecab8ce1cb97250bb8113'] = 'وقت النشر';
$_MODULE['<{leofeature}prestashop>mywishlist_9ae79c1fccd231ac7fbbf3235dbf6326'] = 'قائمة امنياتي';
$_MODULE['<{leofeature}prestashop>mywishlist_b30545c7b2d429352b9afdd85be810c7'] = 'يجب عليك تحديد اسم.';
$_MODULE['<{leofeature}prestashop>mywishlist_b74c118d823d908d653cfbf1c877ae55'] = 'يستخدم هذا الاسم بالفعل قائمة أخرى.';
$_MODULE['<{leofeature}prestashop>mywishlist_77e6836ee64655f6935e1da9306a625a'] = 'هذا الاسم هو غير صحيح';
$_MODULE['<{leofeature}prestashop>mywishlist_4ef14234be73618adfa950e7b267885f'] = 'تم إنشاء مفضلة جديدة';
$_MODULE['<{leofeature}prestashop>mywishlist_7098d49878bbd102b13038a748125e27'] = 'لا يمكن حذف هذا مفضلة';
$_MODULE['<{leofeature}prestashop>mywishlist_a10bc9133481a565859f49ed7a57c9cd'] = 'لا يمكن تحديث هذا مفضلة';
$_MODULE['<{leofeature}prestashop>mywishlist_9aee3a4d72fa9025200d409f68236a0d'] = 'لا يمكن أن تظهر على المنتج (ق) من هذه مفضلة';
$_MODULE['<{leofeature}prestashop>mywishlist_90d8a44a1fba13198035d86caeeb2d4d'] = 'مفضلة غير صالحة';
$_MODULE['<{leofeature}prestashop>mywishlist_072df51ea0cb142b770d6209dab5a85b'] = 'خطأ الإرسال مفضلة';
$_MODULE['<{leofeature}prestashop>mywishlist_a902b4022653cd6f6d874bf596c811b8'] = 'العملاء غير صالح';
$_MODULE['<{leofeature}prestashop>mywishlist_5d3d684c0bb4d7b423c3fbf1c65cb29d'] = 'لا يمكن مسحه';
$_MODULE['<{leofeature}prestashop>mywishlist_601adec967f7fa4d685f4aa150f53a71'] = 'لا يمكن تحديث';
$_MODULE['<{leofeature}prestashop>mywishlist_3c924eebbd7c3447336bbec3b325d3da'] = 'خطأ أثناء نقل المنتج إلى قائمة أخرى';
$_MODULE['<{leofeature}prestashop>mywishlist_16a23698e7cf5188ce1c07df74298076'] = 'يجب عليك تسجيل الدخول لإدارة سلة المفضلة.';
$_MODULE['<{leofeature}prestashop>mywishlist_4840f4437f55e68a587d358090b948d1'] = 'قائمة امنياتي';
$_MODULE['<{leofeature}prestashop>mywishlist_ca16af511d65ccd849f522d92c3eba4e'] = 'قائمة امنياتي';
$_MODULE['<{leofeature}prestashop>mywishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'حسابي';
$_MODULE['<{leofeature}prestashop>productscompare_7af832e9c71671de0323487c86b6b702'] = 'مقارنة المنتجات';
$_MODULE['<{leofeature}prestashop>productscompare_4f8370b7608003c3e56ec5bd7c2f1012'] = 'منتجات مقارنة';
$_MODULE['<{leofeature}prestashop>viewwishlist_14c6e05c31e4622404eaea7ac78465e4'] = 'عرض قائمة الامنيات';
$_MODULE['<{leofeature}prestashop>viewwishlist_444f180cde4e7682f345185ad2c10244'] = 'عرض-مفضلة';
$_MODULE['<{leofeature}prestashop>viewwishlist_a77885e16b298d1c01b6b5bc194a6847'] = 'عرض قائمة الامنيات';
$_MODULE['<{leofeature}prestashop>viewwishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'حسابي';
$_MODULE['<{leofeature}prestashop>viewwishlist_4840f4437f55e68a587d358090b948d1'] = 'قائمة امنياتي';
$_MODULE['<{leofeature}prestashop>panel_af247d7a41136c6f8b262cf0ee3ef860'] = 'وحدة الصحيحة';
$_MODULE['<{leofeature}prestashop>panel_44c11c4bb3a89d6d82d83a1f8a2fbd86'] = 'الرجاء احتياطية من قاعدة البيانات قبل تشغيل وحدة الصحيحة لآمنة';
$_MODULE['<{leofeature}prestashop>panel_302f3227b2362aee931d0ba98eff05e0'] = 'التكوين العالمي ليو ميزة';
$_MODULE['<{leofeature}prestashop>panel_3f93bd3e4ab678691180510321ea27db'] = 'أياكس العربة';
$_MODULE['<{leofeature}prestashop>panel_ec7f6af74676fcb5bd145de6eb008c91'] = 'استعراض المنتجات';
$_MODULE['<{leofeature}prestashop>panel_bbf186cafb55d9329c02818174b17ef8'] = 'المنتج قارن';
$_MODULE['<{leofeature}prestashop>panel_db872ea537236c60874d5b0e859fe4b5'] = 'قائمة الامنيات المنتج';
$_MODULE['<{leofeature}prestashop>form_b9aefa40a54680bb258f9f9569290fae'] = 'اسم المنتج';
$_MODULE['<{leofeature}prestashop>drop_down_694e8d1f2ee056f98ee488bdc4982d73'] = 'كمية';
$_MODULE['<{leofeature}prestashop>drop_down_2e65a5e30c454ceb77be9bb48e8343f1'] = 'إزالة من سلة';
$_MODULE['<{leofeature}prestashop>drop_down_59fc69e031ecb0f82efe467fd6692383'] = 'عرض السلة';
$_MODULE['<{leofeature}prestashop>drop_down_51f377b830737ebc60c6e4293760f455'] = 'الدفع';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_06c335f27f292a096a9bf39e3a58e97b'] = 'مفضلة جديدة';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_49ee3087348e8d44e1feda1917443987'] = 'اسم';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_44f86a7579ab438609442b2596f29554'] = 'أدخل اسم مفضلة جديدة';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_c9cc8cce247e49bae79f15173ce97354'] = 'حفظ';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_694e8d1f2ee056f98ee488bdc4982d73'] = 'كمية';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_5e729042e30967c9d6f65c6eab73e2fe'] = 'شوهد';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0eceeb45861f9585dd7a97a3e36f85c6'] = 'خلقت';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_45284ef16392f85ff424b2ef36ab5948'] = 'رابط مباشر';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_7a1920d61156abc05a60135aefe8bc67'] = 'افتراضي';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_f2a6c498fb90ee345d997f888fce3b18'] = 'حذف';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_4351cfebe4b61d8aa5efa1d020710005'] = 'رأي';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_30820a1bf6a285e45cda2beda3d7738d'] = 'أرسل مفضلة';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0b3db27bc15f682e92ff250ebb167d4b'] = 'العودة إلى حسابك';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_8cf04a9734132302f96da8e113e80ce5'] = 'الصفحة الرئيسية';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_710a9a7db8094cc96d716e9a8420bb98'] = 'إزالة من هذه مفضلة';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_694e8d1f2ee056f98ee488bdc4982d73'] = 'كمية';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_502996d9790340c5fd7b86a5b93b1c9f'] = 'أفضلية';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_655d20c1ca69519ca647684edbb2db35'] = 'متوسط';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'متوسط';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'منخفض';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_c9cc8cce247e49bae79f15173ce97354'] = 'حفظ';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_6bc362dbf494c61ea117fe3c71ca48a5'] = 'نقل';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_09dc02ecbb078868a3a86dded030076d'] = 'لا توجد منتجات';
$_MODULE['<{leofeature}prestashop>leo_products_compare_7af832e9c71671de0323487c86b6b702'] = 'مقارنة المنتجات';
$_MODULE['<{leofeature}prestashop>leo_products_compare_d6295c05503596b3ed3528aee83e3ef7'] = 'ميزات:';
$_MODULE['<{leofeature}prestashop>leo_products_compare_201f644e542b0230551936ae7af3169e'] = 'إزالة من قارن';
$_MODULE['<{leofeature}prestashop>leo_products_compare_f5e15309ff0396474b8421ef48871d0b'] = 'أي ميزات للمقارنة';
$_MODULE['<{leofeature}prestashop>leo_products_compare_234a9674e80b9c04a685075ad3ea6950'] = 'لا توجد المنتجات المختارة للمقارنة.';
$_MODULE['<{leofeature}prestashop>leo_products_compare_c20905e8fdd34a1bf81984e597436134'] = 'مواصلة التسوق';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_4351cfebe4b61d8aa5efa1d020710005'] = 'رأي';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_f2a6c498fb90ee345d997f888fce3b18'] = 'حذف';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_641254d77e7a473aa5910574f3f9453c'] = 'الأماني';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_3fb0acb6862adac8e196b76660679d53'] = 'الأماني الأخرى ';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_502996d9790340c5fd7b86a5b93b1c9f'] = 'أفضلية';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_655d20c1ca69519ca647684edbb2db35'] = 'متوسط';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'متوسط';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'منخفض';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_09dc02ecbb078868a3a86dded030076d'] = 'لا توجد منتجات';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_65c40cc17acd96eb901ed82b0363234f'] = 'غير موجود مفضلة';
$_MODULE['<{leofeature}prestashop>modal_61b5f801ab23a9ecf6f652dc12747be5'] = 'يجب عليك إدخال كمية';
$_MODULE['<{leofeature}prestashop>modal_1cf13f9c64a2b1977db63d01ab2a46a9'] = 'شراء كميات من أجل الحد الأدنى للمنتج هي ';
$_MODULE['<{leofeature}prestashop>modal_a923575984949608ce04c4984806ec2a'] = 'ليس هناك ما يكفي من المنتجات في الأوراق المالية';
$_MODULE['<{leofeature}prestashop>modal_review_c31732fda0c6f01c446db7163b214de4'] = 'أكتب مراجعة';
$_MODULE['<{leofeature}prestashop>modal_review_b78a3223503896721cca1303f776159b'] = 'عنوان';
$_MODULE['<{leofeature}prestashop>modal_review_0be8406951cdfda82f00f79328cf4efc'] = 'تعليق';
$_MODULE['<{leofeature}prestashop>modal_review_221e705c06e231636fdbccfdd14f4d5c'] = 'اسمك';
$_MODULE['<{leofeature}prestashop>modal_review_70397c4b252a5168c5ec003931cea215'] = 'الحقول المطلوبة';
$_MODULE['<{leofeature}prestashop>modal_review_d3d2e617335f08df83599665eef8a418'] = 'قريب';
$_MODULE['<{leofeature}prestashop>modal_review_a4d3b161ce1309df1c4e25df28694b7b'] = 'عرض';
$_MODULE['<{leofeature}prestashop>notification_1222b0022fb0d33d952c37cfe42266cd'] = 'تم تحديث المنتج في سلة التسوق الخاصة بك';
$_MODULE['<{leofeature}prestashop>notification_114d0e1aa16fe8baa087238c6d07693a'] = 'تمت إزالة هذا المنتج من سلة التسوق الخاصة بك';
$_MODULE['<{leofeature}prestashop>notification_544c3bd0eac526113a9c66542be1e5bc'] = 'وأضاف المنتج بنجاح لسلة التسوق الخاصة بك';
$_MODULE['<{leofeature}prestashop>notification_63c63a0602a4b74e919059a8cc9ea8af'] = 'تحديث خطأ';
$_MODULE['<{leofeature}prestashop>notification_4e0ac45de6bd848503ffa98ff6247f2f'] = 'حذف خطأ';
$_MODULE['<{leofeature}prestashop>notification_1929e96729ba794c08e056afec1c40e9'] = 'خطأ في إضافة. يرجى الدخول إلى صفحة المنتج من التفصيل، وحاول مرة أخرى';
$_MODULE['<{leofeature}prestashop>notification_04325f5c10c9818bc464d660daa2b030'] = 'شراء كميات من أجل الحد الأدنى للمنتج هي';
$_MODULE['<{leofeature}prestashop>notification_a923575984949608ce04c4984806ec2a'] = 'ليس هناك ما يكفي من المنتجات في الأوراق المالية';
$_MODULE['<{leofeature}prestashop>notification_61b5f801ab23a9ecf6f652dc12747be5'] = 'يجب عليك إدخال كمية';
$_MODULE['<{leofeature}prestashop>leo_cart_button_2d0f6b8300be19cf35e89e66f0677f95'] = 'عربة التسوق';
$_MODULE['<{leofeature}prestashop>leo_compare_button_201f644e542b0230551936ae7af3169e'] = 'إزالة من قارن';
$_MODULE['<{leofeature}prestashop>leo_compare_button_7f5508c884f40e3378895c83d99cbbd3'] = 'قارن';
$_MODULE['<{leofeature}prestashop>leo_list_product_review_d844ad9202d0de8442498775ba6ef819'] = 'إعادة النظر';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_34e80a799d144cfe4af46815e103f017'] = 'التعليقات';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_b1897515d548a960afe49ecf66a29021'] = 'معدل';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_52a7b0de81cb2dbdecd49789a0afe059'] = 'عرض المراجعات';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_dda9c06f33071c9b6fc237ee164109d8'] = 'تقييم';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_899139b5174d8d7a6e38a0360008a695'] = 'قراءة نقدية';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_c31732fda0c6f01c446db7163b214de4'] = 'أكتب مراجعة';
$_MODULE['<{leofeature}prestashop>leo_product_tab_34e80a799d144cfe4af46815e103f017'] = 'التعليقات';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_4b3b9db8c9784468094acde0f8bf7071'] = 'درجة';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_b5c82723bd85856358f9a376bc613998'] = '%1$d %2$dبعيدا عن المكان الناس وجدوا هذا التقييم مفيد.';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_dde78e104216913430ad577ec142f204'] = 'وكان هذا الاستعراض مفيدا لكم؟';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_93cba07454f06a4a960172bbd6e2a435'] = 'نعم فعلا';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_bafd7322c6e97d25b6299b5d6fe8920b'] = 'لا';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_28b3b1e564a00f572c5d4e21da986d49'] = 'بلغ عن سوء معاملة';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_c31732fda0c6f01c446db7163b214de4'] = 'أكتب مراجعة';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_f444678e4f3575d59b32a858630741fd'] = 'كن أول من يكتب مراجعة الخاص بك!';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_08c7d6f84301ee7d0aab0a5f67edc419'] = 'لا استعراضات العملاء في الوقت الراهن.';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_6a5373df703ab2827a4ba7facdfcf779'] = 'الأماني';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_d7e2d3dbf5daf266a0877428e0e1b8fb'] = 'إزالة من قائمة الامنيات';
$_MODULE['<{leofeature}prestashop>leo_wishlist_link_4840f4437f55e68a587d358090b948d1'] = 'قائمة امنياتي';

View File

@@ -0,0 +1,298 @@
<?php
global $_MODULE;
$_MODULE = array();
$_MODULE['<{leofeature}prestashop>leofeature_ab958c5dabadcbf3b020b083f8ff929f'] = 'Leo Eigenschaft';
$_MODULE['<{leofeature}prestashop>leofeature_6bf92ee4988e28d896685690b1fa5f35'] = 'Leo-Funktion für PrestaShop 1.7: Ajax-Wagen, Drop-Down-Karre, fliegt Wagen, zu überprüfen, vergleichen, Wunschliste auf Produktliste';
$_MODULE['<{leofeature}prestashop>leofeature_e60e6135ee33810573ed274fb9982ad1'] = 'Leo Feature-Management';
$_MODULE['<{leofeature}prestashop>leofeature_aafeca601facaa973f2fae7533159182'] = 'Korrektes Modul ist erfolgreich';
$_MODULE['<{leofeature}prestashop>leofeature_7498c445a737312f3678aa1494e01a38'] = 'Dropdown-Liste';
$_MODULE['<{leofeature}prestashop>leofeature_f11bd493714fd89d3f6326d1a79435bf'] = 'Dropup';
$_MODULE['<{leofeature}prestashop>leofeature_76b9fa479019cd2837be9494861ea524'] = 'SlideBar links';
$_MODULE['<{leofeature}prestashop>leofeature_58606efd87c419236084a2022baea608'] = 'SlideBar Rechts';
$_MODULE['<{leofeature}prestashop>leofeature_0cfc343a9362779441564f491e26fbda'] = 'SlideBar Top';
$_MODULE['<{leofeature}prestashop>leofeature_0a4a50a9c0527b7918669759fa3a43b0'] = 'SlideBar Bottom';
$_MODULE['<{leofeature}prestashop>leofeature_4457d440870ad6d42bab9082d9bf9b61'] = 'Fest';
$_MODULE['<{leofeature}prestashop>leofeature_b51ca26c6c89cfc9bec338f7a0d3e0c8'] = 'Absolute';
$_MODULE['<{leofeature}prestashop>leofeature_adaaee4b22041c27198d410c68d952c9'] = 'Prozent';
$_MODULE['<{leofeature}prestashop>leofeature_08822b3ae4e2aede0afe08abe600e9c0'] = 'Pixel';
$_MODULE['<{leofeature}prestashop>leofeature_a4ffdcf0dc1f31b9acaf295d75b51d00'] = 'Oben';
$_MODULE['<{leofeature}prestashop>leofeature_2ad9d63b69c4a10a5cc9cad923133bc4'] = 'Boden';
$_MODULE['<{leofeature}prestashop>leofeature_945d5e233cf7d6240f6b783b36a374ff'] = 'Links';
$_MODULE['<{leofeature}prestashop>leofeature_92b09c7c48c520c3c55e497875da437c'] = 'Recht';
$_MODULE['<{leofeature}prestashop>leofeature_6adf97f83acf6453d4a6a4b1070f3754'] = 'Keiner';
$_MODULE['<{leofeature}prestashop>leofeature_04e0385c10aefee8e4681617d2f3ef40'] = 'Verblassen';
$_MODULE['<{leofeature}prestashop>leofeature_968818e489bac02c58d8b0e5a348a229'] = 'Shake';
$_MODULE['<{leofeature}prestashop>leofeature_a8d0c913d1d79fe67f2a58b1a759dc82'] = 'Schaltfläche Anzeigen Warenkorb Auf Artikelliste';
$_MODULE['<{leofeature}prestashop>leofeature_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'aktiviert';
$_MODULE['<{leofeature}prestashop>leofeature_b9f5c797ebbf55adccdd8539a65a0241'] = 'Behindert';
$_MODULE['<{leofeature}prestashop>leofeature_61aaf7c8a6b05985566c9d2c650c9333'] = 'Zeigen Attribut';
$_MODULE['<{leofeature}prestashop>leofeature_01ac026a761b0e3435b871540ff3dfcf'] = 'Update-Produkt-Aufkleber Nach Attribute auswählen';
$_MODULE['<{leofeature}prestashop>leofeature_6d57e1e9eaa5a46936ba207b6645223d'] = 'Nur für ermöglichen select-Attribut';
$_MODULE['<{leofeature}prestashop>leofeature_f6d00129240d2dcfea0f583a09cc1c12'] = 'Zeigen Eingangsgröße';
$_MODULE['<{leofeature}prestashop>leofeature_ed5d0637392bb5b5ca5e2b1f84b0d811'] = 'Aktivieren Flycart Effect';
$_MODULE['<{leofeature}prestashop>leofeature_f4428c5ee72358148375a5133a09a4f2'] = 'Aktiviere Benachrichtigungen';
$_MODULE['<{leofeature}prestashop>leofeature_74912e66e046819c0abc2f875d011029'] = 'Benachrichtigung anzeigen, wenn add Warenkorb erfolgreich';
$_MODULE['<{leofeature}prestashop>leofeature_6a1cc91d2ee540430399d1789025babf'] = 'Zeigen Popup Nach in den Korb legen';
$_MODULE['<{leofeature}prestashop>leofeature_1899b6edecb8416410321f6b06405830'] = 'Die Standardeinstellung ist ON. Sie können das Gerät aus und schalten Sie „Benachrichtigung“ statt';
$_MODULE['<{leofeature}prestashop>leofeature_95a2abcb1ad563eab999a9d48d8269a1'] = 'Show Dropdown Warenkorb (Standard Wagen)';
$_MODULE['<{leofeature}prestashop>leofeature_355c2ea48020748a34cc9b51e93a0059'] = 'Typ Dropdown Warenkorb (Standard Wagen)';
$_MODULE['<{leofeature}prestashop>leofeature_9677c9b9ad26ac6ca4f2bd0580cd85cc'] = 'Aktivieren Push-Effekt (Standard Wagen)';
$_MODULE['<{leofeature}prestashop>leofeature_f3cbdd924fed60f118cb06021c713a83'] = 'Nur für „SlideBar“ type';
$_MODULE['<{leofeature}prestashop>leofeature_a250470863e5f137ef7ea7582e675199'] = 'Show Dropdown Wagen (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_19074636b4a15edd812970a50e043062'] = 'Typ Dropdown Warenkorb (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_bef3aac57b74246067916ff1df59375b'] = 'Aktivieren Push-Effekt (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_90ff8c3bfa243f5c7866bc9319786a5b'] = 'Typ-Effekt (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_764e759ba72e74c933eb1ba59acc9583'] = 'Nur wenn \"Flycart Effect\" ON';
$_MODULE['<{leofeature}prestashop>leofeature_ab9f7fa39bf8caa7a35e758a9618c9b4'] = 'Typ Position (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_04489daf1e045d7c0abdc122e05277e9'] = 'Position durch vertikale (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_27c94021d6dfcf1815af5d00079ed5ed'] = 'Typ auswählen Abstand zwischen „Fly Wagen“ und dem oberen Rand oder dem unteren Rand des Fensters (Browser)';
$_MODULE['<{leofeature}prestashop>leofeature_04cf48f2938d2f697e7726cc8e4af116'] = 'Position durch vertikalen Wert (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_d7bd437e1369a9384728c0f2930a7be8'] = 'Muss hat einen Wert von 0 bis 100 mit dem Einheitentyp ist unten Prozent';
$_MODULE['<{leofeature}prestashop>leofeature_38b56b23a3de125a4578add14f9acfb9'] = 'Position durch eine vertikale Einheit (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_63cce7c94297356e15a81fa6a6183472'] = 'Position von Horizontal (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_4d2587faf1c1986dd485c3cf57a01514'] = 'Typ auswählen Abstand zwischen „Fly Wagen“ und der linke Rand oder der rechte Rand des Fensters (Browser)';
$_MODULE['<{leofeature}prestashop>leofeature_330f2d6aff1b2e7c85af79c7b24f4c9e'] = 'Position von Horizontal Wert (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_858381718a0020c0323a0841e250d7e1'] = 'Position von Horizontal Unit (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_d1c226dd77e24b1cc898d5ac6825c705'] = 'Aktivieren Sie Overlay Hintergrund (Alle Einkaufswagen)';
$_MODULE['<{leofeature}prestashop>leofeature_c3208f5c1a4c395da4233c14006edd14'] = 'Nur für „SlideBar“ -Typ. Schalten Sie erlauben „In den Warenkorb“ für SlideBar';
$_MODULE['<{leofeature}prestashop>leofeature_11ed36d421f3f4a7e5ffe3da74a84688'] = 'Aktivieren Menge aktualisieren (Alle Warenkorb)';
$_MODULE['<{leofeature}prestashop>leofeature_3c0c053e3282a7f80355a3acb57271ec'] = 'Aktivieren Button Up / Down (Alle Warenkorb)';
$_MODULE['<{leofeature}prestashop>leofeature_4394ab109164d8a0d1efde196f3aeb22'] = 'Nur wenn EIN Aktualisierungsmenge';
$_MODULE['<{leofeature}prestashop>leofeature_def10fe75471f30ddb2602a547194ed0'] = 'Zeige Produkt Kombination (Alle Warenkorb)';
$_MODULE['<{leofeature}prestashop>leofeature_3a6f7920e6373f479bc59d2826ce045e'] = 'Zeige Produkt Customization (Alle Warenkorb)';
$_MODULE['<{leofeature}prestashop>leofeature_5a5b64f5ff86ab8ccc4ec985efeca1a7'] = 'Breite Warenkorb Artikel (Alle Warenkorb)';
$_MODULE['<{leofeature}prestashop>leofeature_fa3b06e55eb4ed1e99836e2f6332f4f9'] = 'Höhe Wagen Artikel (Alle Warenkorb)';
$_MODULE['<{leofeature}prestashop>leofeature_fb39004686b1c10a3e5eb63a7f95c19d'] = 'Anzahl Warenkorb Artikel anzuzeigen (Alle Warenkorb)';
$_MODULE['<{leofeature}prestashop>leofeature_7004f6ef7ffd79001e36fa193d86abb9'] = 'Ony für \"Dropup / Dropdown\" -Typ. Wenn die Summe der Wagenposition größer diese Konfiguration ist, werden die Rollbalken angezeigt';
$_MODULE['<{leofeature}prestashop>leofeature_dbc9efd02f9f843af156ec542b95271e'] = 'Breite (Meldung)';
$_MODULE['<{leofeature}prestashop>leofeature_dad183c86365a98a08e617bcbda8b6bf'] = 'Position durch vertikale (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_82ae0a80b6a2e2cdaf346daccc4db4ea'] = 'Typ auswählen Abstand zwischen „Benachrichtigung“ und dem oberen Rand oder dem unteren Rand des Fensters (Browser)';
$_MODULE['<{leofeature}prestashop>leofeature_dafe26043ab10325d4bd1dd9003aca7a'] = 'Position durch vertikalen Wert (Meldung)';
$_MODULE['<{leofeature}prestashop>leofeature_09044a82ba586d14bf4d7813bd853cba'] = 'Position durch eine vertikale Einheit (Meldung)';
$_MODULE['<{leofeature}prestashop>leofeature_aeb7fec4a02f5c824a53919f1c1c148c'] = 'Position von Horizontal (Meldung)';
$_MODULE['<{leofeature}prestashop>leofeature_700bdbd09461c73f1140755c7be7f146'] = 'Position von Horizontal Wert (Meldung)';
$_MODULE['<{leofeature}prestashop>leofeature_b20178e5217f724ed944916506520667'] = 'Position von Horizontal-Einheit (Meldung)';
$_MODULE['<{leofeature}prestashop>leofeature_c9cc8cce247e49bae79f15173ce97354'] = 'Sparen';
$_MODULE['<{leofeature}prestashop>leofeature_d99da061f9d26b35c01d44b3e65490dc'] = 'Aktivieren Bewertungen';
$_MODULE['<{leofeature}prestashop>leofeature_a25526a1f2a163618a5cd9d2d35daa84'] = 'Produkt anzeigen Bewertungen bei Liste Produkt';
$_MODULE['<{leofeature}prestashop>leofeature_0da91026404d3b07dfbc7d8511011a72'] = 'Zeige Anzahl Bewertungen auf Liste Produkt';
$_MODULE['<{leofeature}prestashop>leofeature_b87baaf985f1b46c51ee6d8e6b1c446a'] = 'Zeigen Null Bewertungen bei Liste Produkt';
$_MODULE['<{leofeature}prestashop>leofeature_cf2fcb22e6342dea54b0cc34bb521752'] = 'Alle Bewertungen müssen von einem Mitarbeiter überprüft werden';
$_MODULE['<{leofeature}prestashop>leofeature_3d028644c30ee457da7838578b1ea44e'] = 'Lassen Sie nützliche Schaltfläche';
$_MODULE['<{leofeature}prestashop>leofeature_e4894be52ea3506144018020eb795736'] = 'Bericht zulassen Schaltfläche';
$_MODULE['<{leofeature}prestashop>leofeature_4e26bb46aa3f40913ee95cfb1d6c82f9'] = 'Lassen Sie Gästebewertungen';
$_MODULE['<{leofeature}prestashop>leofeature_9dc1140983196141368ceda7565128a8'] = 'Mindestzeit zwischen 2 Bewertungen von demselben Benutzer';
$_MODULE['<{leofeature}prestashop>leofeature_f331ddd467099246f8c879b33e44346b'] = 'Sekunde (n)';
$_MODULE['<{leofeature}prestashop>leofeature_ee7273842616e7880648d668f01c99fb'] = 'Aktivieren Produkt vergleichen';
$_MODULE['<{leofeature}prestashop>leofeature_ca4fa3ce52694f750f63086120ea671f'] = 'Produkt anzeigen vergleichen, um Produkt-Liste';
$_MODULE['<{leofeature}prestashop>leofeature_b9430191b5de82688380961d92a211ea'] = 'Zum Produkt auf Produktseite vergleichen';
$_MODULE['<{leofeature}prestashop>leofeature_cc9e4e12af1eceecf60527c80ceed331'] = 'Anzahl Produktvergleich ';
$_MODULE['<{leofeature}prestashop>leofeature_dbd6459b099286fe756dced2f6f5d138'] = 'Aktivieren Produkt Wunschliste';
$_MODULE['<{leofeature}prestashop>leofeature_b9ce07d8233546cec066b0a2832a3313'] = 'Produkt anzeigen Merkliste Produkt auf';
$_MODULE['<{leofeature}prestashop>leofeature_1412c7fb2f326c4a9c1d2f3ddae31891'] = 'Produkt anzeigen Wunschliste auf Produktseite';
$_MODULE['<{leofeature}prestashop>leofeature_90723749917a82bf3ff8a73247d32ffb'] = 'Sie können dem Produktvergleich nicht mehr als %d produkt hinzufügen';
$_MODULE['<{leofeature}prestashop>leofeature_59c533b287338f11f4cdca5a4b71df47'] = 'Das Produkt wurde hinzugefügt vergleichen aufzulisten';
$_MODULE['<{leofeature}prestashop>leofeature_98b612d068fbdaa76e73a049156eb861'] = 'Auflisten vergleichen';
$_MODULE['<{leofeature}prestashop>leofeature_fdf96b7e3bfda00d1188bab3e57b0216'] = 'Das Produkt wurde erfolgreich aus der Liste entfernt vergleichen';
$_MODULE['<{leofeature}prestashop>leofeature_7f5508c884f40e3378895c83d99cbbd3'] = 'Vergleichen';
$_MODULE['<{leofeature}prestashop>leofeature_201f644e542b0230551936ae7af3169e'] = 'Entfernen von Vergleichen';
$_MODULE['<{leofeature}prestashop>leofeature_096cbcc12b9255bd4050af021d493ae1'] = 'Das Produkt wurde erfolgreich hinzugefügt zu Ihrer Wunschliste';
$_MODULE['<{leofeature}prestashop>leofeature_366b534e538a2cd839e0044f0dcc9037'] = 'Sehen Sie Ihre Wunschliste';
$_MODULE['<{leofeature}prestashop>leofeature_758a20dcb47ba17c30e007a8f92349e2'] = 'Das Produkt wurde erfolgreich von der Wunschliste entfernt';
$_MODULE['<{leofeature}prestashop>leofeature_6a5373df703ab2827a4ba7facdfcf779'] = 'Wunschliste';
$_MODULE['<{leofeature}prestashop>leofeature_5db81b03fbed784f36ad9502aad70e95'] = 'Entfernen Sie von der Wunschliste';
$_MODULE['<{leofeature}prestashop>leofeature_019b05578911596956b81b9a90ea36e7'] = 'Sie müssen angemeldet sein, um deine Wunschliste zu verwalten';
$_MODULE['<{leofeature}prestashop>leofeature_ea4788705e6873b424c65e91c2846b19'] = 'Stornieren';
$_MODULE['<{leofeature}prestashop>leofeature_a60852f204ed8028c1c58808b746d115'] = 'OK';
$_MODULE['<{leofeature}prestashop>leofeature_94966d90747b97d1f0f206c98a8b1ac3'] = 'Senden';
$_MODULE['<{leofeature}prestashop>leofeature_526d688f37a86d3c3f27d0c5016eb71d'] = 'rücksetzen';
$_MODULE['<{leofeature}prestashop>leofeature_8a965890cf0d6d58c5174a2309095c19'] = 'senden Wunschliste';
$_MODULE['<{leofeature}prestashop>leofeature_ce8ae9da5b7cd6c3df2929543a9af92d'] = 'Email';
$_MODULE['<{leofeature}prestashop>leofeature_1412292b09d3cd39f32549afb1f5f102'] = 'Löschen ausgewählter Artikel?';
$_MODULE['<{leofeature}prestashop>leofeature_6caf5bb14ae65101ea712a309b48e8a1'] = 'Kann nicht Standard Wunschliste löschen';
$_MODULE['<{leofeature}prestashop>leofeature_61b5f801ab23a9ecf6f652dc12747be5'] = 'Sie müssen eine Menge eingeben';
$_MODULE['<{leofeature}prestashop>leofeature_d848b57ab6ab8b6ff5997373b38fcdf0'] = 'Nicht existiert ein Kriterium für dieses Produkt oder diese Sprache zu überprüfen';
$_MODULE['<{leofeature}prestashop>leofeature_92a91a1abd2ab891ad47073cf2759ae4'] = '„Anzahl Produktvergleich“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_68244a8ad554402d0da92c7c0e183245'] = '„Mindestzeit zwischen 2 Bewertungen von demselben Benutzer“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_ed1aadd93871c8183fd51bada53b9faa'] = '„Position durch vertikalen Wert (Fly Wagen)“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_f493b87f71f88239d33b66167fa88137'] = '„Position durch vertikalen Wert (Fly Wagen)“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned). Muss hat einen Wert von 0 bis 100 mit dem Einheitentyp ist Prozent';
$_MODULE['<{leofeature}prestashop>leofeature_c13bf293921283ea99cdce12d0a93970'] = '\"Position von Horizontal Wert (Fly Wagen)\" ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_3b4b9f3b9061a6857d70f36143c9f223'] = '\"Position von Horizontal Wert (Fly Wagen)\" ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned). Muss hat einen Wert von 0 bis 100 mit dem Einheitentyp ist Prozent';
$_MODULE['<{leofeature}prestashop>leofeature_1dd5613fc6b902c5552348b00cee0ed7'] = '„Width Of Warenkorb Artikel (Alle Warenkorb)“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_ddf4809c8588348158d64672fbd9cd33'] = '„Height Of Warenkorb Artikel (Alle Warenkorb)“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_ecb836eddf0396d96e332108d9cad3da'] = '„Anzahl Warenkorb Eintrag anzuzeigen (alle Wagen)“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_c083170aff5792f88b22cf3152954130'] = '\"Width (Notification)\" ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_a87ef72e6b4f6babb9dbee396c3b596a'] = '„Position durch vertikalen Wert (Notification)“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_f60b7707ef028e49a6e905fc3f8501bd'] = '„Position durch vertikalen Wert (Notification)“ ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned). Muss hat einen Wert von 0 bis 100 mit dem Einheitentyp ist Prozent';
$_MODULE['<{leofeature}prestashop>leofeature_378364d7bf0b82e84a7066e3777ea6e0'] = '\"Position von Horizontal Wert (Notification)\" ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_6b1eaf3ca9c6ab029498d0a77556f437'] = '\"Position von Horizontal Wert (Notification)\" ist ungültig. Muss eine ganze Zahl Gültigkeit (unsigned). Muss hat einen Wert von 0 bis 100 mit dem Einheitentyp ist Prozent';
$_MODULE['<{leofeature}prestashop>psajax_review_da3e413ae5dde1a6b986203857fb1a59'] = 'Produkt-ID ist falsch';
$_MODULE['<{leofeature}prestashop>psajax_review_7b0bf23ae4079e07a3a4cb4d07e2caef'] = 'Titel ist falsch';
$_MODULE['<{leofeature}prestashop>psajax_review_ddbd56de5feb78ef1aaf60401f8c472b'] = 'Kommentar ist falsch';
$_MODULE['<{leofeature}prestashop>psajax_review_1b1030b6294e9096a7d7c40d83d61872'] = 'Kundenname ist falsch';
$_MODULE['<{leofeature}prestashop>psajax_review_ba0ba469e1c4ba0bea43b77c5c00f9f1'] = 'Sie müssen verbunden sein, um einen Kommentar zu senden';
$_MODULE['<{leofeature}prestashop>psajax_review_a201fbadca94d310a1b62407cdc775d5'] = 'Sie müssen eine Bewertung geben';
$_MODULE['<{leofeature}prestashop>psajax_review_dfbe69c6d9568ecb0e65e7b32ed92a3a'] = 'Produkt nicht gefunden';
$_MODULE['<{leofeature}prestashop>psajax_review_6d10b2f471e8894d59ae18e01537ece5'] = 'Bitte warten Sie vor der Veröffentlichung eines weiteren Kommentars';
$_MODULE['<{leofeature}prestashop>psajax_review_498b760d1963039e2fdf4c940f12e3d8'] = 'Sekunden, bevor eine neue Bewertung veröffentlichen';
$_MODULE['<{leofeature}prestashop>psajax_review_8a8bc2f7809ee4f789b25182a8cd6417'] = 'Ihr Kommentar wurde hinzugefügt. Vielen Dank!';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3b206d196cd6be3a2764c1fb90b200f'] = 'Ausgewählte löschen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_e25f0ecd41211b01c83e5fec41df4fe7'] = 'Löscht ausgewählte Elemente?';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b718adec73e04ce3ec720dd11a06a308'] = 'ICH WÜRDE';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_49ee3087348e8d44e1feda1917443987'] = 'Name';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a1fa27779242b4902f7ae3bdd5c6d508'] = 'Art';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ec53a8c4f07baed5d8825072c89799be'] = 'Status';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a09ed6c60eb3213939cecb4c580813cd'] = 'Gültig für den gesamten Katalog';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_467366059d7d7c743a4d0971363a8d66'] = 'zu einigen Kategorien beschränkt';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_772911becd336c843ab09a1d4b4f66c0'] = 'zu einigen Produkten beschränkt';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f3d8e91894baa7ee67e0649abcc092ff'] = 'Kriterium wird auf die folgenden Kategorien beschränkt werden';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3dc571a8be516766c8124a636290fd9'] = 'Markieren Sie die Kästchen der Kategorien, zu denen dieses Kriterium gilt.';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_91b442d385b54e1418d81adc34871053'] = 'Ausgewählt';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b56c3bda503a8dc4be356edb0cc31793'] = 'Alles schließen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5ffd7a335dd836b3373f5ec570a58bdc'] = 'Alle erweitern';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5e9df908eafa83cb51c0a3720e8348c7'] = 'Alle überprüfen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9747d23c8cc358c5ef78c51e59cd6817'] = 'Alle deaktivieren';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_38fc05fb7f02497ea56b77fe085ffc78'] = 'Neues Kriterium';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_92a497b6a43b59cce82c604a4c834bb0'] = 'Criterion Name';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_bbda28827cde1064b0320cbf6b1890a2'] = 'Anwendungsbereich des Kriteriums';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_20089c27bf83463fe32e7d30ed9d8f81'] = 'Das Kriterium wird für die folgenden Produkte beschränkt werden';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_4d3d769b812b6faa6b76e1a8abaece2d'] = 'Aktiv';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'aktiviert';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b9f5c797ebbf55adccdd8539a65a0241'] = 'Behindert';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_c9cc8cce247e49bae79f15173ce97354'] = 'Sparen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9ea67be453eaccf020697b4654fc021a'] = 'Speichern und Aufenthalt';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_57826496f2bb2a191458e4893e96e52e'] = 'Bewertungskriterien';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ef61fb324d729c341ea8ab9901e23566'] = 'Neue hinzufügen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2ec265696a51530949d345239069f0d4'] = 'Bewertungen wartet auf Genehmigung';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_655d20c1ca69519ca647684edbb2db35'] = 'Hoch';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Mittel';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Niedrig';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_eb7d6baeb8bbf339547da7e0d6c5e416'] = 'berichtet Bewertungen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2608831883bb20ab520b70b4350aa23a'] = 'genehmigt Bewertungen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_6f7351657f795bc1357a53142b1184cc'] = 'Genehmigen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ecf74aa77715220b378ec668e75655a8'] = 'nicht missbräuchlich';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f8a0aa69f5ce41287f02c2d182306f52'] = 'Titel der Bewertung';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_457dd55184faedb7885afd4009d70163'] = 'Überprüfung';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_dda9c06f33071c9b6fc237ee164109d8'] = 'Wertung';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a517747c3d12f99244ae598910d979c5'] = 'Autor';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_deb10517653c255364175796ace3553f'] = 'Produkt';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_0f46dacf1a6ecab8ce1cb97250bb8113'] = 'Zeitpunkt der Veröffentlichung';
$_MODULE['<{leofeature}prestashop>mywishlist_9ae79c1fccd231ac7fbbf3235dbf6326'] = 'Meine Wunschliste';
$_MODULE['<{leofeature}prestashop>mywishlist_b30545c7b2d429352b9afdd85be810c7'] = 'Sie müssen einen Namen angeben.';
$_MODULE['<{leofeature}prestashop>mywishlist_b74c118d823d908d653cfbf1c877ae55'] = 'Dieser Name wird bereits von einer anderen Liste verwendet.';
$_MODULE['<{leofeature}prestashop>mywishlist_77e6836ee64655f6935e1da9306a625a'] = 'Dieser Name ist falsch';
$_MODULE['<{leofeature}prestashop>mywishlist_4ef14234be73618adfa950e7b267885f'] = 'Die neue Wunschliste wurde erstellt';
$_MODULE['<{leofeature}prestashop>mywishlist_7098d49878bbd102b13038a748125e27'] = 'Können diese Wunschliste löschen';
$_MODULE['<{leofeature}prestashop>mywishlist_a10bc9133481a565859f49ed7a57c9cd'] = 'Können diese Wunschliste aktualisieren';
$_MODULE['<{leofeature}prestashop>mywishlist_9aee3a4d72fa9025200d409f68236a0d'] = 'Kann nicht das Produkt (en) diese Wunschliste zeigen';
$_MODULE['<{leofeature}prestashop>mywishlist_90d8a44a1fba13198035d86caeeb2d4d'] = 'ungültige Wunschliste';
$_MODULE['<{leofeature}prestashop>mywishlist_072df51ea0cb142b770d6209dab5a85b'] = 'Wunschliste Sendefehler';
$_MODULE['<{leofeature}prestashop>mywishlist_a902b4022653cd6f6d874bf596c811b8'] = 'ungültige Kunden';
$_MODULE['<{leofeature}prestashop>mywishlist_5d3d684c0bb4d7b423c3fbf1c65cb29d'] = 'Kann nicht löschen';
$_MODULE['<{leofeature}prestashop>mywishlist_601adec967f7fa4d685f4aa150f53a71'] = 'Kann nicht aktualisiert werden';
$_MODULE['<{leofeature}prestashop>mywishlist_3c924eebbd7c3447336bbec3b325d3da'] = 'Fehler beim Produkt in einer anderen Liste zu bewegen';
$_MODULE['<{leofeature}prestashop>mywishlist_16a23698e7cf5188ce1c07df74298076'] = 'Sie müssen angemeldet sein, um deine Wunschliste zu verwalten.';
$_MODULE['<{leofeature}prestashop>mywishlist_4840f4437f55e68a587d358090b948d1'] = 'Meine Wunschliste';
$_MODULE['<{leofeature}prestashop>mywishlist_ca16af511d65ccd849f522d92c3eba4e'] = 'Meine Wunschliste';
$_MODULE['<{leofeature}prestashop>mywishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Mein Konto';
$_MODULE['<{leofeature}prestashop>productscompare_7af832e9c71671de0323487c86b6b702'] = 'Produkte Vergleich';
$_MODULE['<{leofeature}prestashop>productscompare_4f8370b7608003c3e56ec5bd7c2f1012'] = 'Produkte-Vergleich';
$_MODULE['<{leofeature}prestashop>viewwishlist_14c6e05c31e4622404eaea7ac78465e4'] = 'Ansicht Wunschliste';
$_MODULE['<{leofeature}prestashop>viewwishlist_444f180cde4e7682f345185ad2c10244'] = 'Ansicht-Wunschliste';
$_MODULE['<{leofeature}prestashop>viewwishlist_a77885e16b298d1c01b6b5bc194a6847'] = 'Ansicht Wunschliste';
$_MODULE['<{leofeature}prestashop>viewwishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Mein Konto';
$_MODULE['<{leofeature}prestashop>viewwishlist_4840f4437f55e68a587d358090b948d1'] = 'Meine Wunschliste';
$_MODULE['<{leofeature}prestashop>panel_af247d7a41136c6f8b262cf0ee3ef860'] = 'Korrektes Modul';
$_MODULE['<{leofeature}prestashop>panel_44c11c4bb3a89d6d82d83a1f8a2fbd86'] = 'Bitte sichern Sie die Datenbank vor dem Laufe richtigen Modul zum sicheren';
$_MODULE['<{leofeature}prestashop>panel_302f3227b2362aee931d0ba98eff05e0'] = 'Leo Eigenschaft Globale Config';
$_MODULE['<{leofeature}prestashop>panel_3f93bd3e4ab678691180510321ea27db'] = 'ajax Wagen';
$_MODULE['<{leofeature}prestashop>panel_ec7f6af74676fcb5bd145de6eb008c91'] = 'Produktbewertung';
$_MODULE['<{leofeature}prestashop>panel_bbf186cafb55d9329c02818174b17ef8'] = 'Produktvergleich';
$_MODULE['<{leofeature}prestashop>panel_db872ea537236c60874d5b0e859fe4b5'] = 'Produkt-Wunschliste';
$_MODULE['<{leofeature}prestashop>form_b9aefa40a54680bb258f9f9569290fae'] = 'Produktname';
$_MODULE['<{leofeature}prestashop>drop_down_694e8d1f2ee056f98ee488bdc4982d73'] = 'Anzahl';
$_MODULE['<{leofeature}prestashop>drop_down_2e65a5e30c454ceb77be9bb48e8343f1'] = 'Aus dem Warenkorb entfernen';
$_MODULE['<{leofeature}prestashop>drop_down_59fc69e031ecb0f82efe467fd6692383'] = 'Einkaufswagen Zur';
$_MODULE['<{leofeature}prestashop>drop_down_51f377b830737ebc60c6e4293760f455'] = 'Auschecken';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_06c335f27f292a096a9bf39e3a58e97b'] = 'neue Wunschliste';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_49ee3087348e8d44e1feda1917443987'] = 'Name';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_44f86a7579ab438609442b2596f29554'] = 'Geben Sie den Namen der neuen Wunschliste';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_c9cc8cce247e49bae79f15173ce97354'] = 'Sparen';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_694e8d1f2ee056f98ee488bdc4982d73'] = 'Anzahl';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_5e729042e30967c9d6f65c6eab73e2fe'] = 'gesehen';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0eceeb45861f9585dd7a97a3e36f85c6'] = 'Erstellt';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_45284ef16392f85ff424b2ef36ab5948'] = 'Direkte Verbindung';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_7a1920d61156abc05a60135aefe8bc67'] = 'Standard';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_f2a6c498fb90ee345d997f888fce3b18'] = 'Löschen';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_4351cfebe4b61d8aa5efa1d020710005'] = 'Aussicht';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_30820a1bf6a285e45cda2beda3d7738d'] = 'Senden Sie dieses Wunschliste';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0b3db27bc15f682e92ff250ebb167d4b'] = 'Zurück zu Ihrem Account';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_8cf04a9734132302f96da8e113e80ce5'] = 'Zuhause';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_710a9a7db8094cc96d716e9a8420bb98'] = 'Aus dieser Wunschliste';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_694e8d1f2ee056f98ee488bdc4982d73'] = 'Anzahl';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priorität';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_655d20c1ca69519ca647684edbb2db35'] = 'Hoch';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Mittel';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Niedrig';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_c9cc8cce247e49bae79f15173ce97354'] = 'Sparen';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_6bc362dbf494c61ea117fe3c71ca48a5'] = 'Bewegung';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_09dc02ecbb078868a3a86dded030076d'] = 'keine Produkte';
$_MODULE['<{leofeature}prestashop>leo_products_compare_7af832e9c71671de0323487c86b6b702'] = 'Produkte Vergleich';
$_MODULE['<{leofeature}prestashop>leo_products_compare_d6295c05503596b3ed3528aee83e3ef7'] = 'Eigenschaften:';
$_MODULE['<{leofeature}prestashop>leo_products_compare_201f644e542b0230551936ae7af3169e'] = 'Entfernen von Vergleichen';
$_MODULE['<{leofeature}prestashop>leo_products_compare_f5e15309ff0396474b8421ef48871d0b'] = 'Keine Features vergleichen';
$_MODULE['<{leofeature}prestashop>leo_products_compare_234a9674e80b9c04a685075ad3ea6950'] = 'Es gibt keine Produkte zum Vergleich ausgewählt.';
$_MODULE['<{leofeature}prestashop>leo_products_compare_c20905e8fdd34a1bf81984e597436134'] = 'Mit dem Einkaufen fortfahren';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_4351cfebe4b61d8aa5efa1d020710005'] = 'Aussicht';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_f2a6c498fb90ee345d997f888fce3b18'] = 'Löschen';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_641254d77e7a473aa5910574f3f9453c'] = 'Wunschliste';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_3fb0acb6862adac8e196b76660679d53'] = 'Anderer Wunsch von ';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priorität';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_655d20c1ca69519ca647684edbb2db35'] = 'Hoch';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Mittel';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Niedrig';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_09dc02ecbb078868a3a86dded030076d'] = 'keine Produkte';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_65c40cc17acd96eb901ed82b0363234f'] = 'Wunschliste ist nicht vorhanden';
$_MODULE['<{leofeature}prestashop>modal_61b5f801ab23a9ecf6f652dc12747be5'] = 'Sie müssen eine Menge eingeben';
$_MODULE['<{leofeature}prestashop>modal_1cf13f9c64a2b1977db63d01ab2a46a9'] = 'Die Mindestbestellmenge für das Produkt ';
$_MODULE['<{leofeature}prestashop>modal_a923575984949608ce04c4984806ec2a'] = 'Es gibt nicht genügend Produkte auf Lager';
$_MODULE['<{leofeature}prestashop>modal_review_c31732fda0c6f01c446db7163b214de4'] = 'Eine Rezension schreiben';
$_MODULE['<{leofeature}prestashop>modal_review_b78a3223503896721cca1303f776159b'] = 'Titel';
$_MODULE['<{leofeature}prestashop>modal_review_0be8406951cdfda82f00f79328cf4efc'] = 'Kommentar';
$_MODULE['<{leofeature}prestashop>modal_review_221e705c06e231636fdbccfdd14f4d5c'] = 'Dein Name';
$_MODULE['<{leofeature}prestashop>modal_review_70397c4b252a5168c5ec003931cea215'] = 'Benötigte Felder';
$_MODULE['<{leofeature}prestashop>modal_review_d3d2e617335f08df83599665eef8a418'] = 'Schließen';
$_MODULE['<{leofeature}prestashop>modal_review_a4d3b161ce1309df1c4e25df28694b7b'] = 'einreichen';
$_MODULE['<{leofeature}prestashop>notification_1222b0022fb0d33d952c37cfe42266cd'] = 'Das Produkt wurde in Ihren Warenkorb aktualisiert';
$_MODULE['<{leofeature}prestashop>notification_114d0e1aa16fe8baa087238c6d07693a'] = 'Das Produkt wurde aus dem Warenkorb entfernt';
$_MODULE['<{leofeature}prestashop>notification_544c3bd0eac526113a9c66542be1e5bc'] = 'Artikel haben erfolgreich in Ihren Warenkorb gelegt';
$_MODULE['<{leofeature}prestashop>notification_63c63a0602a4b74e919059a8cc9ea8af'] = 'Fehler beim Aktualisieren';
$_MODULE['<{leofeature}prestashop>notification_4e0ac45de6bd848503ffa98ff6247f2f'] = 'Fehler beim Löschen';
$_MODULE['<{leofeature}prestashop>notification_1929e96729ba794c08e056afec1c40e9'] = 'Fehler beim Hinzufügen. Bitte gehen Sie auf Produktdetailseite und versuchen Sie es erneut';
$_MODULE['<{leofeature}prestashop>notification_04325f5c10c9818bc464d660daa2b030'] = 'Die Mindestbestellmenge für das Produkt';
$_MODULE['<{leofeature}prestashop>notification_a923575984949608ce04c4984806ec2a'] = 'Es gibt nicht genügend Produkte auf Lager';
$_MODULE['<{leofeature}prestashop>notification_61b5f801ab23a9ecf6f652dc12747be5'] = 'Sie müssen eine Menge eingeben';
$_MODULE['<{leofeature}prestashop>leo_cart_button_2d0f6b8300be19cf35e89e66f0677f95'] = 'Karte';
$_MODULE['<{leofeature}prestashop>leo_compare_button_201f644e542b0230551936ae7af3169e'] = 'Entfernen von Vergleichen';
$_MODULE['<{leofeature}prestashop>leo_compare_button_7f5508c884f40e3378895c83d99cbbd3'] = 'Vergleichen';
$_MODULE['<{leofeature}prestashop>leo_list_product_review_d844ad9202d0de8442498775ba6ef819'] = 'Kommentar (e)';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_34e80a799d144cfe4af46815e103f017'] = 'Bewertungen';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_b1897515d548a960afe49ecf66a29021'] = 'Durchschnittlich';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_52a7b0de81cb2dbdecd49789a0afe059'] = 'Ansicht Bewertungen';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_dda9c06f33071c9b6fc237ee164109d8'] = 'Wertung';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_899139b5174d8d7a6e38a0360008a695'] = 'lesen Sie Testberichte';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_c31732fda0c6f01c446db7163b214de4'] = 'Eine Rezension schreiben';
$_MODULE['<{leofeature}prestashop>leo_product_tab_34e80a799d144cfe4af46815e103f017'] = 'Bewertungen';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_4b3b9db8c9784468094acde0f8bf7071'] = 'Klasse';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_b5c82723bd85856358f9a376bc613998'] = '%1$d aus %2$d leute fanden diese Bewertung nützlich.';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_dde78e104216913430ad577ec142f204'] = 'War diese Rezension hilfreich für Sie?';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_93cba07454f06a4a960172bbd6e2a435'] = 'Ja';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_bafd7322c6e97d25b6299b5d6fe8920b'] = 'Nein';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_28b3b1e564a00f572c5d4e21da986d49'] = 'Missbrauch melden';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_c31732fda0c6f01c446db7163b214de4'] = 'Eine Rezension schreiben';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_f444678e4f3575d59b32a858630741fd'] = 'Sei der Erste, einen Beitrag schreiben!';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_08c7d6f84301ee7d0aab0a5f67edc419'] = 'Keine Kundenbewertung für den Moment.';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_6a5373df703ab2827a4ba7facdfcf779'] = 'Wunschliste';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_d7e2d3dbf5daf266a0877428e0e1b8fb'] = 'Entfernen von Wunschliste';
$_MODULE['<{leofeature}prestashop>leo_wishlist_link_4840f4437f55e68a587d358090b948d1'] = 'Meine Wunschliste';

View File

@@ -0,0 +1,298 @@
<?php
global $_MODULE;
$_MODULE = array();
$_MODULE['<{leofeature}prestashop>leofeature_ab958c5dabadcbf3b020b083f8ff929f'] = 'Leo Feature';
$_MODULE['<{leofeature}prestashop>leofeature_6bf92ee4988e28d896685690b1fa5f35'] = 'Leo feature for prestashop 1.7: ajax cart, dropdown cart, fly cart, review, compare, wishlist at product list';
$_MODULE['<{leofeature}prestashop>leofeature_e60e6135ee33810573ed274fb9982ad1'] = 'Leo Feature Management';
$_MODULE['<{leofeature}prestashop>leofeature_7498c445a737312f3678aa1494e01a38'] = 'Dropdown';
$_MODULE['<{leofeature}prestashop>leofeature_f11bd493714fd89d3f6326d1a79435bf'] = 'Dropup';
$_MODULE['<{leofeature}prestashop>leofeature_76b9fa479019cd2837be9494861ea524'] = 'Slidebar Left';
$_MODULE['<{leofeature}prestashop>leofeature_58606efd87c419236084a2022baea608'] = 'Slidebar Right';
$_MODULE['<{leofeature}prestashop>leofeature_0cfc343a9362779441564f491e26fbda'] = 'Slidebar Top';
$_MODULE['<{leofeature}prestashop>leofeature_0a4a50a9c0527b7918669759fa3a43b0'] = 'Slidebar Bottom';
$_MODULE['<{leofeature}prestashop>leofeature_4457d440870ad6d42bab9082d9bf9b61'] = 'Fixed';
$_MODULE['<{leofeature}prestashop>leofeature_b51ca26c6c89cfc9bec338f7a0d3e0c8'] = 'Absolute';
$_MODULE['<{leofeature}prestashop>leofeature_adaaee4b22041c27198d410c68d952c9'] = 'Percent';
$_MODULE['<{leofeature}prestashop>leofeature_08822b3ae4e2aede0afe08abe600e9c0'] = 'Pixel';
$_MODULE['<{leofeature}prestashop>leofeature_a4ffdcf0dc1f31b9acaf295d75b51d00'] = 'Top';
$_MODULE['<{leofeature}prestashop>leofeature_2ad9d63b69c4a10a5cc9cad923133bc4'] = 'Bottom';
$_MODULE['<{leofeature}prestashop>leofeature_945d5e233cf7d6240f6b783b36a374ff'] = 'Left';
$_MODULE['<{leofeature}prestashop>leofeature_92b09c7c48c520c3c55e497875da437c'] = 'Right';
$_MODULE['<{leofeature}prestashop>leofeature_6adf97f83acf6453d4a6a4b1070f3754'] = 'None';
$_MODULE['<{leofeature}prestashop>leofeature_04e0385c10aefee8e4681617d2f3ef40'] = 'Fade';
$_MODULE['<{leofeature}prestashop>leofeature_968818e489bac02c58d8b0e5a348a229'] = 'Shake';
$_MODULE['<{leofeature}prestashop>leofeature_a8d0c913d1d79fe67f2a58b1a759dc82'] = 'Show Button Cart At Product List';
$_MODULE['<{leofeature}prestashop>leofeature_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Enabled';
$_MODULE['<{leofeature}prestashop>leofeature_b9f5c797ebbf55adccdd8539a65a0241'] = 'Disabled';
$_MODULE['<{leofeature}prestashop>leofeature_61aaf7c8a6b05985566c9d2c650c9333'] = 'Show Select Attribute';
$_MODULE['<{leofeature}prestashop>leofeature_f6d00129240d2dcfea0f583a09cc1c12'] = 'Show Input Quantity';
$_MODULE['<{leofeature}prestashop>leofeature_ed5d0637392bb5b5ca5e2b1f84b0d811'] = 'Enable Flycart Effect';
$_MODULE['<{leofeature}prestashop>leofeature_f4428c5ee72358148375a5133a09a4f2'] = 'Enable Notification';
$_MODULE['<{leofeature}prestashop>leofeature_74912e66e046819c0abc2f875d011029'] = 'Show notification when add cart successful';
$_MODULE['<{leofeature}prestashop>leofeature_6a1cc91d2ee540430399d1789025babf'] = 'Show Popup After Add Cart';
$_MODULE['<{leofeature}prestashop>leofeature_1899b6edecb8416410321f6b06405830'] = 'Default is ON. You can turn OFF and turn ON \"Notification\" instead';
$_MODULE['<{leofeature}prestashop>leofeature_95a2abcb1ad563eab999a9d48d8269a1'] = 'Show Dropdown Cart (Default Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_355c2ea48020748a34cc9b51e93a0059'] = 'Type Dropdown Cart (Default Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_a250470863e5f137ef7ea7582e675199'] = 'Show Dropdown Cart (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_19074636b4a15edd812970a50e043062'] = 'Type Dropdown Cart (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_90ff8c3bfa243f5c7866bc9319786a5b'] = 'Type Effect (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_764e759ba72e74c933eb1ba59acc9583'] = 'Only when \"Flycart Effect\" ON';
$_MODULE['<{leofeature}prestashop>leofeature_ab9f7fa39bf8caa7a35e758a9618c9b4'] = 'Type Position (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_04489daf1e045d7c0abdc122e05277e9'] = 'Position By Vertical (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_27c94021d6dfcf1815af5d00079ed5ed'] = 'Select type of distance between \"Fly cart\" and the top edge or the bottom edge of window (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_04cf48f2938d2f697e7726cc8e4af116'] = 'Position By Vertical Value (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_d7bd437e1369a9384728c0f2930a7be8'] = 'Must has value from 0 to 100 with the unit type below is percent';
$_MODULE['<{leofeature}prestashop>leofeature_38b56b23a3de125a4578add14f9acfb9'] = 'Position By Vertical Unit (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_63cce7c94297356e15a81fa6a6183472'] = 'Position By Horizontal (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_4d2587faf1c1986dd485c3cf57a01514'] = 'Select type of distance between \"Fly cart\" and the left edge or the right edge of window (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_330f2d6aff1b2e7c85af79c7b24f4c9e'] = 'Position By Horizontal Value (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_858381718a0020c0323a0841e250d7e1'] = 'Position By Horizontal Unit (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_d1c226dd77e24b1cc898d5ac6825c705'] = 'Enable Overlay Background (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_c3208f5c1a4c395da4233c14006edd14'] = 'Only for \"Slidebar\" type. Turn OFF to allow \"Add to cart\" for Slidebar';
$_MODULE['<{leofeature}prestashop>leofeature_11ed36d421f3f4a7e5ffe3da74a84688'] = 'Enable Update Quantity (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_3c0c053e3282a7f80355a3acb57271ec'] = 'Enable Button Up/Down (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_4394ab109164d8a0d1efde196f3aeb22'] = 'Only when turn ON update quantity';
$_MODULE['<{leofeature}prestashop>leofeature_def10fe75471f30ddb2602a547194ed0'] = 'Show Product Combination (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_3a6f7920e6373f479bc59d2826ce045e'] = 'Show Product Customization (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_5a5b64f5ff86ab8ccc4ec985efeca1a7'] = 'Width Of Cart Item (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_fa3b06e55eb4ed1e99836e2f6332f4f9'] = 'Height Of Cart Item (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_fb39004686b1c10a3e5eb63a7f95c19d'] = 'Number Cart Item To Display (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_7004f6ef7ffd79001e36fa193d86abb9'] = 'Ony for \"Dropup/Dropdown\" type. When the total of cart item is greater this config, the scrollbar will be displayed';
$_MODULE['<{leofeature}prestashop>leofeature_dbc9efd02f9f843af156ec542b95271e'] = 'Width (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_0626e28d5f82bc79c31dff5d1276dec1'] = 'Must has value from 0 to 100 with the unit width below is percent';
$_MODULE['<{leofeature}prestashop>leofeature_f1ecb732cf0edb3925f68452708ea003'] = 'Width Unit (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_dad183c86365a98a08e617bcbda8b6bf'] = 'Position By Vertical (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_82ae0a80b6a2e2cdaf346daccc4db4ea'] = 'Select type of distance between \"Notification\" and the top edge or the bottom edge of window (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_dafe26043ab10325d4bd1dd9003aca7a'] = 'Position By Vertical Value (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_09044a82ba586d14bf4d7813bd853cba'] = 'Position By Vertical Unit (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_aeb7fec4a02f5c824a53919f1c1c148c'] = 'Position By Horizontal (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_700bdbd09461c73f1140755c7be7f146'] = 'Position By Horizontal Value (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_b20178e5217f724ed944916506520667'] = 'Position By Horizontal Unit (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_c9cc8cce247e49bae79f15173ce97354'] = 'Save';
$_MODULE['<{leofeature}prestashop>leofeature_d99da061f9d26b35c01d44b3e65490dc'] = 'Enable product reviews';
$_MODULE['<{leofeature}prestashop>leofeature_a25526a1f2a163618a5cd9d2d35daa84'] = 'Show product reviews at list product';
$_MODULE['<{leofeature}prestashop>leofeature_0da91026404d3b07dfbc7d8511011a72'] = 'Show number product reviews at list product';
$_MODULE['<{leofeature}prestashop>leofeature_b87baaf985f1b46c51ee6d8e6b1c446a'] = 'Show zero product reviews at list product';
$_MODULE['<{leofeature}prestashop>leofeature_cf2fcb22e6342dea54b0cc34bb521752'] = 'All reviews must be validated by an employee';
$_MODULE['<{leofeature}prestashop>leofeature_3d028644c30ee457da7838578b1ea44e'] = 'Allow usefull button';
$_MODULE['<{leofeature}prestashop>leofeature_e4894be52ea3506144018020eb795736'] = 'Allow report button';
$_MODULE['<{leofeature}prestashop>leofeature_4e26bb46aa3f40913ee95cfb1d6c82f9'] = 'Allow guest reviews';
$_MODULE['<{leofeature}prestashop>leofeature_9dc1140983196141368ceda7565128a8'] = 'Minimum time between 2 reviews from the same user';
$_MODULE['<{leofeature}prestashop>leofeature_f331ddd467099246f8c879b33e44346b'] = 'second(s)';
$_MODULE['<{leofeature}prestashop>leofeature_ee7273842616e7880648d668f01c99fb'] = 'Enable product compare';
$_MODULE['<{leofeature}prestashop>leofeature_ca4fa3ce52694f750f63086120ea671f'] = 'Show product compare at list product';
$_MODULE['<{leofeature}prestashop>leofeature_b9430191b5de82688380961d92a211ea'] = 'Show product compare at product page';
$_MODULE['<{leofeature}prestashop>leofeature_cc9e4e12af1eceecf60527c80ceed331'] = 'Number product comparison ';
$_MODULE['<{leofeature}prestashop>leofeature_dbd6459b099286fe756dced2f6f5d138'] = 'Enable product wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_b9ce07d8233546cec066b0a2832a3313'] = 'Show product wishlist at list product';
$_MODULE['<{leofeature}prestashop>leofeature_1412c7fb2f326c4a9c1d2f3ddae31891'] = 'Show product wishlist at product page';
$_MODULE['<{leofeature}prestashop>leofeature_004d07daeae1f4fc0a8e47c49a8ac563'] = 'An error occurred while processing your request. Please try again';
$_MODULE['<{leofeature}prestashop>leofeature_f0768ac3a3cd0d2bec1b2cdabd84f51f'] = 'Cancel Rating';
$_MODULE['<{leofeature}prestashop>leofeature_59c533b287338f11f4cdca5a4b71df47'] = 'The product has been added to list compare';
$_MODULE['<{leofeature}prestashop>leofeature_98b612d068fbdaa76e73a049156eb861'] = 'View list compare';
$_MODULE['<{leofeature}prestashop>leofeature_fdf96b7e3bfda00d1188bab3e57b0216'] = 'The product was successfully removed from list compare';
$_MODULE['<{leofeature}prestashop>leofeature_29d5e70580d877d6e5b83f8957c62753'] = 'An error occurred while adding. Please try again';
$_MODULE['<{leofeature}prestashop>leofeature_262422a76d4d0cc79603a4b3a4997476'] = 'An error occurred while removing. Please try again';
$_MODULE['<{leofeature}prestashop>leofeature_7f5508c884f40e3378895c83d99cbbd3'] = 'Add to Compare';
$_MODULE['<{leofeature}prestashop>leofeature_201f644e542b0230551936ae7af3169e'] = 'Remove from Compare';
$_MODULE['<{leofeature}prestashop>leofeature_096cbcc12b9255bd4050af021d493ae1'] = 'The product was successfully added to your wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_366b534e538a2cd839e0044f0dcc9037'] = 'View your wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_758a20dcb47ba17c30e007a8f92349e2'] = 'The product was successfully removed from your wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_6a5373df703ab2827a4ba7facdfcf779'] = 'Add to Wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_5db81b03fbed784f36ad9502aad70e95'] = 'Remove from WishList';
$_MODULE['<{leofeature}prestashop>leofeature_019b05578911596956b81b9a90ea36e7'] = 'You must be logged in to manage your wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_ea4788705e6873b424c65e91c2846b19'] = 'Cancel';
$_MODULE['<{leofeature}prestashop>leofeature_a60852f204ed8028c1c58808b746d115'] = 'Ok';
$_MODULE['<{leofeature}prestashop>leofeature_94966d90747b97d1f0f206c98a8b1ac3'] = 'Send';
$_MODULE['<{leofeature}prestashop>leofeature_526d688f37a86d3c3f27d0c5016eb71d'] = 'Reset';
$_MODULE['<{leofeature}prestashop>leofeature_8a965890cf0d6d58c5174a2309095c19'] = 'Send wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_ce8ae9da5b7cd6c3df2929543a9af92d'] = 'Email';
$_MODULE['<{leofeature}prestashop>leofeature_1412292b09d3cd39f32549afb1f5f102'] = 'Delete selected item?';
$_MODULE['<{leofeature}prestashop>leofeature_6caf5bb14ae65101ea712a309b48e8a1'] = 'Cannot delete default wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_61b5f801ab23a9ecf6f652dc12747be5'] = 'You must enter a quantity';
$_MODULE['<{leofeature}prestashop>leofeature_d848b57ab6ab8b6ff5997373b38fcdf0'] = 'Not exists a criterion to review for this product or this language';
$_MODULE['<{leofeature}prestashop>leofeature_aafeca601facaa973f2fae7533159182'] = 'Correct Module is successful';
$_MODULE['<{leofeature}prestashop>leofeature_92a91a1abd2ab891ad47073cf2759ae4'] = '\"Number product comparison\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_68244a8ad554402d0da92c7c0e183245'] = '\"Minimum time between 2 reviews from the same user\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_ed1aadd93871c8183fd51bada53b9faa'] = '\"Position By Vertical Value (Fly Cart)\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_f493b87f71f88239d33b66167fa88137'] = '\"Position By Vertical Value (Fly Cart)\" is invalid. Must an integer validity (unsigned). Must has value from 0 to 100 with the unit type is percent';
$_MODULE['<{leofeature}prestashop>leofeature_c13bf293921283ea99cdce12d0a93970'] = '\"Position By Horizontal Value (Fly Cart)\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_3b4b9f3b9061a6857d70f36143c9f223'] = '\"Position By Horizontal Value (Fly Cart)\" is invalid. Must an integer validity (unsigned). Must has value from 0 to 100 with the unit type is percent';
$_MODULE['<{leofeature}prestashop>leofeature_1dd5613fc6b902c5552348b00cee0ed7'] = '\"Width Of Cart Item (All Cart)\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_ddf4809c8588348158d64672fbd9cd33'] = '\"Height Of Cart Item (All Cart)\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_ecb836eddf0396d96e332108d9cad3da'] = '\"Number Cart Item To Display (All Cart)\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_c083170aff5792f88b22cf3152954130'] = '\"Width (Notification)\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_9c063161ccd9a286a0bd1cc6f8f1d503'] = '\"Width (Notification)\" is invalid. Must an integer validity (unsigned). Must has value from 0 to 100 with the unit width is percent';
$_MODULE['<{leofeature}prestashop>leofeature_a87ef72e6b4f6babb9dbee396c3b596a'] = '\"Position By Vertical Value (Notification)\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_f60b7707ef028e49a6e905fc3f8501bd'] = '\"Position By Vertical Value (Notification)\" is invalid. Must an integer validity (unsigned). Must has value from 0 to 100 with the unit type is percent';
$_MODULE['<{leofeature}prestashop>leofeature_378364d7bf0b82e84a7066e3777ea6e0'] = '\"Position By Horizontal Value (Notification)\" is invalid. Must an integer validity (unsigned).';
$_MODULE['<{leofeature}prestashop>leofeature_6b1eaf3ca9c6ab029498d0a77556f437'] = '\"Position By Horizontal Value (Notification)\" is invalid. Must an integer validity (unsigned). Must has value from 0 to 100 with the unit type is percent';
$_MODULE['<{leofeature}prestashop>psajax_review_da3e413ae5dde1a6b986203857fb1a59'] = 'Product ID is incorrect';
$_MODULE['<{leofeature}prestashop>psajax_review_7b0bf23ae4079e07a3a4cb4d07e2caef'] = 'Title is incorrect';
$_MODULE['<{leofeature}prestashop>psajax_review_ddbd56de5feb78ef1aaf60401f8c472b'] = 'Comment is incorrect';
$_MODULE['<{leofeature}prestashop>psajax_review_1b1030b6294e9096a7d7c40d83d61872'] = 'Customer name is incorrect';
$_MODULE['<{leofeature}prestashop>psajax_review_ba0ba469e1c4ba0bea43b77c5c00f9f1'] = 'You must be connected in order to send a review';
$_MODULE['<{leofeature}prestashop>psajax_review_a201fbadca94d310a1b62407cdc775d5'] = 'You must give a rating';
$_MODULE['<{leofeature}prestashop>psajax_review_dfbe69c6d9568ecb0e65e7b32ed92a3a'] = 'Product not found';
$_MODULE['<{leofeature}prestashop>psajax_review_6d10b2f471e8894d59ae18e01537ece5'] = 'Please wait before posting another comment';
$_MODULE['<{leofeature}prestashop>psajax_review_498b760d1963039e2fdf4c940f12e3d8'] = 'seconds before posting a new review';
$_MODULE['<{leofeature}prestashop>psajax_review_8a8bc2f7809ee4f789b25182a8cd6417'] = 'Your comment has been added. Thank you!';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3b206d196cd6be3a2764c1fb90b200f'] = 'Delete selected';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_e25f0ecd41211b01c83e5fec41df4fe7'] = 'Delete selected items?';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b718adec73e04ce3ec720dd11a06a308'] = 'ID';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_49ee3087348e8d44e1feda1917443987'] = 'Name';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a1fa27779242b4902f7ae3bdd5c6d508'] = 'Type';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ec53a8c4f07baed5d8825072c89799be'] = 'Status';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a09ed6c60eb3213939cecb4c580813cd'] = 'Valid for the entire catalog';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_467366059d7d7c743a4d0971363a8d66'] = 'Restricted to some categories';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_772911becd336c843ab09a1d4b4f66c0'] = 'Restricted to some products';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f3d8e91894baa7ee67e0649abcc092ff'] = 'Criterion will be restricted to the following categories';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3dc571a8be516766c8124a636290fd9'] = 'Mark the boxes of categories to which this criterion applies.';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_91b442d385b54e1418d81adc34871053'] = 'Selected';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b56c3bda503a8dc4be356edb0cc31793'] = 'Collapse All';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5ffd7a335dd836b3373f5ec570a58bdc'] = 'Expand All';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5e9df908eafa83cb51c0a3720e8348c7'] = 'Check All';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9747d23c8cc358c5ef78c51e59cd6817'] = 'Uncheck All';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_38fc05fb7f02497ea56b77fe085ffc78'] = 'Add new criterion';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_92a497b6a43b59cce82c604a4c834bb0'] = 'Criterion name';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_bbda28827cde1064b0320cbf6b1890a2'] = 'Application scope of the criterion';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_20089c27bf83463fe32e7d30ed9d8f81'] = 'The criterion will be restricted to the following products';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_4d3d769b812b6faa6b76e1a8abaece2d'] = 'Active';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Enabled';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b9f5c797ebbf55adccdd8539a65a0241'] = 'Disabled';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_c9cc8cce247e49bae79f15173ce97354'] = 'Save';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9ea67be453eaccf020697b4654fc021a'] = 'Save and stay';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_57826496f2bb2a191458e4893e96e52e'] = 'Review Criteria';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2ec265696a51530949d345239069f0d4'] = 'Reviews waiting for approval';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_eb7d6baeb8bbf339547da7e0d6c5e416'] = 'Reported Reviews';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2608831883bb20ab520b70b4350aa23a'] = 'Approved Reviews';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_6f7351657f795bc1357a53142b1184cc'] = 'Approve';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ecf74aa77715220b378ec668e75655a8'] = 'Not abusive';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f8a0aa69f5ce41287f02c2d182306f52'] = 'Review title';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_457dd55184faedb7885afd4009d70163'] = 'Review';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_dda9c06f33071c9b6fc237ee164109d8'] = 'Rating';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a517747c3d12f99244ae598910d979c5'] = 'Author';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_deb10517653c255364175796ace3553f'] = 'Product';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_0f46dacf1a6ecab8ce1cb97250bb8113'] = 'Time of publication';
$_MODULE['<{leofeature}prestashop>mywishlist_326e8c565ebf3e286b9ffd5ff03f3a50'] = 'An error while processing. Please try again';
$_MODULE['<{leofeature}prestashop>mywishlist_9ae79c1fccd231ac7fbbf3235dbf6326'] = 'My wishlist';
$_MODULE['<{leofeature}prestashop>mywishlist_b30545c7b2d429352b9afdd85be810c7'] = 'You must specify a name.';
$_MODULE['<{leofeature}prestashop>mywishlist_b74c118d823d908d653cfbf1c877ae55'] = 'This name is already used by another list.';
$_MODULE['<{leofeature}prestashop>mywishlist_77e6836ee64655f6935e1da9306a625a'] = 'This name is is incorrect';
$_MODULE['<{leofeature}prestashop>mywishlist_4ef14234be73618adfa950e7b267885f'] = 'The new wishlist has been created';
$_MODULE['<{leofeature}prestashop>mywishlist_7098d49878bbd102b13038a748125e27'] = 'Cannot delete this wishlist';
$_MODULE['<{leofeature}prestashop>mywishlist_a10bc9133481a565859f49ed7a57c9cd'] = 'Cannot update this wishlist';
$_MODULE['<{leofeature}prestashop>mywishlist_9aee3a4d72fa9025200d409f68236a0d'] = 'Cannot show the product(s) of this wishlist';
$_MODULE['<{leofeature}prestashop>mywishlist_90d8a44a1fba13198035d86caeeb2d4d'] = 'Invalid wishlist';
$_MODULE['<{leofeature}prestashop>mywishlist_072df51ea0cb142b770d6209dab5a85b'] = 'Wishlist send error';
$_MODULE['<{leofeature}prestashop>mywishlist_a902b4022653cd6f6d874bf596c811b8'] = 'Invalid customer';
$_MODULE['<{leofeature}prestashop>mywishlist_5d3d684c0bb4d7b423c3fbf1c65cb29d'] = 'Cannot delete';
$_MODULE['<{leofeature}prestashop>mywishlist_601adec967f7fa4d685f4aa150f53a71'] = 'Cannot update';
$_MODULE['<{leofeature}prestashop>mywishlist_3c924eebbd7c3447336bbec3b325d3da'] = 'Error while moving product to another list';
$_MODULE['<{leofeature}prestashop>mywishlist_16a23698e7cf5188ce1c07df74298076'] = 'You must be logged in to manage your wishlist.';
$_MODULE['<{leofeature}prestashop>mywishlist_4840f4437f55e68a587d358090b948d1'] = 'My Wishlist';
$_MODULE['<{leofeature}prestashop>mywishlist_ca16af511d65ccd849f522d92c3eba4e'] = 'my-wishlist';
$_MODULE['<{leofeature}prestashop>mywishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'My Account';
$_MODULE['<{leofeature}prestashop>productscompare_7af832e9c71671de0323487c86b6b702'] = 'Products Comparison';
$_MODULE['<{leofeature}prestashop>productscompare_4f8370b7608003c3e56ec5bd7c2f1012'] = 'products-comparison';
$_MODULE['<{leofeature}prestashop>viewwishlist_14c6e05c31e4622404eaea7ac78465e4'] = 'View Wishlist';
$_MODULE['<{leofeature}prestashop>viewwishlist_444f180cde4e7682f345185ad2c10244'] = 'view-wishlist';
$_MODULE['<{leofeature}prestashop>viewwishlist_a77885e16b298d1c01b6b5bc194a6847'] = 'view Wishlist';
$_MODULE['<{leofeature}prestashop>viewwishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'My Account';
$_MODULE['<{leofeature}prestashop>viewwishlist_4840f4437f55e68a587d358090b948d1'] = 'My Wishlist';
$_MODULE['<{leofeature}prestashop>panel_af247d7a41136c6f8b262cf0ee3ef860'] = 'Correct module';
$_MODULE['<{leofeature}prestashop>panel_44c11c4bb3a89d6d82d83a1f8a2fbd86'] = 'Please backup the database before run correct module to safe';
$_MODULE['<{leofeature}prestashop>panel_302f3227b2362aee931d0ba98eff05e0'] = 'Leo Feature Global Config';
$_MODULE['<{leofeature}prestashop>panel_3f93bd3e4ab678691180510321ea27db'] = 'Ajax Cart';
$_MODULE['<{leofeature}prestashop>panel_ec7f6af74676fcb5bd145de6eb008c91'] = 'Product Review';
$_MODULE['<{leofeature}prestashop>panel_bbf186cafb55d9329c02818174b17ef8'] = 'Product Compare';
$_MODULE['<{leofeature}prestashop>panel_db872ea537236c60874d5b0e859fe4b5'] = 'Product Wishlist';
$_MODULE['<{leofeature}prestashop>form_b9aefa40a54680bb258f9f9569290fae'] = 'Product Name';
$_MODULE['<{leofeature}prestashop>drop_down_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantity';
$_MODULE['<{leofeature}prestashop>drop_down_2e65a5e30c454ceb77be9bb48e8343f1'] = 'Remove from cart';
$_MODULE['<{leofeature}prestashop>drop_down_59fc69e031ecb0f82efe467fd6692383'] = 'View Cart';
$_MODULE['<{leofeature}prestashop>drop_down_51f377b830737ebc60c6e4293760f455'] = 'Check Out';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_06c335f27f292a096a9bf39e3a58e97b'] = 'New wishlist';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_49ee3087348e8d44e1feda1917443987'] = 'Name';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_44f86a7579ab438609442b2596f29554'] = 'Enter name of new wishlist';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_c9cc8cce247e49bae79f15173ce97354'] = 'Save';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantity';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_5e729042e30967c9d6f65c6eab73e2fe'] = 'Viewed';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0eceeb45861f9585dd7a97a3e36f85c6'] = 'Created';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_45284ef16392f85ff424b2ef36ab5948'] = 'Direct Link';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_7a1920d61156abc05a60135aefe8bc67'] = 'Default';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_f2a6c498fb90ee345d997f888fce3b18'] = 'Delete';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_4351cfebe4b61d8aa5efa1d020710005'] = 'View';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_30820a1bf6a285e45cda2beda3d7738d'] = 'Send this wishlist';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0b3db27bc15f682e92ff250ebb167d4b'] = 'Back to Your Account';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_8cf04a9734132302f96da8e113e80ce5'] = 'Home';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_710a9a7db8094cc96d716e9a8420bb98'] = 'Remove from this wishlist';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantity';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priority';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_655d20c1ca69519ca647684edbb2db35'] = 'High';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Medium';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Low';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_c9cc8cce247e49bae79f15173ce97354'] = 'Save';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_6bc362dbf494c61ea117fe3c71ca48a5'] = 'Move';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_09dc02ecbb078868a3a86dded030076d'] = 'No products';
$_MODULE['<{leofeature}prestashop>leo_products_compare_7af832e9c71671de0323487c86b6b702'] = 'Products Comparison';
$_MODULE['<{leofeature}prestashop>leo_products_compare_d6295c05503596b3ed3528aee83e3ef7'] = 'Features:';
$_MODULE['<{leofeature}prestashop>leo_products_compare_201f644e542b0230551936ae7af3169e'] = 'Remove from Compare';
$_MODULE['<{leofeature}prestashop>leo_products_compare_f5e15309ff0396474b8421ef48871d0b'] = 'No features to compare';
$_MODULE['<{leofeature}prestashop>leo_products_compare_234a9674e80b9c04a685075ad3ea6950'] = 'There are no products selected for comparison.';
$_MODULE['<{leofeature}prestashop>leo_products_compare_c20905e8fdd34a1bf81984e597436134'] = 'Continue Shopping';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_4351cfebe4b61d8aa5efa1d020710005'] = 'View';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_f2a6c498fb90ee345d997f888fce3b18'] = 'Delete';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_641254d77e7a473aa5910574f3f9453c'] = 'Wishlist';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_3fb0acb6862adac8e196b76660679d53'] = 'Other wishlists of ';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priority';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_655d20c1ca69519ca647684edbb2db35'] = 'High';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Medium';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Low';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_09dc02ecbb078868a3a86dded030076d'] = 'No products';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_65c40cc17acd96eb901ed82b0363234f'] = 'Wishlist does not exist';
$_MODULE['<{leofeature}prestashop>modal_61b5f801ab23a9ecf6f652dc12747be5'] = 'You must enter a quantity';
$_MODULE['<{leofeature}prestashop>modal_1cf13f9c64a2b1977db63d01ab2a46a9'] = 'The minimum purchase order quantity for the product is ';
$_MODULE['<{leofeature}prestashop>modal_a923575984949608ce04c4984806ec2a'] = 'There are not enough products in stock';
$_MODULE['<{leofeature}prestashop>modal_review_c31732fda0c6f01c446db7163b214de4'] = 'Write a review';
$_MODULE['<{leofeature}prestashop>modal_review_b78a3223503896721cca1303f776159b'] = 'Title';
$_MODULE['<{leofeature}prestashop>modal_review_0be8406951cdfda82f00f79328cf4efc'] = 'Comment';
$_MODULE['<{leofeature}prestashop>modal_review_221e705c06e231636fdbccfdd14f4d5c'] = 'Your name';
$_MODULE['<{leofeature}prestashop>modal_review_70397c4b252a5168c5ec003931cea215'] = 'Required fields';
$_MODULE['<{leofeature}prestashop>modal_review_d3d2e617335f08df83599665eef8a418'] = 'Close';
$_MODULE['<{leofeature}prestashop>modal_review_a4d3b161ce1309df1c4e25df28694b7b'] = 'Submit';
$_MODULE['<{leofeature}prestashop>notification_1222b0022fb0d33d952c37cfe42266cd'] = 'The product has been updated in your shopping cart';
$_MODULE['<{leofeature}prestashop>notification_114d0e1aa16fe8baa087238c6d07693a'] = 'The product has been removed from your shopping cart';
$_MODULE['<{leofeature}prestashop>notification_544c3bd0eac526113a9c66542be1e5bc'] = 'Product successfully added to your shopping cart';
$_MODULE['<{leofeature}prestashop>notification_63c63a0602a4b74e919059a8cc9ea8af'] = 'Error updating';
$_MODULE['<{leofeature}prestashop>notification_4e0ac45de6bd848503ffa98ff6247f2f'] = 'Error deleting';
$_MODULE['<{leofeature}prestashop>notification_1929e96729ba794c08e056afec1c40e9'] = 'Error adding. Please go to product detail page and try again';
$_MODULE['<{leofeature}prestashop>notification_04325f5c10c9818bc464d660daa2b030'] = 'The minimum purchase order quantity for the product is';
$_MODULE['<{leofeature}prestashop>notification_a923575984949608ce04c4984806ec2a'] = 'There are not enough products in stock';
$_MODULE['<{leofeature}prestashop>notification_61b5f801ab23a9ecf6f652dc12747be5'] = 'You must enter a quantity';
$_MODULE['<{leofeature}prestashop>price_attribute_4d8adffdc001189e0202c01ac529a3a9'] = 'Regular price';
$_MODULE['<{leofeature}prestashop>price_attribute_3601146c4e948c32b6424d2c0a7f0118'] = 'Price';
$_MODULE['<{leofeature}prestashop>leo_cart_button_2d0f6b8300be19cf35e89e66f0677f95'] = 'Add to cart';
$_MODULE['<{leofeature}prestashop>leo_compare_button_201f644e542b0230551936ae7af3169e'] = 'Remove from Compare';
$_MODULE['<{leofeature}prestashop>leo_compare_button_7f5508c884f40e3378895c83d99cbbd3'] = 'Add to Compare';
$_MODULE['<{leofeature}prestashop>leo_list_product_review_d844ad9202d0de8442498775ba6ef819'] = 'Review(s)';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_34e80a799d144cfe4af46815e103f017'] = 'Reviews';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_b1897515d548a960afe49ecf66a29021'] = 'Average';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_52a7b0de81cb2dbdecd49789a0afe059'] = 'View reviews';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_dda9c06f33071c9b6fc237ee164109d8'] = 'Rating';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_899139b5174d8d7a6e38a0360008a695'] = 'Read reviews';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_c31732fda0c6f01c446db7163b214de4'] = 'Write a review';
$_MODULE['<{leofeature}prestashop>leo_product_tab_34e80a799d144cfe4af46815e103f017'] = 'Reviews';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_4b3b9db8c9784468094acde0f8bf7071'] = 'Grade';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_b5c82723bd85856358f9a376bc613998'] = '%1$d out of %2$d people found this review useful.';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_dde78e104216913430ad577ec142f204'] = 'Was this review useful to you?';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_93cba07454f06a4a960172bbd6e2a435'] = 'Yes';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_bafd7322c6e97d25b6299b5d6fe8920b'] = 'No';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_28b3b1e564a00f572c5d4e21da986d49'] = 'Report abuse';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_c31732fda0c6f01c446db7163b214de4'] = 'Write a review';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_f444678e4f3575d59b32a858630741fd'] = 'Be the first to write your review!';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_08c7d6f84301ee7d0aab0a5f67edc419'] = 'No customer reviews for the moment.';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_6a5373df703ab2827a4ba7facdfcf779'] = 'Add to Wishlist';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_d7e2d3dbf5daf266a0877428e0e1b8fb'] = 'Remove from Wishlist';
$_MODULE['<{leofeature}prestashop>leo_wishlist_link_4840f4437f55e68a587d358090b948d1'] = 'My Wishlist';

View File

@@ -0,0 +1,298 @@
<?php
global $_MODULE;
$_MODULE = array();
$_MODULE['<{leofeature}prestashop>leofeature_ab958c5dabadcbf3b020b083f8ff929f'] = 'Característica Leo';
$_MODULE['<{leofeature}prestashop>leofeature_6bf92ee4988e28d896685690b1fa5f35'] = 'Leo función para PrestaShop 1.7: Ajax carrito, carro desplegable, mosca de la compra, revisar, comparar la lista de productos en la lista de deseos';
$_MODULE['<{leofeature}prestashop>leofeature_e60e6135ee33810573ed274fb9982ad1'] = 'Gestión de funciones Leo';
$_MODULE['<{leofeature}prestashop>leofeature_aafeca601facaa973f2fae7533159182'] = 'Módulo correcta es exitosa';
$_MODULE['<{leofeature}prestashop>leofeature_7498c445a737312f3678aa1494e01a38'] = 'Desplegable';
$_MODULE['<{leofeature}prestashop>leofeature_f11bd493714fd89d3f6326d1a79435bf'] = 'Dropup';
$_MODULE['<{leofeature}prestashop>leofeature_76b9fa479019cd2837be9494861ea524'] = 'barra de desplazamiento izquierda';
$_MODULE['<{leofeature}prestashop>leofeature_58606efd87c419236084a2022baea608'] = 'barra de desplazamiento derecha';
$_MODULE['<{leofeature}prestashop>leofeature_0cfc343a9362779441564f491e26fbda'] = 'Top barra de desplazamiento';
$_MODULE['<{leofeature}prestashop>leofeature_0a4a50a9c0527b7918669759fa3a43b0'] = 'Abajo barra de desplazamiento';
$_MODULE['<{leofeature}prestashop>leofeature_4457d440870ad6d42bab9082d9bf9b61'] = 'Fijo';
$_MODULE['<{leofeature}prestashop>leofeature_b51ca26c6c89cfc9bec338f7a0d3e0c8'] = 'Absoluto';
$_MODULE['<{leofeature}prestashop>leofeature_adaaee4b22041c27198d410c68d952c9'] = 'Por ciento';
$_MODULE['<{leofeature}prestashop>leofeature_08822b3ae4e2aede0afe08abe600e9c0'] = 'pixel';
$_MODULE['<{leofeature}prestashop>leofeature_a4ffdcf0dc1f31b9acaf295d75b51d00'] = 'Parte superior';
$_MODULE['<{leofeature}prestashop>leofeature_2ad9d63b69c4a10a5cc9cad923133bc4'] = 'Fondo';
$_MODULE['<{leofeature}prestashop>leofeature_945d5e233cf7d6240f6b783b36a374ff'] = 'Izquierda';
$_MODULE['<{leofeature}prestashop>leofeature_92b09c7c48c520c3c55e497875da437c'] = 'Derecha';
$_MODULE['<{leofeature}prestashop>leofeature_6adf97f83acf6453d4a6a4b1070f3754'] = 'Ninguna';
$_MODULE['<{leofeature}prestashop>leofeature_04e0385c10aefee8e4681617d2f3ef40'] = 'Descolorarse';
$_MODULE['<{leofeature}prestashop>leofeature_968818e489bac02c58d8b0e5a348a229'] = 'Sacudir';
$_MODULE['<{leofeature}prestashop>leofeature_a8d0c913d1d79fe67f2a58b1a759dc82'] = 'Mostrar el botón de la compra en lista de productos';
$_MODULE['<{leofeature}prestashop>leofeature_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Activado';
$_MODULE['<{leofeature}prestashop>leofeature_b9f5c797ebbf55adccdd8539a65a0241'] = 'Discapacitado';
$_MODULE['<{leofeature}prestashop>leofeature_61aaf7c8a6b05985566c9d2c650c9333'] = 'Mostrar Seleccionar atributo';
$_MODULE['<{leofeature}prestashop>leofeature_01ac026a761b0e3435b871540ff3dfcf'] = 'Etiqueta Actualización del producto Después Seleccionar atributo';
$_MODULE['<{leofeature}prestashop>leofeature_6d57e1e9eaa5a46936ba207b6645223d'] = 'Sólo para permitir que seleccione el atributo';
$_MODULE['<{leofeature}prestashop>leofeature_f6d00129240d2dcfea0f583a09cc1c12'] = 'Mostrar entrada Cantidad';
$_MODULE['<{leofeature}prestashop>leofeature_ed5d0637392bb5b5ca5e2b1f84b0d811'] = 'Habilitar Flycart Efecto';
$_MODULE['<{leofeature}prestashop>leofeature_f4428c5ee72358148375a5133a09a4f2'] = 'Habilitar la notificación';
$_MODULE['<{leofeature}prestashop>leofeature_74912e66e046819c0abc2f875d011029'] = 'Mostrar una notificación cuando complemento cesta con éxito';
$_MODULE['<{leofeature}prestashop>leofeature_6a1cc91d2ee540430399d1789025babf'] = 'Después de mostrar emergente Agregar la Cesta';
$_MODULE['<{leofeature}prestashop>leofeature_1899b6edecb8416410321f6b06405830'] = 'Por defecto es ON. Puede apagar y encender \"notificación\" en vez';
$_MODULE['<{leofeature}prestashop>leofeature_95a2abcb1ad563eab999a9d48d8269a1'] = 'Mostrar desplegable de la compra (por defecto de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_355c2ea48020748a34cc9b51e93a0059'] = 'Tipo desplegable de la compra (por defecto de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_9677c9b9ad26ac6ca4f2bd0580cd85cc'] = 'Habilitar efecto push (por defecto de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_f3cbdd924fed60f118cb06021c713a83'] = 'Sólo para el tipo \"barra de desplazamiento\"';
$_MODULE['<{leofeature}prestashop>leofeature_a250470863e5f137ef7ea7582e675199'] = 'Mostrar desplegable de la compra (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_19074636b4a15edd812970a50e043062'] = 'Desplegable Tipo Cesta (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_bef3aac57b74246067916ff1df59375b'] = 'Habilitar efecto push (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_90ff8c3bfa243f5c7866bc9319786a5b'] = 'Tipo de efecto (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_764e759ba72e74c933eb1ba59acc9583'] = 'Sólo cuando \"Flycart efecto\" en la';
$_MODULE['<{leofeature}prestashop>leofeature_ab9f7fa39bf8caa7a35e758a9618c9b4'] = 'Tipo de Posición (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_04489daf1e045d7c0abdc122e05277e9'] = 'Por Posición Vertical (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_27c94021d6dfcf1815af5d00079ed5ed'] = 'Selezionare il tipo di distanza tra \"Fly carrello\" e il bordo superiore o il bordo inferiore della finestra (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_04cf48f2938d2f697e7726cc8e4af116'] = 'Posición Vertical Por valor (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_d7bd437e1369a9384728c0f2930a7be8'] = 'Mosto ha valore da 0 a 100, con il tipo di unità è sotto cento';
$_MODULE['<{leofeature}prestashop>leofeature_38b56b23a3de125a4578add14f9acfb9'] = 'Posición Vertical Por Unidad (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_63cce7c94297356e15a81fa6a6183472'] = 'Por la posición horizontal (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_4d2587faf1c1986dd485c3cf57a01514'] = 'Selezionare il tipo di distanza tra \"Vola carrello\" e il bordo sinistro o il bordo destro della finestra (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_330f2d6aff1b2e7c85af79c7b24f4c9e'] = 'Por Posición Valor Horizontal (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_858381718a0020c0323a0841e250d7e1'] = 'Posición Horizontal Por Unidad (mosca de la compra)';
$_MODULE['<{leofeature}prestashop>leofeature_d1c226dd77e24b1cc898d5ac6825c705'] = 'Habilitar el fondo de la superposición (Todo el carrito)';
$_MODULE['<{leofeature}prestashop>leofeature_c3208f5c1a4c395da4233c14006edd14'] = 'Sólo para el tipo \"barra de desplazamiento\". APAGUE para permitir \"Añadir al carro\" para la barra de desplazamiento';
$_MODULE['<{leofeature}prestashop>leofeature_11ed36d421f3f4a7e5ffe3da74a84688'] = 'Habilitar Actualización € (todo cart)';
$_MODULE['<{leofeature}prestashop>leofeature_3c0c053e3282a7f80355a3acb57271ec'] = 'Habilitar el botón arriba / abajo (Todo el carrito)';
$_MODULE['<{leofeature}prestashop>leofeature_4394ab109164d8a0d1efde196f3aeb22'] = 'Sólo cuando se enciende la cantidad de actualización';
$_MODULE['<{leofeature}prestashop>leofeature_def10fe75471f30ddb2602a547194ed0'] = 'Combinación Demostración del producto (Todo el carrito)';
$_MODULE['<{leofeature}prestashop>leofeature_3a6f7920e6373f479bc59d2826ce045e'] = 'Mostrar personalización del producto (Todo el carrito)';
$_MODULE['<{leofeature}prestashop>leofeature_5a5b64f5ff86ab8ccc4ec985efeca1a7'] = 'Ancho de la compra de artículos (Todo Cesta)';
$_MODULE['<{leofeature}prestashop>leofeature_fa3b06e55eb4ed1e99836e2f6332f4f9'] = 'Altura de la compra de artículos (Todo Cesta)';
$_MODULE['<{leofeature}prestashop>leofeature_fb39004686b1c10a3e5eb63a7f95c19d'] = 'Número Cesta elemento para mostrar (Todo el carrito)';
$_MODULE['<{leofeature}prestashop>leofeature_7004f6ef7ffd79001e36fa193d86abb9'] = 'Ony para el tipo \"Dropup / desplegable\". Cuando el total de la compra de este artículo es mayor de configuración, se mostrará la barra de desplazamiento';
$_MODULE['<{leofeature}prestashop>leofeature_dbc9efd02f9f843af156ec542b95271e'] = 'Anchura (Notificación)';
$_MODULE['<{leofeature}prestashop>leofeature_dad183c86365a98a08e617bcbda8b6bf'] = 'Por Posición Vertical (Notificación)';
$_MODULE['<{leofeature}prestashop>leofeature_82ae0a80b6a2e2cdaf346daccc4db4ea'] = 'Selezionare il tipo di distanza tra \"Notifica\" e il bordo superiore o il bordo inferiore della finestra (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_dafe26043ab10325d4bd1dd9003aca7a'] = 'Posición Vertical Por valor (Notificación)';
$_MODULE['<{leofeature}prestashop>leofeature_09044a82ba586d14bf4d7813bd853cba'] = 'Posición Vertical Por Unidad (Notificación)';
$_MODULE['<{leofeature}prestashop>leofeature_aeb7fec4a02f5c824a53919f1c1c148c'] = 'Por la posición horizontal (Notificación)';
$_MODULE['<{leofeature}prestashop>leofeature_700bdbd09461c73f1140755c7be7f146'] = 'Por Posición Valor Horizontal (Notificación)';
$_MODULE['<{leofeature}prestashop>leofeature_b20178e5217f724ed944916506520667'] = 'Posición Horizontal Por Unidad (Notificación)';
$_MODULE['<{leofeature}prestashop>leofeature_c9cc8cce247e49bae79f15173ce97354'] = 'Salvar';
$_MODULE['<{leofeature}prestashop>leofeature_d99da061f9d26b35c01d44b3e65490dc'] = 'Habilitar comentario';
$_MODULE['<{leofeature}prestashop>leofeature_a25526a1f2a163618a5cd9d2d35daa84'] = 'Mostrar comentarios de productos en la lista de productos';
$_MODULE['<{leofeature}prestashop>leofeature_0da91026404d3b07dfbc7d8511011a72'] = 'Mostrar comentarios de productos número en la lista de productos';
$_MODULE['<{leofeature}prestashop>leofeature_b87baaf985f1b46c51ee6d8e6b1c446a'] = 'Mostrar cero comentario en la lista de productos';
$_MODULE['<{leofeature}prestashop>leofeature_cf2fcb22e6342dea54b0cc34bb521752'] = 'Todos los comentarios deben ser validados por un empleado';
$_MODULE['<{leofeature}prestashop>leofeature_3d028644c30ee457da7838578b1ea44e'] = 'Permitir botón muy útil';
$_MODULE['<{leofeature}prestashop>leofeature_e4894be52ea3506144018020eb795736'] = 'Permitir botón de informe';
$_MODULE['<{leofeature}prestashop>leofeature_4e26bb46aa3f40913ee95cfb1d6c82f9'] = 'Permitir comentarios de huéspedes';
$_MODULE['<{leofeature}prestashop>leofeature_9dc1140983196141368ceda7565128a8'] = 'Tiempo mínimo entre 2 comentarios del mismo usuario';
$_MODULE['<{leofeature}prestashop>leofeature_f331ddd467099246f8c879b33e44346b'] = 'segundos)';
$_MODULE['<{leofeature}prestashop>leofeature_ee7273842616e7880648d668f01c99fb'] = 'Activar producto comparar';
$_MODULE['<{leofeature}prestashop>leofeature_ca4fa3ce52694f750f63086120ea671f'] = 'Demostración del producto comparar al producto lista';
$_MODULE['<{leofeature}prestashop>leofeature_b9430191b5de82688380961d92a211ea'] = 'Demostración del producto comparar a la página del producto';
$_MODULE['<{leofeature}prestashop>leofeature_cc9e4e12af1eceecf60527c80ceed331'] = 'Comparación de productos Número ';
$_MODULE['<{leofeature}prestashop>leofeature_dbd6459b099286fe756dced2f6f5d138'] = 'Permitir a mi lista de preferencias';
$_MODULE['<{leofeature}prestashop>leofeature_b9ce07d8233546cec066b0a2832a3313'] = 'Mostrar lista de producto en producto lista';
$_MODULE['<{leofeature}prestashop>leofeature_1412c7fb2f326c4a9c1d2f3ddae31891'] = 'Mostrar lista de producto en la página del producto';
$_MODULE['<{leofeature}prestashop>leofeature_90723749917a82bf3ff8a73247d32ffb'] = 'No se puede agregar más de %d producto a la comparación de productos';
$_MODULE['<{leofeature}prestashop>leofeature_59c533b287338f11f4cdca5a4b71df47'] = 'El producto ha sido añadido a la lista de comparación';
$_MODULE['<{leofeature}prestashop>leofeature_98b612d068fbdaa76e73a049156eb861'] = 'Ver la lista de comparación';
$_MODULE['<{leofeature}prestashop>leofeature_fdf96b7e3bfda00d1188bab3e57b0216'] = 'El producto se ha eliminado correctamente de la lista de comparación';
$_MODULE['<{leofeature}prestashop>leofeature_7f5508c884f40e3378895c83d99cbbd3'] = 'Comparar';
$_MODULE['<{leofeature}prestashop>leofeature_201f644e542b0230551936ae7af3169e'] = 'Eliminar de comparación';
$_MODULE['<{leofeature}prestashop>leofeature_096cbcc12b9255bd4050af021d493ae1'] = 'El producto ha sido añadido a su lista de deseos';
$_MODULE['<{leofeature}prestashop>leofeature_366b534e538a2cd839e0044f0dcc9037'] = 'Ver su lista de deseos';
$_MODULE['<{leofeature}prestashop>leofeature_758a20dcb47ba17c30e007a8f92349e2'] = 'El producto se retiró con éxito de su Lista de deseos';
$_MODULE['<{leofeature}prestashop>leofeature_6a5373df703ab2827a4ba7facdfcf779'] = 'Lista de deseos';
$_MODULE['<{leofeature}prestashop>leofeature_5db81b03fbed784f36ad9502aad70e95'] = 'Sacar de la WishList';
$_MODULE['<{leofeature}prestashop>leofeature_019b05578911596956b81b9a90ea36e7'] = 'Tienes que iniciar sesión para poder gestionar su lista de deseos';
$_MODULE['<{leofeature}prestashop>leofeature_ea4788705e6873b424c65e91c2846b19'] = 'Cancelar';
$_MODULE['<{leofeature}prestashop>leofeature_a60852f204ed8028c1c58808b746d115'] = 'De acuerdo';
$_MODULE['<{leofeature}prestashop>leofeature_94966d90747b97d1f0f206c98a8b1ac3'] = 'Enviar';
$_MODULE['<{leofeature}prestashop>leofeature_526d688f37a86d3c3f27d0c5016eb71d'] = 'Reiniciar';
$_MODULE['<{leofeature}prestashop>leofeature_8a965890cf0d6d58c5174a2309095c19'] = 'Enviar lista de deseos';
$_MODULE['<{leofeature}prestashop>leofeature_ce8ae9da5b7cd6c3df2929543a9af92d'] = 'Email';
$_MODULE['<{leofeature}prestashop>leofeature_1412292b09d3cd39f32549afb1f5f102'] = 'Eliminar el elemento seleccionado?';
$_MODULE['<{leofeature}prestashop>leofeature_6caf5bb14ae65101ea712a309b48e8a1'] = 'No se puede eliminar por defecto deseos';
$_MODULE['<{leofeature}prestashop>leofeature_61b5f801ab23a9ecf6f652dc12747be5'] = 'Debe introducir una cantidad';
$_MODULE['<{leofeature}prestashop>leofeature_d848b57ab6ab8b6ff5997373b38fcdf0'] = 'No existe un criterio para opinar de este producto o este lenguaje';
$_MODULE['<{leofeature}prestashop>leofeature_92a91a1abd2ab891ad47073cf2759ae4'] = '\"Comparación de productos Número\" no es válido. Debe una validez entero (sin firmar).';
$_MODULE['<{leofeature}prestashop>leofeature_68244a8ad554402d0da92c7c0e183245'] = '\"Tiempo mínimo entre 2 opiniones de un mismo usuario\" no es válido. Debe una validez entero (sin firmar).';
$_MODULE['<{leofeature}prestashop>leofeature_ed1aadd93871c8183fd51bada53b9faa'] = '\"Posizione Per valore verticale (Fly Carrello)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_f493b87f71f88239d33b66167fa88137'] = '\"Posizione Per valore verticale (Fly Carrello)\" non è valido. Must una validità intero (non firmato). Mosto ha valore da 0 a 100, con il tipo di unità è cento';
$_MODULE['<{leofeature}prestashop>leofeature_c13bf293921283ea99cdce12d0a93970'] = '\"Posizione Per valore orizzontale (Fly Carrello)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_3b4b9f3b9061a6857d70f36143c9f223'] = '\"Posizione Per valore orizzontale (Fly Carrello)\" non è valido. Must una validità intero (non firmato). Mosto ha valore da 0 a 100, con il tipo di unità è cento';
$_MODULE['<{leofeature}prestashop>leofeature_1dd5613fc6b902c5552348b00cee0ed7'] = '\"Ancho de la compra de artículos (Todo Cesta)\" no es válido. Debe una validez entero (sin firmar).';
$_MODULE['<{leofeature}prestashop>leofeature_ddf4809c8588348158d64672fbd9cd33'] = '\"Altura de la compra de artículos (Todo Cesta)\" no es válido. Debe una validez entero (sin firmar).';
$_MODULE['<{leofeature}prestashop>leofeature_ecb836eddf0396d96e332108d9cad3da'] = '\"Número Cesta elemento para mostrar (Todo Cesta)\" no es válido. Debe una validez entero (sin firmar).';
$_MODULE['<{leofeature}prestashop>leofeature_c083170aff5792f88b22cf3152954130'] = '\"Ancho (notificación)\" no es válido. Debe una validez entero (sin firmar).';
$_MODULE['<{leofeature}prestashop>leofeature_a87ef72e6b4f6babb9dbee396c3b596a'] = '\"Posizione Di Verticale Valore (notifica)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_f60b7707ef028e49a6e905fc3f8501bd'] = '\"Posizione Di Verticale Valore (notifica)\" non è valido. Must una validità intero (non firmato). Mosto ha valore da 0 a 100, con il tipo di unità è cento';
$_MODULE['<{leofeature}prestashop>leofeature_378364d7bf0b82e84a7066e3777ea6e0'] = '\"Posizione Di orizzontale Value (notifica)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_6b1eaf3ca9c6ab029498d0a77556f437'] = '\"Posizione Di orizzontale Value (notifica)\" non è valido. Must una validità intero (non firmato). Mosto ha valore da 0 a 100, con il tipo di unità è cento';
$_MODULE['<{leofeature}prestashop>psajax_review_da3e413ae5dde1a6b986203857fb1a59'] = 'Identificación del producto es incorrecta';
$_MODULE['<{leofeature}prestashop>psajax_review_7b0bf23ae4079e07a3a4cb4d07e2caef'] = 'Título es incorrecta';
$_MODULE['<{leofeature}prestashop>psajax_review_ddbd56de5feb78ef1aaf60401f8c472b'] = 'Comentario es incorrecta';
$_MODULE['<{leofeature}prestashop>psajax_review_1b1030b6294e9096a7d7c40d83d61872'] = 'Nombre del cliente es incorrecta';
$_MODULE['<{leofeature}prestashop>psajax_review_ba0ba469e1c4ba0bea43b77c5c00f9f1'] = 'Debe estar conectado con el fin de enviar una opinión';
$_MODULE['<{leofeature}prestashop>psajax_review_a201fbadca94d310a1b62407cdc775d5'] = 'Debe dar una calificación';
$_MODULE['<{leofeature}prestashop>psajax_review_dfbe69c6d9568ecb0e65e7b32ed92a3a'] = 'Producto no encontrado';
$_MODULE['<{leofeature}prestashop>psajax_review_6d10b2f471e8894d59ae18e01537ece5'] = 'Por favor, espere antes de publicar otro comentario';
$_MODULE['<{leofeature}prestashop>psajax_review_498b760d1963039e2fdf4c940f12e3d8'] = 'segundos antes de la publicación de una nueva revisión';
$_MODULE['<{leofeature}prestashop>psajax_review_8a8bc2f7809ee4f789b25182a8cd6417'] = 'Su comentario ha sido agregado. ¡Gracias!';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3b206d196cd6be3a2764c1fb90b200f'] = 'Eliminar seleccionado';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_e25f0ecd41211b01c83e5fec41df4fe7'] = 'Eliminar los elementos seleccionados?';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b718adec73e04ce3ec720dd11a06a308'] = 'CARNÉ DE IDENTIDAD';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_49ee3087348e8d44e1feda1917443987'] = 'Nombre';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a1fa27779242b4902f7ae3bdd5c6d508'] = 'Tipo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ec53a8c4f07baed5d8825072c89799be'] = 'Estado';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a09ed6c60eb3213939cecb4c580813cd'] = 'Válido para todo el catálogo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_467366059d7d7c743a4d0971363a8d66'] = 'Restringido a algunas categorías';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_772911becd336c843ab09a1d4b4f66c0'] = 'Restringido a algunos productos';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f3d8e91894baa7ee67e0649abcc092ff'] = 'Criterio debe limitarse a las siguientes categorías';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3dc571a8be516766c8124a636290fd9'] = 'Marcar las cajas de categorías a los que se aplica este criterio.';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_91b442d385b54e1418d81adc34871053'] = 'Seleccionado';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b56c3bda503a8dc4be356edb0cc31793'] = 'Desplegar todo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5ffd7a335dd836b3373f5ec570a58bdc'] = 'Expandir todo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5e9df908eafa83cb51c0a3720e8348c7'] = 'Seleccionar Todos';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9747d23c8cc358c5ef78c51e59cd6817'] = 'Desmarcar todo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_38fc05fb7f02497ea56b77fe085ffc78'] = 'Añadir nuevo criterio';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_92a497b6a43b59cce82c604a4c834bb0'] = 'nombre del criterio';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_bbda28827cde1064b0320cbf6b1890a2'] = 'Ámbito de aplicación del criterio';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_20089c27bf83463fe32e7d30ed9d8f81'] = 'El criterio debe limitarse a los siguientes productos';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_4d3d769b812b6faa6b76e1a8abaece2d'] = 'Activo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Activado';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b9f5c797ebbf55adccdd8539a65a0241'] = 'Discapacitado';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_c9cc8cce247e49bae79f15173ce97354'] = 'Salvar';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9ea67be453eaccf020697b4654fc021a'] = 'Guardar y mantenerse';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_57826496f2bb2a191458e4893e96e52e'] = 'Criterios de revisión';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ef61fb324d729c341ea8ab9901e23566'] = 'Añadir nuevo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2ec265696a51530949d345239069f0d4'] = 'Los comentarios en espera de aprobación';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_655d20c1ca69519ca647684edbb2db35'] = 'Alto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Medio';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Bajo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_eb7d6baeb8bbf339547da7e0d6c5e416'] = 'Los comentarios reportados';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2608831883bb20ab520b70b4350aa23a'] = 'Los comentarios aprobados';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_6f7351657f795bc1357a53142b1184cc'] = 'Aprobar';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ecf74aa77715220b378ec668e75655a8'] = 'no abusiva';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f8a0aa69f5ce41287f02c2d182306f52'] = 'Título de Revisión';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_457dd55184faedb7885afd4009d70163'] = 'revisión';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_dda9c06f33071c9b6fc237ee164109d8'] = 'Clasificación';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a517747c3d12f99244ae598910d979c5'] = 'Autor';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_deb10517653c255364175796ace3553f'] = 'Producto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_0f46dacf1a6ecab8ce1cb97250bb8113'] = 'Momento de la publicación';
$_MODULE['<{leofeature}prestashop>mywishlist_9ae79c1fccd231ac7fbbf3235dbf6326'] = 'Mi lista de deseos';
$_MODULE['<{leofeature}prestashop>mywishlist_b30545c7b2d429352b9afdd85be810c7'] = 'Debe especificar un nombre.';
$_MODULE['<{leofeature}prestashop>mywishlist_b74c118d823d908d653cfbf1c877ae55'] = 'Este nombre ya está siendo utilizado por otra lista.';
$_MODULE['<{leofeature}prestashop>mywishlist_77e6836ee64655f6935e1da9306a625a'] = 'Este nombre es incorrecto';
$_MODULE['<{leofeature}prestashop>mywishlist_4ef14234be73618adfa950e7b267885f'] = 'La nueva lista ha sido creada';
$_MODULE['<{leofeature}prestashop>mywishlist_7098d49878bbd102b13038a748125e27'] = 'No se puede eliminar esta lista de deseos';
$_MODULE['<{leofeature}prestashop>mywishlist_a10bc9133481a565859f49ed7a57c9cd'] = 'No se puede actualizar esta lista de deseos';
$_MODULE['<{leofeature}prestashop>mywishlist_9aee3a4d72fa9025200d409f68236a0d'] = 'No se puede mostrar el producto (s) de esta lista de deseos';
$_MODULE['<{leofeature}prestashop>mywishlist_90d8a44a1fba13198035d86caeeb2d4d'] = 'deseos no válido';
$_MODULE['<{leofeature}prestashop>mywishlist_072df51ea0cb142b770d6209dab5a85b'] = 'Lista de errores de envío';
$_MODULE['<{leofeature}prestashop>mywishlist_a902b4022653cd6f6d874bf596c811b8'] = 'de cliente no válido';
$_MODULE['<{leofeature}prestashop>mywishlist_5d3d684c0bb4d7b423c3fbf1c65cb29d'] = 'No se puede borrar';
$_MODULE['<{leofeature}prestashop>mywishlist_601adec967f7fa4d685f4aa150f53a71'] = 'No se puede actualizar';
$_MODULE['<{leofeature}prestashop>mywishlist_3c924eebbd7c3447336bbec3b325d3da'] = 'Error al mover el producto a otra lista';
$_MODULE['<{leofeature}prestashop>mywishlist_16a23698e7cf5188ce1c07df74298076'] = 'Tienes que iniciar sesión para poder gestionar su lista de deseos.';
$_MODULE['<{leofeature}prestashop>mywishlist_4840f4437f55e68a587d358090b948d1'] = 'mi lista de deseos';
$_MODULE['<{leofeature}prestashop>mywishlist_ca16af511d65ccd849f522d92c3eba4e'] = 'mi lista de deseos';
$_MODULE['<{leofeature}prestashop>mywishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Mi cuenta';
$_MODULE['<{leofeature}prestashop>productscompare_7af832e9c71671de0323487c86b6b702'] = 'Comparación de productos';
$_MODULE['<{leofeature}prestashop>productscompare_4f8370b7608003c3e56ec5bd7c2f1012'] = 'productos de comparación de';
$_MODULE['<{leofeature}prestashop>viewwishlist_14c6e05c31e4622404eaea7ac78465e4'] = 'Ver lista';
$_MODULE['<{leofeature}prestashop>viewwishlist_444f180cde4e7682f345185ad2c10244'] = 'vista deseos';
$_MODULE['<{leofeature}prestashop>viewwishlist_a77885e16b298d1c01b6b5bc194a6847'] = 'Ver lista';
$_MODULE['<{leofeature}prestashop>viewwishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Mi cuenta';
$_MODULE['<{leofeature}prestashop>viewwishlist_4840f4437f55e68a587d358090b948d1'] = 'mi lista de deseos';
$_MODULE['<{leofeature}prestashop>panel_af247d7a41136c6f8b262cf0ee3ef860'] = 'módulo correcto';
$_MODULE['<{leofeature}prestashop>panel_44c11c4bb3a89d6d82d83a1f8a2fbd86'] = 'Haga copia de seguridad de la base de datos antes de ejecutar módulo correcto a salvo';
$_MODULE['<{leofeature}prestashop>panel_302f3227b2362aee931d0ba98eff05e0'] = 'Leo Característica Global Config';
$_MODULE['<{leofeature}prestashop>panel_3f93bd3e4ab678691180510321ea27db'] = 'Ajax la Cesta';
$_MODULE['<{leofeature}prestashop>panel_ec7f6af74676fcb5bd145de6eb008c91'] = 'Revision de producto';
$_MODULE['<{leofeature}prestashop>panel_bbf186cafb55d9329c02818174b17ef8'] = 'producto Comparar';
$_MODULE['<{leofeature}prestashop>panel_db872ea537236c60874d5b0e859fe4b5'] = 'Lista de productos';
$_MODULE['<{leofeature}prestashop>form_b9aefa40a54680bb258f9f9569290fae'] = 'nome del prodotto';
$_MODULE['<{leofeature}prestashop>drop_down_694e8d1f2ee056f98ee488bdc4982d73'] = ' Cantidad';
$_MODULE['<{leofeature}prestashop>drop_down_2e65a5e30c454ceb77be9bb48e8343f1'] = 'Togliere dal carrello';
$_MODULE['<{leofeature}prestashop>drop_down_59fc69e031ecb0f82efe467fd6692383'] = 'Ver el carro';
$_MODULE['<{leofeature}prestashop>drop_down_51f377b830737ebc60c6e4293760f455'] = 'Revisa';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_06c335f27f292a096a9bf39e3a58e97b'] = 'nueva lista de deseos';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_49ee3087348e8d44e1feda1917443987'] = 'Nombre';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_44f86a7579ab438609442b2596f29554'] = 'Introduce el nombre de la nueva lista de deseos';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_c9cc8cce247e49bae79f15173ce97354'] = 'Salvar';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_694e8d1f2ee056f98ee488bdc4982d73'] = 'Cantidad';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_5e729042e30967c9d6f65c6eab73e2fe'] = 'Visto';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0eceeb45861f9585dd7a97a3e36f85c6'] = 'Creado';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_45284ef16392f85ff424b2ef36ab5948'] = 'Enlace directo';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_7a1920d61156abc05a60135aefe8bc67'] = 'Defecto';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_f2a6c498fb90ee345d997f888fce3b18'] = 'Borrar';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_4351cfebe4b61d8aa5efa1d020710005'] = 'Ver';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_30820a1bf6a285e45cda2beda3d7738d'] = 'Enviar esta deseos';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0b3db27bc15f682e92ff250ebb167d4b'] = 'Volver a su cuenta';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_8cf04a9734132302f96da8e113e80ce5'] = 'Casa';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_710a9a7db8094cc96d716e9a8420bb98'] = 'Sacar de esta lista de deseos';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_694e8d1f2ee056f98ee488bdc4982d73'] = 'Cantidad';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_502996d9790340c5fd7b86a5b93b1c9f'] = 'Prioridad';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_655d20c1ca69519ca647684edbb2db35'] = 'Alto';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Medio';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Bajo';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_c9cc8cce247e49bae79f15173ce97354'] = 'Salvar';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_6bc362dbf494c61ea117fe3c71ca48a5'] = 'Movimiento';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_09dc02ecbb078868a3a86dded030076d'] = 'Sin producto';
$_MODULE['<{leofeature}prestashop>leo_products_compare_7af832e9c71671de0323487c86b6b702'] = 'Comparación de productos';
$_MODULE['<{leofeature}prestashop>leo_products_compare_d6295c05503596b3ed3528aee83e3ef7'] = 'caracteristicas:';
$_MODULE['<{leofeature}prestashop>leo_products_compare_201f644e542b0230551936ae7af3169e'] = 'Eliminar de comparación';
$_MODULE['<{leofeature}prestashop>leo_products_compare_f5e15309ff0396474b8421ef48871d0b'] = 'No hay características para comparar';
$_MODULE['<{leofeature}prestashop>leo_products_compare_234a9674e80b9c04a685075ad3ea6950'] = 'No hay productos seleccionados para comparación.';
$_MODULE['<{leofeature}prestashop>leo_products_compare_c20905e8fdd34a1bf81984e597436134'] = 'Seguir comprando';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_4351cfebe4b61d8aa5efa1d020710005'] = 'Ver';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_f2a6c498fb90ee345d997f888fce3b18'] = 'Borrar';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_641254d77e7a473aa5910574f3f9453c'] = 'Lista';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_3fb0acb6862adac8e196b76660679d53'] = 'Otras listas de regalo de ';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_502996d9790340c5fd7b86a5b93b1c9f'] = 'Prioridad';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_655d20c1ca69519ca647684edbb2db35'] = 'Alto';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Medio';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Bajo';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_09dc02ecbb078868a3a86dded030076d'] = 'Sin producto';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_65c40cc17acd96eb901ed82b0363234f'] = 'Lista no existe';
$_MODULE['<{leofeature}prestashop>modal_61b5f801ab23a9ecf6f652dc12747be5'] = 'Debe introducir una cantidad';
$_MODULE['<{leofeature}prestashop>modal_1cf13f9c64a2b1977db63d01ab2a46a9'] = 'La cantidad mínima de pedido de compra del producto es ';
$_MODULE['<{leofeature}prestashop>modal_a923575984949608ce04c4984806ec2a'] = 'No hay suficientes productos en stock';
$_MODULE['<{leofeature}prestashop>modal_review_c31732fda0c6f01c446db7163b214de4'] = 'Escribe una reseña';
$_MODULE['<{leofeature}prestashop>modal_review_b78a3223503896721cca1303f776159b'] = 'Título';
$_MODULE['<{leofeature}prestashop>modal_review_0be8406951cdfda82f00f79328cf4efc'] = 'Comentario';
$_MODULE['<{leofeature}prestashop>modal_review_221e705c06e231636fdbccfdd14f4d5c'] = 'Tu nombre';
$_MODULE['<{leofeature}prestashop>modal_review_70397c4b252a5168c5ec003931cea215'] = 'Campos requeridos';
$_MODULE['<{leofeature}prestashop>modal_review_d3d2e617335f08df83599665eef8a418'] = 'Cerca';
$_MODULE['<{leofeature}prestashop>modal_review_a4d3b161ce1309df1c4e25df28694b7b'] = 'Enviar';
$_MODULE['<{leofeature}prestashop>notification_1222b0022fb0d33d952c37cfe42266cd'] = 'El producto ha sido actualizado en su carrito de compras';
$_MODULE['<{leofeature}prestashop>notification_114d0e1aa16fe8baa087238c6d07693a'] = 'El producto ha sido retirado de su carrito de compras';
$_MODULE['<{leofeature}prestashop>notification_544c3bd0eac526113a9c66542be1e5bc'] = 'Producto añadido con éxito a tu cesta de la compra';
$_MODULE['<{leofeature}prestashop>notification_63c63a0602a4b74e919059a8cc9ea8af'] = 'error al actualizar';
$_MODULE['<{leofeature}prestashop>notification_4e0ac45de6bd848503ffa98ff6247f2f'] = 'error al eliminar la';
$_MODULE['<{leofeature}prestashop>notification_1929e96729ba794c08e056afec1c40e9'] = 'Errore durante l\'aggiunta. Per favore, vai alla pagina di dettaglio del prodotto e riprova';
$_MODULE['<{leofeature}prestashop>notification_04325f5c10c9818bc464d660daa2b030'] = 'La cantidad mínima de pedido de compra del producto es';
$_MODULE['<{leofeature}prestashop>notification_a923575984949608ce04c4984806ec2a'] = 'No hay suficientes productos en stock';
$_MODULE['<{leofeature}prestashop>notification_61b5f801ab23a9ecf6f652dc12747be5'] = 'Debe introducir una cantidad';
$_MODULE['<{leofeature}prestashop>leo_cart_button_2d0f6b8300be19cf35e89e66f0677f95'] = 'Carro';
$_MODULE['<{leofeature}prestashop>leo_compare_button_201f644e542b0230551936ae7af3169e'] = 'Eliminar de comparación';
$_MODULE['<{leofeature}prestashop>leo_compare_button_7f5508c884f40e3378895c83d99cbbd3'] = 'Comparar';
$_MODULE['<{leofeature}prestashop>leo_list_product_review_d844ad9202d0de8442498775ba6ef819'] = 'Comentario (s)';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_34e80a799d144cfe4af46815e103f017'] = 'Comentarios';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_b1897515d548a960afe49ecf66a29021'] = 'Promedio';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_52a7b0de81cb2dbdecd49789a0afe059'] = 'Ver comentarios';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_dda9c06f33071c9b6fc237ee164109d8'] = 'Clasificación';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_899139b5174d8d7a6e38a0360008a695'] = 'Lee los comentarios';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_c31732fda0c6f01c446db7163b214de4'] = 'Escribe una reseña';
$_MODULE['<{leofeature}prestashop>leo_product_tab_34e80a799d144cfe4af46815e103f017'] = 'Comentarios';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_4b3b9db8c9784468094acde0f8bf7071'] = 'Grado';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_b5c82723bd85856358f9a376bc613998'] = '%1$d fuera de %2$d la gente encontró este comentario útil.';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_dde78e104216913430ad577ec142f204'] = 'Fue útil esta opinión para usted?';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_93cba07454f06a4a960172bbd6e2a435'] = 'Sí';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_bafd7322c6e97d25b6299b5d6fe8920b'] = 'No';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_28b3b1e564a00f572c5d4e21da986d49'] = 'Reportar abuso';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_c31732fda0c6f01c446db7163b214de4'] = 'Escribe una reseña';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_f444678e4f3575d59b32a858630741fd'] = 'Sé el primero en escribir su opinión!';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_08c7d6f84301ee7d0aab0a5f67edc419'] = 'No hay ninguna opinión por el momento.';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_6a5373df703ab2827a4ba7facdfcf779'] = 'Lista de deseos';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_d7e2d3dbf5daf266a0877428e0e1b8fb'] = 'Eliminar de lista';
$_MODULE['<{leofeature}prestashop>leo_wishlist_link_4840f4437f55e68a587d358090b948d1'] = 'mi lista de deseos';

View File

@@ -0,0 +1,298 @@
<?php
global $_MODULE;
$_MODULE = array();
$_MODULE['<{leofeature}prestashop>leofeature_ab958c5dabadcbf3b020b083f8ff929f'] = 'Fonction Leo';
$_MODULE['<{leofeature}prestashop>leofeature_6bf92ee4988e28d896685690b1fa5f35'] = 'Leo fonction pour prestashop 1.7: panier ajax, panier déroulant, panier mouche, examen, comparer, liste à la liste des produits';
$_MODULE['<{leofeature}prestashop>leofeature_e60e6135ee33810573ed274fb9982ad1'] = 'Leo Management Feature';
$_MODULE['<{leofeature}prestashop>leofeature_aafeca601facaa973f2fae7533159182'] = 'Module correct est réussie';
$_MODULE['<{leofeature}prestashop>leofeature_7498c445a737312f3678aa1494e01a38'] = 'Menu déroulant';
$_MODULE['<{leofeature}prestashop>leofeature_f11bd493714fd89d3f6326d1a79435bf'] = 'Dropup';
$_MODULE['<{leofeature}prestashop>leofeature_76b9fa479019cd2837be9494861ea524'] = 'SlideBar gauche';
$_MODULE['<{leofeature}prestashop>leofeature_58606efd87c419236084a2022baea608'] = 'SlideBar droit';
$_MODULE['<{leofeature}prestashop>leofeature_0cfc343a9362779441564f491e26fbda'] = 'Top SlideBar';
$_MODULE['<{leofeature}prestashop>leofeature_0a4a50a9c0527b7918669759fa3a43b0'] = 'Bas SlideBar';
$_MODULE['<{leofeature}prestashop>leofeature_4457d440870ad6d42bab9082d9bf9b61'] = 'Fixé';
$_MODULE['<{leofeature}prestashop>leofeature_b51ca26c6c89cfc9bec338f7a0d3e0c8'] = 'Absolu';
$_MODULE['<{leofeature}prestashop>leofeature_adaaee4b22041c27198d410c68d952c9'] = 'Pour cent';
$_MODULE['<{leofeature}prestashop>leofeature_08822b3ae4e2aede0afe08abe600e9c0'] = 'pixel';
$_MODULE['<{leofeature}prestashop>leofeature_a4ffdcf0dc1f31b9acaf295d75b51d00'] = 'Haut';
$_MODULE['<{leofeature}prestashop>leofeature_2ad9d63b69c4a10a5cc9cad923133bc4'] = 'Bas';
$_MODULE['<{leofeature}prestashop>leofeature_945d5e233cf7d6240f6b783b36a374ff'] = 'La gauche';
$_MODULE['<{leofeature}prestashop>leofeature_92b09c7c48c520c3c55e497875da437c'] = 'Droite';
$_MODULE['<{leofeature}prestashop>leofeature_6adf97f83acf6453d4a6a4b1070f3754'] = 'Aucun';
$_MODULE['<{leofeature}prestashop>leofeature_04e0385c10aefee8e4681617d2f3ef40'] = 'Fade';
$_MODULE['<{leofeature}prestashop>leofeature_968818e489bac02c58d8b0e5a348a229'] = 'Secouer';
$_MODULE['<{leofeature}prestashop>leofeature_a8d0c913d1d79fe67f2a58b1a759dc82'] = 'Afficher le bouton panier à la liste des produits';
$_MODULE['<{leofeature}prestashop>leofeature_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Activée';
$_MODULE['<{leofeature}prestashop>leofeature_b9f5c797ebbf55adccdd8539a65a0241'] = 'désactivé';
$_MODULE['<{leofeature}prestashop>leofeature_61aaf7c8a6b05985566c9d2c650c9333'] = 'Afficher Sélectionner un attribut';
$_MODULE['<{leofeature}prestashop>leofeature_01ac026a761b0e3435b871540ff3dfcf'] = 'Mise à jour l\'étiquette du produit après Sélectionner Attribute';
$_MODULE['<{leofeature}prestashop>leofeature_6d57e1e9eaa5a46936ba207b6645223d'] = 'Uniquement pour activer attribut select';
$_MODULE['<{leofeature}prestashop>leofeature_f6d00129240d2dcfea0f583a09cc1c12'] = 'Afficher l\'entrée Quantité';
$_MODULE['<{leofeature}prestashop>leofeature_ed5d0637392bb5b5ca5e2b1f84b0d811'] = 'Activer Flycart Effet';
$_MODULE['<{leofeature}prestashop>leofeature_f4428c5ee72358148375a5133a09a4f2'] = 'activer la notification';
$_MODULE['<{leofeature}prestashop>leofeature_74912e66e046819c0abc2f875d011029'] = 'notification Afficher lorsque panier ajouter avec succès';
$_MODULE['<{leofeature}prestashop>leofeature_6a1cc91d2ee540430399d1789025babf'] = 'Afficher Popup Après Ajouter panier';
$_MODULE['<{leofeature}prestashop>leofeature_1899b6edecb8416410321f6b06405830'] = 'Par défaut est activée. Vous pouvez désactiver et allumer « notification » au lieu';
$_MODULE['<{leofeature}prestashop>leofeature_95a2abcb1ad563eab999a9d48d8269a1'] = 'Afficher le menu déroulant Panier (défaut panier)';
$_MODULE['<{leofeature}prestashop>leofeature_355c2ea48020748a34cc9b51e93a0059'] = 'Type Dropdown Panier (par défaut Panier)';
$_MODULE['<{leofeature}prestashop>leofeature_9677c9b9ad26ac6ca4f2bd0580cd85cc'] = 'Activer Push Effect (par défaut Panier)';
$_MODULE['<{leofeature}prestashop>leofeature_f3cbdd924fed60f118cb06021c713a83'] = 'Seulement pour le type « SlideBar »';
$_MODULE['<{leofeature}prestashop>leofeature_a250470863e5f137ef7ea7582e675199'] = 'Afficher le menu déroulant panier (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_19074636b4a15edd812970a50e043062'] = 'Type Dropdown Panier (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_bef3aac57b74246067916ff1df59375b'] = 'Activer Push Effect (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_90ff8c3bfa243f5c7866bc9319786a5b'] = 'Effet Type (Fly Panier)';
$_MODULE['<{leofeature}prestashop>leofeature_764e759ba72e74c933eb1ba59acc9583'] = 'Seulement lorsque \"Flycart Effect\" ON';
$_MODULE['<{leofeature}prestashop>leofeature_ab9f7fa39bf8caa7a35e758a9618c9b4'] = 'Position Type (Fly Panier)';
$_MODULE['<{leofeature}prestashop>leofeature_04489daf1e045d7c0abdc122e05277e9'] = 'Position Par verticale (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_27c94021d6dfcf1815af5d00079ed5ed'] = 'Sélectionner le type de distance entre « Fly panier » et le bord supérieur ou le bord inférieur de la fenêtre (navigateur)';
$_MODULE['<{leofeature}prestashop>leofeature_04cf48f2938d2f697e7726cc8e4af116'] = 'Position verticale par la valeur (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_d7bd437e1369a9384728c0f2930a7be8'] = 'Doit a une valeur de 0 à 100 avec le type d\'unité est pour cent de moins';
$_MODULE['<{leofeature}prestashop>leofeature_38b56b23a3de125a4578add14f9acfb9'] = 'Position par unité verticale (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_63cce7c94297356e15a81fa6a6183472'] = 'Position Par horizontale (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_4d2587faf1c1986dd485c3cf57a01514'] = 'Sélectionner le type de distance entre « Fly panier » et le bord gauche ou le bord droit de la fenêtre (navigateur)';
$_MODULE['<{leofeature}prestashop>leofeature_330f2d6aff1b2e7c85af79c7b24f4c9e'] = 'Position par valeur horizontale (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_858381718a0020c0323a0841e250d7e1'] = 'Position par unité horizontale (Fly panier)';
$_MODULE['<{leofeature}prestashop>leofeature_d1c226dd77e24b1cc898d5ac6825c705'] = 'Activer fond de recouvrement (Tous Panier)';
$_MODULE['<{leofeature}prestashop>leofeature_c3208f5c1a4c395da4233c14006edd14'] = 'Seulement pour le type \"SlideBar\". Désactivez cette option pour permettre « Ajouter au panier » pour SlideBar';
$_MODULE['<{leofeature}prestashop>leofeature_11ed36d421f3f4a7e5ffe3da74a84688'] = 'Activer Mise à jour de (Tous panier)';
$_MODULE['<{leofeature}prestashop>leofeature_3c0c053e3282a7f80355a3acb57271ec'] = 'Activer le bouton haut / bas (Tous panier)';
$_MODULE['<{leofeature}prestashop>leofeature_4394ab109164d8a0d1efde196f3aeb22'] = 'Seulement lorsque leur tour sur la quantité de mise à jour';
$_MODULE['<{leofeature}prestashop>leofeature_def10fe75471f30ddb2602a547194ed0'] = 'Afficher combinaison de produits (All Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_3a6f7920e6373f479bc59d2826ce045e'] = 'Afficher la personnalisation des produits (Tous Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_5a5b64f5ff86ab8ccc4ec985efeca1a7'] = 'Largeur de panier Article (Tous panier)';
$_MODULE['<{leofeature}prestashop>leofeature_fa3b06e55eb4ed1e99836e2f6332f4f9'] = 'Hauteur du panier article (Tous panier)';
$_MODULE['<{leofeature}prestashop>leofeature_fb39004686b1c10a3e5eb63a7f95c19d'] = 'Panier Numéro d\'article à afficher (Tous panier)';
$_MODULE['<{leofeature}prestashop>leofeature_7004f6ef7ffd79001e36fa193d86abb9'] = 'Ony pour le type \"Dropup / Dropdown\". Lorsque le total de l\'ordre du panier est plus cette configuration, la barre de défilement s\'affiche';
$_MODULE['<{leofeature}prestashop>leofeature_dbc9efd02f9f843af156ec542b95271e'] = 'Largeur (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_dad183c86365a98a08e617bcbda8b6bf'] = 'Position par verticale (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_82ae0a80b6a2e2cdaf346daccc4db4ea'] = 'Sélectionner le type de distances entre la « Notification » et le bord supérieur ou le bord inférieur de la fenêtre (navigateur)';
$_MODULE['<{leofeature}prestashop>leofeature_dafe26043ab10325d4bd1dd9003aca7a'] = 'Position verticale par valeur (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_09044a82ba586d14bf4d7813bd853cba'] = 'Position par unité verticale (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_aeb7fec4a02f5c824a53919f1c1c148c'] = 'Position par Horizontale (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_700bdbd09461c73f1140755c7be7f146'] = 'Position Par horizontale Valeur (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_b20178e5217f724ed944916506520667'] = 'Position par unité horizontale (Notification)';
$_MODULE['<{leofeature}prestashop>leofeature_c9cc8cce247e49bae79f15173ce97354'] = 'Sauver';
$_MODULE['<{leofeature}prestashop>leofeature_d99da061f9d26b35c01d44b3e65490dc'] = 'Activer critique sur ce produit';
$_MODULE['<{leofeature}prestashop>leofeature_a25526a1f2a163618a5cd9d2d35daa84'] = 'Voir les commentaires de ce produit à produit la liste';
$_MODULE['<{leofeature}prestashop>leofeature_0da91026404d3b07dfbc7d8511011a72'] = 'Afficher le numéro critique sur ce produit au produit de la liste';
$_MODULE['<{leofeature}prestashop>leofeature_b87baaf985f1b46c51ee6d8e6b1c446a'] = 'Voir zéro critique sur ce produit au produit de la liste';
$_MODULE['<{leofeature}prestashop>leofeature_cf2fcb22e6342dea54b0cc34bb521752'] = 'Tous les commentaires doivent être validés par un employé';
$_MODULE['<{leofeature}prestashop>leofeature_3d028644c30ee457da7838578b1ea44e'] = 'Bouton Autoriser USEFULL';
$_MODULE['<{leofeature}prestashop>leofeature_e4894be52ea3506144018020eb795736'] = 'Bouton Autoriser rapport';
$_MODULE['<{leofeature}prestashop>leofeature_4e26bb46aa3f40913ee95cfb1d6c82f9'] = 'Autoriser avis voyageurs';
$_MODULE['<{leofeature}prestashop>leofeature_9dc1140983196141368ceda7565128a8'] = 'Temps minimum entre 2 commentaires du même utilisateur';
$_MODULE['<{leofeature}prestashop>leofeature_f331ddd467099246f8c879b33e44346b'] = 'deuxième (s)';
$_MODULE['<{leofeature}prestashop>leofeature_ee7273842616e7880648d668f01c99fb'] = 'Activer produit comparer';
$_MODULE['<{leofeature}prestashop>leofeature_ca4fa3ce52694f750f63086120ea671f'] = 'Afficher le produit comparer au produit de la liste';
$_MODULE['<{leofeature}prestashop>leofeature_b9430191b5de82688380961d92a211ea'] = 'Afficher le produit à comparer la fiche produit';
$_MODULE['<{leofeature}prestashop>leofeature_cc9e4e12af1eceecf60527c80ceed331'] = 'Nombre comparaison de produits ';
$_MODULE['<{leofeature}prestashop>leofeature_dbd6459b099286fe756dced2f6f5d138'] = 'Activer liste de produits';
$_MODULE['<{leofeature}prestashop>leofeature_b9ce07d8233546cec066b0a2832a3313'] = 'Afficher le produit liste au produit de la liste';
$_MODULE['<{leofeature}prestashop>leofeature_1412c7fb2f326c4a9c1d2f3ddae31891'] = 'Afficher produit Liste de cadeaux à la fiche produit';
$_MODULE['<{leofeature}prestashop>leofeature_90723749917a82bf3ff8a73247d32ffb'] = 'Vous ne pouvez pas ajouter plus de %d produit à la comparaison des produits';
$_MODULE['<{leofeature}prestashop>leofeature_59c533b287338f11f4cdca5a4b71df47'] = 'Le produit a été ajouté à la liste comparer';
$_MODULE['<{leofeature}prestashop>leofeature_98b612d068fbdaa76e73a049156eb861'] = 'Voir la liste comparer';
$_MODULE['<{leofeature}prestashop>leofeature_fdf96b7e3bfda00d1188bab3e57b0216'] = 'a été retiré avec succès le produit de la liste comparative';
$_MODULE['<{leofeature}prestashop>leofeature_7f5508c884f40e3378895c83d99cbbd3'] = 'Comparer';
$_MODULE['<{leofeature}prestashop>leofeature_201f644e542b0230551936ae7af3169e'] = 'Retirer du Comparer';
$_MODULE['<{leofeature}prestashop>leofeature_096cbcc12b9255bd4050af021d493ae1'] = 'Le produit a été ajouté à votre liste';
$_MODULE['<{leofeature}prestashop>leofeature_366b534e538a2cd839e0044f0dcc9037'] = 'Voir votre liste';
$_MODULE['<{leofeature}prestashop>leofeature_758a20dcb47ba17c30e007a8f92349e2'] = 'Le produit a été retiré de votre liste';
$_MODULE['<{leofeature}prestashop>leofeature_6a5373df703ab2827a4ba7facdfcf779'] = 'Liste de souhaits';
$_MODULE['<{leofeature}prestashop>leofeature_5db81b03fbed784f36ad9502aad70e95'] = 'Supprimer du panier';
$_MODULE['<{leofeature}prestashop>leofeature_019b05578911596956b81b9a90ea36e7'] = 'Vous devez être connecté pour gérer votre liste';
$_MODULE['<{leofeature}prestashop>leofeature_ea4788705e6873b424c65e91c2846b19'] = 'Annuler';
$_MODULE['<{leofeature}prestashop>leofeature_a60852f204ed8028c1c58808b746d115'] = 'D\'accord';
$_MODULE['<{leofeature}prestashop>leofeature_94966d90747b97d1f0f206c98a8b1ac3'] = 'Envoyer';
$_MODULE['<{leofeature}prestashop>leofeature_526d688f37a86d3c3f27d0c5016eb71d'] = 'Réinitialiser';
$_MODULE['<{leofeature}prestashop>leofeature_8a965890cf0d6d58c5174a2309095c19'] = 'Envoyer liste';
$_MODULE['<{leofeature}prestashop>leofeature_ce8ae9da5b7cd6c3df2929543a9af92d'] = 'Email';
$_MODULE['<{leofeature}prestashop>leofeature_1412292b09d3cd39f32549afb1f5f102'] = 'Supprimer l\'élément sélectionné?';
$_MODULE['<{leofeature}prestashop>leofeature_6caf5bb14ae65101ea712a309b48e8a1'] = 'Impossible de supprimer par défaut liste';
$_MODULE['<{leofeature}prestashop>leofeature_61b5f801ab23a9ecf6f652dc12747be5'] = 'Vous devez saisir une quantité';
$_MODULE['<{leofeature}prestashop>leofeature_d848b57ab6ab8b6ff5997373b38fcdf0'] = 'existe pas un critère d\'évaluation pour ce produit ou cette langue';
$_MODULE['<{leofeature}prestashop>leofeature_92a91a1abd2ab891ad47073cf2759ae4'] = '« Comparaison de produit Number » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_68244a8ad554402d0da92c7c0e183245'] = '« Temps minimum entre 2 commentaires du même utilisateur » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_ed1aadd93871c8183fd51bada53b9faa'] = '« Position verticale par la valeur (Fly panier) » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_f493b87f71f88239d33b66167fa88137'] = '« Position verticale par la valeur (Fly panier) » est invalide. Doit une validité entier (non signé). Doit a une valeur de 0 à 100 avec le type d\'unité est pour cent';
$_MODULE['<{leofeature}prestashop>leofeature_c13bf293921283ea99cdce12d0a93970'] = '« Position Par valeur horizontale (Fly panier) » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_3b4b9f3b9061a6857d70f36143c9f223'] = '« Position Par valeur horizontale (Fly panier) » est invalide. Doit une validité entier (non signé). Doit a une valeur de 0 à 100 avec le type d\'unité est pour cent';
$_MODULE['<{leofeature}prestashop>leofeature_1dd5613fc6b902c5552348b00cee0ed7'] = '« Largeur de panier Article (Tous panier) » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_ddf4809c8588348158d64672fbd9cd33'] = '« Hauteur du panier article (Tous panier) » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_ecb836eddf0396d96e332108d9cad3da'] = '« Panier Numéro d\'article à afficher (Tous panier) » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_c083170aff5792f88b22cf3152954130'] = '\"Largeur (Notification)\" est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_a87ef72e6b4f6babb9dbee396c3b596a'] = '« Position verticale par valeur (Notification) » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_f60b7707ef028e49a6e905fc3f8501bd'] = '« Position verticale par valeur (Notification) » est invalide. Doit une validité entier (non signé). Doit a une valeur de 0 à 100 avec le type d\'unité est pour cent';
$_MODULE['<{leofeature}prestashop>leofeature_378364d7bf0b82e84a7066e3777ea6e0'] = '« Position Par horizontale Valeur (Notification) » est invalide. Doit une validité entier (non signé).';
$_MODULE['<{leofeature}prestashop>leofeature_6b1eaf3ca9c6ab029498d0a77556f437'] = '« Position Par horizontale Valeur (Notification) » est invalide. Doit une validité entier (non signé). Doit a une valeur de 0 à 100 avec le type d\'unité est pour cent';
$_MODULE['<{leofeature}prestashop>psajax_review_da3e413ae5dde1a6b986203857fb1a59'] = 'ID de produit est incorrect';
$_MODULE['<{leofeature}prestashop>psajax_review_7b0bf23ae4079e07a3a4cb4d07e2caef'] = 'Le titre est incorrect';
$_MODULE['<{leofeature}prestashop>psajax_review_ddbd56de5feb78ef1aaf60401f8c472b'] = 'Commentaire est incorrect';
$_MODULE['<{leofeature}prestashop>psajax_review_1b1030b6294e9096a7d7c40d83d61872'] = 'Nom du client est incorrect';
$_MODULE['<{leofeature}prestashop>psajax_review_ba0ba469e1c4ba0bea43b77c5c00f9f1'] = 'Vous devez être connecté pour envoyer une critique';
$_MODULE['<{leofeature}prestashop>psajax_review_a201fbadca94d310a1b62407cdc775d5'] = 'Vous devez donner une note';
$_MODULE['<{leofeature}prestashop>psajax_review_dfbe69c6d9568ecb0e65e7b32ed92a3a'] = 'Produit non trouvé';
$_MODULE['<{leofeature}prestashop>psajax_review_6d10b2f471e8894d59ae18e01537ece5'] = 'S\'il vous plaît attendre avant de poster un autre commentaire';
$_MODULE['<{leofeature}prestashop>psajax_review_498b760d1963039e2fdf4c940f12e3d8'] = 'secondes avant de poster une nouvelle révision';
$_MODULE['<{leofeature}prestashop>psajax_review_8a8bc2f7809ee4f789b25182a8cd6417'] = 'Votre commentaire a été ajouté. Je vous remercie!';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3b206d196cd6be3a2764c1fb90b200f'] = 'Supprimer sélectionnée';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_e25f0ecd41211b01c83e5fec41df4fe7'] = 'Supprimer les éléments sélectionnés?';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b718adec73e04ce3ec720dd11a06a308'] = 'ID';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_49ee3087348e8d44e1feda1917443987'] = 'prénom';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a1fa27779242b4902f7ae3bdd5c6d508'] = 'Type';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ec53a8c4f07baed5d8825072c89799be'] = 'Statut';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a09ed6c60eb3213939cecb4c580813cd'] = 'Valable pour l\'ensemble du catalogue';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_467366059d7d7c743a4d0971363a8d66'] = 'Restreinte à certaines catégories';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_772911becd336c843ab09a1d4b4f66c0'] = 'Restreint à certains produits';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f3d8e91894baa7ee67e0649abcc092ff'] = 'Critère sera limitée aux catégories suivantes';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3dc571a8be516766c8124a636290fd9'] = 'Marquez les cases des catégories auxquelles ce critère applique.';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_91b442d385b54e1418d81adc34871053'] = 'Choisi';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b56c3bda503a8dc4be356edb0cc31793'] = 'Réduire tout';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5ffd7a335dd836b3373f5ec570a58bdc'] = 'Développer tout';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5e9df908eafa83cb51c0a3720e8348c7'] = 'Vérifie tout';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9747d23c8cc358c5ef78c51e59cd6817'] = 'Décocher tout';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_38fc05fb7f02497ea56b77fe085ffc78'] = 'Ajouter un critère';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_92a497b6a43b59cce82c604a4c834bb0'] = 'Nom du critère';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_bbda28827cde1064b0320cbf6b1890a2'] = 'champ d\'application du critère';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_20089c27bf83463fe32e7d30ed9d8f81'] = 'Le critère sera limité aux produits suivants';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_4d3d769b812b6faa6b76e1a8abaece2d'] = 'actif';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Activée';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b9f5c797ebbf55adccdd8539a65a0241'] = 'désactivé';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_c9cc8cce247e49bae79f15173ce97354'] = 'Sauver';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9ea67be453eaccf020697b4654fc021a'] = 'Enregistrer et rester';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_57826496f2bb2a191458e4893e96e52e'] = 'Critères d\'examen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ef61fb324d729c341ea8ab9901e23566'] = 'Ajouter un';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2ec265696a51530949d345239069f0d4'] = 'Commentaires en attente d\'approbation';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_655d20c1ca69519ca647684edbb2db35'] = 'Haute';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Moyen';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Faible';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_eb7d6baeb8bbf339547da7e0d6c5e416'] = 'Commentaires rapportés';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2608831883bb20ab520b70b4350aa23a'] = 'Les avis approuvés';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_6f7351657f795bc1357a53142b1184cc'] = 'Approuver';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ecf74aa77715220b378ec668e75655a8'] = 'non abusive';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f8a0aa69f5ce41287f02c2d182306f52'] = 'Titre du commentaire';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_457dd55184faedb7885afd4009d70163'] = 'La revue';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_dda9c06f33071c9b6fc237ee164109d8'] = 'Évaluation';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a517747c3d12f99244ae598910d979c5'] = 'Auteur';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_deb10517653c255364175796ace3553f'] = 'Produit';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_0f46dacf1a6ecab8ce1cb97250bb8113'] = 'Temps de publication';
$_MODULE['<{leofeature}prestashop>mywishlist_9ae79c1fccd231ac7fbbf3235dbf6326'] = 'Ma liste d\'envies';
$_MODULE['<{leofeature}prestashop>mywishlist_b30545c7b2d429352b9afdd85be810c7'] = 'Vous devez spécifier un nom.';
$_MODULE['<{leofeature}prestashop>mywishlist_b74c118d823d908d653cfbf1c877ae55'] = 'Ce nom est déjà utilisé par une autre liste.';
$_MODULE['<{leofeature}prestashop>mywishlist_77e6836ee64655f6935e1da9306a625a'] = 'Ce nom est est incorrect';
$_MODULE['<{leofeature}prestashop>mywishlist_4ef14234be73618adfa950e7b267885f'] = 'La nouvelle liste a été créée';
$_MODULE['<{leofeature}prestashop>mywishlist_7098d49878bbd102b13038a748125e27'] = 'Impossible de supprimer cette liste';
$_MODULE['<{leofeature}prestashop>mywishlist_a10bc9133481a565859f49ed7a57c9cd'] = 'Ne peut pas mettre à jour cette liste';
$_MODULE['<{leofeature}prestashop>mywishlist_9aee3a4d72fa9025200d409f68236a0d'] = 'Impossible d\'afficher le produit (s) de cette liste';
$_MODULE['<{leofeature}prestashop>mywishlist_90d8a44a1fba13198035d86caeeb2d4d'] = 'liste non valide';
$_MODULE['<{leofeature}prestashop>mywishlist_072df51ea0cb142b770d6209dab5a85b'] = 'WishList erreur';
$_MODULE['<{leofeature}prestashop>mywishlist_a902b4022653cd6f6d874bf596c811b8'] = 'client incorrect';
$_MODULE['<{leofeature}prestashop>mywishlist_5d3d684c0bb4d7b423c3fbf1c65cb29d'] = 'Impossible de suprimer';
$_MODULE['<{leofeature}prestashop>mywishlist_601adec967f7fa4d685f4aa150f53a71'] = 'Ne peut pas mettre à jour';
$_MODULE['<{leofeature}prestashop>mywishlist_3c924eebbd7c3447336bbec3b325d3da'] = 'Erreur tandis que le produit se déplaçant à une autre liste';
$_MODULE['<{leofeature}prestashop>mywishlist_16a23698e7cf5188ce1c07df74298076'] = 'Vous devez être connecté pour gérer votre liste.';
$_MODULE['<{leofeature}prestashop>mywishlist_4840f4437f55e68a587d358090b948d1'] = 'Ma liste d\'envies';
$_MODULE['<{leofeature}prestashop>mywishlist_ca16af511d65ccd849f522d92c3eba4e'] = 'Ma liste d\'envies';
$_MODULE['<{leofeature}prestashop>mywishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Mon compte';
$_MODULE['<{leofeature}prestashop>productscompare_7af832e9c71671de0323487c86b6b702'] = 'Comparaison des produits';
$_MODULE['<{leofeature}prestashop>productscompare_4f8370b7608003c3e56ec5bd7c2f1012'] = 'produits de comparaison';
$_MODULE['<{leofeature}prestashop>viewwishlist_14c6e05c31e4622404eaea7ac78465e4'] = 'Voir liste';
$_MODULE['<{leofeature}prestashop>viewwishlist_444f180cde4e7682f345185ad2c10244'] = 'Vue-liste';
$_MODULE['<{leofeature}prestashop>viewwishlist_a77885e16b298d1c01b6b5bc194a6847'] = 'Voir votre panier';
$_MODULE['<{leofeature}prestashop>viewwishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Mon compte';
$_MODULE['<{leofeature}prestashop>viewwishlist_4840f4437f55e68a587d358090b948d1'] = 'Ma liste d\'envies';
$_MODULE['<{leofeature}prestashop>panel_af247d7a41136c6f8b262cf0ee3ef860'] = 'Module correct';
$_MODULE['<{leofeature}prestashop>panel_44c11c4bb3a89d6d82d83a1f8a2fbd86'] = 'La base de données de sauvegarde vous plaît avant le module d\'exécution correct en toute sécurité';
$_MODULE['<{leofeature}prestashop>panel_302f3227b2362aee931d0ba98eff05e0'] = 'Leo Feature mondial Config';
$_MODULE['<{leofeature}prestashop>panel_3f93bd3e4ab678691180510321ea27db'] = 'Ajax Panier';
$_MODULE['<{leofeature}prestashop>panel_ec7f6af74676fcb5bd145de6eb008c91'] = 'Évaluation du produit';
$_MODULE['<{leofeature}prestashop>panel_bbf186cafb55d9329c02818174b17ef8'] = 'Comparer les produits';
$_MODULE['<{leofeature}prestashop>panel_db872ea537236c60874d5b0e859fe4b5'] = 'Liste de produit';
$_MODULE['<{leofeature}prestashop>form_b9aefa40a54680bb258f9f9569290fae'] = 'Nom du produit';
$_MODULE['<{leofeature}prestashop>drop_down_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantité';
$_MODULE['<{leofeature}prestashop>drop_down_2e65a5e30c454ceb77be9bb48e8343f1'] = 'Retirer du panier';
$_MODULE['<{leofeature}prestashop>drop_down_59fc69e031ecb0f82efe467fd6692383'] = 'Voir le panier';
$_MODULE['<{leofeature}prestashop>drop_down_51f377b830737ebc60c6e4293760f455'] = 'Check-out';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_06c335f27f292a096a9bf39e3a58e97b'] = 'nouvelle liste';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_49ee3087348e8d44e1feda1917443987'] = 'prénom';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_44f86a7579ab438609442b2596f29554'] = 'Entrez le nom de la nouvelle liste';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_c9cc8cce247e49bae79f15173ce97354'] = 'Sauver';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantité';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_5e729042e30967c9d6f65c6eab73e2fe'] = 'vu';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0eceeb45861f9585dd7a97a3e36f85c6'] = 'Créé';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_45284ef16392f85ff424b2ef36ab5948'] = 'Lien direct';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_7a1920d61156abc05a60135aefe8bc67'] = 'Défaut';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_f2a6c498fb90ee345d997f888fce3b18'] = 'Effacer';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_4351cfebe4b61d8aa5efa1d020710005'] = 'Vue';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_30820a1bf6a285e45cda2beda3d7738d'] = 'Envoyer cette liste';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0b3db27bc15f682e92ff250ebb167d4b'] = 'Retour à votre compte';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_8cf04a9734132302f96da8e113e80ce5'] = 'Accueil';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_710a9a7db8094cc96d716e9a8420bb98'] = 'Supprimer de cette liste';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantité';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priorité';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_655d20c1ca69519ca647684edbb2db35'] = 'Haute';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Moyen';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Faible';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_c9cc8cce247e49bae79f15173ce97354'] = 'Sauver';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_6bc362dbf494c61ea117fe3c71ca48a5'] = 'Bouge toi';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_09dc02ecbb078868a3a86dded030076d'] = 'Aucun produit';
$_MODULE['<{leofeature}prestashop>leo_products_compare_7af832e9c71671de0323487c86b6b702'] = 'Comparaison des produits';
$_MODULE['<{leofeature}prestashop>leo_products_compare_d6295c05503596b3ed3528aee83e3ef7'] = 'Caractéristiques:';
$_MODULE['<{leofeature}prestashop>leo_products_compare_201f644e542b0230551936ae7af3169e'] = 'Retirer du Comparer';
$_MODULE['<{leofeature}prestashop>leo_products_compare_f5e15309ff0396474b8421ef48871d0b'] = 'Aucune caractéristique de comparer';
$_MODULE['<{leofeature}prestashop>leo_products_compare_234a9674e80b9c04a685075ad3ea6950'] = 'Il n\'y a pas de produits sélectionnés pour la comparaison.';
$_MODULE['<{leofeature}prestashop>leo_products_compare_c20905e8fdd34a1bf81984e597436134'] = 'Continuer vos achats';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_4351cfebe4b61d8aa5efa1d020710005'] = 'Vue';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_f2a6c498fb90ee345d997f888fce3b18'] = 'Effacer';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_641254d77e7a473aa5910574f3f9453c'] = 'liste';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_3fb0acb6862adac8e196b76660679d53'] = 'Autres listes de ';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priorité';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_655d20c1ca69519ca647684edbb2db35'] = 'Haute';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Moyen';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Faible';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_09dc02ecbb078868a3a86dded030076d'] = 'Aucun produit';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_65c40cc17acd96eb901ed82b0363234f'] = 'Liste n\'existe pas';
$_MODULE['<{leofeature}prestashop>modal_61b5f801ab23a9ecf6f652dc12747be5'] = 'Vous devez saisir une quantité';
$_MODULE['<{leofeature}prestashop>modal_1cf13f9c64a2b1977db63d01ab2a46a9'] = 'La quantité minimum de commande d\'achat du produit est ';
$_MODULE['<{leofeature}prestashop>modal_a923575984949608ce04c4984806ec2a'] = 'Il n\'y a pas assez de produits en stock';
$_MODULE['<{leofeature}prestashop>modal_review_c31732fda0c6f01c446db7163b214de4'] = 'Écrire une critique';
$_MODULE['<{leofeature}prestashop>modal_review_b78a3223503896721cca1303f776159b'] = 'Titre';
$_MODULE['<{leofeature}prestashop>modal_review_0be8406951cdfda82f00f79328cf4efc'] = 'Commentaire';
$_MODULE['<{leofeature}prestashop>modal_review_221e705c06e231636fdbccfdd14f4d5c'] = 'Votre nom';
$_MODULE['<{leofeature}prestashop>modal_review_70397c4b252a5168c5ec003931cea215'] = 'Champs obligatoires';
$_MODULE['<{leofeature}prestashop>modal_review_d3d2e617335f08df83599665eef8a418'] = 'Fermer';
$_MODULE['<{leofeature}prestashop>modal_review_a4d3b161ce1309df1c4e25df28694b7b'] = 'Soumettre';
$_MODULE['<{leofeature}prestashop>notification_1222b0022fb0d33d952c37cfe42266cd'] = 'Le produit a été mis à jour dans votre panier';
$_MODULE['<{leofeature}prestashop>notification_114d0e1aa16fe8baa087238c6d07693a'] = 'Le produit a été retiré de votre panier';
$_MODULE['<{leofeature}prestashop>notification_544c3bd0eac526113a9c66542be1e5bc'] = 'Produit a été ajouté à votre panier';
$_MODULE['<{leofeature}prestashop>notification_63c63a0602a4b74e919059a8cc9ea8af'] = 'la mise à jour d\'erreur';
$_MODULE['<{leofeature}prestashop>notification_4e0ac45de6bd848503ffa98ff6247f2f'] = 'Suppression d\'erreur';
$_MODULE['<{leofeature}prestashop>notification_1929e96729ba794c08e056afec1c40e9'] = 'Erreur d\'ajout. S\'il vous plaît aller à la page des détails du produit et essayez à nouveau';
$_MODULE['<{leofeature}prestashop>notification_04325f5c10c9818bc464d660daa2b030'] = 'La quantité minimum de commande d\'achat du produit est';
$_MODULE['<{leofeature}prestashop>notification_a923575984949608ce04c4984806ec2a'] = 'Il n\'y a pas assez de produits en stock';
$_MODULE['<{leofeature}prestashop>notification_61b5f801ab23a9ecf6f652dc12747be5'] = 'Vous devez saisir une quantité';
$_MODULE['<{leofeature}prestashop>leo_cart_button_2d0f6b8300be19cf35e89e66f0677f95'] = 'Chariot';
$_MODULE['<{leofeature}prestashop>leo_compare_button_201f644e542b0230551936ae7af3169e'] = 'Retirer du Comparer';
$_MODULE['<{leofeature}prestashop>leo_compare_button_7f5508c884f40e3378895c83d99cbbd3'] = 'Comparer';
$_MODULE['<{leofeature}prestashop>leo_list_product_review_d844ad9202d0de8442498775ba6ef819'] = 'Avis';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_34e80a799d144cfe4af46815e103f017'] = 'Avis';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_b1897515d548a960afe49ecf66a29021'] = 'Moyenne';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_52a7b0de81cb2dbdecd49789a0afe059'] = 'Voir les commentaires';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_dda9c06f33071c9b6fc237ee164109d8'] = 'Évaluation';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_899139b5174d8d7a6e38a0360008a695'] = 'lire les commentaires';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_c31732fda0c6f01c446db7163b214de4'] = 'Écrire une critique';
$_MODULE['<{leofeature}prestashop>leo_product_tab_34e80a799d144cfe4af46815e103f017'] = 'Avis';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_4b3b9db8c9784468094acde0f8bf7071'] = 'Qualité';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_b5c82723bd85856358f9a376bc613998'] = '%1$d hors de %2$d les personnes ont trouvé cette critique utile.';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_dde78e104216913430ad577ec142f204'] = 'Cet avis utile?';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_93cba07454f06a4a960172bbd6e2a435'] = 'Oui';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_bafd7322c6e97d25b6299b5d6fe8920b'] = 'Non';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_28b3b1e564a00f572c5d4e21da986d49'] = 'Signaler un abus';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_c31732fda0c6f01c446db7163b214de4'] = 'Écrire une critique';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_f444678e4f3575d59b32a858630741fd'] = 'Soyez le premier à donner votre avis!';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_08c7d6f84301ee7d0aab0a5f67edc419'] = 'Pas de commentaires client pour le moment.';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_6a5373df703ab2827a4ba7facdfcf779'] = 'Liste de souhaits';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_d7e2d3dbf5daf266a0877428e0e1b8fb'] = 'Supprimer du panier';
$_MODULE['<{leofeature}prestashop>leo_wishlist_link_4840f4437f55e68a587d358090b948d1'] = 'Ma liste d\'envies';

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,298 @@
<?php
global $_MODULE;
$_MODULE = array();
$_MODULE['<{leofeature}prestashop>leofeature_ab958c5dabadcbf3b020b083f8ff929f'] = 'Leo Caratteristica';
$_MODULE['<{leofeature}prestashop>leofeature_6bf92ee4988e28d896685690b1fa5f35'] = 'caratteristica Leo per PrestaShop 1.7: carrello ajax, discesa della spesa, volare carrello, revisione, confrontare, lista dei desideri in lista dei prodotti';
$_MODULE['<{leofeature}prestashop>leofeature_e60e6135ee33810573ed274fb9982ad1'] = 'Gestione Caratteristica Leo';
$_MODULE['<{leofeature}prestashop>leofeature_aafeca601facaa973f2fae7533159182'] = 'Modulo corretta è riuscita';
$_MODULE['<{leofeature}prestashop>leofeature_7498c445a737312f3678aa1494e01a38'] = 'Cadere in picchiata';
$_MODULE['<{leofeature}prestashop>leofeature_f11bd493714fd89d3f6326d1a79435bf'] = 'Dropup';
$_MODULE['<{leofeature}prestashop>leofeature_76b9fa479019cd2837be9494861ea524'] = 'barra di scorrimento a sinistra';
$_MODULE['<{leofeature}prestashop>leofeature_58606efd87c419236084a2022baea608'] = 'barra di scorrimento a destra';
$_MODULE['<{leofeature}prestashop>leofeature_0cfc343a9362779441564f491e26fbda'] = 'barra di scorrimento superiore';
$_MODULE['<{leofeature}prestashop>leofeature_0a4a50a9c0527b7918669759fa3a43b0'] = 'fondo barra di scorrimento';
$_MODULE['<{leofeature}prestashop>leofeature_4457d440870ad6d42bab9082d9bf9b61'] = 'Fisso';
$_MODULE['<{leofeature}prestashop>leofeature_b51ca26c6c89cfc9bec338f7a0d3e0c8'] = 'Assoluto';
$_MODULE['<{leofeature}prestashop>leofeature_adaaee4b22041c27198d410c68d952c9'] = 'Per cento';
$_MODULE['<{leofeature}prestashop>leofeature_08822b3ae4e2aede0afe08abe600e9c0'] = 'Pixel';
$_MODULE['<{leofeature}prestashop>leofeature_a4ffdcf0dc1f31b9acaf295d75b51d00'] = 'Superiore';
$_MODULE['<{leofeature}prestashop>leofeature_2ad9d63b69c4a10a5cc9cad923133bc4'] = 'Parte inferiore';
$_MODULE['<{leofeature}prestashop>leofeature_945d5e233cf7d6240f6b783b36a374ff'] = 'Sinistra';
$_MODULE['<{leofeature}prestashop>leofeature_92b09c7c48c520c3c55e497875da437c'] = 'Destra';
$_MODULE['<{leofeature}prestashop>leofeature_6adf97f83acf6453d4a6a4b1070f3754'] = 'Nessuna';
$_MODULE['<{leofeature}prestashop>leofeature_04e0385c10aefee8e4681617d2f3ef40'] = 'dissolvenza';
$_MODULE['<{leofeature}prestashop>leofeature_968818e489bac02c58d8b0e5a348a229'] = 'Agitare';
$_MODULE['<{leofeature}prestashop>leofeature_a8d0c913d1d79fe67f2a58b1a759dc82'] = 'Pulsante Mostra carrello A Categoria';
$_MODULE['<{leofeature}prestashop>leofeature_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Abilitato';
$_MODULE['<{leofeature}prestashop>leofeature_b9f5c797ebbf55adccdd8539a65a0241'] = 'Disabilitato';
$_MODULE['<{leofeature}prestashop>leofeature_61aaf7c8a6b05985566c9d2c650c9333'] = 'Mostra Seleziona attributo';
$_MODULE['<{leofeature}prestashop>leofeature_01ac026a761b0e3435b871540ff3dfcf'] = 'Etichetta di aggiornamento del prodotto Dopo Seleziona attributo';
$_MODULE['<{leofeature}prestashop>leofeature_6d57e1e9eaa5a46936ba207b6645223d'] = 'Solo per abilitare selezionare l\'attributo';
$_MODULE['<{leofeature}prestashop>leofeature_f6d00129240d2dcfea0f583a09cc1c12'] = 'Mostra ingresso Quantità';
$_MODULE['<{leofeature}prestashop>leofeature_ed5d0637392bb5b5ca5e2b1f84b0d811'] = 'Abilita Flycart Effect';
$_MODULE['<{leofeature}prestashop>leofeature_f4428c5ee72358148375a5133a09a4f2'] = 'Notifica non valida';
$_MODULE['<{leofeature}prestashop>leofeature_74912e66e046819c0abc2f875d011029'] = 'Mostra notifica quando add carrello successo';
$_MODULE['<{leofeature}prestashop>leofeature_6a1cc91d2ee540430399d1789025babf'] = 'Mostra Popup Dopo Add Carrello';
$_MODULE['<{leofeature}prestashop>leofeature_1899b6edecb8416410321f6b06405830'] = 'L\'impostazione predefinita è ON. È possibile disattivare e attivare \"notifica\", invece';
$_MODULE['<{leofeature}prestashop>leofeature_95a2abcb1ad563eab999a9d48d8269a1'] = 'Visualizza discesa Carrello (Default carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_355c2ea48020748a34cc9b51e93a0059'] = 'Tipo discesa Carrello (Default carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_9677c9b9ad26ac6ca4f2bd0580cd85cc'] = 'Abilita push Effect (Default Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_f3cbdd924fed60f118cb06021c713a83'] = 'Solo per il tipo \"barra di scorrimento\"';
$_MODULE['<{leofeature}prestashop>leofeature_a250470863e5f137ef7ea7582e675199'] = 'Visualizza discesa Carrello (Fly carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_19074636b4a15edd812970a50e043062'] = 'Tipo discesa Carrello (Fly carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_bef3aac57b74246067916ff1df59375b'] = 'Abilita push Effect (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_90ff8c3bfa243f5c7866bc9319786a5b'] = 'Tipo di effetto (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_764e759ba72e74c933eb1ba59acc9583'] = 'Solo quando \"Effetto Flycart\" ON';
$_MODULE['<{leofeature}prestashop>leofeature_ab9f7fa39bf8caa7a35e758a9618c9b4'] = 'Tipo Posizione (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_04489daf1e045d7c0abdc122e05277e9'] = 'Posizione Con verticale (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_27c94021d6dfcf1815af5d00079ed5ed'] = 'Selezionare il tipo di distanza tra \"Fly carrello\" e il bordo superiore o il bordo inferiore della finestra (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_04cf48f2938d2f697e7726cc8e4af116'] = 'Posizione Per valore verticale (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_d7bd437e1369a9384728c0f2930a7be8'] = 'Mosto ha valore da 0 a 100, con il tipo di unità è sotto cento';
$_MODULE['<{leofeature}prestashop>leofeature_38b56b23a3de125a4578add14f9acfb9'] = 'Posizione per unità verticale (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_63cce7c94297356e15a81fa6a6183472'] = 'Posizione Di orizzontale (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_4d2587faf1c1986dd485c3cf57a01514'] = 'Selezionare il tipo di distanza tra \"Vola carrello\" e il bordo sinistro o il bordo destro della finestra (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_330f2d6aff1b2e7c85af79c7b24f4c9e'] = 'Posizione Per valore orizzontale (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_858381718a0020c0323a0841e250d7e1'] = 'Posizione per unità orizzontale (Fly Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_d1c226dd77e24b1cc898d5ac6825c705'] = 'Abilita Sfondo Overlay (Tutti carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_c3208f5c1a4c395da4233c14006edd14'] = 'Solo per il tipo \"barra di scorrimento\". Spegnere per consentire \"Aggiungi al carrello\" per barra di scorrimento';
$_MODULE['<{leofeature}prestashop>leofeature_11ed36d421f3f4a7e5ffe3da74a84688'] = 'Abilita Aggiornare (Tutti carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_3c0c053e3282a7f80355a3acb57271ec'] = 'Attiva pulsante Up / Down (Tutti carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_4394ab109164d8a0d1efde196f3aeb22'] = 'Solo quando accendere la quantità di aggiornamento';
$_MODULE['<{leofeature}prestashop>leofeature_def10fe75471f30ddb2602a547194ed0'] = 'Combinazione Esposizione del prodotto (Tutti carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_3a6f7920e6373f479bc59d2826ce045e'] = 'Visualizza personalizzazione del prodotto (All Carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_5a5b64f5ff86ab8ccc4ec985efeca1a7'] = 'Larghezza di Cart Prodotto (Tutti carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_fa3b06e55eb4ed1e99836e2f6332f4f9'] = 'Altezza di Cart Prodotto (Tutti carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_fb39004686b1c10a3e5eb63a7f95c19d'] = 'Numero carrello voce per visualizzare (Tutti carrello)';
$_MODULE['<{leofeature}prestashop>leofeature_7004f6ef7ffd79001e36fa193d86abb9'] = 'Ony per il tipo \"Dropup / discesa\". Quando il totale della voce di spesa è maggiore questa configurazione, viene visualizzata la barra di scorrimento';
$_MODULE['<{leofeature}prestashop>leofeature_dbc9efd02f9f843af156ec542b95271e'] = 'Larghezza (notifica)';
$_MODULE['<{leofeature}prestashop>leofeature_dad183c86365a98a08e617bcbda8b6bf'] = 'Posizione Con verticale (notifica)';
$_MODULE['<{leofeature}prestashop>leofeature_82ae0a80b6a2e2cdaf346daccc4db4ea'] = 'Selezionare il tipo di distanza tra \"Notifica\" e il bordo superiore o il bordo inferiore della finestra (browser)';
$_MODULE['<{leofeature}prestashop>leofeature_dafe26043ab10325d4bd1dd9003aca7a'] = 'Posizione Per valore verticale (notifica)';
$_MODULE['<{leofeature}prestashop>leofeature_09044a82ba586d14bf4d7813bd853cba'] = 'Posizione per unità verticale (notifica)';
$_MODULE['<{leofeature}prestashop>leofeature_aeb7fec4a02f5c824a53919f1c1c148c'] = 'Posizione Di orizzontale (notifica)';
$_MODULE['<{leofeature}prestashop>leofeature_700bdbd09461c73f1140755c7be7f146'] = 'Posizione Di orizzontale Value (notifica)';
$_MODULE['<{leofeature}prestashop>leofeature_b20178e5217f724ed944916506520667'] = 'Posizione per unità orizzontale (notifica)';
$_MODULE['<{leofeature}prestashop>leofeature_c9cc8cce247e49bae79f15173ce97354'] = 'Salvare';
$_MODULE['<{leofeature}prestashop>leofeature_d99da061f9d26b35c01d44b3e65490dc'] = 'Abilita recensioni per questo prodotto';
$_MODULE['<{leofeature}prestashop>leofeature_a25526a1f2a163618a5cd9d2d35daa84'] = 'recensioni Visualizzare dati del prodotto a prodotto la lista';
$_MODULE['<{leofeature}prestashop>leofeature_0da91026404d3b07dfbc7d8511011a72'] = 'recensioni Mostra numero di prodotti a prodotto la lista';
$_MODULE['<{leofeature}prestashop>leofeature_b87baaf985f1b46c51ee6d8e6b1c446a'] = 'Mostra a zero recensioni per questo prodotto a prodotto la lista';
$_MODULE['<{leofeature}prestashop>leofeature_cf2fcb22e6342dea54b0cc34bb521752'] = 'Tutte le recensioni devono essere convalidati da un dipendente';
$_MODULE['<{leofeature}prestashop>leofeature_3d028644c30ee457da7838578b1ea44e'] = 'Consenti tasto utile';
$_MODULE['<{leofeature}prestashop>leofeature_e4894be52ea3506144018020eb795736'] = 'pulsante di segnalazione Consenti';
$_MODULE['<{leofeature}prestashop>leofeature_4e26bb46aa3f40913ee95cfb1d6c82f9'] = 'Consenti recensioni di ospiti';
$_MODULE['<{leofeature}prestashop>leofeature_9dc1140983196141368ceda7565128a8'] = 'Tempo minimo tra 2 recensioni dallo stesso utente';
$_MODULE['<{leofeature}prestashop>leofeature_f331ddd467099246f8c879b33e44346b'] = 'secondo (s)';
$_MODULE['<{leofeature}prestashop>leofeature_ee7273842616e7880648d668f01c99fb'] = 'Abilita prodotto confronto';
$_MODULE['<{leofeature}prestashop>leofeature_ca4fa3ce52694f750f63086120ea671f'] = 'Visualizza prodotto paragona al prodotto di lista';
$_MODULE['<{leofeature}prestashop>leofeature_b9430191b5de82688380961d92a211ea'] = 'Visualizza prodotto paragona alla pagina del prodotto';
$_MODULE['<{leofeature}prestashop>leofeature_cc9e4e12af1eceecf60527c80ceed331'] = 'Confronto prodotto Numero ';
$_MODULE['<{leofeature}prestashop>leofeature_dbd6459b099286fe756dced2f6f5d138'] = 'Abilita lista dei desideri prodotto';
$_MODULE['<{leofeature}prestashop>leofeature_b9ce07d8233546cec066b0a2832a3313'] = 'Mostra lista dei desideri prodotto a prodotto la lista';
$_MODULE['<{leofeature}prestashop>leofeature_1412c7fb2f326c4a9c1d2f3ddae31891'] = 'Mostra lista dei desideri prodotto alla pagina del prodotto';
$_MODULE['<{leofeature}prestashop>leofeature_90723749917a82bf3ff8a73247d32ffb'] = 'Non è possibile aggiungere più del prodotto %d al prodotto confrontato';
$_MODULE['<{leofeature}prestashop>leofeature_59c533b287338f11f4cdca5a4b71df47'] = 'Il prodotto è stato aggiunto alla lista confronta';
$_MODULE['<{leofeature}prestashop>leofeature_98b612d068fbdaa76e73a049156eb861'] = 'Mostra la lista confronta';
$_MODULE['<{leofeature}prestashop>leofeature_fdf96b7e3bfda00d1188bab3e57b0216'] = 'Il prodotto è stato rimosso con successo dalla lista confrontare';
$_MODULE['<{leofeature}prestashop>leofeature_7f5508c884f40e3378895c83d99cbbd3'] = 'Confrontare';
$_MODULE['<{leofeature}prestashop>leofeature_201f644e542b0230551936ae7af3169e'] = 'Elimina dalla comparazione';
$_MODULE['<{leofeature}prestashop>leofeature_096cbcc12b9255bd4050af021d493ae1'] = 'Il prodotto è stato aggiunto con successo alla tua lista dei desideri';
$_MODULE['<{leofeature}prestashop>leofeature_366b534e538a2cd839e0044f0dcc9037'] = 'Vedi il tuo lista dei desideri';
$_MODULE['<{leofeature}prestashop>leofeature_758a20dcb47ba17c30e007a8f92349e2'] = 'Il prodotto è stato rimosso con successo dal lista dei desideri';
$_MODULE['<{leofeature}prestashop>leofeature_6a5373df703ab2827a4ba7facdfcf779'] = 'Lista dei desideri';
$_MODULE['<{leofeature}prestashop>leofeature_5db81b03fbed784f36ad9502aad70e95'] = 'Rimuovi dalla wishlist';
$_MODULE['<{leofeature}prestashop>leofeature_019b05578911596956b81b9a90ea36e7'] = 'Devi essere registrato per gestire la vostra lista dei desideri';
$_MODULE['<{leofeature}prestashop>leofeature_ea4788705e6873b424c65e91c2846b19'] = 'Annulla';
$_MODULE['<{leofeature}prestashop>leofeature_a60852f204ed8028c1c58808b746d115'] = 'Ok';
$_MODULE['<{leofeature}prestashop>leofeature_94966d90747b97d1f0f206c98a8b1ac3'] = 'Inviare';
$_MODULE['<{leofeature}prestashop>leofeature_526d688f37a86d3c3f27d0c5016eb71d'] = 'Reset';
$_MODULE['<{leofeature}prestashop>leofeature_8a965890cf0d6d58c5174a2309095c19'] = 'Invia lista dei desideri';
$_MODULE['<{leofeature}prestashop>leofeature_ce8ae9da5b7cd6c3df2929543a9af92d'] = 'E-mail';
$_MODULE['<{leofeature}prestashop>leofeature_1412292b09d3cd39f32549afb1f5f102'] = 'Elimina l\'elemento selezionato?';
$_MODULE['<{leofeature}prestashop>leofeature_6caf5bb14ae65101ea712a309b48e8a1'] = 'Impossibile eliminare lista dei desideri di default';
$_MODULE['<{leofeature}prestashop>leofeature_61b5f801ab23a9ecf6f652dc12747be5'] = 'È necessario inserire una quantità';
$_MODULE['<{leofeature}prestashop>leofeature_d848b57ab6ab8b6ff5997373b38fcdf0'] = 'Non esiste un criterio per rivedere per questo prodotto o questa lingua';
$_MODULE['<{leofeature}prestashop>leofeature_92a91a1abd2ab891ad47073cf2759ae4'] = '\"Confronto prodotto Numero\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_68244a8ad554402d0da92c7c0e183245'] = '\"Tempo minimo tra 2 recensioni dei stesso utente\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_ed1aadd93871c8183fd51bada53b9faa'] = '\"Posizione Per valore verticale (Fly Carrello)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_f493b87f71f88239d33b66167fa88137'] = '\"Posizione Per valore verticale (Fly Carrello)\" non è valido. Must una validità intero (non firmato). Mosto ha valore da 0 a 100, con il tipo di unità è cento';
$_MODULE['<{leofeature}prestashop>leofeature_c13bf293921283ea99cdce12d0a93970'] = '\"Posizione Per valore orizzontale (Fly Carrello)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_3b4b9f3b9061a6857d70f36143c9f223'] = '\"Posizione Per valore orizzontale (Fly Carrello)\" non è valido. Must una validità intero (non firmato). Mosto ha valore da 0 a 100, con il tipo di unità è cento';
$_MODULE['<{leofeature}prestashop>leofeature_1dd5613fc6b902c5552348b00cee0ed7'] = '\"Larghezza della spesa Prodotto (Tutti spesa)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_ddf4809c8588348158d64672fbd9cd33'] = '\"Altezza Carrello Descrizione (Tutti carrello)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_ecb836eddf0396d96e332108d9cad3da'] = '\"Numero carrello voce per visualizzare (Tutti spesa)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_c083170aff5792f88b22cf3152954130'] = '\"Larghezza (notifica)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_a87ef72e6b4f6babb9dbee396c3b596a'] = '\"Posizione Di Verticale Valore (notifica)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_f60b7707ef028e49a6e905fc3f8501bd'] = '\"Posizione Di Verticale Valore (notifica)\" non è valido. Must una validità intero (non firmato). Mosto ha valore da 0 a 100, con il tipo di unità è cento';
$_MODULE['<{leofeature}prestashop>leofeature_378364d7bf0b82e84a7066e3777ea6e0'] = '\"Posizione Di orizzontale Value (notifica)\" non è valido. Must una validità intero (non firmato).';
$_MODULE['<{leofeature}prestashop>leofeature_6b1eaf3ca9c6ab029498d0a77556f437'] = '\"Posizione Di orizzontale Value (notifica)\" non è valido. Must una validità intero (non firmato). Mosto ha valore da 0 a 100, con il tipo di unità è cento';
$_MODULE['<{leofeature}prestashop>psajax_review_da3e413ae5dde1a6b986203857fb1a59'] = 'ID del prodotto non è corretto';
$_MODULE['<{leofeature}prestashop>psajax_review_7b0bf23ae4079e07a3a4cb4d07e2caef'] = 'Titolo non è corretto';
$_MODULE['<{leofeature}prestashop>psajax_review_ddbd56de5feb78ef1aaf60401f8c472b'] = 'Commento non è corretto';
$_MODULE['<{leofeature}prestashop>psajax_review_1b1030b6294e9096a7d7c40d83d61872'] = 'Nome del cliente non è corretto';
$_MODULE['<{leofeature}prestashop>psajax_review_ba0ba469e1c4ba0bea43b77c5c00f9f1'] = 'È necessario essere connessi al fine di inviare un commento';
$_MODULE['<{leofeature}prestashop>psajax_review_a201fbadca94d310a1b62407cdc775d5'] = 'È necessario dare una valutazione';
$_MODULE['<{leofeature}prestashop>psajax_review_dfbe69c6d9568ecb0e65e7b32ed92a3a'] = 'Prodotto non trovato';
$_MODULE['<{leofeature}prestashop>psajax_review_6d10b2f471e8894d59ae18e01537ece5'] = 'Si prega di attendere prima di pubblicare un altro commento';
$_MODULE['<{leofeature}prestashop>psajax_review_498b760d1963039e2fdf4c940f12e3d8'] = 'secondi prima di pubblicare una nuova recensione';
$_MODULE['<{leofeature}prestashop>psajax_review_8a8bc2f7809ee4f789b25182a8cd6417'] = 'È stato aggiunto il tuo commento. Grazie!';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3b206d196cd6be3a2764c1fb90b200f'] = 'Elimina selezionato';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_e25f0ecd41211b01c83e5fec41df4fe7'] = 'Eliminare elementi selezionati?';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b718adec73e04ce3ec720dd11a06a308'] = 'ID';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_49ee3087348e8d44e1feda1917443987'] = 'Nome';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a1fa27779242b4902f7ae3bdd5c6d508'] = 'Tipo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ec53a8c4f07baed5d8825072c89799be'] = 'Stato';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a09ed6c60eb3213939cecb4c580813cd'] = 'Valido per l\'intero catalogo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_467366059d7d7c743a4d0971363a8d66'] = 'Riservato ad alcune categorie';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_772911becd336c843ab09a1d4b4f66c0'] = 'Riservato ad alcuni prodotti';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f3d8e91894baa7ee67e0649abcc092ff'] = 'Criterion sarà limitato alle seguenti categorie';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3dc571a8be516766c8124a636290fd9'] = 'Selezionare le caselle di categorie a cui si applica questo criterio.';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_91b442d385b54e1418d81adc34871053'] = 'Selezionato';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b56c3bda503a8dc4be356edb0cc31793'] = 'Comprimi tutto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5ffd7a335dd836b3373f5ec570a58bdc'] = 'Espandi tutto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5e9df908eafa83cb51c0a3720e8348c7'] = 'Seleziona tutto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9747d23c8cc358c5ef78c51e59cd6817'] = 'Deseleziona tutto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_38fc05fb7f02497ea56b77fe085ffc78'] = 'Aggiungi nuovo criterio';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_92a497b6a43b59cce82c604a4c834bb0'] = 'nome Criterion';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_bbda28827cde1064b0320cbf6b1890a2'] = 'portata di applicazione del criterio';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_20089c27bf83463fe32e7d30ed9d8f81'] = 'Il criterio sarà limitato ai seguenti prodotti';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_4d3d769b812b6faa6b76e1a8abaece2d'] = 'Attivo';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Abilitato';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b9f5c797ebbf55adccdd8539a65a0241'] = 'Disabilitato';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_c9cc8cce247e49bae79f15173ce97354'] = 'Salvare';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9ea67be453eaccf020697b4654fc021a'] = 'Salva e rimanere';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_57826496f2bb2a191458e4893e96e52e'] = 'criteri di revisione';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ef61fb324d729c341ea8ab9901e23566'] = 'Aggiungere nuova';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2ec265696a51530949d345239069f0d4'] = 'Recensioni in attesa di approvazione';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_655d20c1ca69519ca647684edbb2db35'] = 'alto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'medio';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Basso';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_eb7d6baeb8bbf339547da7e0d6c5e416'] = 'Recensioni segnalati';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2608831883bb20ab520b70b4350aa23a'] = 'Recensioni approvati';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_6f7351657f795bc1357a53142b1184cc'] = 'Approvare';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ecf74aa77715220b378ec668e75655a8'] = 'non abusiva';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f8a0aa69f5ce41287f02c2d182306f52'] = 'Titolo della recensione';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_457dd55184faedb7885afd4009d70163'] = 'Revisione';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_dda9c06f33071c9b6fc237ee164109d8'] = 'Valutazione';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a517747c3d12f99244ae598910d979c5'] = 'Autore';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_deb10517653c255364175796ace3553f'] = 'Prodotto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_0f46dacf1a6ecab8ce1cb97250bb8113'] = 'Ora pubblicazione';
$_MODULE['<{leofeature}prestashop>mywishlist_9ae79c1fccd231ac7fbbf3235dbf6326'] = 'La mia lista dei desideri';
$_MODULE['<{leofeature}prestashop>mywishlist_b30545c7b2d429352b9afdd85be810c7'] = 'È necessario specificare un nome.';
$_MODULE['<{leofeature}prestashop>mywishlist_b74c118d823d908d653cfbf1c877ae55'] = 'Questo nome è già utilizzato da un altro elenco.';
$_MODULE['<{leofeature}prestashop>mywishlist_77e6836ee64655f6935e1da9306a625a'] = 'Questo nome è non è corretto';
$_MODULE['<{leofeature}prestashop>mywishlist_4ef14234be73618adfa950e7b267885f'] = 'La nuova lista dei desideri è stata creata';
$_MODULE['<{leofeature}prestashop>mywishlist_7098d49878bbd102b13038a748125e27'] = 'Impossibile eliminare questa lista dei desideri';
$_MODULE['<{leofeature}prestashop>mywishlist_a10bc9133481a565859f49ed7a57c9cd'] = 'Impossibile aggiornare questa lista dei desideri';
$_MODULE['<{leofeature}prestashop>mywishlist_9aee3a4d72fa9025200d409f68236a0d'] = 'Non è possibile mostrare il prodotto (s) di questa lista dei desideri';
$_MODULE['<{leofeature}prestashop>mywishlist_90d8a44a1fba13198035d86caeeb2d4d'] = 'lista dei desideri non valido';
$_MODULE['<{leofeature}prestashop>mywishlist_072df51ea0cb142b770d6209dab5a85b'] = 'errore Invia Wishlist';
$_MODULE['<{leofeature}prestashop>mywishlist_a902b4022653cd6f6d874bf596c811b8'] = 'cliente non valido';
$_MODULE['<{leofeature}prestashop>mywishlist_5d3d684c0bb4d7b423c3fbf1c65cb29d'] = 'Impossibile eliminare';
$_MODULE['<{leofeature}prestashop>mywishlist_601adec967f7fa4d685f4aa150f53a71'] = 'Impossibile aggiornare';
$_MODULE['<{leofeature}prestashop>mywishlist_3c924eebbd7c3447336bbec3b325d3da'] = 'Errore durante lo spostamento del prodotto in un altro elenco';
$_MODULE['<{leofeature}prestashop>mywishlist_16a23698e7cf5188ce1c07df74298076'] = 'Devi essere loggato per gestire il tuo lista dei desideri.';
$_MODULE['<{leofeature}prestashop>mywishlist_4840f4437f55e68a587d358090b948d1'] = 'La mia lista dei desideri';
$_MODULE['<{leofeature}prestashop>mywishlist_ca16af511d65ccd849f522d92c3eba4e'] = 'La mia lista dei desideri';
$_MODULE['<{leofeature}prestashop>mywishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Il mio account';
$_MODULE['<{leofeature}prestashop>productscompare_7af832e9c71671de0323487c86b6b702'] = 'prodotti Confronto';
$_MODULE['<{leofeature}prestashop>productscompare_4f8370b7608003c3e56ec5bd7c2f1012'] = 'prodotti-confronto';
$_MODULE['<{leofeature}prestashop>viewwishlist_14c6e05c31e4622404eaea7ac78465e4'] = 'Visualizza lista';
$_MODULE['<{leofeature}prestashop>viewwishlist_444f180cde4e7682f345185ad2c10244'] = 'view-lista';
$_MODULE['<{leofeature}prestashop>viewwishlist_a77885e16b298d1c01b6b5bc194a6847'] = 'Visualizza lista';
$_MODULE['<{leofeature}prestashop>viewwishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Il mio account';
$_MODULE['<{leofeature}prestashop>viewwishlist_4840f4437f55e68a587d358090b948d1'] = 'La mia lista dei desideri';
$_MODULE['<{leofeature}prestashop>panel_af247d7a41136c6f8b262cf0ee3ef860'] = 'modulo corretto';
$_MODULE['<{leofeature}prestashop>panel_44c11c4bb3a89d6d82d83a1f8a2fbd86'] = 'Si prega di eseguire il backup del database prima corsa corretta del modulo di sicurezza';
$_MODULE['<{leofeature}prestashop>panel_302f3227b2362aee931d0ba98eff05e0'] = 'Leo caratteristica globale Config';
$_MODULE['<{leofeature}prestashop>panel_3f93bd3e4ab678691180510321ea27db'] = 'Ajax carrello';
$_MODULE['<{leofeature}prestashop>panel_ec7f6af74676fcb5bd145de6eb008c91'] = 'Recensione del prodotto';
$_MODULE['<{leofeature}prestashop>panel_bbf186cafb55d9329c02818174b17ef8'] = 'prodotto Confronta';
$_MODULE['<{leofeature}prestashop>panel_db872ea537236c60874d5b0e859fe4b5'] = 'Wishlist prodotto';
$_MODULE['<{leofeature}prestashop>form_b9aefa40a54680bb258f9f9569290fae'] = 'nome del prodotto';
$_MODULE['<{leofeature}prestashop>drop_down_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantità';
$_MODULE['<{leofeature}prestashop>drop_down_2e65a5e30c454ceb77be9bb48e8343f1'] = 'Togliere dal carrello';
$_MODULE['<{leofeature}prestashop>drop_down_59fc69e031ecb0f82efe467fd6692383'] = 'Vedi Carrello';
$_MODULE['<{leofeature}prestashop>drop_down_51f377b830737ebc60c6e4293760f455'] = 'Check-out';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_06c335f27f292a096a9bf39e3a58e97b'] = 'nuova lista dei desideri';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_49ee3087348e8d44e1feda1917443987'] = 'Nome';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_44f86a7579ab438609442b2596f29554'] = 'Inserire il nome della nuova lista dei desideri';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_c9cc8cce247e49bae79f15173ce97354'] = 'Salvare';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantità';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_5e729042e30967c9d6f65c6eab73e2fe'] = 'Visto';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0eceeb45861f9585dd7a97a3e36f85c6'] = 'Creato';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_45284ef16392f85ff424b2ef36ab5948'] = 'Collegamento diretto';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_7a1920d61156abc05a60135aefe8bc67'] = 'Predefinito';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_f2a6c498fb90ee345d997f888fce3b18'] = 'Elimina';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_4351cfebe4b61d8aa5efa1d020710005'] = 'vista';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_30820a1bf6a285e45cda2beda3d7738d'] = 'Invia questa lista dei desideri';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0b3db27bc15f682e92ff250ebb167d4b'] = 'Torna al tuo account';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_8cf04a9734132302f96da8e113e80ce5'] = 'Casa';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_710a9a7db8094cc96d716e9a8420bb98'] = 'Rimuovere da questa lista dei desideri';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_694e8d1f2ee056f98ee488bdc4982d73'] = 'Quantità';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priorità';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_655d20c1ca69519ca647684edbb2db35'] = 'alto';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'medio';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Basso';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_c9cc8cce247e49bae79f15173ce97354'] = 'Salvare';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_6bc362dbf494c61ea117fe3c71ca48a5'] = 'Mossa';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_09dc02ecbb078868a3a86dded030076d'] = 'Nessun prodotto';
$_MODULE['<{leofeature}prestashop>leo_products_compare_7af832e9c71671de0323487c86b6b702'] = 'prodotti Confronto';
$_MODULE['<{leofeature}prestashop>leo_products_compare_d6295c05503596b3ed3528aee83e3ef7'] = 'Caratteristiche:';
$_MODULE['<{leofeature}prestashop>leo_products_compare_201f644e542b0230551936ae7af3169e'] = 'Elimina dalla comparazione';
$_MODULE['<{leofeature}prestashop>leo_products_compare_f5e15309ff0396474b8421ef48871d0b'] = 'Nessuna caratteristica per confrontare';
$_MODULE['<{leofeature}prestashop>leo_products_compare_234a9674e80b9c04a685075ad3ea6950'] = 'Non ci sono prodotti selezionati per il confronto.';
$_MODULE['<{leofeature}prestashop>leo_products_compare_c20905e8fdd34a1bf81984e597436134'] = 'Continua a fare acquisti';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_4351cfebe4b61d8aa5efa1d020710005'] = 'vista';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_f2a6c498fb90ee345d997f888fce3b18'] = 'Elimina';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_641254d77e7a473aa5910574f3f9453c'] = 'Lista dei desideri';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_3fb0acb6862adac8e196b76660679d53'] = 'Altre liste dei desideri di ';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priorità';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_655d20c1ca69519ca647684edbb2db35'] = 'alto';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'medio';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Basso';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_09dc02ecbb078868a3a86dded030076d'] = 'Nessun prodotto';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_65c40cc17acd96eb901ed82b0363234f'] = 'Lista non esiste';
$_MODULE['<{leofeature}prestashop>modal_61b5f801ab23a9ecf6f652dc12747be5'] = 'È necessario inserire una quantità';
$_MODULE['<{leofeature}prestashop>modal_1cf13f9c64a2b1977db63d01ab2a46a9'] = 'La quantità minima d\'ordine per il prodotto è ';
$_MODULE['<{leofeature}prestashop>modal_a923575984949608ce04c4984806ec2a'] = 'Non ci sono abbastanza prodotti in magazzino';
$_MODULE['<{leofeature}prestashop>modal_review_c31732fda0c6f01c446db7163b214de4'] = 'Scrivere una recensione';
$_MODULE['<{leofeature}prestashop>modal_review_b78a3223503896721cca1303f776159b'] = 'Titolo';
$_MODULE['<{leofeature}prestashop>modal_review_0be8406951cdfda82f00f79328cf4efc'] = 'Commento';
$_MODULE['<{leofeature}prestashop>modal_review_221e705c06e231636fdbccfdd14f4d5c'] = 'Il tuo nome';
$_MODULE['<{leofeature}prestashop>modal_review_70397c4b252a5168c5ec003931cea215'] = 'Campi richiesti';
$_MODULE['<{leofeature}prestashop>modal_review_d3d2e617335f08df83599665eef8a418'] = 'Vicino';
$_MODULE['<{leofeature}prestashop>modal_review_a4d3b161ce1309df1c4e25df28694b7b'] = 'Sottoscrivi';
$_MODULE['<{leofeature}prestashop>notification_1222b0022fb0d33d952c37cfe42266cd'] = 'Il prodotto è stato aggiornato nel tuo carrello';
$_MODULE['<{leofeature}prestashop>notification_114d0e1aa16fe8baa087238c6d07693a'] = 'Il prodotto è stato rimosso dal tuo carrello';
$_MODULE['<{leofeature}prestashop>notification_544c3bd0eac526113a9c66542be1e5bc'] = 'Prodotto è stato aggiunto al tuo carrello';
$_MODULE['<{leofeature}prestashop>notification_63c63a0602a4b74e919059a8cc9ea8af'] = 'Errore aggiornamento';
$_MODULE['<{leofeature}prestashop>notification_4e0ac45de6bd848503ffa98ff6247f2f'] = 'Errore durante l\'eliminazione';
$_MODULE['<{leofeature}prestashop>notification_1929e96729ba794c08e056afec1c40e9'] = 'Errore durante l\'aggiunta. Per favore, vai alla pagina di dettaglio del prodotto e riprova';
$_MODULE['<{leofeature}prestashop>notification_04325f5c10c9818bc464d660daa2b030'] = 'La quantità minima d\'ordine per il prodotto è';
$_MODULE['<{leofeature}prestashop>notification_a923575984949608ce04c4984806ec2a'] = 'Non ci sono abbastanza prodotti in magazzino';
$_MODULE['<{leofeature}prestashop>notification_61b5f801ab23a9ecf6f652dc12747be5'] = 'È necessario inserire una quantità';
$_MODULE['<{leofeature}prestashop>leo_cart_button_2d0f6b8300be19cf35e89e66f0677f95'] = 'Carrello';
$_MODULE['<{leofeature}prestashop>leo_compare_button_201f644e542b0230551936ae7af3169e'] = 'Elimina dalla comparazione';
$_MODULE['<{leofeature}prestashop>leo_compare_button_7f5508c884f40e3378895c83d99cbbd3'] = 'Confrontare';
$_MODULE['<{leofeature}prestashop>leo_list_product_review_d844ad9202d0de8442498775ba6ef819'] = 'Recensioni';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_34e80a799d144cfe4af46815e103f017'] = 'Recensioni';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_b1897515d548a960afe49ecf66a29021'] = 'Media';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_52a7b0de81cb2dbdecd49789a0afe059'] = 'Leggi le recensioni';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_dda9c06f33071c9b6fc237ee164109d8'] = 'Valutazione';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_899139b5174d8d7a6e38a0360008a695'] = 'Leggi le recensioni';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_c31732fda0c6f01c446db7163b214de4'] = 'Scrivere una recensione';
$_MODULE['<{leofeature}prestashop>leo_product_tab_34e80a799d144cfe4af46815e103f017'] = 'Recensioni';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_4b3b9db8c9784468094acde0f8bf7071'] = 'Grado';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_b5c82723bd85856358f9a376bc613998'] = '%1$d fuori da %2$d la gente ha trovato utile questa recensione.';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_dde78e104216913430ad577ec142f204'] = 'Questa recensione ti è stata utile?';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_93cba07454f06a4a960172bbd6e2a435'] = 'sì';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_bafd7322c6e97d25b6299b5d6fe8920b'] = 'No';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_28b3b1e564a00f572c5d4e21da986d49'] = 'Segnalare un abuso';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_c31732fda0c6f01c446db7163b214de4'] = 'Scrivere una recensione';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_f444678e4f3575d59b32a858630741fd'] = 'Puoi essere il primo a scrivere la tua recensione!';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_08c7d6f84301ee7d0aab0a5f67edc419'] = 'Commenti Nessun cliente per il momento.';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_6a5373df703ab2827a4ba7facdfcf779'] = 'Lista dei desideri';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_d7e2d3dbf5daf266a0877428e0e1b8fb'] = 'Togliere dal Wishlist';
$_MODULE['<{leofeature}prestashop>leo_wishlist_link_4840f4437f55e68a587d358090b948d1'] = 'La mia lista dei desideri';

View File

@@ -0,0 +1,307 @@
<?php
global $_MODULE;
$_MODULE = array();
$_MODULE['<{leofeature}prestashop>psajax_review_da3e413ae5dde1a6b986203857fb1a59'] = 'Identyfikator produktu jest nieprawidłowy';
$_MODULE['<{leofeature}prestashop>psajax_review_7b0bf23ae4079e07a3a4cb4d07e2caef'] = 'Tytuł jest nieprawidłowy';
$_MODULE['<{leofeature}prestashop>psajax_review_ddbd56de5feb78ef1aaf60401f8c472b'] = 'Komentarz jest nieprawidłowy';
$_MODULE['<{leofeature}prestashop>psajax_review_1b1030b6294e9096a7d7c40d83d61872'] = 'Nazwa klienta jest nieprawidłowa';
$_MODULE['<{leofeature}prestashop>psajax_review_ba0ba469e1c4ba0bea43b77c5c00f9f1'] = 'Aby wysłać recenzję, musisz być podłączony';
$_MODULE['<{leofeature}prestashop>psajax_review_a201fbadca94d310a1b62407cdc775d5'] = 'Musisz wystawić ocenę';
$_MODULE['<{leofeature}prestashop>psajax_review_dfbe69c6d9568ecb0e65e7b32ed92a3a'] = 'produkt nie znaleziony';
$_MODULE['<{leofeature}prestashop>psajax_review_6d10b2f471e8894d59ae18e01537ece5'] = 'Poczekaj, zanim opublikujesz kolejny komentarz';
$_MODULE['<{leofeature}prestashop>psajax_review_498b760d1963039e2fdf4c940f12e3d8'] = 'sekund przed opublikowaniem nowej recenzji';
$_MODULE['<{leofeature}prestashop>psajax_review_8a8bc2f7809ee4f789b25182a8cd6417'] = 'Twój komentarz został dodany. Dziękuję!';
$_MODULE['<{leofeature}prestashop>leofeature_ab958c5dabadcbf3b020b083f8ff929f'] = 'Cecha Lwa';
$_MODULE['<{leofeature}prestashop>leofeature_6bf92ee4988e28d896685690b1fa5f35'] = 'Funkcja Leo dla prestashop 1.7: ajax cart, dropdown cart, fly cart, recenzja, porównanie, lista życzeń na liście produktów';
$_MODULE['<{leofeature}prestashop>leofeature_e60e6135ee33810573ed274fb9982ad1'] = 'Zarządzanie cechami Leo';
$_MODULE['<{leofeature}prestashop>leofeature_7498c445a737312f3678aa1494e01a38'] = 'Upuścić';
$_MODULE['<{leofeature}prestashop>leofeature_f11bd493714fd89d3f6326d1a79435bf'] = 'Zrzut';
$_MODULE['<{leofeature}prestashop>leofeature_76b9fa479019cd2837be9494861ea524'] = 'Suwak w lewo';
$_MODULE['<{leofeature}prestashop>leofeature_58606efd87c419236084a2022baea608'] = 'Suwak w prawo';
$_MODULE['<{leofeature}prestashop>leofeature_0cfc343a9362779441564f491e26fbda'] = 'Suwak górny';
$_MODULE['<{leofeature}prestashop>leofeature_0a4a50a9c0527b7918669759fa3a43b0'] = 'Suwak na dole';
$_MODULE['<{leofeature}prestashop>leofeature_4457d440870ad6d42bab9082d9bf9b61'] = 'Naprawił';
$_MODULE['<{leofeature}prestashop>leofeature_b51ca26c6c89cfc9bec338f7a0d3e0c8'] = 'Absolutny';
$_MODULE['<{leofeature}prestashop>leofeature_adaaee4b22041c27198d410c68d952c9'] = 'Procent';
$_MODULE['<{leofeature}prestashop>leofeature_08822b3ae4e2aede0afe08abe600e9c0'] = 'Piksel';
$_MODULE['<{leofeature}prestashop>leofeature_a4ffdcf0dc1f31b9acaf295d75b51d00'] = 'Szczyt';
$_MODULE['<{leofeature}prestashop>leofeature_2ad9d63b69c4a10a5cc9cad923133bc4'] = 'Spód';
$_MODULE['<{leofeature}prestashop>leofeature_945d5e233cf7d6240f6b783b36a374ff'] = 'Lewy';
$_MODULE['<{leofeature}prestashop>leofeature_92b09c7c48c520c3c55e497875da437c'] = 'Prawidłowy';
$_MODULE['<{leofeature}prestashop>leofeature_6adf97f83acf6453d4a6a4b1070f3754'] = 'Nic';
$_MODULE['<{leofeature}prestashop>leofeature_04e0385c10aefee8e4681617d2f3ef40'] = 'Znikać';
$_MODULE['<{leofeature}prestashop>leofeature_968818e489bac02c58d8b0e5a348a229'] = 'Potrząsnąć';
$_MODULE['<{leofeature}prestashop>leofeature_a8d0c913d1d79fe67f2a58b1a759dc82'] = 'Pokaż przycisk koszyka na liście produktów';
$_MODULE['<{leofeature}prestashop>leofeature_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Włączony';
$_MODULE['<{leofeature}prestashop>leofeature_b9f5c797ebbf55adccdd8539a65a0241'] = 'Wyłączony';
$_MODULE['<{leofeature}prestashop>leofeature_61aaf7c8a6b05985566c9d2c650c9333'] = 'Pokaż wybrany atrybut';
$_MODULE['<{leofeature}prestashop>leofeature_0f1f1415e47aee48ddbc3064563317da'] = 'Pokaż atrybut na liście produktów';
$_MODULE['<{leofeature}prestashop>leofeature_37c4fb64ff821908042845f84b20e55c'] = 'Pokaż atrybut grupy';
$_MODULE['<{leofeature}prestashop>leofeature_f6d00129240d2dcfea0f583a09cc1c12'] = 'Pokaż ilość wejściową';
$_MODULE['<{leofeature}prestashop>leofeature_3321e1aa7065e024b67f085ed82df53f'] = 'Pokaż etykietę';
$_MODULE['<{leofeature}prestashop>leofeature_ed5d0637392bb5b5ca5e2b1f84b0d811'] = 'Włącz efekt Flycart';
$_MODULE['<{leofeature}prestashop>leofeature_f4428c5ee72358148375a5133a09a4f2'] = 'Włącz powiadomienia';
$_MODULE['<{leofeature}prestashop>leofeature_74912e66e046819c0abc2f875d011029'] = 'Pokaż powiadomienie po pomyślnym dodaniu koszyka';
$_MODULE['<{leofeature}prestashop>leofeature_6a1cc91d2ee540430399d1789025babf'] = 'Pokaż wyskakujące okienko po dodaniu koszyka';
$_MODULE['<{leofeature}prestashop>leofeature_1899b6edecb8416410321f6b06405830'] = 'Ustawieniem domyślnym jest WŁ. Zamiast tego możesz WYŁĄCZYĆ i WŁĄCZYĆ „Powiadomienie”.';
$_MODULE['<{leofeature}prestashop>leofeature_95a2abcb1ad563eab999a9d48d8269a1'] = 'Pokaż rozwijany koszyk (domyślny koszyk)';
$_MODULE['<{leofeature}prestashop>leofeature_355c2ea48020748a34cc9b51e93a0059'] = 'Wpisz rozwijany koszyk (domyślny koszyk)';
$_MODULE['<{leofeature}prestashop>leofeature_a250470863e5f137ef7ea7582e675199'] = 'Pokaż rozwijany koszyk (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_19074636b4a15edd812970a50e043062'] = 'Wpisz rozwijany wózek (fly cart)';
$_MODULE['<{leofeature}prestashop>leofeature_90ff8c3bfa243f5c7866bc9319786a5b'] = 'Efekt typu (Fly Cart)';
$_MODULE['<{leofeature}prestashop>leofeature_764e759ba72e74c933eb1ba59acc9583'] = 'Tylko przy włączonej funkcji „Flycart Effect”.';
$_MODULE['<{leofeature}prestashop>leofeature_ab9f7fa39bf8caa7a35e758a9618c9b4'] = 'Pozycja typu (fly cart)';
$_MODULE['<{leofeature}prestashop>leofeature_04489daf1e045d7c0abdc122e05277e9'] = 'Pozycja w pionie (fly cart)';
$_MODULE['<{leofeature}prestashop>leofeature_27c94021d6dfcf1815af5d00079ed5ed'] = 'Wybierz typ odległości między „Fly cart” a górną lub dolną krawędzią okna (przeglądarki)';
$_MODULE['<{leofeature}prestashop>leofeature_04cf48f2938d2f697e7726cc8e4af116'] = 'Pozycja według wartości pionowej (fly cart)';
$_MODULE['<{leofeature}prestashop>leofeature_d7bd437e1369a9384728c0f2930a7be8'] = 'Musi mieć wartość od 0 do 100, a typem jednostki poniżej jest procent';
$_MODULE['<{leofeature}prestashop>leofeature_38b56b23a3de125a4578add14f9acfb9'] = 'Pozycja według jednostki pionowej (fly cart)';
$_MODULE['<{leofeature}prestashop>leofeature_63cce7c94297356e15a81fa6a6183472'] = 'Pozycja pozioma (fly cart)';
$_MODULE['<{leofeature}prestashop>leofeature_4d2587faf1c1986dd485c3cf57a01514'] = 'Wybierz typ odległości między „Fly cart” a lewą lub prawą krawędzią okna (przeglądarki)';
$_MODULE['<{leofeature}prestashop>leofeature_330f2d6aff1b2e7c85af79c7b24f4c9e'] = 'Pozycja według wartości poziomej (fly cart)';
$_MODULE['<{leofeature}prestashop>leofeature_858381718a0020c0323a0841e250d7e1'] = 'Pozycja według jednostki poziomej (fly cart)';
$_MODULE['<{leofeature}prestashop>leofeature_d1c226dd77e24b1cc898d5ac6825c705'] = 'Włącz tło nakładki (wszystkie koszyki)';
$_MODULE['<{leofeature}prestashop>leofeature_c3208f5c1a4c395da4233c14006edd14'] = 'Tylko dla typu „Slidebar”. Wyłącz, aby zezwolić na „Dodaj do koszyka” dla paska slajdów';
$_MODULE['<{leofeature}prestashop>leofeature_11ed36d421f3f4a7e5ffe3da74a84688'] = 'Włącz ilość aktualizacji (wszystkie koszyki)';
$_MODULE['<{leofeature}prestashop>leofeature_3c0c053e3282a7f80355a3acb57271ec'] = 'Włącz przycisk w górę/w dół (wszystkie koszyki)';
$_MODULE['<{leofeature}prestashop>leofeature_4394ab109164d8a0d1efde196f3aeb22'] = 'Tylko po włączeniu ilości aktualizacji';
$_MODULE['<{leofeature}prestashop>leofeature_def10fe75471f30ddb2602a547194ed0'] = 'Pokaż kombinację produktów (wszystkie koszyki)';
$_MODULE['<{leofeature}prestashop>leofeature_3a6f7920e6373f479bc59d2826ce045e'] = 'Pokaż personalizację produktu (wszystkie koszyki)';
$_MODULE['<{leofeature}prestashop>leofeature_5a5b64f5ff86ab8ccc4ec985efeca1a7'] = 'Szerokość elementu koszyka (wszystkie koszyki)';
$_MODULE['<{leofeature}prestashop>leofeature_fa3b06e55eb4ed1e99836e2f6332f4f9'] = 'Wysokość pozycji koszyka (wszystkie koszyki)';
$_MODULE['<{leofeature}prestashop>leofeature_fb39004686b1c10a3e5eb63a7f95c19d'] = 'Numer pozycji w koszyku do wyświetlenia (wszystkie koszyki)';
$_MODULE['<{leofeature}prestashop>leofeature_7004f6ef7ffd79001e36fa193d86abb9'] = 'Tylko dla typu „Dropup/Dropdown”. Gdy suma elementów koszyka jest większa niż ta konfiguracja, zostanie wyświetlony pasek przewijania';
$_MODULE['<{leofeature}prestashop>leofeature_dbc9efd02f9f843af156ec542b95271e'] = 'Szerokość (powiadomienie)';
$_MODULE['<{leofeature}prestashop>leofeature_0626e28d5f82bc79c31dff5d1276dec1'] = 'Musi mieć wartość od 0 do 100, a szerokość jednostki poniżej to procent';
$_MODULE['<{leofeature}prestashop>leofeature_f1ecb732cf0edb3925f68452708ea003'] = 'Jednostka szerokości (powiadomienie)';
$_MODULE['<{leofeature}prestashop>leofeature_dad183c86365a98a08e617bcbda8b6bf'] = 'Pozycja według pionu (powiadomienie)';
$_MODULE['<{leofeature}prestashop>leofeature_82ae0a80b6a2e2cdaf346daccc4db4ea'] = 'Wybierz rodzaj odległości między „Powiadomieniem” a górną lub dolną krawędzią okna (przeglądarki)';
$_MODULE['<{leofeature}prestashop>leofeature_dafe26043ab10325d4bd1dd9003aca7a'] = 'Pozycja według wartości pionowej (powiadomienie)';
$_MODULE['<{leofeature}prestashop>leofeature_09044a82ba586d14bf4d7813bd853cba'] = 'Pozycja według jednostki pionowej (powiadomienie)';
$_MODULE['<{leofeature}prestashop>leofeature_aeb7fec4a02f5c824a53919f1c1c148c'] = 'Pozycja w poziomie (powiadomienie)';
$_MODULE['<{leofeature}prestashop>leofeature_700bdbd09461c73f1140755c7be7f146'] = 'Pozycja według wartości poziomej (powiadomienie)';
$_MODULE['<{leofeature}prestashop>leofeature_b20178e5217f724ed944916506520667'] = 'Pozycja według jednostki poziomej (powiadomienie)';
$_MODULE['<{leofeature}prestashop>leofeature_c9cc8cce247e49bae79f15173ce97354'] = 'Zapisz';
$_MODULE['<{leofeature}prestashop>leofeature_d99da061f9d26b35c01d44b3e65490dc'] = 'Włącz recenzje produktów';
$_MODULE['<{leofeature}prestashop>leofeature_a25526a1f2a163618a5cd9d2d35daa84'] = 'Pokaż recenzje produktów na liście produktów';
$_MODULE['<{leofeature}prestashop>leofeature_0da91026404d3b07dfbc7d8511011a72'] = 'Pokaż liczbę recenzji produktów na liście produktów';
$_MODULE['<{leofeature}prestashop>leofeature_b87baaf985f1b46c51ee6d8e6b1c446a'] = 'Pokaż zero recenzji produktów na liście produktów';
$_MODULE['<{leofeature}prestashop>leofeature_cf2fcb22e6342dea54b0cc34bb521752'] = 'Wszystkie recenzje muszą być zatwierdzone przez pracownika';
$_MODULE['<{leofeature}prestashop>leofeature_3d028644c30ee457da7838578b1ea44e'] = 'Zezwalaj na przydatny przycisk';
$_MODULE['<{leofeature}prestashop>leofeature_e4894be52ea3506144018020eb795736'] = 'Zezwól na przycisk raportu';
$_MODULE['<{leofeature}prestashop>leofeature_4e26bb46aa3f40913ee95cfb1d6c82f9'] = 'Zezwalaj na recenzje gości';
$_MODULE['<{leofeature}prestashop>leofeature_9dc1140983196141368ceda7565128a8'] = 'Minimalny czas między 2 recenzjami tego samego użytkownika';
$_MODULE['<{leofeature}prestashop>leofeature_f331ddd467099246f8c879b33e44346b'] = 'sekundy)';
$_MODULE['<{leofeature}prestashop>leofeature_ee7273842616e7880648d668f01c99fb'] = 'Włącz porównanie produktów';
$_MODULE['<{leofeature}prestashop>leofeature_ca4fa3ce52694f750f63086120ea671f'] = 'Pokaż porównanie produktów na liście produktów';
$_MODULE['<{leofeature}prestashop>leofeature_b9430191b5de82688380961d92a211ea'] = 'Pokaż porównanie produktów na stronie produktu';
$_MODULE['<{leofeature}prestashop>leofeature_cc9e4e12af1eceecf60527c80ceed331'] = 'Numer porównania produktów';
$_MODULE['<{leofeature}prestashop>leofeature_dbd6459b099286fe756dced2f6f5d138'] = 'Włącz listę życzeń produktów';
$_MODULE['<{leofeature}prestashop>leofeature_b9ce07d8233546cec066b0a2832a3313'] = 'Pokaż listę życzeń produktów na liście produktów';
$_MODULE['<{leofeature}prestashop>leofeature_1412c7fb2f326c4a9c1d2f3ddae31891'] = 'Pokaż listę życzeń produktu na stronie produktu';
$_MODULE['<{leofeature}prestashop>leofeature_004d07daeae1f4fc0a8e47c49a8ac563'] = 'Podczas przetwarzania żądania wystąpił błąd. Proszę spróbuj ponownie';
$_MODULE['<{leofeature}prestashop>leofeature_f0768ac3a3cd0d2bec1b2cdabd84f51f'] = 'Anuluj ocenę';
$_MODULE['<{leofeature}prestashop>leofeature_90723749917a82bf3ff8a73247d32ffb'] = 'Nie możesz dodać więcej niż %d produktów do porównania produktów';
$_MODULE['<{leofeature}prestashop>leofeature_59c533b287338f11f4cdca5a4b71df47'] = 'Produkt został dodany do listy porównawczej';
$_MODULE['<{leofeature}prestashop>leofeature_98b612d068fbdaa76e73a049156eb861'] = 'Zobacz listę porównaj';
$_MODULE['<{leofeature}prestashop>leofeature_fdf96b7e3bfda00d1188bab3e57b0216'] = 'Produkt został pomyślnie usunięty z listy porównawczej';
$_MODULE['<{leofeature}prestashop>leofeature_29d5e70580d877d6e5b83f8957c62753'] = 'Wystąpił błąd podczas dodawania. Proszę spróbuj ponownie';
$_MODULE['<{leofeature}prestashop>leofeature_262422a76d4d0cc79603a4b3a4997476'] = 'Podczas usuwania wystąpił błąd. Proszę spróbuj ponownie';
$_MODULE['<{leofeature}prestashop>leofeature_7f5508c884f40e3378895c83d99cbbd3'] = 'Dodaj do porównania';
$_MODULE['<{leofeature}prestashop>leofeature_201f644e542b0230551936ae7af3169e'] = 'Usuń z porównania';
$_MODULE['<{leofeature}prestashop>leofeature_096cbcc12b9255bd4050af021d493ae1'] = 'Produkt został pomyślnie dodany do Twojej listy życzeń';
$_MODULE['<{leofeature}prestashop>leofeature_366b534e538a2cd839e0044f0dcc9037'] = 'Zobacz swoją listę życzeń';
$_MODULE['<{leofeature}prestashop>leofeature_758a20dcb47ba17c30e007a8f92349e2'] = 'Produkt został pomyślnie usunięty z Twojej listy życzeń';
$_MODULE['<{leofeature}prestashop>leofeature_6a5373df703ab2827a4ba7facdfcf779'] = 'Dodaj do listy życzeń';
$_MODULE['<{leofeature}prestashop>leofeature_5db81b03fbed784f36ad9502aad70e95'] = 'Usuń z listy życzeń';
$_MODULE['<{leofeature}prestashop>leofeature_019b05578911596956b81b9a90ea36e7'] = 'Musisz być zalogowany, aby zarządzać swoją listą życzeń';
$_MODULE['<{leofeature}prestashop>leofeature_ea4788705e6873b424c65e91c2846b19'] = 'Anulować';
$_MODULE['<{leofeature}prestashop>leofeature_a60852f204ed8028c1c58808b746d115'] = 'OK';
$_MODULE['<{leofeature}prestashop>leofeature_94966d90747b97d1f0f206c98a8b1ac3'] = 'Wysłać';
$_MODULE['<{leofeature}prestashop>leofeature_526d688f37a86d3c3f27d0c5016eb71d'] = 'Resetowanie';
$_MODULE['<{leofeature}prestashop>leofeature_8a965890cf0d6d58c5174a2309095c19'] = 'Wyślij listę życzeń';
$_MODULE['<{leofeature}prestashop>leofeature_ce8ae9da5b7cd6c3df2929543a9af92d'] = 'E-mail';
$_MODULE['<{leofeature}prestashop>leofeature_1412292b09d3cd39f32549afb1f5f102'] = 'Usunąć wybrany element?';
$_MODULE['<{leofeature}prestashop>leofeature_6caf5bb14ae65101ea712a309b48e8a1'] = 'Nie można usunąć domyślnej listy życzeń';
$_MODULE['<{leofeature}prestashop>leofeature_61b5f801ab23a9ecf6f652dc12747be5'] = 'Musisz podać ilość';
$_MODULE['<{leofeature}prestashop>leofeature_d848b57ab6ab8b6ff5997373b38fcdf0'] = 'Nie istnieje kryterium oceny dla tego produktu lub tego języka';
$_MODULE['<{leofeature}prestashop>leofeature_aafeca601facaa973f2fae7533159182'] = 'Prawidłowy moduł powiódł się';
$_MODULE['<{leofeature}prestashop>leofeature_92a91a1abd2ab891ad47073cf2759ae4'] = '„Numeryczne porównanie produktów” jest nieprawidłowe. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_68244a8ad554402d0da92c7c0e183245'] = '„Minimalny czas między dwiema recenzjami tego samego użytkownika” jest nieprawidłowy. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_ed1aadd93871c8183fd51bada53b9faa'] = '„Pozycja według wartości pionowej (wózek muchowy)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_f493b87f71f88239d33b66167fa88137'] = '„Pozycja według wartości pionowej (wózek muchowy)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku). Musi mieć wartość od 0 do 100, a typem jednostki jest procent';
$_MODULE['<{leofeature}prestashop>leofeature_c13bf293921283ea99cdce12d0a93970'] = '„Pozycja według wartości poziomej (wózek muchowy)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_3b4b9f3b9061a6857d70f36143c9f223'] = '„Pozycja według wartości poziomej (wózek muchowy)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku). Musi mieć wartość od 0 do 100, a typem jednostki jest procent';
$_MODULE['<{leofeature}prestashop>leofeature_1dd5613fc6b902c5552348b00cee0ed7'] = '„Szerokość pozycji w koszyku (wszystkie koszyki)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_ddf4809c8588348158d64672fbd9cd33'] = '„Wysokość pozycji w koszyku (wszystkie koszyki)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_ecb836eddf0396d96e332108d9cad3da'] = '„Numer pozycji w koszyku do wyświetlenia (wszystkie koszyki)” jest nieprawidłowe. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_c083170aff5792f88b22cf3152954130'] = 'Szerokość (powiadomienie)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_9c063161ccd9a286a0bd1cc6f8f1d503'] = '„Szerokość (powiadomienie)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku). Musi mieć wartość od 0 do 100, a szerokość jednostki to procent';
$_MODULE['<{leofeature}prestashop>leofeature_a87ef72e6b4f6babb9dbee396c3b596a'] = '„Pozycja według wartości pionowej (powiadomienie)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_f60b7707ef028e49a6e905fc3f8501bd'] = '„Pozycja według wartości pionowej (powiadomienie)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku). Musi mieć wartość od 0 do 100, a typem jednostki jest procent';
$_MODULE['<{leofeature}prestashop>leofeature_378364d7bf0b82e84a7066e3777ea6e0'] = '„Pozycja według wartości poziomej (powiadomienie)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku).';
$_MODULE['<{leofeature}prestashop>leofeature_6b1eaf3ca9c6ab029498d0a77556f437'] = '„Pozycja według wartości poziomej (powiadomienie)” jest nieprawidłowa. Musi być liczbą całkowitą (bez znaku). Musi mieć wartość od 0 do 100, a typem jednostki jest procent';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_d7e2d3dbf5daf266a0877428e0e1b8fb'] = 'Usuń z listy życzeń';
$_MODULE['<{leofeature}prestashop>leo_wishlist_button_6a5373df703ab2827a4ba7facdfcf779'] = 'Dodaj do listy życzeń';
$_MODULE['<{leofeature}prestashop>leo_product_attribute_2d0f6b8300be19cf35e89e66f0677f95'] = 'Dodaj do koszyka';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_34e80a799d144cfe4af46815e103f017'] = 'Opinie';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_b1897515d548a960afe49ecf66a29021'] = 'Przeciętny';
$_MODULE['<{leofeature}prestashop>leo_product_review_compare_52a7b0de81cb2dbdecd49789a0afe059'] = 'Wyświetl recenzje';
$_MODULE['<{leofeature}prestashop>leo_compare_button_201f644e542b0230551936ae7af3169e'] = 'Usuń z porównania';
$_MODULE['<{leofeature}prestashop>leo_compare_button_7f5508c884f40e3378895c83d99cbbd3'] = 'Dodaj do porównania';
$_MODULE['<{leofeature}prestashop>leo_list_product_review_d844ad9202d0de8442498775ba6ef819'] = 'Opinie)';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_4b3b9db8c9784468094acde0f8bf7071'] = 'Stopień';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_b5c82723bd85856358f9a376bc613998'] = '%1$d z %2$d osób uznało tę recenzję za przydatną.';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_dde78e104216913430ad577ec142f204'] = 'Czy ta recenzja była dla Ciebie przydatna?';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_93cba07454f06a4a960172bbd6e2a435'] = 'Tak';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_bafd7322c6e97d25b6299b5d6fe8920b'] = 'NIE';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_28b3b1e564a00f572c5d4e21da986d49'] = 'Zgłoś nadużycie';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_c31732fda0c6f01c446db7163b214de4'] = 'Napisać recenzję';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_f444678e4f3575d59b32a858630741fd'] = 'Bądź pierwszym, który napisze swoją recenzję!';
$_MODULE['<{leofeature}prestashop>leo_product_tab_content_08c7d6f84301ee7d0aab0a5f67edc419'] = 'Brak recenzji użytkowników.';
$_MODULE['<{leofeature}prestashop>leo_product_tab_34e80a799d144cfe4af46815e103f017'] = 'Opinie';
$_MODULE['<{leofeature}prestashop>leo_cart_button_2d0f6b8300be19cf35e89e66f0677f95'] = 'Dodaj do koszyka';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_dda9c06f33071c9b6fc237ee164109d8'] = 'Ocena';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_899139b5174d8d7a6e38a0360008a695'] = 'Przeczytaj recenzje';
$_MODULE['<{leofeature}prestashop>leo_product_review_extra_c31732fda0c6f01c446db7163b214de4'] = 'Napisać recenzję';
$_MODULE['<{leofeature}prestashop>leo_wishlist_link_4840f4437f55e68a587d358090b948d1'] = 'Moja lista życzeń';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_4351cfebe4b61d8aa5efa1d020710005'] = 'Pogląd';
$_MODULE['<{leofeature}prestashop>leo_wishlist_new_f2a6c498fb90ee345d997f888fce3b18'] = 'Usuwać';
$_MODULE['<{leofeature}prestashop>modal_review_c31732fda0c6f01c446db7163b214de4'] = 'Napisać recenzję';
$_MODULE['<{leofeature}prestashop>modal_review_b78a3223503896721cca1303f776159b'] = 'Tytuł';
$_MODULE['<{leofeature}prestashop>modal_review_0be8406951cdfda82f00f79328cf4efc'] = 'Komentarz';
$_MODULE['<{leofeature}prestashop>modal_review_221e705c06e231636fdbccfdd14f4d5c'] = 'Twoje imię';
$_MODULE['<{leofeature}prestashop>modal_review_70397c4b252a5168c5ec003931cea215'] = 'Wymagane pola';
$_MODULE['<{leofeature}prestashop>modal_review_d3d2e617335f08df83599665eef8a418'] = 'Zamknąć';
$_MODULE['<{leofeature}prestashop>modal_review_a4d3b161ce1309df1c4e25df28694b7b'] = 'Składać';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_641254d77e7a473aa5910574f3f9453c'] = 'Lista życzeń';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_3fb0acb6862adac8e196b76660679d53'] = 'Inne listy życzeń';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priorytet';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_655d20c1ca69519ca647684edbb2db35'] = 'Wysoki';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Średni';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Niski';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_09dc02ecbb078868a3a86dded030076d'] = 'Brak produktów';
$_MODULE['<{leofeature}prestashop>leo_wishlist_view_65c40cc17acd96eb901ed82b0363234f'] = 'Lista życzeń nie istnieje';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_710a9a7db8094cc96d716e9a8420bb98'] = 'Usuń z tej listy życzeń';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_694e8d1f2ee056f98ee488bdc4982d73'] = 'Ilość';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_502996d9790340c5fd7b86a5b93b1c9f'] = 'Priorytet';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_655d20c1ca69519ca647684edbb2db35'] = 'Wysoki';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_87f8a6ab85c9ced3702b4ea641ad4bb5'] = 'Średni';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_28d0edd045e05cf5af64e35ae0c4c6ef'] = 'Niski';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_c9cc8cce247e49bae79f15173ce97354'] = 'Zapisz';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_6bc362dbf494c61ea117fe3c71ca48a5'] = 'Przenosić';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_product_09dc02ecbb078868a3a86dded030076d'] = 'Brak produktów';
$_MODULE['<{leofeature}prestashop>price_attribute_4d8adffdc001189e0202c01ac529a3a9'] = 'Normalna cena';
$_MODULE['<{leofeature}prestashop>price_attribute_3601146c4e948c32b6424d2c0a7f0118'] = 'Cena';
$_MODULE['<{leofeature}prestashop>notification_1222b0022fb0d33d952c37cfe42266cd'] = 'Produkt został zaktualizowany w Twoim koszyku';
$_MODULE['<{leofeature}prestashop>notification_114d0e1aa16fe8baa087238c6d07693a'] = 'Produkt został usunięty z Twojego koszyka';
$_MODULE['<{leofeature}prestashop>notification_544c3bd0eac526113a9c66542be1e5bc'] = 'Produkt pomyślnie dodany do koszyka';
$_MODULE['<{leofeature}prestashop>notification_63c63a0602a4b74e919059a8cc9ea8af'] = 'Błąd aktualizacji';
$_MODULE['<{leofeature}prestashop>notification_4e0ac45de6bd848503ffa98ff6247f2f'] = 'Błąd podczas usuwania';
$_MODULE['<{leofeature}prestashop>notification_1929e96729ba794c08e056afec1c40e9'] = 'Błąd podczas dodawania. Przejdź do strony szczegółów produktu i spróbuj ponownie';
$_MODULE['<{leofeature}prestashop>notification_04325f5c10c9818bc464d660daa2b030'] = 'Minimalna wielkość zamówienia dla produktu to';
$_MODULE['<{leofeature}prestashop>notification_a923575984949608ce04c4984806ec2a'] = 'Nie ma wystarczającej ilości produktów w magazynie';
$_MODULE['<{leofeature}prestashop>notification_61b5f801ab23a9ecf6f652dc12747be5'] = 'Musisz podać ilość';
$_MODULE['<{leofeature}prestashop>modal_61b5f801ab23a9ecf6f652dc12747be5'] = 'Musisz podać ilość';
$_MODULE['<{leofeature}prestashop>modal_1cf13f9c64a2b1977db63d01ab2a46a9'] = 'Minimalna wielkość zamówienia dla produktu to';
$_MODULE['<{leofeature}prestashop>modal_a923575984949608ce04c4984806ec2a'] = 'Nie ma wystarczającej ilości produktów w magazynie';
$_MODULE['<{leofeature}prestashop>drop_down_694e8d1f2ee056f98ee488bdc4982d73'] = 'Ilość';
$_MODULE['<{leofeature}prestashop>drop_down_2e65a5e30c454ceb77be9bb48e8343f1'] = 'Usuń z koszyka';
$_MODULE['<{leofeature}prestashop>drop_down_e4f561c5f8ba4b23333816810f60f6f3'] = 'PRZEJDZ DO KOSZYKA';
$_MODULE['<{leofeature}prestashop>drop_down_1fd968087e03faeb2e87df1e9849d983'] = 'Zużyty';
$_MODULE['<{leofeature}prestashop>drop_down_27586f5549a8835fc0e7e8e240a479fd'] = 'Aby uzyskać bezpłatny statek!';
$_MODULE['<{leofeature}prestashop>drop_down_59fc69e031ecb0f82efe467fd6692383'] = 'Zobacz Koszyk';
$_MODULE['<{leofeature}prestashop>drop_down_51f377b830737ebc60c6e4293760f455'] = 'Wymeldować się';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_641254d77e7a473aa5910574f3f9453c'] = 'LISTA ŻYCZEŃ';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_bc2f4aac253882783f5a7fd989307b45'] = 'UTWÓRZ NOWĄ LISTĘ ULUBIONYCH';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_49ee3087348e8d44e1feda1917443987'] = 'Nazwa';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_44f86a7579ab438609442b2596f29554'] = 'Wprowadź nazwę nowej listy życzeń';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_c9cc8cce247e49bae79f15173ce97354'] = 'Zapisz';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_694e8d1f2ee056f98ee488bdc4982d73'] = 'Ilość';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_5e729042e30967c9d6f65c6eab73e2fe'] = 'Oglądane';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0eceeb45861f9585dd7a97a3e36f85c6'] = 'Utworzony';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_45284ef16392f85ff424b2ef36ab5948'] = 'Link bezpośredni';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_7a1920d61156abc05a60135aefe8bc67'] = 'Domyślny';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_f2a6c498fb90ee345d997f888fce3b18'] = 'Usuwać';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_4351cfebe4b61d8aa5efa1d020710005'] = 'Pogląd';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_30820a1bf6a285e45cda2beda3d7738d'] = 'Wyślij tę listę życzeń';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_0b3db27bc15f682e92ff250ebb167d4b'] = 'Powrót do konta';
$_MODULE['<{leofeature}prestashop>leo_my_wishlist_8cf04a9734132302f96da8e113e80ce5'] = 'Dom';
$_MODULE['<{leofeature}prestashop>leo_products_compare_7af832e9c71671de0323487c86b6b702'] = 'Porównanie produktów';
$_MODULE['<{leofeature}prestashop>leo_products_compare_d6295c05503596b3ed3528aee83e3ef7'] = 'Cechy:';
$_MODULE['<{leofeature}prestashop>leo_products_compare_201f644e542b0230551936ae7af3169e'] = 'Usuń z porównania';
$_MODULE['<{leofeature}prestashop>leo_products_compare_f5e15309ff0396474b8421ef48871d0b'] = 'Brak funkcji do porównania';
$_MODULE['<{leofeature}prestashop>leo_products_compare_234a9674e80b9c04a685075ad3ea6950'] = 'Nie wybrano żadnego produktu do porównania.';
$_MODULE['<{leofeature}prestashop>leo_products_compare_c20905e8fdd34a1bf81984e597436134'] = 'Kontynuować zakupy';
$_MODULE['<{leofeature}prestashop>panel_af247d7a41136c6f8b262cf0ee3ef860'] = 'Poprawny moduł';
$_MODULE['<{leofeature}prestashop>panel_44c11c4bb3a89d6d82d83a1f8a2fbd86'] = 'Wykonaj kopię zapasową bazy danych przed uruchomieniem poprawnego modułu w bezpiecznym miejscu';
$_MODULE['<{leofeature}prestashop>panel_302f3227b2362aee931d0ba98eff05e0'] = 'Globalna konfiguracja funkcji Leo';
$_MODULE['<{leofeature}prestashop>panel_3f93bd3e4ab678691180510321ea27db'] = 'Koszyk Ajaksu';
$_MODULE['<{leofeature}prestashop>panel_ec7f6af74676fcb5bd145de6eb008c91'] = 'Recenzja produktu';
$_MODULE['<{leofeature}prestashop>panel_bbf186cafb55d9329c02818174b17ef8'] = 'Porównanie produktów';
$_MODULE['<{leofeature}prestashop>panel_db872ea537236c60874d5b0e859fe4b5'] = 'Lista życzeń produktów';
$_MODULE['<{leofeature}prestashop>form_b9aefa40a54680bb258f9f9569290fae'] = 'Nazwa produktu';
$_MODULE['<{leofeature}prestashop>productscompare_7af832e9c71671de0323487c86b6b702'] = 'Porównanie produktów';
$_MODULE['<{leofeature}prestashop>productscompare_4f8370b7608003c3e56ec5bd7c2f1012'] = 'porównanie produktów';
$_MODULE['<{leofeature}prestashop>viewwishlist_14c6e05c31e4622404eaea7ac78465e4'] = 'Zobacz listę życzeń';
$_MODULE['<{leofeature}prestashop>viewwishlist_444f180cde4e7682f345185ad2c10244'] = 'zobacz listę życzeń';
$_MODULE['<{leofeature}prestashop>viewwishlist_a77885e16b298d1c01b6b5bc194a6847'] = 'zobacz listę życzeń';
$_MODULE['<{leofeature}prestashop>viewwishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Moje konto';
$_MODULE['<{leofeature}prestashop>viewwishlist_4840f4437f55e68a587d358090b948d1'] = 'Moja lista życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_326e8c565ebf3e286b9ffd5ff03f3a50'] = 'Błąd podczas przetwarzania. Proszę spróbuj ponownie';
$_MODULE['<{leofeature}prestashop>mywishlist_9ae79c1fccd231ac7fbbf3235dbf6326'] = 'Moja lista życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_b30545c7b2d429352b9afdd85be810c7'] = 'Musisz podać nazwę.';
$_MODULE['<{leofeature}prestashop>mywishlist_b74c118d823d908d653cfbf1c877ae55'] = 'Ta nazwa jest już używana przez inną listę.';
$_MODULE['<{leofeature}prestashop>mywishlist_77e6836ee64655f6935e1da9306a625a'] = 'Ta nazwa jest nieprawidłowa';
$_MODULE['<{leofeature}prestashop>mywishlist_4ef14234be73618adfa950e7b267885f'] = 'Nowa lista życzeń została utworzona';
$_MODULE['<{leofeature}prestashop>mywishlist_7098d49878bbd102b13038a748125e27'] = 'Nie można usunąć tej listy życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_a10bc9133481a565859f49ed7a57c9cd'] = 'Nie można zaktualizować tej listy życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_9aee3a4d72fa9025200d409f68236a0d'] = 'Nie można wyświetlić produktów z tej listy życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_90d8a44a1fba13198035d86caeeb2d4d'] = 'Nieprawidłowa lista życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_072df51ea0cb142b770d6209dab5a85b'] = 'Błąd wysyłania listy życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_a902b4022653cd6f6d874bf596c811b8'] = 'Nieprawidłowy klient';
$_MODULE['<{leofeature}prestashop>mywishlist_5d3d684c0bb4d7b423c3fbf1c65cb29d'] = 'Nie można usunąć';
$_MODULE['<{leofeature}prestashop>mywishlist_601adec967f7fa4d685f4aa150f53a71'] = 'Nie można zaktualizować';
$_MODULE['<{leofeature}prestashop>mywishlist_3c924eebbd7c3447336bbec3b325d3da'] = 'Błąd podczas przenoszenia produktu na inną listę';
$_MODULE['<{leofeature}prestashop>mywishlist_16a23698e7cf5188ce1c07df74298076'] = 'Musisz być zalogowany, aby zarządzać swoją listą życzeń.';
$_MODULE['<{leofeature}prestashop>mywishlist_4840f4437f55e68a587d358090b948d1'] = 'Moja lista życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_ca16af511d65ccd849f522d92c3eba4e'] = 'Moja lista życzeń';
$_MODULE['<{leofeature}prestashop>mywishlist_bea8d9e6a0d57c4a264756b4f9822ed9'] = 'Moje konto';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3b206d196cd6be3a2764c1fb90b200f'] = 'Usuń wybrane';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_e25f0ecd41211b01c83e5fec41df4fe7'] = 'Usunąć wybrane elementy?';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b718adec73e04ce3ec720dd11a06a308'] = 'ID';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_49ee3087348e8d44e1feda1917443987'] = 'Nazwa';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a1fa27779242b4902f7ae3bdd5c6d508'] = 'Typ';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ec53a8c4f07baed5d8825072c89799be'] = 'Status';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a09ed6c60eb3213939cecb4c580813cd'] = 'Obowiązuje na cały katalog';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_467366059d7d7c743a4d0971363a8d66'] = 'Ograniczony do niektórych kategorii';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_772911becd336c843ab09a1d4b4f66c0'] = 'Ograniczone do niektórych produktów';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f3d8e91894baa7ee67e0649abcc092ff'] = 'Kryteria będą ograniczone do następujących kategorii';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_d3dc571a8be516766c8124a636290fd9'] = 'Zaznacz pola kategorii, do których odnosi się to kryterium.';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_91b442d385b54e1418d81adc34871053'] = 'Wybrany';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b56c3bda503a8dc4be356edb0cc31793'] = 'Zwinąć wszystkie';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5ffd7a335dd836b3373f5ec570a58bdc'] = 'Rozwiń wszystkie';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_5e9df908eafa83cb51c0a3720e8348c7'] = 'Zaznacz wszystkie';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9747d23c8cc358c5ef78c51e59cd6817'] = 'Odznacz wszystkie';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_38fc05fb7f02497ea56b77fe085ffc78'] = 'Dodaj nowe kryterium';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_92a497b6a43b59cce82c604a4c834bb0'] = 'Nazwa kryterium';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_bbda28827cde1064b0320cbf6b1890a2'] = 'Zakres stosowania kryterium';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_20089c27bf83463fe32e7d30ed9d8f81'] = 'Kryterium będzie ograniczone do następujących produktów';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_4d3d769b812b6faa6b76e1a8abaece2d'] = 'Aktywny';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_00d23a76e43b46dae9ec7aa9dcbebb32'] = 'Włączony';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_b9f5c797ebbf55adccdd8539a65a0241'] = 'Wyłączony';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_c9cc8cce247e49bae79f15173ce97354'] = 'Zapisz';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_9ea67be453eaccf020697b4654fc021a'] = 'Zapisz i zostań';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_57826496f2bb2a191458e4893e96e52e'] = 'Kryteria przeglądu';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2ec265696a51530949d345239069f0d4'] = 'Recenzje oczekujące na zatwierdzenie';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_eb7d6baeb8bbf339547da7e0d6c5e416'] = 'Zgłoszone recenzje';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_2608831883bb20ab520b70b4350aa23a'] = 'Zatwierdzone recenzje';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_6f7351657f795bc1357a53142b1184cc'] = 'Zatwierdzić';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_ecf74aa77715220b378ec668e75655a8'] = 'Nie obraźliwe';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_f8a0aa69f5ce41287f02c2d182306f52'] = 'Tytuł recenzji';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_457dd55184faedb7885afd4009d70163'] = 'Recenzja';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_dda9c06f33071c9b6fc237ee164109d8'] = 'Ocena';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_a517747c3d12f99244ae598910d979c5'] = 'Autor';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_deb10517653c255364175796ace3553f'] = 'Produkt';
$_MODULE['<{leofeature}prestashop>adminleofeaturereviews_0f46dacf1a6ecab8ce1cb97250bb8113'] = 'Czas publikacji';

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,34 @@
<?php
/**
* 2007-2015 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2015 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
if (!defined('_PS_VERSION_')) {
exit;
}
/**
* This function updates your module from previous versions to the version 1.1,
* usefull when you modify your database, or register a new hook ...
* Don't forget to create one file per version.
*/
function upgrade_module_1_1_0($module)
{
/**
* Do everything you want right there,
* You could add a column in one of your module's tables
*/
// validate module
unset($module);
return true;
}

View File

@@ -0,0 +1,73 @@
/**
* 2007-2017 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @Module Name: Leo Feature
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2017 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
.leofeature-tablist a:hover, .leofeature-tablist li.active a {
border-bottom: medium none !important;
border-top: 3px solid #25b9d7 !important;
}
.leofeature-tablist a:focus {
border-bottom: medium none !important;
border-top: 3px solid #25b9d7 !important;
}
#leofeature-setting .panel {
display: none;
}
#leofeature-setting .panel.active {
display: block;
}
#leofeature-setting .panel {
border-radius: 0 0 5px 5px !important;
}
.nav-tabs.leofeature-tablist a:focus {
outline: medium none;
}
#subtab-AdminLeofeatureReviews
{
position: relative;
}
#subtab-AdminLeofeatureReviews .notification-container
{
position: absolute;
top: 0;
right: 0;
display: inline-block;
line-height: .875rem;
height: .875rem;
vertical-align: middle;
color: #fff;
background: #fb0;
font-size: .5625rem;
padding: 0 .25rem;
border-radius: .625rem;
}
#subtab-AdminLeofeatureManagement.has-review:after
{
content: "";
position: absolute;
top:0;
right: 0;
background: #fb0;
border-radius: .625rem;
height: 10px;
width: 10px;
}

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

File diff suppressed because it is too large Load Diff

Binary file not shown.

After

Width:  |  Height:  |  Size: 752 B

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

Binary file not shown.

After

Width:  |  Height:  |  Size: 769 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.9 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 398 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.3 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.3 KiB

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,87 @@
/**
* 2007-2017 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @Module Name: Leo Feature
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
$(document).ready(function() {
$('select#id_product_review_criterion_type').change(function() {
// PS 1.6
$('#categoryBox').closest('div.form-group').hide();
$('#ids_product').closest('div.form-group').hide();
// PS 1.5
$('#categories-treeview').closest('div.margin-form').hide();
$('#categories-treeview').closest('div.margin-form').prev().hide();
$('#ids_product').closest('div.margin-form').hide();
$('#ids_product').closest('div.margin-form').prev().hide();
if (this.value == 2)
{
$('#categoryBox').closest('div.form-group').show();
// PS 1.5
$('#categories-treeview').closest('div.margin-form').show();
$('#categories-treeview').closest('div.margin-form').prev().show();
}
else if (this.value == 3)
{
$('#ids_product').closest('div.form-group').show();
// PS 1.5
$('#ids_product').closest('div.margin-form').show();
$('#ids_product').closest('div.margin-form').prev().show();
}
});
$('select#id_product_review_criterion_type').trigger("change");
//DONGND:: tab change in group config
var id_panel = $("#leofeature-setting .leofeature-tablist li.active a").attr("href");
$(id_panel).addClass('active').show();
$('.leofeature-tablist li').click(function(){
if(!$(this).hasClass('active'))
{
var default_tab = $(this).find('a').attr("href");
$('#LEOFEATURE_DEFAULT_TAB').val(default_tab);
}
})
// console.log('test');
if (typeof leofeature_module_dir != 'undefined')
{
$.ajax({
type: 'POST',
headers: {"cache-control": "no-cache"},
url: leofeature_module_dir + 'psajax.php?rand=' + new Date().getTime(),
async: true,
cache: false,
data: {
"action": "get-new-review",
},
success: function (result)
{
if(result != '')
{
var obj = $.parseJSON(result);
if (obj.number_review > 0)
{
$('#subtab-AdminLeofeatureManagement').addClass('has-review');
// $('#subtab-AdminLeofeatureReviews').append('<span id="total_notif_number_wrapper" class="notifs_badge"><span id="total_notif_value">'+obj.number_review+'</span></span>');
$('#subtab-AdminLeofeatureReviews').append('<div class="notification-container"><span class="notification-counter">'+obj.number_review+'</span></div>');
}
}
},
error: function (XMLHttpRequest, textStatus, errorThrown) {
// alert("TECHNICAL ERROR: \n\nDetails:\nError thrown: " + XMLHttpRequest + "\n" + 'Text status: ' + textStatus);
}
});
}
});

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,22 @@
/**
* 2007-2017 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @Module Name: Leo Feature
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
/*!
* jQuery Mousewheel 3.1.13
*
* Copyright 2015 jQuery Foundation and other contributors
* Released under the MIT license.
* http://jquery.org/license
*/
!function(a){"function"==typeof define&&define.amd?define(["jquery"],a):"object"==typeof exports?module.exports=a:a(jQuery)}(function(a){function b(b){var g=b||window.event,h=i.call(arguments,1),j=0,l=0,m=0,n=0,o=0,p=0;if(b=a.event.fix(g),b.type="mousewheel","detail"in g&&(m=-1*g.detail),"wheelDelta"in g&&(m=g.wheelDelta),"wheelDeltaY"in g&&(m=g.wheelDeltaY),"wheelDeltaX"in g&&(l=-1*g.wheelDeltaX),"axis"in g&&g.axis===g.HORIZONTAL_AXIS&&(l=-1*m,m=0),j=0===m?l:m,"deltaY"in g&&(m=-1*g.deltaY,j=m),"deltaX"in g&&(l=g.deltaX,0===m&&(j=-1*l)),0!==m||0!==l){if(1===g.deltaMode){var q=a.data(this,"mousewheel-line-height");j*=q,m*=q,l*=q}else if(2===g.deltaMode){var r=a.data(this,"mousewheel-page-height");j*=r,m*=r,l*=r}if(n=Math.max(Math.abs(m),Math.abs(l)),(!f||f>n)&&(f=n,d(g,n)&&(f/=40)),d(g,n)&&(j/=40,l/=40,m/=40),j=Math[j>=1?"floor":"ceil"](j/f),l=Math[l>=1?"floor":"ceil"](l/f),m=Math[m>=1?"floor":"ceil"](m/f),k.settings.normalizeOffset&&this.getBoundingClientRect){var s=this.getBoundingClientRect();o=b.clientX-s.left,p=b.clientY-s.top}return b.deltaX=l,b.deltaY=m,b.deltaFactor=f,b.offsetX=o,b.offsetY=p,b.deltaMode=0,h.unshift(b,j,l,m),e&&clearTimeout(e),e=setTimeout(c,200),(a.event.dispatch||a.event.handle).apply(this,h)}}function c(){f=null}function d(a,b){return k.settings.adjustOldDeltas&&"mousewheel"===a.type&&b%120===0}var e,f,g=["wheel","mousewheel","DOMMouseScroll","MozMousePixelScroll"],h="onwheel"in document||document.documentMode>=9?["wheel"]:["mousewheel","DomMouseScroll","MozMousePixelScroll"],i=Array.prototype.slice;if(a.event.fixHooks)for(var j=g.length;j;)a.event.fixHooks[g[--j]]=a.event.mouseHooks;var k=a.event.special.mousewheel={version:"3.1.12",setup:function(){if(this.addEventListener)for(var c=h.length;c;)this.addEventListener(h[--c],b,!1);else this.onmousewheel=b;a.data(this,"mousewheel-line-height",k.getLineHeight(this)),a.data(this,"mousewheel-page-height",k.getPageHeight(this))},teardown:function(){if(this.removeEventListener)for(var c=h.length;c;)this.removeEventListener(h[--c],b,!1);else this.onmousewheel=null;a.removeData(this,"mousewheel-line-height"),a.removeData(this,"mousewheel-page-height")},getLineHeight:function(b){var c=a(b),d=c["offsetParent"in a.fn?"offsetParent":"parent"]();return d.length||(d=a("body")),parseInt(d.css("fontSize"),10)||parseInt(c.css("fontSize"),10)||16},getPageHeight:function(b){return a(b).height()},settings:{adjustOldDeltas:!0,normalizeOffset:!0}};a.fn.extend({mousewheel:function(a){return a?this.bind("mousewheel",a):this.trigger("mousewheel")},unmousewheel:function(a){return this.unbind("mousewheel",a)}})});

View File

@@ -0,0 +1,26 @@
/**
* 2007-2017 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @Module Name: Leo Feature
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
/*
### jQuery Star Rating Plugin v2.0 - 2008-03-12 ###
By Diego A, http://www.fyneworks.com, diego@fyneworks.com
- v2 by Keith Wood, kbwood@virginbroadband.com.au
Project: http://plugins.jquery.com/project/MultipleFriendlyStarRating
Website: http://www.fyneworks.com/jquery/star-rating/
This is a modified version of the star rating plugin from:
http://www.phpletter.com/Demo/Jquery-Star-Rating-Plugin/
*/
eval(function(p,a,c,k,e,r){e=function(c){return(c<a?'':e(parseInt(c/a)))+((c=c%a)>35?String.fromCharCode(c+29):c.toString(36))};if(!''.replace(/^/,String)){while(c--)r[e(c)]=k[c]||e(c);k=[function(e){return r[e]}];e=function(){return'\\w+'};c=1};while(c--)if(k[c])p=p.replace(new RegExp('\\b'+e(c)+'\\b','g'),k[c]);return p}(';4(w)(3($){$.Y.T=3(c){c=$.15({m:\'X U\',E:\'\',B:z,8:z},c||{});o d={};o e={t:3(n,a,b){2.6(n);$(a).D(\'.j\').A().l(b||\'x\')},6:3(n){$(d[n].7).O(\'.j\').u(\'9\').u(\'x\')},h:3(n){4(!$(d[n].5).Z(\'.m\')){$(d[n].5).D(\'.j\').A().l(\'9\')}},g:3(n,a){d[n].5=a;o b=$(a).L(\'a\').K();$(d[n].7).J(b);e.6(n);e.h(n);4(c.I)c.I.W(d[n].7,[b,a])}};2.V(3(i){o n=2.G;4(!d[n])d[n]={r:0};i=d[n].r;d[n].r++;4(i==0){c.8=$(2).S(\'p\')||c.8;d[n].7=$(\'<R Q="P" G="\'+n+\'" q=""\'+(c.8?\' p="p"\':\'\')+\'>\');$(2).C(d[n].7);4(c.8||c.B){}F{$(2).C($(\'<k y="m"><a s="\'+c.m+\'">\'+c.E+\'</a></k>\').H(3(){e.6(n);$(2).l(\'9\')}).v(3(){e.h(n);$(2).u(\'9\')}).g(3(){e.g(n,2)}))}};f=$(\'<k y="j"><a s="\'+(2.s||2.q)+\'">\'+2.q+\'</a></k>\');$(2).N(f);4(c.8){$(f).l(\'M\')}F{$(f).H(3(){e.6(n);e.t(n,2)}).v(3(){e.6(n);e.h(n)}).g(3(){e.g(n,2)})};4(2.14)d[n].5=f;$(2).13();4(i+1==2.12)e.h(n)});11(n 10 d)4(d[n].5){e.t(n,d[n].5,\'9\');$(d[n].7).J($(d[n].5).L(\'a\').K())}16 2}})(w);',62,69,'||this|function|if|currentElem|drain|valueElem|readOnly|star_on||||||eStar|click|reset||star|div|addClass|cancel||var|disabled|value|count|title|fill|removeClass|mouseout|jQuery|star_hover|class|false|andSelf|required|before|prevAll|cancelValue|else|name|mouseover|callback|val|text|children|star_readonly|after|siblings|hidden|type|input|attr|rating|Rating|each|apply|Cancel|fn|is|in|for|length|remove|checked|extend|return'.split('|'),0,{}));

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,234 @@
/**
* 2007-2017 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @Module Name: Leo Feature
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
$(document).ready(function(){
createLeoCompareModalPopup();
LeoCompareButtonAction();
prestashop.on('updateProductList', function() {
LeoCompareButtonAction();
});
//DONGND:: recall button action if need when change attribute at product page
prestashop.on('updatedProduct', function() {
LeoCompareButtonAction();
});
prestashop.on('clickQuickView', function() {
check_active_compare = setInterval(function(){
if($('.quickview.modal').length)
{
$('.quickview.modal').on('shown.bs.modal', function (e) {
LeoCompareButtonAction();
})
clearInterval(check_active_compare);
}
}, 300);
});
activeEventModalCompare();
});
function createLeoCompareModalPopup()
{
var leoCompareModalPopup = '';
leoCompareModalPopup += '<div class="modal leo-modal leo-modal-compare fade" tabindex="-1" role="dialog" aria-hidden="true">';
leoCompareModalPopup += '<div class="modal-dialog" role="document">';
leoCompareModalPopup += '<div class="modal-content">';
leoCompareModalPopup += '<div class="modal-header">';
leoCompareModalPopup += '<button type="button" class="close" data-dismiss="modal" aria-label="Close">';
leoCompareModalPopup += '<span aria-hidden="true">&times;</span>';
leoCompareModalPopup += '</button>';
leoCompareModalPopup += '<h5 class="modal-title text-xs-center">';
leoCompareModalPopup += '</h5>';
leoCompareModalPopup += '</div>';
leoCompareModalPopup += '</div>';
leoCompareModalPopup += '</div>';
leoCompareModalPopup += '</div>';
$('body').append(leoCompareModalPopup);
}
function LeoCompareButtonAction()
{
$('.leo-compare-button').click(function(){
if (!$('.leo-compare-button.active').length)
{
var total_product_compare = compared_products.length;
var id_product = $(this).data('id-product');
var content_product_compare_mess_remove = productcompare_remove+'. <a href="'+productcompare_url+'"><strong>'+productcompare_viewlistcompare+'.</strong></a>';
var content_product_compare_mess_add = productcompare_add+'. <a href="'+productcompare_url+'"><strong>'+productcompare_viewlistcompare+'.</strong></a>';
var content_product_compare_mess_max = productcompare_max_item+'. <a href="'+productcompare_url+'"><strong>'+productcompare_viewlistcompare+'.</strong></a>';
$(this).addClass('active');
$(this).find('.leo-compare-bt-loading').css({'display':'block'});
$(this).find('.leo-compare-bt-content').hide();
var object_e = $(this);
if ($(this).hasClass('added') || $(this).hasClass('delete'))
{
//DONGND:: remove product form list product compare
//DONGND:: add product to list product compare
$.ajax({
type: 'POST',
headers: {"cache-control": "no-cache"},
url: productcompare_url+ '?rand=' + new Date().getTime(),
async: true,
cache: false,
data: {
"ajax": 1,
"action": "remove",
"id_product": id_product,
"token": leo_token
},
success: function (result)
{
// console.log(result);
if (result == 1)
{
//Leotheme add: update number product on icon compare
if ($('.ap-btn-compare .ap-total-compare').length)
{
var old_num_compare = parseInt($('.ap-btn-compare .ap-total-compare').data('compare-total'));
var new_num_compare = old_num_compare-1;
$('.ap-btn-compare .ap-total-compare').data('compare-total',new_num_compare);
$('.ap-btn-compare .ap-total-compare').text(new_num_compare);
}
compared_products.splice($.inArray(parseInt(id_product), compared_products), 1);
if (object_e.hasClass('delete'))
{
//DONGND:: remove from page product compare
if ($('.leo-productscompare-item').length == 1)
{
window.location.replace(productcompare_url);
}
else
{
$('td.product-'+id_product).fadeOut(function(){
$(this).remove();
});
}
}
else
{
//DONGND:: remove from page product list
$('.leo-modal-compare .modal-title').html(content_product_compare_mess_remove);
$('.leo-modal-compare').modal('show');
$('.leo-compare-button[data-id-product='+id_product+']').removeClass('added');
$('.leo-compare-button[data-id-product='+id_product+']').attr('title',buttoncompare_title_add);
// object_e.find('.leo-compare-bt-loading').hide();
// object_e.find('.leo-compare-bt-content').show();
}
}
else
{
$('.leo-modal-compare .modal-title').html(productcompare_remove_error);
$('.leo-modal-compare').modal('show');
}
object_e.find('.leo-compare-bt-loading').hide();
object_e.find('.leo-compare-bt-content').show();
},
error: function (XMLHttpRequest, textStatus, errorThrown) {
alert("TECHNICAL ERROR: \n\nDetails:\nError thrown: " + XMLHttpRequest + "\n" + 'Text status: ' + textStatus);
}
});
}
else
{
if (total_product_compare < comparator_max_item)
{
//DONGND:: add product to list product compare
$.ajax({
type: 'POST',
headers: {"cache-control": "no-cache"},
url: productcompare_url+ '?rand=' + new Date().getTime(),
async: true,
cache: false,
data: {
"ajax": 1,
"action": "add",
"id_product": id_product,
"token": leo_token,
},
success: function (result)
{
// console.log(result);
if (result == 1)
{
$('.leo-modal-compare .modal-title').html(content_product_compare_mess_add);
$('.leo-modal-compare').modal('show');
//Leotheme add: update number product on icon compare
if ($('.ap-btn-compare .ap-total-compare').length)
{
var old_num_compare = parseInt($('.ap-btn-compare .ap-total-compare').data('compare-total'));
var new_num_compare = old_num_compare+1;
$('.ap-btn-compare .ap-total-compare').data('compare-total',new_num_compare);
$('.ap-btn-compare .ap-total-compare').text(new_num_compare);
}
compared_products.push(id_product);
$('.leo-compare-button[data-id-product='+id_product+']').addClass('added');
$('.leo-compare-button[data-id-product='+id_product+']').attr('title',buttoncompare_title_remove);
}
else
{
$('.leo-modal-compare .modal-title').html(productcompare_add_error);
$('.leo-modal-compare').modal('show');
}
object_e.find('.leo-compare-bt-loading').hide();
object_e.find('.leo-compare-bt-content').show();
},
error: function (XMLHttpRequest, textStatus, errorThrown) {
alert("TECHNICAL ERROR: \n\nDetails:\nError thrown: " + XMLHttpRequest + "\n" + 'Text status: ' + textStatus);
}
});
}
else
{
//DONGND:: list product compare limited
$('.leo-modal-compare .modal-title').html(content_product_compare_mess_max);
$('.leo-modal-compare').modal('show');
object_e.find('.leo-compare-bt-loading').hide();
object_e.find('.leo-compare-bt-content').show();
}
}
}
return false;
})
}
function activeEventModalCompare()
{
$('.leo-modal-compare').on('hide.bs.modal', function (e) {
// console.log($('.leo-modal-review-bt').length);
if ($('.leo-compare-button.active').length)
{
// console.log('aaa');
$('.leo-compare-button.active').removeClass('active');
}
})
$('.leo-modal-compare').on('hidden.bs.modal', function (e) {
$('body').css('padding-right', '');
})
$('.leo-modal-compare').on('shown.bs.modal', function (e) {
if ($('.quickview.modal').length)
{
$('.quickview.modal').modal('hide');
}
});
}

View File

@@ -0,0 +1,306 @@
/**
* 2007-2017 Leotheme
*
* NOTICE OF LICENSE
*
* Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*
* DISCLAIMER
*
* @Module Name: Leo Feature
* @author leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @license http://leotheme.com - prestashop template provider
*/
$(document).ready(function(){
if ($('.open-review-form').length)
{
var id_product = $('.open-review-form').data('id-product');
var is_logged = $('.open-review-form').data('is-logged');
$.ajax({
type: 'POST',
headers: {"cache-control": "no-cache"},
url: prestashop.urls.base_url + 'modules/leofeature/psajax_review.php?rand=' + new Date().getTime(),
async: true,
cache: false,
data: {
"action": "render-modal-review",
"id_product": id_product,
"is_logged": is_logged,
"token": leo_token
},
success: function (result)
{
if(result != '')
{
$('body').append(result);
activeEventModalReview();
activeStar();
$('.open-review-form').fadeIn('fast');
}
else
{
alert(review_error);
}
},
error: function (XMLHttpRequest, textStatus, errorThrown) {
// alert("TECHNICAL ERROR: \n\nDetails:\nError thrown: " + XMLHttpRequest + "\n" + 'Text status: ' + textStatus);
}
});
$('.open-review-form').click(function(){
if ($('#criterions_list').length)
{
$('.leo-modal-review').modal('show');
}
else
{
if ($('.leo-modal-review .modal-body .disable-form-review').length)
{
$('.leo-modal-review').modal('show');
}
else
{
$('.leo-modal-review-bt').remove();
$('.leo-modal-review .modal-header').remove();
$('.leo-modal-review .modal-body').empty();
$('.leo-modal-review .modal-body').append('<div class="form-group disable-form-review has-danger text-center"><label class="form-control-label">'+disable_review_form_txt+'</label></div>');
$('.leo-modal-review').modal('show');
}
}
return false;
});
}
$('.read-review').click(function(){
// if ($('.leo-product-show-review-title').length && $('#leo-product-show-review-content').length)
if ($('.leo-product-show-review-title').length)
{
if ($('.leo-product-show-review-title').hasClass('leofeature-accordion'))
{
if ($('.leo-product-show-review-title').hasClass('collapsed'))
{
$('.leo-product-show-review-title').trigger('click');
}
var timer = setInterval(function() {
if ($('#collapseleofeatureproductreview').hasClass('collapse in') || $('#collapsereviews').hasClass('collapse in')) {
//run some other function
$('html, body').animate({
scrollTop: $('.leo-product-show-review-title').offset().top
}, 500);
clearInterval(timer);
}
}, 200);
}
else
{
$('.leo-product-show-review-title').trigger('click');
$('html, body').animate({
scrollTop: $('.leo-product-show-review-title').offset().top
}, 500);
}
}
return false;
});
$('.usefulness_btn').click(function(){
if (!$(this).hasClass('disabled'))
{
$(this).addClass('active');
$(this).parents('.review_button').find('.usefulness_btn').addClass('disabled');
var id_product_review = $(this).data('id-product-review');
var is_usefull = $(this).data('is-usefull');
var e_parent_button = $(this).parent();
$.ajax({
type: 'POST',
headers: {"cache-control": "no-cache"},
url: prestashop.urls.base_url + 'modules/leofeature/psajax_review.php?rand=' + new Date().getTime(),
async: true,
cache: false,
data: {
"action": "add-review-usefull",
"id_product_review": id_product_review,
"is_usefull": is_usefull,
"token": leo_token
},
success: function (result)
{
if (result != '')
{
e_parent_button.fadeOut(function(){
e_parent_button.remove();
});
}
else
{
alert(review_error);
}
},
error: function (XMLHttpRequest, textStatus, errorThrown) {
alert("TECHNICAL ERROR: \n\nDetails:\nError thrown: " + XMLHttpRequest + "\n" + 'Text status: ' + textStatus);
// window.location.replace($('.open-review-form').data('product-link'));
}
});
}
});
$('.report_btn').click(function(){
if (!$(this).hasClass('disabled'))
{
$(this).addClass('disabled');
var e_button = $(this);
var id_product_review = $(this).data('id-product-review');
$.ajax({
type: 'POST',
headers: {"cache-control": "no-cache"},
url: prestashop.urls.base_url + 'modules/leofeature/psajax_review.php?rand=' + new Date().getTime(),
async: true,
cache: false,
data: {
"action": "add-review-report",
"id_product_review": id_product_review,
"token": leo_token
},
success: function (result)
{
if (result != '')
{
e_button.fadeOut(function(){
e_button.remove();
});
}
else
{
alert(review_error);
}
},
error: function (XMLHttpRequest, textStatus, errorThrown) {
alert("TECHNICAL ERROR: \n\nDetails:\nError thrown: " + XMLHttpRequest + "\n" + 'Text status: ' + textStatus);
// window.location.replace($('.open-review-form').data('product-link'));
}
});
}
return false;
});
// activeEventModalReview();
activeStar();
});
function activeStar()
{
//DONGND:: add txt cancel rating to translate
$('input.star').rating({cancel: cancel_rating_txt});
$('.auto-submit-star').rating({cancel: cancel_rating_txt});
}
function activeEventModalReview()
{
$('.form-new-review').submit(function(){
if ($('.new_review_form_content .form-group.leo-has-error').length || $('.leo-fake-button').hasClass('validate-ok'))
{
return false;
}
});
$('.leo-modal-review').on('show.bs.modal', function (e) {
$('.leo-modal-review-bt').click(function(){
if (!$(this).hasClass('active'))
{
$(this).addClass('active');
$('.leo-modal-review-bt-text').hide();
$('.leo-modal-review-loading').css({'display':'block'});
$('.new_review_form_content input, .new_review_form_content textarea').each(function(){
if ($(this).val() == '')
{
$(this).parent('.form-group').addClass('leo-has-error');
$(this).attr("required", "");
}
else
{
$(this).parent('.form-group').removeClass('leo-has-error');
$(this).removeAttr('required');
}
})
if ($('.new_review_form_content .form-group.leo-has-error').length)
{
$(this).removeClass('active');
$('.leo-modal-review-bt-text').show();
$('.leo-modal-review-loading').hide();
}
else
{
// console.log('pass');
// $('.leo-modal-review-bt').remove();
// console.log($( ".new_review_form_content input, .new_review_form_content textarea" ).serialize());
$('.leo-fake-button').addClass('validate-ok');
$.ajax({
type: 'POST',
headers: {"cache-control": "no-cache"},
url: prestashop.urls.base_url + 'modules/leofeature/psajax_review.php?action=add-new-review&token='+leo_token+'&rand=' + new Date().getTime(),
async: true,
cache: false,
data: $( ".new_review_form_content input, .new_review_form_content textarea" ).serialize(),
success: function (result)
{
if (result != '')
{
var object_result = $.parseJSON(result);
// console.log(object_result);
$('.leo-modal-review-bt').fadeOut('slow', function(){
$(this).remove();
});
$('.leo-modal-review .modal-body>.row').fadeOut('slow', function(){
$(this).remove();
if (object_result.result)
{
$('.leo-modal-review .modal-body').append('<div class="form-group has-success"><label class="form-control-label">'+object_result.sucess_mess+'</label></div>');
}
else
{
// $('.leo-modal-review .modal-body').append('<div class="form-group has-danger text-center"></div>');
$.each(object_result.errors, function(key, val){
$('.leo-modal-review .modal-body').append('<div class="form-group has-danger text-center"><label class="form-control-label">'+val+'</label></div>');
});
}
});
}
else
{
alert(review_error);
}
},
error: function (XMLHttpRequest, textStatus, errorThrown) {
alert("TECHNICAL ERROR: \n\nDetails:\nError thrown: " + XMLHttpRequest + "\n" + 'Text status: ' + textStatus);
window.location.replace($('.open-review-form').data('product-link'));
}
});
}
$('.leo-fake-button').trigger('click');
}
})
})
$('.leo-modal-review').on('hide.bs.modal', function (e) {
// console.log($('.leo-modal-review-bt').length);
if (!$('.leo-modal-review-bt').length && !$('.leo-modal-review .modal-body .disable-form-review').length)
{
// console.log('aaa');
// window.location.replace($('.open-review-form').data('product-link'));
location.reload();
}
})
}

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,53 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{extends file="helpers/form/form.tpl"}
{block name="input"}
{if $input.type == 'products'}
<table id="{$input.name}">
<tr>
<th></th>
<th>ID</th>
<th width="80%">{l s='Product Name' mod='leofeature'}</th>
</tr>
{foreach $input.values as $value}
<tr>
<td>
<input type="checkbox" name="{$input.name}[]" value="{$value.id_product}"
{if isset($value.selected) && $value.selected == 1} checked {/if} />
</td>
<td>{$value.id_product}</td>
<td width="80%">{$value.name}</td>
</tr>
{/foreach}
</table>
{elseif $input.type == 'switch' && $smarty.const._PS_VERSION_|@addcslashes:'\'' < '1.6'}
{foreach $input.values as $value}
<input type="radio" name="{$input.name}" id="{$value.id}" value="{$value.value|escape:'html':'UTF-8'}"
{if $fields_value[$input.name] == $value.value}checked="checked"{/if}
{if isset($input.disabled) && $input.disabled}disabled="disabled"{/if} />
<label class="t" for="{$value.id}">
{if isset($input.is_bool) && $input.is_bool == true}
{if $value.value == 1}
<img src="../img/admin/enabled.gif" alt="{$value.label}" title="{$value.label}" />
{else}
<img src="../img/admin/disabled.gif" alt="{$value.label}" title="{$value.label}" />
{/if}
{else}
{$value.label}
{/if}
</label>
{if isset($input.br) && $input.br}<br />{/if}
{if isset($value.p) && $value.p}<p>{$value.p}</p>{/if}
{/foreach}
{else}
{$smarty.block.parent}
{/if}
{/block}

View File

@@ -0,0 +1,35 @@
<?php
/*
* 2007-2016 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2016 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1,35 @@
<?php
/*
* 2007-2016 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2016 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1,35 @@
<?php
/*
* 2007-2016 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2016 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1,10 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<a href="{$href}" class="btn btn-success" title="{$action}" >
<i class="icon-check"></i> {$action}
</a>

View File

@@ -0,0 +1,10 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<a href="{$href}" class="btn btn-info" title="{$action}" >
<i class="icon-check"></i> {$action}
</a>

View File

@@ -0,0 +1,47 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div class="panel form-horizontal">
<div class="form-group">
<div class="col-lg-1">
<a class="megamenu-correct-module btn btn-success" href="{$url_admin}&success=correct&correctmodule=1">
<i class="icon-AdminParentPreferences"></i>{l s='Correct module' mod='leofeature'}
</a>
</div>
<label class="control-label col-lg-3">* {l s='Please backup the database before run correct module to safe' mod='leofeature'}</label>
</div>
</div>
<div id="leofeature-group">
<div class="panel panel-default">
<div class="panel-heading"><i class="icon-cogs"></i> {l s='Leo Feature Global Config' mod='leofeature'}</div>
<div class="panel-content" id="leofeature-setting">
<ul class="nav nav-tabs leofeature-tablist" role="tablist">
<li class="nav-item{if $default_tab == '#fieldset_0'} active{/if}">
<a class="nav-link" href="#fieldset_0" role="tab" data-toggle="tab">{l s='Ajax Cart' mod='leofeature'}</a>
</li>
<li class="nav-item{if $default_tab == '#fieldset_1_1'} active{/if}">
<a class="nav-link" href="#fieldset_1_1" role="tab" data-toggle="tab">{l s='Product Review' mod='leofeature'}</a>
</li>
<li class="nav-item{if $default_tab == '#fieldset_2_2'} active{/if}">
<a class="nav-link" href="#fieldset_2_2" role="tab" data-toggle="tab">{l s='Product Compare' mod='leofeature'}</a>
</li>
<li class="nav-item{if $default_tab == '#fieldset_3_3'} active{/if}">
<a class="nav-link" href="#fieldset_3_3" role="tab" data-toggle="tab">{l s='Product Wishlist' mod='leofeature'}</a>
</li>
</ul>
<div class="tab-content">
{$globalform}{* HTML form , no escape necessary *}
</div>
</div>
</div>
</div>

View File

@@ -0,0 +1,199 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if $only_total != 1}
<div class="leo-dropdown-cart-content">
<div class="leo-dropdown-list-item-header">
<h2>Koszyk</h2>
</div>
<div class="leo-dropdown-list-item-warpper">
<ul class="leo-dropdown-list-item">{foreach from=$cart.products item=product name="cart_product"}<li
style="width: {$width_cart_item}px; height: {$height_cart_item}px"
class="leo-dropdown-cart-item clearfix{if ($product.attributes|count && $show_combination) || ($product.customizations|count && $show_customization)} has-view-additional{/if}{if $smarty.foreach.cart_product.first} first{/if}{if $smarty.foreach.cart_product.last} last{/if}">
<div class="leo-cart-item-img">
{if $product.images}
<a class="label" href="{$product.url}" title="{$product.name}"><img class="img-fluid"
src="{$product.images.0.bySize.small_default.url}" alt="{$product.name}" title="{$product.name}" /></a>
{/if}
</div>
<div class="leo-cart-item-info">
<div class="product-name"><a class="label" href="{$product.url}"
title="{$product.name}">{$product.name|truncate:18:'...'}</a></div>
<div class="product-price">
{if $product.has_discount}
<div class="product-discount">
<span class="regular-price">{$product.regular_price}</span>
{if $product.discount_type === 'percentage'}
<span class="discount discount-percentage">
-{$product.discount_percentage_absolute}
</span>
{else}
<span class="discount discount-amount">
-{$product.discount_to_display}
</span>
{/if}
</div>
{/if}
<div class="current-price">
<span class="price">{$product.price}</span>
</div>
{if $product.unit_price_full}
<div class="unit-price-cart">{$product.unit_price_full}</div>
{/if}
</div>
{if $enable_update_quantity}
<div class="product-quantity">
{if $enable_button_quantity}
<a href="javascript:void(0)" class="leo-bt-product-quantity leo-bt-product-quantity-down"><i
class="material-icons">&#xE15B;</i></a>
{/if}
<input class="leo-input-product-quantity input-group" data-down-url="{$product.down_quantity_url}"
data-up-url="{$product.up_quantity_url}" data-update-url="{$product.update_quantity_url}"
data-id-product="{$product.id_product|escape:'javascript'}"
data-id-product-attribute="{$product.id_product_attribute|escape:'javascript'}"
data-id-customization="{$product.id_customization|escape:'javascript'}"
data-min-quantity="{$product.minimal_quantity}" data-product-quantity="{$product.quantity}"
data-quantity-available="{$product.quantity_available}" type="text" value="{$product.quantity}"
min="{$product.minimal_quantity}" />
{if $enable_button_quantity}
<a href="javascript:void(0)" class="leo-bt-product-quantity leo-bt-product-quantity-up"><i
class="material-icons">&#xE145;</i></a>
{/if}
</div>
{else}
<div class="product-quantity"><span class="lablel">{l s='Quantity' mod='leofeature'}</span>:
{$product.quantity}</div>
{/if}
</div>
{* <a class="leo-remove-from-cart" *}
<a class="leo-remove-from-cart-own" href="{$product.remove_from_cart_url}"
title="{l s='Remove from cart' mod='leofeature'}" data-link-url="{$productNaNpxove_from_cart_url}"
data-id-product="{$product.id_product|escape:'javascript'}"
data-id-product-attribute="{$product.id_product_attribute|escape:'javascript'}"
data-id-customization="{$product.id_customization|escape:'javascript'}">
{* <i class="material-icons">&#xE872;</i> *}
<img src="/themes/at_movic/assets/img/icons/bucket.svg" alt="">
</a>
{if ($product.attributes|count && $show_combination) || ($product.customizations|count && $show_customization)}
<div class="view-additional">
<div class="view-leo-dropdown-additional"></div>
</div>
{/if}
<div class="leo-dropdown-overlay">
<div class="leo-dropdown-cssload-speeding-wheel"></div>
</div>
<div class="leo-dropdown-additional">
{if $product.attributes|count && $show_combination}
<div class="view-combination label">
</div>
<div class="combinations">
{foreach from=$product.attributes key="attribute" item="value"}
<div class="product-line-info">
<span class="label">{$attribute}:</span>
<span class="value">{$value}</span>
</div>
{/foreach}
</div>
{/if}
{if $product.customizations|count && $show_customization}
<div class="view-customization label">
</div>
<div class="customizations">
{foreach from=$product.customizations item='customization'}
<ul>
{foreach from=$customization.fields item='field'}
<li>
<span class="label">{$field.label}</span>
{if $field.type == 'text'}
: <span class="value">{$field.text nofilter}</span>
{else if $field.type == 'image'}
<img src="{$field.image.small.url}">
{/if}
</li>
{/foreach}
</ul>
{/foreach}
</div>
{/if}
</div>
</li>{/foreach}</ul>
</div>
<div class="leo-dropdown-bottom">
{/if}
<div class="leo-dropdown-total" data-cart-total="{$cart.products_count}">
<div class="leo-dropdown-cart-subtotals">
{foreach from=$cart.subtotals item="subtotal"}
{if $subtotal}
<div class="{$subtotal.type} clearfix">
<div class="row">
<div class="col-xs-6 col-sm-6 col-md-6 col-lg-6 col-xl-6">
<span class="label">{$subtotal.label}</span>
</div>
<div class="col-xs-6 col-sm-6 col-md-6 col-lg-6 col-xl-6">
<span class="value">{$subtotal.value}</span>
</div>
</div>
</div>
{/if}
{/foreach}
</div>
<div class="leo-dropdown-cart-total clearfix">
<div class="row">
<div class="col-xs-12">
<div class="price-box">
<p>ŁĄCZNIE</p>
<p>{$cart.totals.total.value}</p>
</div>
<div class="price-box-btn">
<a class="btn" href="{$cart_url}">{l s='PRZEJDZ DO KOSZYKA' mod='leofeature'}</a>
</div>
<div class="price-box-text">
<img src="/themes/at_movic/assets/img/save.svg" alt="" />
{l s='Bezpieczne zakupy' d='Shop.Theme.Actions'}
</div>
</div>
</div>
{* <div class="row">
<div class="col-xs-6 col-sm-6 col-md-6 col-lg-6 col-xl-6">
<span class="label">{$cart.totals.total.label}</span>
</div>
<div class="col-xs-6 col-sm-6 col-md-6 col-lg-6 col-xl-6">
<span class="value">{$cart.totals.total.value}</span>
</div>
</div> *}
</div>
<!-- add Spent X to get free ship in checkout page Leotheme -->
{assign var='freeshipping_price' value=Configuration::get('PS_SHIPPING_FREE_PRICE')}
{if $freeshipping_price}
{math equation='a-b' a=$cart.totals.total.amount b=$cart.subtotals.shipping.amount assign='total_without_shipping'}
{math equation='a-b' a=$freeshipping_price b=$total_without_shipping assign='remaining_to_spend'}
{if $remaining_to_spend > 0}
<div class="leo_free_price">
{assign var=currency value=Context::getContext()->currency}
<p>{l s='Spent' mod='leofeature'} {Tools::displayPrice($remaining_to_spend,$currency)}
{l s='To get free ship!' mod='leofeature'}</p>
</div>
{/if}
{/if}
<!-- end -->
</div>
{if $only_total != 1}
{* <div class="leo-cart-dropdown-action clearfix">
<a class="cart-dropdow-button cart-dropdow-viewcart btn btn-primary btn-outline"
href="{$cart_url}">{l s='PRZEJDZ DO KOSZYKA' mod='leofeature'}</a> *}
{* <a class="cart-dropdow-button cart-dropdow-viewcart btn btn-primary btn-outline" href="{$cart_url}">{l s='View Cart' mod='leofeature'}</a> *}
{* <a class="cart-dropdow-button cart-dropdow-checkout btn btn-primary btn-outline" href="{$order_url}">{l s='Check Out' mod='leofeature'}</a> *}
{* </div> *}
</div>
</div>
{/if}

View File

@@ -0,0 +1,17 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div data-type="{$type_fly_cart}" style="position: {$type_position}; {$vertical_position}; {$horizontal_position}" class="leo-fly-cart solo type-{$type_position}{if $type_fly_cart == 'dropup' || $type_fly_cart == 'dropdown'} enable-dropdown{/if}{if $type_fly_cart == 'slidebar_top' || $type_fly_cart == 'slidebar_bottom' || $type_fly_cart == 'slidebar_right' || $type_fly_cart == 'slidebar_left'} enable-slidebar{/if}">
<div class="leo-fly-cart-icon-wrapper">
<a href="javascript:void(0)" class="leo-fly-cart-icon" data-type="{$type_fly_cart}"><i class="material-icons">&#xE8CC;</i></a>
<span class="leo-fly-cart-total"></span>
</div>
{*
<div class="leo-fly-cssload-speeding-wheel"></div>
*}
<div class="leo-fly-cart-cssload-loader"></div>
</div>

View File

@@ -0,0 +1,27 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if $enable_overlay_background}
<div class="leo-fly-cart-mask"></div>
{/if}
<div class="leo-fly-cart-slidebar {$type}">
<div class="leo-fly-cart disable-dropdown">
<div class="leo-fly-cart-wrapper">
<div class="leo-fly-cart-icon-wrapper">
<a href="javascript:void(0)" class="leo-fly-cart-icon"><i class="material-icons">&#xE8CC;</i></a>
<span class="leo-fly-cart-total"></span>
</div>
{*
<div class="leo-fly-cssload-speeding-wheel"></div>
*}
<div class="leo-fly-cart-cssload-loader"></div>
</div>
</div>
</div>

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,115 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{extends file=$layout}
{block name='content'}
<section id="main">
<header class="page-header">
<h1>
{l s='Wishlist' mod='leofeature'}
</h1>
</header>
<div id="mywishlist">
<div class="new-wishlist">
<div class="form-group-title">
<h2>{l s='Make new wishlist' mod='leofeature'}</h2>
</div>
<div class="form-group">
<label for="wishlist_name">{l s='Name' mod='leofeature'}</label>
<div class="form-group-row">
<input type="text" class="form-control" id="wishlist_name"
placeholder="{l s='Enter name of new wishlist' mod='leofeature'}">
<button type="submit" class="btn btn-primary leo-save-wishlist-bt">
<span class="leo-save-wishlist-loading cssload-speeding-wheel"></span>
<span class="leo-save-wishlist-bt-text">
{l s='Save' mod='leofeature'}
</span>
</button>
</div>
</div>
<div class="form-group has-success">
<div class="form-control-feedback"></div>
</div>
<div class="form-group has-danger">
<div class="form-control-feedback"></div>
</div>
</div>
<div class="list-wishlist">
<table class="table table-striped">
<thead class="wishlist-table-head">
<tr>
<th>{l s='Name' mod='leofeature'}</th>
<th>{l s='Quantity' mod='leofeature'}</th>
<th>{l s='Viewed' mod='leofeature'}</th>
<th class="wishlist-datecreate-head">{l s='Created' mod='leofeature'}</th>
<th>{l s='Direct Link' mod='leofeature'}</th>
<th>{l s='Default' mod='leofeature'}</th>
<th>{l s='Delete' mod='leofeature'}</th>
</tr>
</thead>
<tbody>
{if $wishlists}
{foreach from=$wishlists item=wishlists_item name=for_wishlists}
<tr>
<td><a href="javascript:void(0)" class="view-wishlist-product" data-name-wishlist="{$wishlists_item.name}"
data-id-wishlist="{$wishlists_item.id_wishlist}"><i
class="material-icons">&#xE8EF;</i>{$wishlists_item.name}</a>
<div
class="leo-view-wishlist-product-loading leo-view-wishlist-product-loading-{$wishlists_item.id_wishlist} cssload-speeding-wheel">
</div>
</td>
<td class="wishlist-numberproduct wishlist-numberproduct-{$wishlists_item.id_wishlist}">
{$wishlists_item.number_product|intval}</td>
<td>{$wishlists_item.counter|intval}</td>
<td class="wishlist-datecreate">{$wishlists_item.date_add}</td>
<td><a class="view-wishlist" data-token="{$wishlists_item.token}" href="{$view_wishlist_url}{if $leo_is_rewrite_active}?{else}&{/if}token={$wishlists_item.token}"
title="{l s='View' mod='leofeature'}">{l s='View' mod='leofeature'}</a></td>
<td>
<label class="form-check-label">
<input class="default-wishlist form-check-input" data-id-wishlist="{$wishlists_item.id_wishlist}"
type="checkbox" {if $wishlists_item.default == 1}checked="checked" {/if}>
</label>
</td>
<td><a class="delete-wishlist" data-id-wishlist="{$wishlists_item.id_wishlist}" href="javascript:void(0)"
title="{l s='Delete' mod='leofeature'}">
<img src="/themes/at_movic/assets/img/icons/trash-can.svg" alt="">
{* <i class="materia-icons">&#xE872;</i> *}
</a></td>
</tr>
{/foreach}
{/if}
</tbody>
</table>
</div>
<div class="send-wishlist">
<a class="leo-send-wishlist-button btn btn-info" href="javascript:void(0)"
title="{l s='Send this wishlist' mod='leofeature'}">
<i class="material-icons">&#xE163;</i>
{l s='Send this wishlist' mod='leofeature'}
</a>
</div>
<section id="products">
<div class="leo-wishlist-product products row">
</div>
</section>
<ul class="footer_links">
<li class="pull-xs-left"><a class="btn btn-outline"
href="{$link->getPageLink('my-account', true)|escape:'html'}"><i
class="material-icons">&#xE317;</i>{l s='Back to Your Account' mod='leofeature'}</a></li>
<li class="pull-xs-right"><a class="btn btn-outline" href="{$urls.base_url}"><i
class="material-icons">&#xE88A;</i>{l s='Home' mod='leofeature'}</a></li>
</ul>
</div>
</section>
{/block}

View File

@@ -0,0 +1,79 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if $products && count($products) >0}
{foreach from=$products item=product_item name=for_products}
{assign var='product' value=$product_item.product_info}
{assign var='wishlist' value=$product_item.wishlist_info}
<div class="col-xl-3 col-lg-4 col-md-4 col-sm-6 col-xs-12 product-miniature js-product-miniature leo-wishlistproduct-item leo-wishlistproduct-item-{$wishlist.id_wishlist_product} product-{$product.id_product}" data-id-product="{$product.id_product}" data-id-product-attribute="{$product.id_product_attribute}" itemscope itemtype="http://schema.org/Product">
<div class="delete-wishlist-product clearfix">
<a class="leo-wishlist-button-delete btn" href="javascript:void(0)" title="{l s='Remove from this wishlist' mod='leofeature'}" data-id-wishlist="{$wishlist.id_wishlist}" data-id-wishlist-product="{$wishlist.id_wishlist_product}" data-id-product="{$product.id_product}"><i class="material-icons">&#xE872;</i>
</a>
</div>
<div class="thumbnail-container clearfix">
{block name='product_thumbnail'}
{if $product.cover}
<a href="{$product.url}" class="thumbnail product-thumbnail">
<img
class="img-fluid lazyOwl"
src="{$product.cover.bySize.home_default.url}"
alt="{if !empty($product.cover.legend)}{$product.cover.legend}{else}{$product.name|truncate:30:'...'}{/if}"
data-full-size-image-url="{$product.cover.large.url}"
/>
</a>
{else}
<a href="{$product.url}" class="thumbnail product-thumbnail">
<img src="{$urls.no_picture_image.bySize.home_default.url}" />
</a>
{/if}
{/block}
<div class="product-description">
{block name='product_name'}
<h1 class="h3 product-title" itemprop="name"><a href="{$product.url}">{$product.name|truncate:30:'...'}</a></h1>
{/block}
</div>
</div>
<div class="wishlist-product-info">
<div class="form-group">
<label>{l s='Quantity' mod='leofeature'}</label>
<input class="form-control wishlist-product-quantity wishlist-product-quantity-{$wishlist.id_wishlist_product}" type="number" min=1 value="{$wishlist.quantity}">
</div>
<div class="form-group">
<label>{l s='Priority' mod='leofeature'}</label>
<select class="form-control wishlist-product-priority wishlist-product-priority-{$wishlist.id_wishlist_product}">
{for $i=0 to 2}
<option value="{$i}"{if $i == $wishlist.priority} selected="selected"{/if}>
{if $i == 0}{l s='High' mod='leofeature'}{/if}
{if $i == 1}{l s='Medium' mod='leofeature'}{/if}
{if $i == 2}{l s='Low' mod='leofeature'}{/if}
</option>
{/for}
</select>
</div>
</div>
<div class="wishlist-product-action">
<a class="leo-wishlist-product-save-button btn btn-primary" href="javascript:void(0)" title="{l s='Save' mod='leofeature'}" data-id-wishlist="{$wishlist.id_wishlist}" data-id-wishlist-product="{$wishlist.id_wishlist_product}" data-id-product="{$product.id_product}">{l s='Save' mod='leofeature'}
</a>
{if isset($wishlists) && count($wishlists) > 0}
<div class="dropdown leo-wishlist-button-dropdown">
<button class="leo-wishlist-button dropdown-toggle btn btn-primary show-list" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false">{l s='Move' mod='leofeature'}</button>
<div class="dropdown-menu leo-list-wishlist leo-list-wishlist-{$product.id_product}">
{foreach from=$wishlists item=wishlists_item}
<a href="#" class="dropdown-item list-group-item list-group-item-action move-wishlist-item" data-id-wishlist="{$wishlists_item.id_wishlist}" data-id-wishlist-product="{$wishlist.id_wishlist_product}" data-id-product="{$product.id_product}" data-id-product-attribute="{$product.id_product_attribute}" title="{$wishlists_item.name}">{$wishlists_item.name}</a>
{/foreach}
</div>
</div>
{/if}
</div>
</div>
{/foreach}
{else}
<div class="col-xl-12"><p class="alert alert-warning">{l s='No products' mod='leofeature'}</p></div>
{/if}

View File

@@ -0,0 +1,138 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{extends file=$layout}
{block name='content'}
<section id="main">
{capture name=path}{l s='Products Comparison' mod='leofeature'}{/capture}
<h1 class="page-heading">{l s='Products Comparison' mod='leofeature'}</h1>
{if $hasProduct}
<div class="products_block">
<table id="product_comparison" class="table table-bordered table-responsive">
<tr>
<td class="td_empty compare_extra_information">
<span>{l s='Features:' mod='leofeature'}</span>
</td>
{foreach from=$products item=product name=for_products}
{assign var='replace_id' value=$product.id|cat:'|'}
<td class="product-miniature js-product-miniature leo-productscompare-item product-{$product.id_product}" data-id-product="{$product.id_product}" data-id-product-attribute="{$product.id_product_attribute}" itemscope itemtype="http://schema.org/Product">
<div class="delete-productcompare clearfix">
<a class="leo-compare-button btn delete" href="#" title="{l s='Remove from Compare' mod='leofeature'}" data-id-product="{$product.id_product}"><i class="material-icons">&#xE872;</i>
</a>
</div>
<div class="thumbnail-container clearfix">
<div class="product-image">
{block name='product_thumbnail'}
{if $product.cover}
<a href="{$product.url}" class="thumbnail product-thumbnail">
<img
class="img-fluid lazyOwl"
src="{$product.cover.bySize.home_default.url}"
alt = "{$product.cover.legend}"
data-full-size-image-url="{$product.cover.large.url}"
/>
</a>
{else}
<a href="{$product.url}" class="thumbnail product-thumbnail">
<img src="{$urls.no_picture_image.bySize.home_default.url}" />
</a>
{/if}
{/block}
{block name='product_flags'}
<ul class="product-flags">
{foreach from=$product.flags item=flag}
<li class="product-flag {$flag.type}">{$flag.label}</li>
{/foreach}
</ul>
{/block}
</div>
<div class="product-description">
{hook h='displayLeoCartAttribute' product=$product}
{hook h='displayLeoCartQuantity' product=$product}
{hook h='displayLeoCartButton' product=$product}
{block name='product_name'}
<h1 class="h3 product-title" itemprop="name"><a href="{$product.url}">{$product.name|truncate:30:'...'}</a></h1>
{/block}
<div class="product_desc">
{$product.description_short|strip_tags|truncate:60:'...'}
</div>
{block name='product_price_and_shipping'}
{if $product.show_price}
<div class="product-price-and-shipping">
{if $product.has_discount}
{hook h='displayProductPriceBlock' product=$product type="old_price"}
<span class="regular-price">{$product.regular_price}</span>
{if $product.discount_type === 'percentage'}
<span class="discount-percentage">{$product.discount_percentage}</span>
{/if}
{/if}
{hook h='displayProductPriceBlock' product=$product type="before_price"}
<span itemprop="price" class="price">{$product.price}</span>
{hook h='displayProductPriceBlock' product=$product type='unit_price'}
{hook h='displayProductPriceBlock' product=$product type='weight'}
</div>
{/if}
{/block}
</div>
</div>
</td>
{/foreach}
</tr>
{if $ordered_features}
{foreach from=$ordered_features item=feature}
<tr>
{cycle values='comparison_feature_odd,comparison_feature_even' assign='classname'}
<td class="{$classname} feature-name" >
<strong>{$feature.name|escape:'html':'UTF-8'}</strong>
</td>
{foreach from=$products item=product name=for_products}
{assign var='product_id' value=$product.id}
{assign var='feature_id' value=$feature.id_feature}
{if isset($product_features[$product_id])}
{assign var='tab' value=$product_features[$product_id]}
<td class="{$classname} comparison_infos product-{$product.id}">{if (isset($tab[$feature_id]))}{$tab[$feature_id] nofilter}{/if}</td>
{else}
<td class="{$classname} comparison_infos product-{$product.id}"></td>
{/if}
{/foreach}
</tr>
{/foreach}
{else}
<tr>
<td></td>
<td colspan="{$products|@count}" class="text-center">{l s='No features to compare' mod='leofeature'}</td>
</tr>
{/if}
{hook h='displayLeoProducReviewCompare' list_product=$list_product}
</table>
</div> <!-- end products_block -->
{else}
<p class="alert alert-warning">{l s='There are no products selected for comparison.' mod='leofeature'}</p>
{/if}
<ul class="footer_link">
<li>
<a class="button lnk_view btn btn-outline btn-sm" href="{$urls.base_url}">
<i class="material-icons">&#xE317;</i>
<span>{l s='Continue Shopping' mod='leofeature'}</span>
</a>
</li>
</ul>
</section>
{/block}

View File

@@ -0,0 +1,27 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<tr class="new">
<td>
<a href="javascript:void(0)" class="view-wishlist-product" data-name-wishlist="{$wishlist->name}" data-id-wishlist="{$wishlist->id}">
<i class="material-icons">&#xE8EF;</i>
{$wishlist->name}
</a>
<div class="leo-view-wishlist-product-loading leo-view-wishlist-product-loading-{$wishlist->id} cssload-speeding-wheel"></div>
</td>
<td class="wishlist-numberproduct wishlist-numberproduct-{$wishlist->id}">0</td>
<td>0</td>
<td class="wishlist-datecreate">{$wishlist->date_add}</td>
<td><a class="view-wishlist" data-token="{$wishlist->token}" href="{$url_view_wishlist}" title="{l s='View' mod='leofeature'}">{l s='View' mod='leofeature'}</a></td>
<td>
<label class="form-check-label">
<input class="default-wishlist form-check-input" data-id-wishlist="{$wishlist->id}" type="checkbox" {$checked}>
</label>
</td>
<td><a class="delete-wishlist" data-id-wishlist="{$wishlist->id}" href="javascript:void(0)" title="{l s='Delete' mod='leofeature'}"><i class="material-icons">&#xE872;</i></a></td>
</tr>

View File

@@ -0,0 +1,103 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{extends file=$layout}
{block name='content'}
<section id="main">
<div id="view_wishlist">
{if isset($current_wishlist)}
<h2>{l s='Wishlist' mod='leofeature'} "{$current_wishlist.name}"</h2>
{if $wishlists}
<p>
{l s='Other wishlists of ' mod='leofeature'}{$current_wishlist.firstname} {$current_wishlist.lastname} :
{foreach from=$wishlists item=wishlist_item name=i}
<a href="{$view_wishlist_url}{if $leo_is_rewrite_active}?{else}&{/if}token={$wishlist_item.token}" title="{$wishlist_item.name}" rel="nofollow">{$wishlist_item.name}</a>
{if !$smarty.foreach.i.last}
/
{/if}
{/foreach}
</p>
{/if}
<section id="products">
<div class="leo-wishlist-product products row">
{if $products && count($products) >0}
{foreach from=$products item=product_item name=for_products}
{assign var='product' value=$product_item.product_info}
{assign var='wishlist' value=$product_item.wishlist_info}
<div class="col-xl-3 col-lg-4 col-md-4 col-sm-6 col-xs-12 product-miniature js-product-miniature leo-wishlistproduct-item leo-wishlistproduct-item-{$wishlist.id_wishlist_product} product-{$product.id_product}" data-id-product="{$product.id_product}" data-id-product-attribute="{$product.id_product_attribute}" itemscope itemtype="http://schema.org/Product">
<div class="thumbnail-container clearfix">
<div class="product-image">
{block name='product_thumbnail'}
<a href="{$product.url}" class="thumbnail product-thumbnail">
<img class="img-fluid"
src = "{$product.cover.bySize.home_default.url}"
alt = "{$product.cover.legend}"
data-full-size-image-url = "{$product.cover.large.url}"
>
</a>
{/block}
{block name='product_flags'}
<ul class="product-flags">
{foreach from=$product.flags item=flag}
<li class="product-flag {$flag.type}">{$flag.label}</li>
{/foreach}
</ul>
{/block}
</div>
<div class="product-description">
{hook h='displayLeoCartAttribute' product=$product}
{hook h='displayLeoCartQuantity' product=$product}
{hook h='displayLeoCartButton' product=$product}
{block name='product_name'}
<h1 class="h3 product-title" itemprop="name"><a href="{$product.url}">{$product.name|truncate:30:'...'}</a></h1>
{/block}
{block name='product_price_and_shipping'}
{if $product.show_price}
<div class="product-price-and-shipping">
{if $product.has_discount}
{hook h='displayProductPriceBlock' product=$product type="old_price"}
<span class="regular-price">{$product.regular_price}</span>
{if $product.discount_type === 'percentage'}
<span class="discount-percentage">{$product.discount_percentage}</span>
{/if}
{/if}
{hook h='displayProductPriceBlock' product=$product type="before_price"}
<span itemprop="price" class="price">{$product.price}</span>
{hook h='displayProductPriceBlock' product=$product type='unit_price'}
{hook h='displayProductPriceBlock' product=$product type='weight'}
</div>
{/if}
{/block}
<div class="wishlist-product-info">
<input class="form-control wishlist-product-quantity wishlist-product-quantity-{$wishlist.id_wishlist_product}" type="{if $show_button_cart}hidden{else}number{/if}" data-min=1 value="{$wishlist.quantity}">
<div class="form-group">
<label>
<strong>{l s='Priority' mod='leofeature'}: </strong>
{if $wishlist.priority == 0}{l s='High' mod='leofeature'}{/if}
{if $wishlist.priority == 1}{l s='Medium' mod='leofeature'}{/if}
{if $wishlist.priority == 2}{l s='Low' mod='leofeature'}{/if}
</label>
</div>
</div>
</div>
</div>
</div>
{/foreach}
{else}
<div class="alert alert-warning col-xl-12">{l s='No products' mod='leofeature'}</div>
{/if}
</div>
</section>
{else}
<div class="alert alert-warning col-xl-12">{l s='Wishlist does not exist' mod='leofeature'}</div>
{/if}
</div>
</section>
{/block}

View File

@@ -0,0 +1,49 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div class="modal leo-modal leo-modal-cart fade" tabindex="-1" role="dialog" aria-hidden="true">
<!--
<div class="vertical-alignment-helper">
-->
<div class="modal-dialog" role="document">
<div class="modal-content">
<div class="modal-header">
<button type="button" class="close" data-dismiss="modal" aria-label="Close">
<span aria-hidden="true">&times;</span>
</button>
<h4 class="modal-title h6 text-xs-center leo-warning leo-alert">
<i class="material-icons">info_outline</i>
{l s='You must enter a quantity' mod='leofeature'}
</h4>
<h4 class="modal-title h6 text-xs-center leo-info leo-alert">
<i class="material-icons">info_outline</i>
{l s='The minimum purchase order quantity for the product is ' mod='leofeature'}<strong class="alert-min-qty"></strong>
</h4>
<h4 class="modal-title h6 text-xs-center leo-block leo-alert">
<i class="material-icons">block</i>
{l s='There are not enough products in stock' mod='leofeature'}
</h4>
</div>
<!--
<div class="modal-body">
...
</div>
<div class="modal-footer">
<button type="button" class="btn btn-secondary" data-dismiss="modal">Close</button>
<button type="button" class="btn btn-primary">Save changes</button>
</div>
-->
</div>
</div>
<!--
</div>
-->
</div>

View File

@@ -0,0 +1,100 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div class="modal leo-modal leo-modal-review fade" tabindex="-1" role="dialog" aria-hidden="true">
<!--
<div class="vertical-alignment-helper">
-->
<div class="modal-dialog" role="document">
<div class="modal-content">
<div class="modal-header">
<button type="button" class="close" data-dismiss="modal" aria-label="Close">
<span aria-hidden="true">&times;</span>
</button>
<h4 class="modal-title h2 text-xs-center">
{l s='Write a review' mod='leofeature'}
</h4>
</div>
<div class="modal-body">
<div class="row">
{if isset($product_modal_review) && $product_modal_review}
<div class="product-info clearfix col-xs-12 col-sm-6">
<img class="img-fluid" src="{$productcomment_cover_image}" alt="{$product_modal_review->name|escape:'html':'UTF-8'}" />
<div class="product_desc">
<p class="product_name">
<strong>{$product_modal_review->name}</strong>
</p>
{$product_modal_review->description_short nofilter}
</div>
</div>
{/if}
<div class="new_review_form_content col-xs-12 col-sm-6">
{if $criterions|@count > 0}
<ul id="criterions_list">
{foreach from=$criterions item='criterion'}
<li>
{if isset($criterion.name) && $criterion.name != ''}<label>{$criterion.name|escape:'html':'UTF-8'}:</label>{/if}
<div class="star_content">
<input class="star not_uniform" type="radio" name="criterion[{$criterion.id_product_review_criterion|round}]" value="1" />
<input class="star not_uniform" type="radio" name="criterion[{$criterion.id_product_review_criterion|round}]" value="2" />
<input class="star not_uniform" type="radio" name="criterion[{$criterion.id_product_review_criterion|round}]" value="3" />
<input class="star not_uniform" type="radio" name="criterion[{$criterion.id_product_review_criterion|round}]" value="4" checked="checked" />
<input class="star not_uniform" type="radio" name="criterion[{$criterion.id_product_review_criterion|round}]" value="5" />
</div>
<div class="clearfix"></div>
</li>
{/foreach}
</ul>
{/if}
<form class="form-new-review" action="#" method="post">
<div class="form-group">
<label class="form-control-label" for="new_review_title">{l s='Title' mod='leofeature'} <sup class="required">*</sup></label>
<input type="text" class="form-control" id="new_review_title" required="" name="new_review_title">
</div>
<div class="form-group">
<label class="form-control-label" for="new_review_content">{l s='Comment' mod='leofeature'} <sup class="required">*</sup></label>
<textarea type="text" class="form-control" id="new_review_content" required="" name="new_review_content"></textarea>
</div>
{if $allow_guests == true && !$is_logged}
<div class="form-group">
<label class="form-control-label" for="new_review_customer_name">{l s='Your name' mod='leofeature'} <sup class="required">*</sup></label>
<input type="text" class="form-control" id="new_review_customer_name" required="" name="new_review_customer_name">
</div>
{/if}
<div class="form-group">
<label class="form-control-label"><sup>*</sup> {l s='Required fields' mod='leofeature'}</label>
<input id="id_product_review" name="id_product_review" type="hidden" value='{$product_modal_review->id}' />
</div>
<button class="btn btn-primary form-control-submit leo-fake-button pull-xs-right" type="submit">
</button>
</form>
</div>
</div>
</div>
<div class="modal-footer">
<button type="button" class="btn btn-secondary" data-dismiss="modal">{l s='Close' mod='leofeature'}</button>
<button type="button" class="leo-modal-review-bt btn btn-primary">
<span class="leo-modal-review-loading cssload-speeding-wheel"></span>
<span class="leo-modal-review-bt-text">
{l s='Submit' mod='leofeature'}
</span>
</button>
</div>
</div>
</div>
<!--
</div>
-->
</div>

View File

@@ -0,0 +1,67 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div class="leo-notification" style="width: {$width_notification}; {$vertical_position}; {$horizontal_position}">
</div>
<div class="leo-temp leo-temp-success">
<div class="notification-wrapper">
<div class="notification notification-success">
{*
<span class="notification-title"><i class="material-icons">&#xE876;</i></span>
*}
<strong class="noti product-name"></strong>
<span class="noti noti-update">{l s='The product has been updated in your shopping cart' mod='leofeature'}</span>
<span class="noti noti-delete">{l s='The product has been removed from your shopping cart' mod='leofeature'}</span>
<span class="noti noti-add"><strong class="noti-special"></strong> {l s='Product successfully added to your shopping cart' mod='leofeature'}</span>
<span class="notification-close">X</span>
</div>
</div>
</div>
<div class="leo-temp leo-temp-error">
<div class="notification-wrapper">
<div class="notification notification-error">
{*
<span class="notification-title"><i class="material-icons">&#xE611;</i></span>
*}
<span class="noti noti-update">{l s='Error updating' mod='leofeature'}</span>
<span class="noti noti-delete">{l s='Error deleting' mod='leofeature'}</span>
<span class="noti noti-add">{l s='Error adding. Please go to product detail page and try again' mod='leofeature'}</span>
<span class="notification-close">X</span>
</div>
</div>
</div>
<div class="leo-temp leo-temp-warning">
<div class="notification-wrapper">
<div class="notification notification-warning">
{*
<span class="notification-title"><i class="material-icons">&#xE645;</i></span>
*}
<span class="noti noti-min">{l s='The minimum purchase order quantity for the product is' mod='leofeature'} <strong class="noti-special"></strong></span>
<span class="noti noti-max">{l s='There are not enough products in stock' mod='leofeature'}</span>
<span class="notification-close">X</span>
</div>
</div>
</div>
<div class="leo-temp leo-temp-normal">
<div class="notification-wrapper">
<div class="notification notification-normal">
{*
<span class="notification-title"><i class="material-icons">&#xE88F;</i></span>
*}
<span class="noti noti-check">{l s='You must enter a quantity' mod='leofeature'}</span>
<span class="notification-close">X</span>
</div>
</div>
</div>

View File

@@ -0,0 +1,28 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if $product_price_attribute.show_price}
{if $product_price_attribute.has_discount}
{hook h='displayProductPriceBlock' product=$product_price_attribute type="old_price"}
<span class="sr-only">{l s='Regular price' mod='leofeature'}</span>
<span class="regular-price">{$product_price_attribute.regular_price}</span>
{if $product_price_attribute.discount_type === 'percentage'}
<span class="discount-percentage discount-product">{$product_price_attribute.discount_percentage}</span>
{elseif $product_price_attribute.discount_type === 'amount'}
<span class="discount-amount discount-product">{$product_price_attribute.discount_amount_to_display}</span>
{/if}
{/if}
{hook h='displayProductPriceBlock' product=$product_price_attribute type="before_price"}
<span class="sr-only">{l s='Price' mod='leofeature'}</span>
<span itemprop="price" class="price">{$product_price_attribute.price}</span>
{hook h='displayProductPriceBlock' product=$product_price_attribute type='unit_price'}
{hook h='displayProductPriceBlock' product=$product_price_attribute type='weight'}
{/if}

View File

@@ -0,0 +1,35 @@
<?php
/**
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to license@prestashop.com so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <contact@prestashop.com>
* @copyright 2007-2015 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*/
header('Expires: Mon, 26 Jul 1997 05:00:00 GMT');
header('Last-Modified: '.gmdate('D, d M Y H:i:s').' GMT');
header('Cache-Control: no-store, no-cache, must-revalidate');
header('Cache-Control: post-check=0, pre-check=0', false);
header('Pragma: no-cache');
header('Location: ../');
exit;

View File

@@ -0,0 +1,25 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div class="button-container cart">
<form action="{$link_cart}" method="post">
<input type="hidden" name="token" value="{$static_token}">
<input type="hidden" value="{$leo_cart_product.quantity}" class="quantity_product quantity_product_{$leo_cart_product.id_product}" name="quantity_product">
<input type="hidden" value="{if isset($leo_cart_product.product_attribute_minimal_quantity) && $leo_cart_product.product_attribute_minimal_quantity>$leo_cart_product.minimal_quantity}{$leo_cart_product.product_attribute_minimal_quantity}{else}{$leo_cart_product.minimal_quantity}{/if}" class="minimal_quantity minimal_quantity_{$leo_cart_product.id_product}" name="minimal_quantity">
<input type="hidden" value="{$leo_cart_product.id_product_attribute}" class="id_product_attribute id_product_attribute_{$leo_cart_product.id_product}" name="id_product_attribute">
<input type="hidden" value="{$leo_cart_product.id_product}" class="id_product" name="id_product">
<input type="hidden" name="id_customization" value="{if $leo_cart_product.id_customization}{$leo_cart_product.id_customization}{/if}" class="product_customization_id">
<input type="hidden" class="input-group form-control qty qty_product qty_product_{$leo_cart_product.id_product}" name="qty" value="{if isset($leo_cart_product.wishlist_quantity)}{$leo_cart_product.wishlist_quantity}{else}{if $leo_cart_product.product_attribute_minimal_quantity && $leo_cart_product.product_attribute_minimal_quantity>$leo_cart_product.minimal_quantity}{$leo_cart_product.product_attribute_minimal_quantity}{else}{$leo_cart_product.minimal_quantity}{/if}{/if}" data-min="{if $leo_cart_product.product_attribute_minimal_quantity && $leo_cart_product.product_attribute_minimal_quantity>$leo_cart_product.minimal_quantity}{$leo_cart_product.product_attribute_minimal_quantity}{else}{$leo_cart_product.minimal_quantity}{/if}">
<button class="btn btn-product add-to-cart leo-bt-cart leo-bt-cart_{$leo_cart_product.id_product}{if !$leo_cart_product.add_to_cart_url} disabled{/if}" data-button-action="add-to-cart" type="submit">
{* <i class="icon-btn-product icon-cart material-icons shopping-cart">&#xE547;</i> *}
<span class="name-btn-product">{l s='Add to cart' mod='leofeature'}</span>
</button>
</form>
</div>

View File

@@ -0,0 +1,22 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if isset($leo_cart_product_attribute.combinations) && count($leo_cart_product_attribute.combinations) > 0}
<div class="dropdown leo-pro-attr-section">
<button class="btn btn-secondary dropdown-toggle leo-bt-select-attr dropdownListAttrButton_{$leo_cart_product_attribute.id_product}" type="button" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false">
{$leo_cart_product_attribute.attribute_designation}
</button>
<div class="dropdown-menu leo-dropdown-attr">
{foreach from=$leo_cart_product_attribute.combinations item=attribute}
<a class="dropdown-item leo-select-attr{if $attribute.id_product_attribute == $leo_cart_product_attribute.id_product_attribute} selected{/if}{if $attribute.add_to_cart_url == ''} disable{/if}" href="#" data-id-product="{$attribute.id_product}" data-id-attr="{$attribute.id_product_attribute}" data-qty-attr="{$attribute.quantity}" data-min-qty-attr="{$attribute.minimal_quantity}">{$attribute.attribute_designation}</a>
{/foreach}
</div>
</div>
{/if}

View File

@@ -0,0 +1,10 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<input type="number" class="input-group form-control leo_cart_quantity" value="" data-id-product="{$leo_cart_product_quantity.id_product}" data-min="">

View File

@@ -0,0 +1,16 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div class="compare">
<a class="leo-compare-button btn-primary btn-product btn{if $added} added{/if}" href="javascript:void(0)" data-id-product="{$leo_compare_id_product}" title="{if $added}{l s='Remove from Compare' mod='leofeature'}{else}{l s='Add to Compare' mod='leofeature'}{/if}">
<span class="leo-compare-bt-loading cssload-speeding-wheel"></span>
<span class="leo-compare-bt-content">
<i class="icon-btn-product icon-compare material-icons">&#xE915;</i>
<span class="name-btn-product">{l s='Add to Compare' mod='leofeature'}</span>
</span>
</a>
</div>

View File

@@ -0,0 +1,36 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if (isset($nbReviews) && $nbReviews > 0) || $show_zero_product_review}
<div class="leo-list-product-reviews" {if (isset($nbReviews) && $nbReviews > 0)}itemprop="aggregateRating" itemscope itemtype="https://schema.org/AggregateRating"{/if}>
<div class="leo-list-product-reviews-wraper">
<div class="star_content clearfix">
{section name="i" start=0 loop=5 step=1}
{if $averageTotal le $smarty.section.i.index}
<div class="star"></div>
{else}
<div class="star star_on"></div>
{/if}
{/section}
{if (isset($nbReviews) && $nbReviews > 0)}
<meta itemprop="worstRating" content = "0" />
<meta itemprop="ratingValue" content = "{if isset($ratings.avg)}{$ratings.avg|round:1|escape:'html':'UTF-8'}{else}{$averageTotal|round:1|escape:'html':'UTF-8'}{/if}" />
<meta itemprop="bestRating" content = "5" />
{/if}
</div>
{if isset($nbReviews) && $nbReviews > 0}
{if $show_number_product_review}
<span class="nb-revews"><span itemprop="reviewCount">{$nbReviews}</span> {l s='Review(s)' mod='leofeature'}</span>
{else}
<meta itemprop="reviewCount" content = "{$nbReviews}" />
{/if}
{/if}
</div>
</div>
{/if}

View File

@@ -0,0 +1,75 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div class="addToCartFormWrapper" data-product-id="{$productID|escape:'htmlall':'UTF-8'}">
<form action="{$linkCartController}" method="post" class="addToCartForm">
<div class="variantsProductWrapper">
<div class="variants-product">
{foreach from=$productVariants key=id_attribute_group item=group}
{if $group.attributes|@count gt 0}
<div class="clearfix product-variants-item">
{if isset($configs.show_label) && $configs.show_label}
<span class="control-label">{$group.name|escape:'htmlall':'UTF-8'}</span>
{/if}
{if $group.group_type == 'select'}
<select
class="form-control form-control-select"
id="group_{$id_attribute_group|escape:'htmlall':'UTF-8'}"
data-product-attribute="{$id_attribute_group|escape:'htmlall':'UTF-8'}"
name="group[{$id_attribute_group|escape:'htmlall':'UTF-8'}]">
{foreach from=$group.attributes key=id_attribute item=group_attribute}
<option value="{$id_attribute|escape:'htmlall':'UTF-8'}" title="{$group_attribute.name|escape:'htmlall':'UTF-8'}"{if $group_attribute.selected} selected="selected"{/if}>{$group_attribute.name|escape:'htmlall':'UTF-8'}</option>
{/foreach}
</select>
{elseif $group.group_type == 'color'}
<ul id="group_{$id_attribute_group|escape:'htmlall':'UTF-8'}" class="groupUl">
{foreach from=$group.attributes key=id_attribute item=group_attribute}
<li class="float-xs-left input-container">
<label>
<input class="input-color" type="radio" data-product-attribute="{$id_attribute_group|escape:'htmlall':'UTF-8'}" name="group[{$id_attribute_group|escape:'htmlall':'UTF-8'}]" value="{$id_attribute|escape:'htmlall':'UTF-8'}"{if $group_attribute.selected} checked="checked"{/if}>
<span
{if $group_attribute.html_color_code}class="color" style="background-color: {$group_attribute.html_color_code|escape:'htmlall':'UTF-8'}" {/if}
{if $group_attribute.texture}class="color texture" style="background-image: url({$group_attribute.texture|escape:'htmlall':'UTF-8'})" {/if}
><span class="sr-only">{$group_attribute.name|escape:'htmlall':'UTF-8'}</span></span>
</label>
</li>
{/foreach}
</ul>
{elseif $group.group_type == 'radio'}
<ul id="group_{$id_attribute_group|escape:'htmlall':'UTF-8'}" class="groupUl">
{foreach from=$group.attributes key=id_attribute item=group_attribute}
<li class="input-container float-xs-left groupLi">
<label>
<input class="input-radio" type="radio" data-product-attribute="{$id_attribute_group|escape:'htmlall':'UTF-8'}" name="group[{$id_attribute_group|escape:'htmlall':'UTF-8'}]" value="{$id_attribute|escape:'htmlall':'UTF-8'}"{if $group_attribute.selected} checked="checked"{/if}>
<span class="radio-label">{$group_attribute.name|escape:'htmlall':'UTF-8'}</span>
</label>
</li>
{/foreach}
</ul>
{/if}
</div>
{/if}
{/foreach}
</div>
</div>
{* <button
data-button-action="add-to-cart"
class="btn btn-primary add-to-cart"
>
<i class="material-icons shopping-cart">&#xE547;</i>{l s='Add to cart' d='Shop.Theme.Actions' mod='leofeature'}
</button>
<input id="addToCartToken_{$productID|escape:'htmlall':'UTF-8'}" class="addToCartButtonToken" name="token" value="{$staticToken|escape:'htmlall':'UTF-8'}" placeholder="" type="hidden" />
<input id="addToCartIdProduct_{$productID|escape:'htmlall':'UTF-8'}" class="addToCartButtonIdProduct" name="id_product" value="{$productID|escape:'htmlall':'UTF-8'}" placeholder="" type="hidden" />
<input id="addToCartIdCustomization_{$productID|escape:'htmlall':'UTF-8'}" class="addToCartButtonIdCustomization" name="id_customization" value="0" placeholder="" type="hidden" />*}
</form>
</div>

View File

@@ -0,0 +1,86 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<tr class="comparison_header">
<td class="feature-name td_empty">
<span>{l s='Reviews' mod='leofeature'}</span>
</td>
{foreach from=$list_ids_product item=id_product}
<td class="product-{$id_product}"></td>
{/foreach}
</tr>
{foreach from=$grades item=grade key=grade_id}
<tr>
{cycle values='comparison_feature_odd,comparison_feature_even' assign='classname'}
<td class="{$classname} feature-name">
<strong>{$grade}</strong>
</td>
{foreach from=$list_ids_product item=id_product}
{assign var='tab_grade' value=$product_grades[$grade_id]}
<td class="{$classname} comparison_infos ajax_block_product product-{$id_product}" align="center">
{if isset($tab_grade[$id_product]) AND $tab_grade[$id_product]}
<div class="product-rating">
{section loop=6 step=1 start=1 name=average}
<input class="auto-submit-star not_uniform" disabled="disabled" type="radio" name="{$grade_id}_{$id_product}_{$smarty.section.average.index}" {if isset($tab_grade[$id_product]) AND $tab_grade[$id_product]|round neq 0 and $smarty.section.average.index eq $tab_grade[$id_product]|round}checked="checked"{/if} />
{/section}
</div>
{else}
-
{/if}
</td>
{/foreach}
</tr>
{/foreach}
{cycle values='comparison_feature_odd,comparison_feature_even' assign='classname'}
<tr>
<td class="{$classname} feature-name">
<strong>{l s='Average' mod='leofeature'}</strong>
</td>
{foreach from=$list_ids_product item=id_product}
<td class="{$classname} comparison_infos product-{$id_product}" align="center" >
{if isset($list_product_average[$id_product]) AND $list_product_average[$id_product]}
<div class="product-rating">
{section loop=6 step=1 start=1 name=average}
<input class="auto-submit-star not_uniform" disabled="disabled" type="radio" name="average_{$id_product}" {if $list_product_average[$id_product]|round neq 0 and $smarty.section.average.index eq $list_product_average[$id_product]|round}checked="checked"{/if} />
{/section}
</div>
{else}
-
{/if}
</td>
{/foreach}
</tr>
<tr>
<td class="{$classname} comparison_infos feature-name">&nbsp;</td>
{foreach from=$list_ids_product item=id_product}
<td class="{$classname} comparison_infos product-{$id_product}" align="center" >
{if isset($product_reviews[$id_product]) AND $product_reviews[$id_product]}
<div class="dropup leo-compare-review-dropdown">
<button class="btn btn-secondary dropdown-toggle" type="button" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false">
{l s='View reviews' mod='leofeature'}
</button>
<div class="dropdown-menu">
{foreach from=$product_reviews[$id_product] item=review}
<div class="dropdown-item well well-sm">
<strong>{$review.customer_name|escape:'html':'UTF-8'} </strong>
<small class="date"> {dateFormat date=$review.date_add|escape:'html':'UTF-8' full=0}</small>
<div class="review_title">{$review.title|escape:'html':'UTF-8'|nl2br}</div>
<div class="review_content">{$review.content|escape:'html':'UTF-8'|nl2br}</div>
</div>
{/foreach}
</div>
</div>
{else}
-
{/if}
</td>
{/foreach}
</tr>

View File

@@ -0,0 +1,50 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if ($nbReviews_product_extra == 0 && $too_early_extra == false && ($customer.is_logged || $allow_guests_extra)) || ($nbReviews_product_extra != 0)}
<div id="leo_product_reviews_block_extra" class="no-print" {if $nbReviews_product_extra != 0}itemprop="aggregateRating" itemscope itemtype="https://schema.org/AggregateRating"{/if}>
{if $nbReviews_product_extra != 0}
<div class="reviews_note clearfix">
<span>{l s='Rating' mod='leofeature'}&nbsp;</span>
<div class="star_content clearfix">
{section name="i" start=0 loop=5 step=1}
{if $averageTotal_extra le $smarty.section.i.index}
<div class="star"></div>
{else}
<div class="star star_on"></div>
{/if}
{/section}
<meta itemprop="worstRating" content = "0" />
<meta itemprop="ratingValue" content = "{if isset($ratings_extra.avg)}{$ratings_extra.avg|round:1|escape:'html':'UTF-8'}{else}{$averageTotal_extra|round:1|escape:'html':'UTF-8'}{/if}" />
<meta itemprop="bestRating" content = "5" />
</div>
</div>
{/if}
<ul class="reviews_advices">
{if $nbReviews_product_extra != 0}
<li>
<a href="javascript:void(0)" class="read-review">
<i class="material-icons">&#xE0B9;</i>
{l s='Read reviews' mod='leofeature'} (<span itemprop="reviewCount">{$nbReviews_product_extra}</span>)
</a>
</li>
{/if}
{if ($too_early_extra == false AND ($customer.is_logged OR $allow_guests_extra))}
<li class="{if $nbReviews_product_extra != 0}last{/if}">
<a class="open-review-form" href="javascript:void(0)" data-id-product="{$id_product_review_extra}" data-is-logged="{$customer.is_logged}" data-product-link="{$link_product_review_extra}">
<i class="material-icons">&#xE150;</i>
{l s='Write a review' mod='leofeature'}
</a>
</li>
{/if}
</ul>
</div>
{/if}

View File

@@ -0,0 +1,23 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if isset($USE_PTABS) && $USE_PTABS == 'default'}
<h4 class="title-info-product leo-product-show-review-title">{l s='Reviews' mod='leofeature'}</h4>
{else if isset($USE_PTABS) && $USE_PTABS == 'accordion'}
<div class="card-header" role="tab" id="headingleofeatureproductreview">
<h5 class="h5">
<a class="collapsed leo-product-show-review-title leofeature-accordion" data-toggle="collapse" data-parent="#accordion" href="#collapseleofeatureproductreview" aria-expanded="false" aria-controls="collapseleofeatureproductreview">
{l s='Reviews' mod='leofeature'}
</a>
</h5>
</div>
{else}
<li class="nav-item">
<a class="nav-link leo-product-show-review-title" data-toggle="tab" href="#leo-product-show-review-content">{l s='Reviews' mod='leofeature'}</a>
</li>
{/if}

View File

@@ -0,0 +1,109 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
{if isset($USE_PTABS) && $USE_PTABS == 'default'}
{else if isset($USE_PTABS) && $USE_PTABS == 'accordion'}
<div id="collapseleofeatureproductreview" class="collapse" role="tabpanel">
<div class="card-block">
{else}
<div class="tab-pane fade in" id="leo-product-show-review-content">
{/if}
<div id="product_reviews_block_tab">
{if $reviews}
{foreach from=$reviews item=review}
{if $review.content}
<div class="review" itemprop="review" itemscope itemtype="https://schema.org/Review">
<div class="review-info row">
<div class="review_author col-sm-3">
<span>{l s='Grade' mod='leofeature'}&nbsp;</span>
<div class="star_content clearfix" itemprop="reviewRating" itemscope itemtype="https://schema.org/Rating">
{section name="i" start=0 loop=5 step=1}
{if $review.grade le $smarty.section.i.index}
<div class="star"></div>
{else}
<div class="star star_on"></div>
{/if}
{/section}
<meta itemprop="worstRating" content = "0" />
<meta itemprop="ratingValue" content = "{$review.grade|escape:'html':'UTF-8'}" />
<meta itemprop="bestRating" content = "5" />
</div>
<div class="review_author_infos">
<strong itemprop="author">{$review.customer_name|escape:'html':'UTF-8'}</strong>
<meta itemprop="datePublished" content="{$review.date_add|escape:'html':'UTF-8'|substr:0:10}" />
<em>{dateFormat date=$review.date_add|escape:'html':'UTF-8' full=0}</em>
</div>
</div>
<div class="review_details col-sm-9">
<p itemprop="name" class="title_block">
<strong>{$review.title}</strong>
</p>
<p itemprop="reviewBody">{$review.content|escape:'html':'UTF-8'|nl2br nofilter}</p>
</div><!-- .review_details -->
</div>
<div class="review_button">
<ul>
{if $review.total_advice > 0}
<li>
{l s='%1$d out of %2$d people found this review useful.' sprintf=[$review.total_useful,$review.total_advice] mod='leofeature'}
</li>
{/if}
{if $customer.is_logged}
{if !$review.customer_advice && $allow_usefull_button}
<li>
<span>{l s='Was this review useful to you?' mod='leofeature'}</span>
<button class="usefulness_btn btn btn-default button button-small" data-is-usefull="1" data-id-product-review="{$review.id_product_review}">
<span>{l s='Yes' mod='leofeature'}</span>
</button>
<button class="usefulness_btn btn btn-default button button-small" data-is-usefull="0" data-id-product-review="{$review.id_product_review}">
<span>{l s='No' mod='leofeature'}</span>
</button>
</li>
{/if}
{if !$review.customer_report && $allow_report_button}
<li>
<a href="javascript:void(0)" class="btn report_btn" data-id-product-review="{$review.id_product_review}">
{l s='Report abuse' mod='leofeature'}
</a>
</li>
{/if}
{/if}
</ul>
</div>
</div> <!-- .review -->
{/if}
{/foreach}
{if (!$too_early AND ($customer.is_logged OR $allow_guests))}
<a class="open-review-form" href="javascript:void(0)" data-id-product="{$id_product_tab_content}" data-is-logged="{$customer.is_logged}" data-product-link="{$link_product_tab_content}">
<i class="material-icons">&#xE150;</i>
{l s='Write a review' mod='leofeature'}
</a>
{/if}
{else}
{if (!$too_early AND ($customer.is_logged OR $allow_guests))}
<a class="open-review-form" href="javascript:void(0)" data-id-product="{$id_product_tab_content}" data-is-logged="{$customer.is_logged}" data-product-link="{$link_product_tab_content}">
<i class="material-icons">&#xE150;</i>
{l s='Be the first to write your review!' mod='leofeature'}
</a>
{else}
<p class="align_center">{l s='No customer reviews for the moment.' mod='leofeature'}</p>
{/if}
{/if}
</div>
{if isset($USE_PTABS) && $USE_PTABS == 'default'}
{else if isset($USE_PTABS) && $USE_PTABS == 'accordion'}
</div>
</div>
{else}
</div>
{/if}

View File

@@ -0,0 +1,31 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<div class="wishlist">
{if isset($wishlists) && count($wishlists) > 1}
<div class="dropdown leo-wishlist-button-dropdown">
<button class="leo-wishlist-button dropdown-toggle show-list btn-primary btn-product btn{if $added_wishlist} added{/if}" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false" data-id-wishlist="{$id_wishlist}" data-id-product="{$leo_wishlist_id_product}" data-id-product-attribute="{$leo_wishlist_id_product_attribute}">
<span class="leo-wishlist-bt-loading cssload-speeding-wheel"></span>
<span class="leo-wishlist-bt-content">
<img src="/themes/at_movic/assets/img/icon-wishlist-add.svg">
</span>
</button>
<div class="dropdown-menu leo-list-wishlist leo-list-wishlist-{$leo_wishlist_id_product}">
{foreach from=$wishlists item=wishlists_item}
<a href="javascript:void(0)" class="dropdown-item list-group-item list-group-item-action wishlist-item{if in_array($wishlists_item.id_wishlist, $wishlists_added)} added {/if}" data-id-wishlist="{$wishlists_item.id_wishlist}" data-id-product="{$leo_wishlist_id_product}" data-id-product-attribute="{$leo_wishlist_id_product_attribute}" title="{if in_array($wishlists_item.id_wishlist, $wishlists_added)}{l s='Remove from Wishlist' mod='leofeature'}{else}{l s='Add to Wishlist' mod='leofeature'}{/if}">{$wishlists_item.name}</a>
{/foreach}
</div>
</div>
{else}
<a class="leo-wishlist-button btn-product btn-primary btn{if $added_wishlist} added{/if}" href="javascript:void(0)" data-id-wishlist="{$id_wishlist}" data-id-product="{$leo_wishlist_id_product}" data-id-product-attribute="{$leo_wishlist_id_product_attribute}" title="{if $added_wishlist}{l s='Remove from Wishlist' mod='leofeature'}{else}{l s='Add to Wishlist' mod='leofeature'}{/if}">
<span class="leo-wishlist-bt-loading cssload-speeding-wheel"></span>
<span class="leo-wishlist-bt-content">
<img src="/themes/at_movic/assets/img/icon-wishlist-add.svg">
</span>
</a>
{/if}
</div>

View File

@@ -0,0 +1,16 @@
{*
* @Module Name: Leo Feature
* @Website: leotheme.com.com - prestashop template provider
* @author Leotheme <leotheme@gmail.com>
* @copyright 2007-2018 Leotheme
* @description: Leo feature for prestashop 1.7: ajax cart, review, compare, wishlist at product list
*}
<a class="col-lg-4 col-md-6 col-sm-6 col-xs-12" id="mywishlist-link" href="{$wishlist_link}">
<span class="link-item">
{* <i class="material-icons">&#xE87D;</i> *}
<img src="/themes/at_movic/assets/img/icons/LISTA ZYCZEN.svg" alt="">
{l s='My Wishlist' mod='leofeature'}
</span>
</a>

Some files were not shown because too many files have changed in this diff Show More